You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 

2881 lines
1.3 MiB

/******/ (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] = {
/******/ i: moduleId,
/******/ l: false,
/******/ exports: {}
/******/ };
/******/
/******/ // Execute the module function
/******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
/******/
/******/ // Flag the module as loaded
/******/ module.l = 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;
/******/
/******/ // define getter function for harmony exports
/******/ __webpack_require__.d = function(exports, name, getter) {
/******/ if(!__webpack_require__.o(exports, name)) {
/******/ Object.defineProperty(exports, name, { enumerable: true, get: getter });
/******/ }
/******/ };
/******/
/******/ // define __esModule on exports
/******/ __webpack_require__.r = function(exports) {
/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
/******/ }
/******/ Object.defineProperty(exports, '__esModule', { value: true });
/******/ };
/******/
/******/ // create a fake namespace object
/******/ // mode & 1: value is a module id, require it
/******/ // mode & 2: merge all properties of value into the ns
/******/ // mode & 4: return value when already ns object
/******/ // mode & 8|1: behave like require
/******/ __webpack_require__.t = function(value, mode) {
/******/ if(mode & 1) value = __webpack_require__(value);
/******/ if(mode & 8) return value;
/******/ if((mode & 4) && typeof value === 'object' && value && value.__esModule) return value;
/******/ var ns = Object.create(null);
/******/ __webpack_require__.r(ns);
/******/ Object.defineProperty(ns, 'default', { enumerable: true, value: value });
/******/ if(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key));
/******/ return ns;
/******/ };
/******/
/******/ // getDefaultExport function for compatibility with non-harmony modules
/******/ __webpack_require__.n = function(module) {
/******/ var getter = module && module.__esModule ?
/******/ function getDefault() { return module['default']; } :
/******/ function getModuleExports() { return module; };
/******/ __webpack_require__.d(getter, 'a', getter);
/******/ return getter;
/******/ };
/******/
/******/ // Object.prototype.hasOwnProperty.call
/******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
/******/
/******/ // __webpack_public_path__
/******/ __webpack_require__.p = "";
/******/
/******/
/******/ // Load entry module and return exports
/******/ return __webpack_require__(__webpack_require__.s = 0);
/******/ })
/************************************************************************/
/******/ ({
/***/ "./node_modules/asynckit/index.js":
/*!****************************************!*\
!*** ./node_modules/asynckit/index.js ***!
\****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("module.exports =\n{\n parallel : __webpack_require__(/*! ./parallel.js */ \"./node_modules/asynckit/parallel.js\"),\n serial : __webpack_require__(/*! ./serial.js */ \"./node_modules/asynckit/serial.js\"),\n serialOrdered : __webpack_require__(/*! ./serialOrdered.js */ \"./node_modules/asynckit/serialOrdered.js\")\n};\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/index.js?");
/***/ }),
/***/ "./node_modules/asynckit/lib/abort.js":
/*!********************************************!*\
!*** ./node_modules/asynckit/lib/abort.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("// API\nmodule.exports = abort;\n\n/**\n * Aborts leftover active jobs\n *\n * @param {object} state - current state object\n */\nfunction abort(state)\n{\n Object.keys(state.jobs).forEach(clean.bind(state));\n\n // reset leftover jobs\n state.jobs = {};\n}\n\n/**\n * Cleans up leftover job by invoking abort function for the provided job id\n *\n * @this state\n * @param {string|number} key - job id to abort\n */\nfunction clean(key)\n{\n if (typeof this.jobs[key] == 'function')\n {\n this.jobs[key]();\n }\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/lib/abort.js?");
/***/ }),
/***/ "./node_modules/asynckit/lib/async.js":
/*!********************************************!*\
!*** ./node_modules/asynckit/lib/async.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var defer = __webpack_require__(/*! ./defer.js */ \"./node_modules/asynckit/lib/defer.js\");\n\n// API\nmodule.exports = async;\n\n/**\n * Runs provided callback asynchronously\n * even if callback itself is not\n *\n * @param {function} callback - callback to invoke\n * @returns {function} - augmented callback\n */\nfunction async(callback)\n{\n var isAsync = false;\n\n // check if async happened\n defer(function() { isAsync = true; });\n\n return function async_callback(err, result)\n {\n if (isAsync)\n {\n callback(err, result);\n }\n else\n {\n defer(function nextTick_callback()\n {\n callback(err, result);\n });\n }\n };\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/lib/async.js?");
/***/ }),
/***/ "./node_modules/asynckit/lib/defer.js":
/*!********************************************!*\
!*** ./node_modules/asynckit/lib/defer.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = defer;\n\n/**\n * Runs provided function on next iteration of the event loop\n *\n * @param {function} fn - function to run\n */\nfunction defer(fn)\n{\n var nextTick = typeof setImmediate == 'function'\n ? setImmediate\n : (\n typeof process == 'object' && typeof process.nextTick == 'function'\n ? process.nextTick\n : null\n );\n\n if (nextTick)\n {\n nextTick(fn);\n }\n else\n {\n setTimeout(fn, 0);\n }\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/lib/defer.js?");
/***/ }),
/***/ "./node_modules/asynckit/lib/iterate.js":
/*!**********************************************!*\
!*** ./node_modules/asynckit/lib/iterate.js ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var async = __webpack_require__(/*! ./async.js */ \"./node_modules/asynckit/lib/async.js\")\n , abort = __webpack_require__(/*! ./abort.js */ \"./node_modules/asynckit/lib/abort.js\")\n ;\n\n// API\nmodule.exports = iterate;\n\n/**\n * Iterates over each job object\n *\n * @param {array|object} list - array or object (named list) to iterate over\n * @param {function} iterator - iterator to run\n * @param {object} state - current job status\n * @param {function} callback - invoked when all elements processed\n */\nfunction iterate(list, iterator, state, callback)\n{\n // store current index\n var key = state['keyedList'] ? state['keyedList'][state.index] : state.index;\n\n state.jobs[key] = runJob(iterator, key, list[key], function(error, output)\n {\n // don't repeat yourself\n // skip secondary callbacks\n if (!(key in state.jobs))\n {\n return;\n }\n\n // clean up jobs\n delete state.jobs[key];\n\n if (error)\n {\n // don't process rest of the results\n // stop still active jobs\n // and reset the list\n abort(state);\n }\n else\n {\n state.results[key] = output;\n }\n\n // return salvaged results\n callback(error, state.results);\n });\n}\n\n/**\n * Runs iterator over provided job element\n *\n * @param {function} iterator - iterator to invoke\n * @param {string|number} key - key/index of the element in the list of jobs\n * @param {mixed} item - job description\n * @param {function} callback - invoked after iterator is done with the job\n * @returns {function|mixed} - job abort function or something else\n */\nfunction runJob(iterator, key, item, callback)\n{\n var aborter;\n\n // allow shortcut if iterator expects only two arguments\n if (iterator.length == 2)\n {\n aborter = iterator(item, async(callback));\n }\n // otherwise go with full three arguments\n else\n {\n aborter = iterator(item, key, async(callback));\n }\n\n return aborter;\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/lib/iterate.js?");
/***/ }),
/***/ "./node_modules/asynckit/lib/state.js":
/*!********************************************!*\
!*** ./node_modules/asynckit/lib/state.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("// API\nmodule.exports = state;\n\n/**\n * Creates initial state object\n * for iteration over list\n *\n * @param {array|object} list - list to iterate over\n * @param {function|null} sortMethod - function to use for keys sort,\n * or `null` to keep them as is\n * @returns {object} - initial state object\n */\nfunction state(list, sortMethod)\n{\n var isNamedList = !Array.isArray(list)\n , initState =\n {\n index : 0,\n keyedList: isNamedList || sortMethod ? Object.keys(list) : null,\n jobs : {},\n results : isNamedList ? {} : [],\n size : isNamedList ? Object.keys(list).length : list.length\n }\n ;\n\n if (sortMethod)\n {\n // sort array keys based on it's values\n // sort object's keys just on own merit\n initState.keyedList.sort(isNamedList ? sortMethod : function(a, b)\n {\n return sortMethod(list[a], list[b]);\n });\n }\n\n return initState;\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/lib/state.js?");
/***/ }),
/***/ "./node_modules/asynckit/lib/terminator.js":
/*!*************************************************!*\
!*** ./node_modules/asynckit/lib/terminator.js ***!
\*************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var abort = __webpack_require__(/*! ./abort.js */ \"./node_modules/asynckit/lib/abort.js\")\n , async = __webpack_require__(/*! ./async.js */ \"./node_modules/asynckit/lib/async.js\")\n ;\n\n// API\nmodule.exports = terminator;\n\n/**\n * Terminates jobs in the attached state context\n *\n * @this AsyncKitState#\n * @param {function} callback - final callback to invoke after termination\n */\nfunction terminator(callback)\n{\n if (!Object.keys(this.jobs).length)\n {\n return;\n }\n\n // fast forward iteration index\n this.index = this.size;\n\n // abort jobs\n abort(this);\n\n // send back results we have so far\n async(callback)(null, this.results);\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/lib/terminator.js?");
/***/ }),
/***/ "./node_modules/asynckit/parallel.js":
/*!*******************************************!*\
!*** ./node_modules/asynckit/parallel.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var iterate = __webpack_require__(/*! ./lib/iterate.js */ \"./node_modules/asynckit/lib/iterate.js\")\n , initState = __webpack_require__(/*! ./lib/state.js */ \"./node_modules/asynckit/lib/state.js\")\n , terminator = __webpack_require__(/*! ./lib/terminator.js */ \"./node_modules/asynckit/lib/terminator.js\")\n ;\n\n// Public API\nmodule.exports = parallel;\n\n/**\n * Runs iterator over provided array elements in parallel\n *\n * @param {array|object} list - array or object (named list) to iterate over\n * @param {function} iterator - iterator to run\n * @param {function} callback - invoked when all elements processed\n * @returns {function} - jobs terminator\n */\nfunction parallel(list, iterator, callback)\n{\n var state = initState(list);\n\n while (state.index < (state['keyedList'] || list).length)\n {\n iterate(list, iterator, state, function(error, result)\n {\n if (error)\n {\n callback(error, result);\n return;\n }\n\n // looks like it's the last one\n if (Object.keys(state.jobs).length === 0)\n {\n callback(null, state.results);\n return;\n }\n });\n\n state.index++;\n }\n\n return terminator.bind(state, callback);\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/parallel.js?");
/***/ }),
/***/ "./node_modules/asynckit/serial.js":
/*!*****************************************!*\
!*** ./node_modules/asynckit/serial.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var serialOrdered = __webpack_require__(/*! ./serialOrdered.js */ \"./node_modules/asynckit/serialOrdered.js\");\n\n// Public API\nmodule.exports = serial;\n\n/**\n * Runs iterator over provided array elements in series\n *\n * @param {array|object} list - array or object (named list) to iterate over\n * @param {function} iterator - iterator to run\n * @param {function} callback - invoked when all elements processed\n * @returns {function} - jobs terminator\n */\nfunction serial(list, iterator, callback)\n{\n return serialOrdered(list, iterator, null, callback);\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/serial.js?");
/***/ }),
/***/ "./node_modules/asynckit/serialOrdered.js":
/*!************************************************!*\
!*** ./node_modules/asynckit/serialOrdered.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var iterate = __webpack_require__(/*! ./lib/iterate.js */ \"./node_modules/asynckit/lib/iterate.js\")\n , initState = __webpack_require__(/*! ./lib/state.js */ \"./node_modules/asynckit/lib/state.js\")\n , terminator = __webpack_require__(/*! ./lib/terminator.js */ \"./node_modules/asynckit/lib/terminator.js\")\n ;\n\n// Public API\nmodule.exports = serialOrdered;\n// sorting helpers\nmodule.exports.ascending = ascending;\nmodule.exports.descending = descending;\n\n/**\n * Runs iterator over provided sorted array elements in series\n *\n * @param {array|object} list - array or object (named list) to iterate over\n * @param {function} iterator - iterator to run\n * @param {function} sortMethod - custom sort function\n * @param {function} callback - invoked when all elements processed\n * @returns {function} - jobs terminator\n */\nfunction serialOrdered(list, iterator, sortMethod, callback)\n{\n var state = initState(list, sortMethod);\n\n iterate(list, iterator, state, function iteratorHandler(error, result)\n {\n if (error)\n {\n callback(error, result);\n return;\n }\n\n state.index++;\n\n // are we there yet?\n if (state.index < (state['keyedList'] || list).length)\n {\n iterate(list, iterator, state, iteratorHandler);\n return;\n }\n\n // done here\n callback(null, state.results);\n });\n\n return terminator.bind(state, callback);\n}\n\n/*\n * -- Sort methods\n */\n\n/**\n * sort helper to sort array elements in ascending order\n *\n * @param {mixed} a - an item to compare\n * @param {mixed} b - an item to compare\n * @returns {number} - comparison result\n */\nfunction ascending(a, b)\n{\n return a < b ? -1 : a > b ? 1 : 0;\n}\n\n/**\n * sort helper to sort array elements in descending order\n *\n * @param {mixed} a - an item to compare\n * @param {mixed} b - an item to compare\n * @returns {number} - comparison result\n */\nfunction descending(a, b)\n{\n return -1 * ascending(a, b);\n}\n\n\n//# sourceURL=webpack:///./node_modules/asynckit/serialOrdered.js?");
/***/ }),
/***/ "./node_modules/axios/index.js":
/*!*************************************!*\
!*** ./node_modules/axios/index.js ***!
\*************************************/
/*! exports provided: default, Axios, AxiosError, CanceledError, isCancel, CancelToken, VERSION, all, Cancel, isAxiosError, spread, toFormData, AxiosHeaders, HttpStatusCode, formToJSON, getAdapter, mergeConfig */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"Axios\", function() { return Axios; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"AxiosError\", function() { return AxiosError; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"CanceledError\", function() { return CanceledError; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"isCancel\", function() { return isCancel; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"CancelToken\", function() { return CancelToken; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"VERSION\", function() { return VERSION; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"all\", function() { return all; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"Cancel\", function() { return Cancel; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"isAxiosError\", function() { return isAxiosError; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"spread\", function() { return spread; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"toFormData\", function() { return toFormData; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"AxiosHeaders\", function() { return AxiosHeaders; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"HttpStatusCode\", function() { return HttpStatusCode; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"formToJSON\", function() { return formToJSON; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"getAdapter\", function() { return getAdapter; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"mergeConfig\", function() { return mergeConfig; });\n/* harmony import */ var _lib_axios_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./lib/axios.js */ \"./node_modules/axios/lib/axios.js\");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return _lib_axios_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"]; });\n\n\n\n// This module is intended to unwrap Axios default export as named.\n// Keep top-level export same with static properties\n// so that it can keep same with es module or cjs\nconst {\n Axios,\n AxiosError,\n CanceledError,\n isCancel,\n CancelToken,\n VERSION,\n all,\n Cancel,\n isAxiosError,\n spread,\n toFormData,\n AxiosHeaders,\n HttpStatusCode,\n formToJSON,\n getAdapter,\n mergeConfig,\n} = _lib_axios_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"];\n\n\n\n\n//# sourceURL=webpack:///./node_modules/axios/index.js?");
/***/ }),
/***/ "./node_modules/axios/lib/adapters/adapters.js":
/*!*****************************************************!*\
!*** ./node_modules/axios/lib/adapters/adapters.js ***!
\*****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _http_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./http.js */ \"./node_modules/axios/lib/adapters/http.js\");\n/* harmony import */ var _xhr_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./xhr.js */ \"./node_modules/axios/lib/adapters/xhr.js\");\n/* harmony import */ var _fetch_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./fetch.js */ \"./node_modules/axios/lib/adapters/fetch.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n\n\n\n\n\n\n/**\n * Known adapters mapping.\n * Provides environment-specific adapters for Axios:\n * - `http` for Node.js\n * - `xhr` for browsers\n * - `fetch` for fetch API-based requests\n *\n * @type {Object<string, Function|Object>}\n */\nconst knownAdapters = {\n http: _http_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"],\n xhr: _xhr_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"],\n fetch: {\n get: _fetch_js__WEBPACK_IMPORTED_MODULE_3__[\"getFetch\"],\n },\n};\n\n// Assign adapter names for easier debugging and identification\n_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(knownAdapters, (fn, value) => {\n if (fn) {\n try {\n Object.defineProperty(fn, 'name', { value });\n } catch (e) {\n // eslint-disable-next-line no-empty\n }\n Object.defineProperty(fn, 'adapterName', { value });\n }\n});\n\n/**\n * Render a rejection reason string for unknown or unsupported adapters\n *\n * @param {string} reason\n * @returns {string}\n */\nconst renderReason = (reason) => `- ${reason}`;\n\n/**\n * Check if the adapter is resolved (function, null, or false)\n *\n * @param {Function|null|false} adapter\n * @returns {boolean}\n */\nconst isResolvedHandle = (adapter) =>\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(adapter) || adapter === null || adapter === false;\n\n/**\n * Get the first suitable adapter from the provided list.\n * Tries each adapter in order until a supported one is found.\n * Throws an AxiosError if no adapter is suitable.\n *\n * @param {Array<string|Function>|string|Function} adapters - Adapter(s) by name or function.\n * @param {Object} config - Axios request configuration\n * @throws {AxiosError} If no suitable adapter is available\n * @returns {Function} The resolved adapter function\n */\nfunction getAdapter(adapters, config) {\n adapters = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(adapters) ? adapters : [adapters];\n\n const { length } = adapters;\n let nameOrAdapter;\n let adapter;\n\n const rejectedReasons = {};\n\n for (let i = 0; i < length; i++) {\n nameOrAdapter = adapters[i];\n let id;\n\n adapter = nameOrAdapter;\n\n if (!isResolvedHandle(nameOrAdapter)) {\n adapter = knownAdapters[(id = String(nameOrAdapter)).toLowerCase()];\n\n if (adapter === undefined) {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"](`Unknown adapter '${id}'`);\n }\n }\n\n if (adapter && (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(adapter) || (adapter = adapter.get(config)))) {\n break;\n }\n\n rejectedReasons[id || '#' + i] = adapter;\n }\n\n if (!adapter) {\n const reasons = Object.entries(rejectedReasons).map(\n ([id, state]) =>\n `adapter ${id} ` +\n (state === false ? 'is not supported by the environment' : 'is not available in the build')\n );\n\n let s = length\n ? reasons.length > 1\n ? 'since :\\n' + reasons.map(renderReason).join('\\n')\n : ' ' + renderReason(reasons[0])\n : 'as no adapter specified';\n\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"](\n `There is no suitable adapter to dispatch the request ` + s,\n 'ERR_NOT_SUPPORT'\n );\n }\n\n return adapter;\n}\n\n/**\n * Exports Axios adapters and utility to resolve an adapter\n */\n/* harmony default export */ __webpack_exports__[\"default\"] = ({\n /**\n * Resolve an adapter from a list of adapter names or functions.\n * @type {Function}\n */\n getAdapter,\n\n /**\n * Exposes all known adapters\n * @type {Object<string, Function|Object>}\n */\n adapters: knownAdapters,\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/adapters/adapters.js?");
/***/ }),
/***/ "./node_modules/axios/lib/adapters/fetch.js":
/*!**************************************************!*\
!*** ./node_modules/axios/lib/adapters/fetch.js ***!
\**************************************************/
/*! exports provided: getFetch, default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"getFetch\", function() { return getFetch; });\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _helpers_composeSignals_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../helpers/composeSignals.js */ \"./node_modules/axios/lib/helpers/composeSignals.js\");\n/* harmony import */ var _helpers_trackStream_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../helpers/trackStream.js */ \"./node_modules/axios/lib/helpers/trackStream.js\");\n/* harmony import */ var _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../core/AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n/* harmony import */ var _helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../helpers/progressEventReducer.js */ \"./node_modules/axios/lib/helpers/progressEventReducer.js\");\n/* harmony import */ var _helpers_resolveConfig_js__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../helpers/resolveConfig.js */ \"./node_modules/axios/lib/helpers/resolveConfig.js\");\n/* harmony import */ var _core_settle_js__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../core/settle.js */ \"./node_modules/axios/lib/core/settle.js\");\n\n\n\n\n\n\n\n\n\n\nconst DEFAULT_CHUNK_SIZE = 64 * 1024;\n\nconst { isFunction } = _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"];\n\nconst globalFetchAPI = (({ Request, Response }) => ({\n Request,\n Response,\n}))(_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].global);\n\nconst { ReadableStream, TextEncoder } = _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].global;\n\nconst test = (fn, ...args) => {\n try {\n return !!fn(...args);\n } catch (e) {\n return false;\n }\n};\n\nconst factory = (env) => {\n env = _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].merge.call(\n {\n skipUndefined: true,\n },\n globalFetchAPI,\n env\n );\n\n const { fetch: envFetch, Request, Response } = env;\n const isFetchSupported = envFetch ? isFunction(envFetch) : typeof fetch === 'function';\n const isRequestSupported = isFunction(Request);\n const isResponseSupported = isFunction(Response);\n\n if (!isFetchSupported) {\n return false;\n }\n\n const isReadableStreamSupported = isFetchSupported && isFunction(ReadableStream);\n\n const encodeText =\n isFetchSupported &&\n (typeof TextEncoder === 'function'\n ? (\n (encoder) => (str) =>\n encoder.encode(str)\n )(new TextEncoder())\n : async (str) => new Uint8Array(await new Request(str).arrayBuffer()));\n\n const supportsRequestStream =\n isRequestSupported &&\n isReadableStreamSupported &&\n test(() => {\n let duplexAccessed = false;\n\n const hasContentType = new Request(_platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].origin, {\n body: new ReadableStream(),\n method: 'POST',\n get duplex() {\n duplexAccessed = true;\n return 'half';\n },\n }).headers.has('Content-Type');\n\n return duplexAccessed && !hasContentType;\n });\n\n const supportsResponseStream =\n isResponseSupported &&\n isReadableStreamSupported &&\n test(() => _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isReadableStream(new Response('').body));\n\n const resolvers = {\n stream: supportsResponseStream && ((res) => res.body),\n };\n\n isFetchSupported &&\n (() => {\n ['text', 'arrayBuffer', 'blob', 'formData', 'stream'].forEach((type) => {\n !resolvers[type] &&\n (resolvers[type] = (res, config) => {\n let method = res && res[type];\n\n if (method) {\n return method.call(res);\n }\n\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"](\n `Response type '${type}' is not supported`,\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].ERR_NOT_SUPPORT,\n config\n );\n });\n });\n })();\n\n const getBodyLength = async (body) => {\n if (body == null) {\n return 0;\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isBlob(body)) {\n return body.size;\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isSpecCompliantForm(body)) {\n const _request = new Request(_platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].origin, {\n method: 'POST',\n body,\n });\n return (await _request.arrayBuffer()).byteLength;\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isArrayBufferView(body) || _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isArrayBuffer(body)) {\n return body.byteLength;\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isURLSearchParams(body)) {\n body = body + '';\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isString(body)) {\n return (await encodeText(body)).byteLength;\n }\n };\n\n const resolveBodyLength = async (headers, body) => {\n const length = _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].toFiniteNumber(headers.getContentLength());\n\n return length == null ? getBodyLength(body) : length;\n };\n\n return async (config) => {\n let {\n url,\n method,\n data,\n signal,\n cancelToken,\n timeout,\n onDownloadProgress,\n onUploadProgress,\n responseType,\n headers,\n withCredentials = 'same-origin',\n fetchOptions,\n } = Object(_helpers_resolveConfig_js__WEBPACK_IMPORTED_MODULE_7__[\"default\"])(config);\n\n let _fetch = envFetch || fetch;\n\n responseType = responseType ? (responseType + '').toLowerCase() : 'text';\n\n let composedSignal = Object(_helpers_composeSignals_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(\n [signal, cancelToken && cancelToken.toAbortSignal()],\n timeout\n );\n\n let request = null;\n\n const unsubscribe =\n composedSignal &&\n composedSignal.unsubscribe &&\n (() => {\n composedSignal.unsubscribe();\n });\n\n let requestContentLength;\n\n try {\n if (\n onUploadProgress &&\n supportsRequestStream &&\n method !== 'get' &&\n method !== 'head' &&\n (requestContentLength = await resolveBodyLength(headers, data)) !== 0\n ) {\n let _request = new Request(url, {\n method: 'POST',\n body: data,\n duplex: 'half',\n });\n\n let contentTypeHeader;\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isFormData(data) && (contentTypeHeader = _request.headers.get('content-type'))) {\n headers.setContentType(contentTypeHeader);\n }\n\n if (_request.body) {\n const [onProgress, flush] = Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_6__[\"progressEventDecorator\"])(\n requestContentLength,\n Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_6__[\"progressEventReducer\"])(Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_6__[\"asyncDecorator\"])(onUploadProgress))\n );\n\n data = Object(_helpers_trackStream_js__WEBPACK_IMPORTED_MODULE_4__[\"trackStream\"])(_request.body, DEFAULT_CHUNK_SIZE, onProgress, flush);\n }\n }\n\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isString(withCredentials)) {\n withCredentials = withCredentials ? 'include' : 'omit';\n }\n\n // Cloudflare Workers throws when credentials are defined\n // see https://github.com/cloudflare/workerd/issues/902\n const isCredentialsSupported = isRequestSupported && 'credentials' in Request.prototype;\n\n const resolvedOptions = {\n ...fetchOptions,\n signal: composedSignal,\n method: method.toUpperCase(),\n headers: headers.normalize().toJSON(),\n body: data,\n duplex: 'half',\n credentials: isCredentialsSupported ? withCredentials : undefined,\n };\n\n request = isRequestSupported && new Request(url, resolvedOptions);\n\n let response = await (isRequestSupported\n ? _fetch(request, fetchOptions)\n : _fetch(url, resolvedOptions));\n\n const isStreamResponse =\n supportsResponseStream && (responseType === 'stream' || responseType === 'response');\n\n if (supportsResponseStream && (onDownloadProgress || (isStreamResponse && unsubscribe))) {\n const options = {};\n\n ['status', 'statusText', 'headers'].forEach((prop) => {\n options[prop] = response[prop];\n });\n\n const responseContentLength = _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].toFiniteNumber(response.headers.get('content-length'));\n\n const [onProgress, flush] =\n (onDownloadProgress &&\n Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_6__[\"progressEventDecorator\"])(\n responseContentLength,\n Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_6__[\"progressEventReducer\"])(Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_6__[\"asyncDecorator\"])(onDownloadProgress), true)\n )) ||\n [];\n\n response = new Response(\n Object(_helpers_trackStream_js__WEBPACK_IMPORTED_MODULE_4__[\"trackStream\"])(response.body, DEFAULT_CHUNK_SIZE, onProgress, () => {\n flush && flush();\n unsubscribe && unsubscribe();\n }),\n options\n );\n }\n\n responseType = responseType || 'text';\n\n let responseData = await resolvers[_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].findKey(resolvers, responseType) || 'text'](\n response,\n config\n );\n\n !isStreamResponse && unsubscribe && unsubscribe();\n\n return await new Promise((resolve, reject) => {\n Object(_core_settle_js__WEBPACK_IMPORTED_MODULE_8__[\"default\"])(resolve, reject, {\n data: responseData,\n headers: _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"].from(response.headers),\n status: response.status,\n statusText: response.statusText,\n config,\n request,\n });\n });\n } catch (err) {\n unsubscribe && unsubscribe();\n\n if (err && err.name === 'TypeError' && /Load failed|fetch/i.test(err.message)) {\n throw Object.assign(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"](\n 'Network Error',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].ERR_NETWORK,\n config,\n request,\n err && err.response\n ),\n {\n cause: err.cause || err,\n }\n );\n }\n\n throw _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].from(err, err && err.code, config, request, err && err.response);\n }\n };\n};\n\nconst seedCache = new Map();\n\nconst getFetch = (config) => {\n let env = (config && config.env) || {};\n const { fetch, Request, Response } = env;\n const seeds = [Request, Response, fetch];\n\n let len = seeds.length,\n i = len,\n seed,\n target,\n map = seedCache;\n\n while (i--) {\n seed = seeds[i];\n target = map.get(seed);\n\n target === undefined && map.set(seed, (target = i ? new Map() : factory(env)));\n\n map = target;\n }\n\n return target;\n};\n\nconst adapter = getFetch();\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (adapter);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/adapters/fetch.js?");
/***/ }),
/***/ "./node_modules/axios/lib/adapters/http.js":
/*!*************************************************!*\
!*** ./node_modules/axios/lib/adapters/http.js ***!
\*************************************************/
/*! exports provided: default, __setProxy */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"__setProxy\", function() { return __setProxy; });\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _core_settle_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../core/settle.js */ \"./node_modules/axios/lib/core/settle.js\");\n/* harmony import */ var _core_buildFullPath_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../core/buildFullPath.js */ \"./node_modules/axios/lib/core/buildFullPath.js\");\n/* harmony import */ var _helpers_buildURL_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../helpers/buildURL.js */ \"./node_modules/axios/lib/helpers/buildURL.js\");\n/* harmony import */ var proxy_from_env__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! proxy-from-env */ \"./node_modules/proxy-from-env/index.js\");\n/* harmony import */ var proxy_from_env__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(proxy_from_env__WEBPACK_IMPORTED_MODULE_4__);\n/* harmony import */ var http__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! http */ \"http\");\n/* harmony import */ var http__WEBPACK_IMPORTED_MODULE_5___default = /*#__PURE__*/__webpack_require__.n(http__WEBPACK_IMPORTED_MODULE_5__);\n/* harmony import */ var https__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! https */ \"https\");\n/* harmony import */ var https__WEBPACK_IMPORTED_MODULE_6___default = /*#__PURE__*/__webpack_require__.n(https__WEBPACK_IMPORTED_MODULE_6__);\n/* harmony import */ var http2__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! http2 */ \"http2\");\n/* harmony import */ var http2__WEBPACK_IMPORTED_MODULE_7___default = /*#__PURE__*/__webpack_require__.n(http2__WEBPACK_IMPORTED_MODULE_7__);\n/* harmony import */ var util__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! util */ \"util\");\n/* harmony import */ var util__WEBPACK_IMPORTED_MODULE_8___default = /*#__PURE__*/__webpack_require__.n(util__WEBPACK_IMPORTED_MODULE_8__);\n/* harmony import */ var follow_redirects__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! follow-redirects */ \"./node_modules/follow-redirects/index.js\");\n/* harmony import */ var follow_redirects__WEBPACK_IMPORTED_MODULE_9___default = /*#__PURE__*/__webpack_require__.n(follow_redirects__WEBPACK_IMPORTED_MODULE_9__);\n/* harmony import */ var zlib__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! zlib */ \"zlib\");\n/* harmony import */ var zlib__WEBPACK_IMPORTED_MODULE_10___default = /*#__PURE__*/__webpack_require__.n(zlib__WEBPACK_IMPORTED_MODULE_10__);\n/* harmony import */ var _env_data_js__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../env/data.js */ \"./node_modules/axios/lib/env/data.js\");\n/* harmony import */ var _defaults_transitional_js__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../defaults/transitional.js */ \"./node_modules/axios/lib/defaults/transitional.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../cancel/CanceledError.js */ \"./node_modules/axios/lib/cancel/CanceledError.js\");\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n/* harmony import */ var _helpers_fromDataURI_js__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../helpers/fromDataURI.js */ \"./node_modules/axios/lib/helpers/fromDataURI.js\");\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! stream */ \"stream\");\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_17___default = /*#__PURE__*/__webpack_require__.n(stream__WEBPACK_IMPORTED_MODULE_17__);\n/* harmony import */ var _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../core/AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n/* harmony import */ var _helpers_AxiosTransformStream_js__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../helpers/AxiosTransformStream.js */ \"./node_modules/axios/lib/helpers/AxiosTransformStream.js\");\n/* harmony import */ var events__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! events */ \"events\");\n/* harmony import */ var events__WEBPACK_IMPORTED_MODULE_20___default = /*#__PURE__*/__webpack_require__.n(events__WEBPACK_IMPORTED_MODULE_20__);\n/* harmony import */ var _helpers_formDataToStream_js__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../helpers/formDataToStream.js */ \"./node_modules/axios/lib/helpers/formDataToStream.js\");\n/* harmony import */ var _helpers_readBlob_js__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../helpers/readBlob.js */ \"./node_modules/axios/lib/helpers/readBlob.js\");\n/* harmony import */ var _helpers_ZlibHeaderTransformStream_js__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../helpers/ZlibHeaderTransformStream.js */ \"./node_modules/axios/lib/helpers/ZlibHeaderTransformStream.js\");\n/* harmony import */ var _helpers_callbackify_js__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../helpers/callbackify.js */ \"./node_modules/axios/lib/helpers/callbackify.js\");\n/* harmony import */ var _helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_25__ = __webpack_require__(/*! ../helpers/progressEventReducer.js */ \"./node_modules/axios/lib/helpers/progressEventReducer.js\");\n/* harmony import */ var _helpers_estimateDataURLDecodedBytes_js__WEBPACK_IMPORTED_MODULE_26__ = __webpack_require__(/*! ../helpers/estimateDataURLDecodedBytes.js */ \"./node_modules/axios/lib/helpers/estimateDataURLDecodedBytes.js\");\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nconst zlibOptions = {\n flush: zlib__WEBPACK_IMPORTED_MODULE_10___default.a.constants.Z_SYNC_FLUSH,\n finishFlush: zlib__WEBPACK_IMPORTED_MODULE_10___default.a.constants.Z_SYNC_FLUSH,\n};\n\nconst brotliOptions = {\n flush: zlib__WEBPACK_IMPORTED_MODULE_10___default.a.constants.BROTLI_OPERATION_FLUSH,\n finishFlush: zlib__WEBPACK_IMPORTED_MODULE_10___default.a.constants.BROTLI_OPERATION_FLUSH,\n};\n\nconst isBrotliSupported = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(zlib__WEBPACK_IMPORTED_MODULE_10___default.a.createBrotliDecompress);\n\nconst { http: httpFollow, https: httpsFollow } = follow_redirects__WEBPACK_IMPORTED_MODULE_9___default.a;\n\nconst isHttps = /https:?/;\n\nconst supportedProtocols = _platform_index_js__WEBPACK_IMPORTED_MODULE_15__[\"default\"].protocols.map((protocol) => {\n return protocol + ':';\n});\n\nconst flushOnFinish = (stream, [throttled, flush]) => {\n stream.on('end', flush).on('error', flush);\n\n return throttled;\n};\n\nclass Http2Sessions {\n constructor() {\n this.sessions = Object.create(null);\n }\n\n getSession(authority, options) {\n options = Object.assign(\n {\n sessionTimeout: 1000,\n },\n options\n );\n\n let authoritySessions = this.sessions[authority];\n\n if (authoritySessions) {\n let len = authoritySessions.length;\n\n for (let i = 0; i < len; i++) {\n const [sessionHandle, sessionOptions] = authoritySessions[i];\n if (\n !sessionHandle.destroyed &&\n !sessionHandle.closed &&\n util__WEBPACK_IMPORTED_MODULE_8___default.a.isDeepStrictEqual(sessionOptions, options)\n ) {\n return sessionHandle;\n }\n }\n }\n\n const session = http2__WEBPACK_IMPORTED_MODULE_7___default.a.connect(authority, options);\n\n let removed;\n\n const removeSession = () => {\n if (removed) {\n return;\n }\n\n removed = true;\n\n let entries = authoritySessions,\n len = entries.length,\n i = len;\n\n while (i--) {\n if (entries[i][0] === session) {\n if (len === 1) {\n delete this.sessions[authority];\n } else {\n entries.splice(i, 1);\n }\n return;\n }\n }\n };\n\n const originalRequestFn = session.request;\n\n const { sessionTimeout } = options;\n\n if (sessionTimeout != null) {\n let timer;\n let streamsCount = 0;\n\n session.request = function () {\n const stream = originalRequestFn.apply(this, arguments);\n\n streamsCount++;\n\n if (timer) {\n clearTimeout(timer);\n timer = null;\n }\n\n stream.once('close', () => {\n if (!--streamsCount) {\n timer = setTimeout(() => {\n timer = null;\n removeSession();\n }, sessionTimeout);\n }\n });\n\n return stream;\n };\n }\n\n session.once('close', removeSession);\n\n let entry = [session, options];\n\n authoritySessions\n ? authoritySessions.push(entry)\n : (authoritySessions = this.sessions[authority] = [entry]);\n\n return session;\n }\n}\n\nconst http2Sessions = new Http2Sessions();\n\n/**\n * If the proxy or config beforeRedirects functions are defined, call them with the options\n * object.\n *\n * @param {Object<string, any>} options - The options object that was passed to the request.\n *\n * @returns {Object<string, any>}\n */\nfunction dispatchBeforeRedirect(options, responseDetails) {\n if (options.beforeRedirects.proxy) {\n options.beforeRedirects.proxy(options);\n }\n if (options.beforeRedirects.config) {\n options.beforeRedirects.config(options, responseDetails);\n }\n}\n\n/**\n * If the proxy or config afterRedirects functions are defined, call them with the options\n *\n * @param {http.ClientRequestArgs} options\n * @param {AxiosProxyConfig} configProxy configuration from Axios options object\n * @param {string} location\n *\n * @returns {http.ClientRequestArgs}\n */\nfunction setProxy(options, configProxy, location) {\n let proxy = configProxy;\n if (!proxy && proxy !== false) {\n const proxyUrl = proxy_from_env__WEBPACK_IMPORTED_MODULE_4___default.a.getProxyForUrl(location);\n if (proxyUrl) {\n proxy = new URL(proxyUrl);\n }\n }\n if (proxy) {\n // Basic proxy authorization\n if (proxy.username) {\n proxy.auth = (proxy.username || '') + ':' + (proxy.password || '');\n }\n\n if (proxy.auth) {\n // Support proxy auth object form\n const validProxyAuth = Boolean(proxy.auth.username || proxy.auth.password);\n\n if (validProxyAuth) {\n proxy.auth = (proxy.auth.username || '') + ':' + (proxy.auth.password || '');\n } else if (typeof proxy.auth === 'object') {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"]('Invalid proxy authorization', _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_OPTION, { proxy });\n }\n\n const base64 = Buffer.from(proxy.auth, 'utf8').toString('base64');\n\n options.headers['Proxy-Authorization'] = 'Basic ' + base64;\n }\n\n options.headers.host = options.hostname + (options.port ? ':' + options.port : '');\n const proxyHost = proxy.hostname || proxy.host;\n options.hostname = proxyHost;\n // Replace 'host' since options is not a URL object\n options.host = proxyHost;\n options.port = proxy.port;\n options.path = location;\n if (proxy.protocol) {\n options.protocol = proxy.protocol.includes(':') ? proxy.protocol : `${proxy.protocol}:`;\n }\n }\n\n options.beforeRedirects.proxy = function beforeRedirect(redirectOptions) {\n // Configure proxy for redirected request, passing the original config proxy to apply\n // the exact same logic as if the redirected request was performed by axios directly.\n setProxy(redirectOptions, configProxy, redirectOptions.href);\n };\n}\n\nconst isHttpAdapterSupported =\n typeof process !== 'undefined' && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].kindOf(process) === 'process';\n\n// temporary hotfix\n\nconst wrapAsync = (asyncExecutor) => {\n return new Promise((resolve, reject) => {\n let onDone;\n let isDone;\n\n const done = (value, isRejected) => {\n if (isDone) return;\n isDone = true;\n onDone && onDone(value, isRejected);\n };\n\n const _resolve = (value) => {\n done(value);\n resolve(value);\n };\n\n const _reject = (reason) => {\n done(reason, true);\n reject(reason);\n };\n\n asyncExecutor(_resolve, _reject, (onDoneHandler) => (onDone = onDoneHandler)).catch(_reject);\n });\n};\n\nconst resolveFamily = ({ address, family }) => {\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(address)) {\n throw TypeError('address must be a string');\n }\n return {\n address,\n family: family || (address.indexOf('.') < 0 ? 6 : 4),\n };\n};\n\nconst buildAddressEntry = (address, family) =>\n resolveFamily(_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isObject(address) ? address : { address, family });\n\nconst http2Transport = {\n request(options, cb) {\n const authority =\n options.protocol +\n '//' +\n options.hostname +\n ':' +\n (options.port || (options.protocol === 'https:' ? 443 : 80));\n\n const { http2Options, headers } = options;\n\n const session = http2Sessions.getSession(authority, http2Options);\n\n const { HTTP2_HEADER_SCHEME, HTTP2_HEADER_METHOD, HTTP2_HEADER_PATH, HTTP2_HEADER_STATUS } =\n http2__WEBPACK_IMPORTED_MODULE_7___default.a.constants;\n\n const http2Headers = {\n [HTTP2_HEADER_SCHEME]: options.protocol.replace(':', ''),\n [HTTP2_HEADER_METHOD]: options.method,\n [HTTP2_HEADER_PATH]: options.path,\n };\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(headers, (header, name) => {\n name.charAt(0) !== ':' && (http2Headers[name] = header);\n });\n\n const req = session.request(http2Headers);\n\n req.once('response', (responseHeaders) => {\n const response = req; //duplex\n\n responseHeaders = Object.assign({}, responseHeaders);\n\n const status = responseHeaders[HTTP2_HEADER_STATUS];\n\n delete responseHeaders[HTTP2_HEADER_STATUS];\n\n response.headers = responseHeaders;\n\n response.statusCode = +status;\n\n cb(response);\n });\n\n return req;\n },\n};\n\n/*eslint consistent-return:0*/\n/* harmony default export */ __webpack_exports__[\"default\"] = (isHttpAdapterSupported &&\n function httpAdapter(config) {\n return wrapAsync(async function dispatchHttpRequest(resolve, reject, onDone) {\n let { data, lookup, family, httpVersion = 1, http2Options } = config;\n const { responseType, responseEncoding } = config;\n const method = config.method.toUpperCase();\n let isDone;\n let rejected = false;\n let req;\n\n httpVersion = +httpVersion;\n\n if (Number.isNaN(httpVersion)) {\n throw TypeError(`Invalid protocol version: '${config.httpVersion}' is not a number`);\n }\n\n if (httpVersion !== 1 && httpVersion !== 2) {\n throw TypeError(`Unsupported protocol version '${httpVersion}'`);\n }\n\n const isHttp2 = httpVersion === 2;\n\n if (lookup) {\n const _lookup = Object(_helpers_callbackify_js__WEBPACK_IMPORTED_MODULE_24__[\"default\"])(lookup, (value) => (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(value) ? value : [value]));\n // hotfix to support opt.all option which is required for node 20.x\n lookup = (hostname, opt, cb) => {\n _lookup(hostname, opt, (err, arg0, arg1) => {\n if (err) {\n return cb(err);\n }\n\n const addresses = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(arg0)\n ? arg0.map((addr) => buildAddressEntry(addr))\n : [buildAddressEntry(arg0, arg1)];\n\n opt.all ? cb(err, addresses) : cb(err, addresses[0].address, addresses[0].family);\n });\n };\n }\n\n const abortEmitter = new events__WEBPACK_IMPORTED_MODULE_20__[\"EventEmitter\"]();\n\n function abort(reason) {\n try {\n abortEmitter.emit(\n 'abort',\n !reason || reason.type ? new _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_14__[\"default\"](null, config, req) : reason\n );\n } catch (err) {\n console.warn('emit error', err);\n }\n }\n\n abortEmitter.once('abort', reject);\n\n const onFinished = () => {\n if (config.cancelToken) {\n config.cancelToken.unsubscribe(abort);\n }\n\n if (config.signal) {\n config.signal.removeEventListener('abort', abort);\n }\n\n abortEmitter.removeAllListeners();\n };\n\n if (config.cancelToken || config.signal) {\n config.cancelToken && config.cancelToken.subscribe(abort);\n if (config.signal) {\n config.signal.aborted ? abort() : config.signal.addEventListener('abort', abort);\n }\n }\n\n onDone((response, isRejected) => {\n isDone = true;\n\n if (isRejected) {\n rejected = true;\n onFinished();\n return;\n }\n\n const { data } = response;\n\n if (data instanceof stream__WEBPACK_IMPORTED_MODULE_17___default.a.Readable || data instanceof stream__WEBPACK_IMPORTED_MODULE_17___default.a.Duplex) {\n const offListeners = stream__WEBPACK_IMPORTED_MODULE_17___default.a.finished(data, () => {\n offListeners();\n onFinished();\n });\n } else {\n onFinished();\n }\n });\n\n // Parse url\n const fullPath = Object(_core_buildFullPath_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"])(config.baseURL, config.url, config.allowAbsoluteUrls);\n const parsed = new URL(fullPath, _platform_index_js__WEBPACK_IMPORTED_MODULE_15__[\"default\"].hasBrowserEnv ? _platform_index_js__WEBPACK_IMPORTED_MODULE_15__[\"default\"].origin : undefined);\n const protocol = parsed.protocol || supportedProtocols[0];\n\n if (protocol === 'data:') {\n // Apply the same semantics as HTTP: only enforce if a finite, non-negative cap is set.\n if (config.maxContentLength > -1) {\n // Use the exact string passed to fromDataURI (config.url); fall back to fullPath if needed.\n const dataUrl = String(config.url || fullPath || '');\n const estimated = Object(_helpers_estimateDataURLDecodedBytes_js__WEBPACK_IMPORTED_MODULE_26__[\"default\"])(dataUrl);\n\n if (estimated > config.maxContentLength) {\n return reject(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"](\n 'maxContentLength size of ' + config.maxContentLength + ' exceeded',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_RESPONSE,\n config\n )\n );\n }\n }\n\n let convertedData;\n\n if (method !== 'GET') {\n return Object(_core_settle_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(resolve, reject, {\n status: 405,\n statusText: 'method not allowed',\n headers: {},\n config,\n });\n }\n\n try {\n convertedData = Object(_helpers_fromDataURI_js__WEBPACK_IMPORTED_MODULE_16__[\"default\"])(config.url, responseType === 'blob', {\n Blob: config.env && config.env.Blob,\n });\n } catch (err) {\n throw _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].from(err, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_REQUEST, config);\n }\n\n if (responseType === 'text') {\n convertedData = convertedData.toString(responseEncoding);\n\n if (!responseEncoding || responseEncoding === 'utf8') {\n convertedData = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].stripBOM(convertedData);\n }\n } else if (responseType === 'stream') {\n convertedData = stream__WEBPACK_IMPORTED_MODULE_17___default.a.Readable.from(convertedData);\n }\n\n return Object(_core_settle_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(resolve, reject, {\n data: convertedData,\n status: 200,\n statusText: 'OK',\n headers: new _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_18__[\"default\"](),\n config,\n });\n }\n\n if (supportedProtocols.indexOf(protocol) === -1) {\n return reject(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"]('Unsupported protocol ' + protocol, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_REQUEST, config)\n );\n }\n\n const headers = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_18__[\"default\"].from(config.headers).normalize();\n\n // Set User-Agent (required by some servers)\n // See https://github.com/axios/axios/issues/69\n // User-Agent is specified; handle case where no UA header is desired\n // Only set header if it hasn't been set in config\n headers.set('User-Agent', 'axios/' + _env_data_js__WEBPACK_IMPORTED_MODULE_11__[\"VERSION\"], false);\n\n const { onUploadProgress, onDownloadProgress } = config;\n const maxRate = config.maxRate;\n let maxUploadRate = undefined;\n let maxDownloadRate = undefined;\n\n // support for spec compliant FormData objects\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isSpecCompliantForm(data)) {\n const userBoundary = headers.getContentType(/boundary=([-_\\w\\d]{10,70})/i);\n\n data = Object(_helpers_formDataToStream_js__WEBPACK_IMPORTED_MODULE_21__[\"default\"])(\n data,\n (formHeaders) => {\n headers.set(formHeaders);\n },\n {\n tag: `axios-${_env_data_js__WEBPACK_IMPORTED_MODULE_11__[\"VERSION\"]}-boundary`,\n boundary: (userBoundary && userBoundary[1]) || undefined,\n }\n );\n // support for https://www.npmjs.com/package/form-data api\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFormData(data) && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(data.getHeaders)) {\n headers.set(data.getHeaders());\n\n if (!headers.hasContentLength()) {\n try {\n const knownLength = await util__WEBPACK_IMPORTED_MODULE_8___default.a.promisify(data.getLength).call(data);\n Number.isFinite(knownLength) &&\n knownLength >= 0 &&\n headers.setContentLength(knownLength);\n /*eslint no-empty:0*/\n } catch (e) {}\n }\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isBlob(data) || _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFile(data)) {\n data.size && headers.setContentType(data.type || 'application/octet-stream');\n headers.setContentLength(data.size || 0);\n data = stream__WEBPACK_IMPORTED_MODULE_17___default.a.Readable.from(Object(_helpers_readBlob_js__WEBPACK_IMPORTED_MODULE_22__[\"default\"])(data));\n } else if (data && !_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isStream(data)) {\n if (Buffer.isBuffer(data)) {\n // Nothing to do...\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArrayBuffer(data)) {\n data = Buffer.from(new Uint8Array(data));\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(data)) {\n data = Buffer.from(data, 'utf-8');\n } else {\n return reject(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"](\n 'Data after transformation must be a string, an ArrayBuffer, a Buffer, or a Stream',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_REQUEST,\n config\n )\n );\n }\n\n // Add Content-Length header if data exists\n headers.setContentLength(data.length, false);\n\n if (config.maxBodyLength > -1 && data.length > config.maxBodyLength) {\n return reject(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"](\n 'Request body larger than maxBodyLength limit',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_REQUEST,\n config\n )\n );\n }\n }\n\n const contentLength = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toFiniteNumber(headers.getContentLength());\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(maxRate)) {\n maxUploadRate = maxRate[0];\n maxDownloadRate = maxRate[1];\n } else {\n maxUploadRate = maxDownloadRate = maxRate;\n }\n\n if (data && (onUploadProgress || maxUploadRate)) {\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isStream(data)) {\n data = stream__WEBPACK_IMPORTED_MODULE_17___default.a.Readable.from(data, { objectMode: false });\n }\n\n data = stream__WEBPACK_IMPORTED_MODULE_17___default.a.pipeline(\n [\n data,\n new _helpers_AxiosTransformStream_js__WEBPACK_IMPORTED_MODULE_19__[\"default\"]({\n maxRate: _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toFiniteNumber(maxUploadRate),\n }),\n ],\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].noop\n );\n\n onUploadProgress &&\n data.on(\n 'progress',\n flushOnFinish(\n data,\n Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_25__[\"progressEventDecorator\"])(\n contentLength,\n Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_25__[\"progressEventReducer\"])(Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_25__[\"asyncDecorator\"])(onUploadProgress), false, 3)\n )\n )\n );\n }\n\n // HTTP basic authentication\n let auth = undefined;\n if (config.auth) {\n const username = config.auth.username || '';\n const password = config.auth.password || '';\n auth = username + ':' + password;\n }\n\n if (!auth && parsed.username) {\n const urlUsername = parsed.username;\n const urlPassword = parsed.password;\n auth = urlUsername + ':' + urlPassword;\n }\n\n auth && headers.delete('authorization');\n\n let path;\n\n try {\n path = Object(_helpers_buildURL_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(\n parsed.pathname + parsed.search,\n config.params,\n config.paramsSerializer\n ).replace(/^\\?/, '');\n } catch (err) {\n const customErr = new Error(err.message);\n customErr.config = config;\n customErr.url = config.url;\n customErr.exists = true;\n return reject(customErr);\n }\n\n headers.set(\n 'Accept-Encoding',\n 'gzip, compress, deflate' + (isBrotliSupported ? ', br' : ''),\n false\n );\n\n const options = {\n path,\n method: method,\n headers: headers.toJSON(),\n agents: { http: config.httpAgent, https: config.httpsAgent },\n auth,\n protocol,\n family,\n beforeRedirect: dispatchBeforeRedirect,\n beforeRedirects: {},\n http2Options,\n };\n\n // cacheable-lookup integration hotfix\n !_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(lookup) && (options.lookup = lookup);\n\n if (config.socketPath) {\n options.socketPath = config.socketPath;\n } else {\n options.hostname = parsed.hostname.startsWith('[')\n ? parsed.hostname.slice(1, -1)\n : parsed.hostname;\n options.port = parsed.port;\n setProxy(\n options,\n config.proxy,\n protocol + '//' + parsed.hostname + (parsed.port ? ':' + parsed.port : '') + options.path\n );\n }\n\n let transport;\n const isHttpsRequest = isHttps.test(options.protocol);\n options.agent = isHttpsRequest ? config.httpsAgent : config.httpAgent;\n\n if (isHttp2) {\n transport = http2Transport;\n } else {\n if (config.transport) {\n transport = config.transport;\n } else if (config.maxRedirects === 0) {\n transport = isHttpsRequest ? https__WEBPACK_IMPORTED_MODULE_6___default.a : http__WEBPACK_IMPORTED_MODULE_5___default.a;\n } else {\n if (config.maxRedirects) {\n options.maxRedirects = config.maxRedirects;\n }\n if (config.beforeRedirect) {\n options.beforeRedirects.config = config.beforeRedirect;\n }\n transport = isHttpsRequest ? httpsFollow : httpFollow;\n }\n }\n\n if (config.maxBodyLength > -1) {\n options.maxBodyLength = config.maxBodyLength;\n } else {\n // follow-redirects does not skip comparison, so it should always succeed for axios -1 unlimited\n options.maxBodyLength = Infinity;\n }\n\n if (config.insecureHTTPParser) {\n options.insecureHTTPParser = config.insecureHTTPParser;\n }\n\n // Create the request\n req = transport.request(options, function handleResponse(res) {\n if (req.destroyed) return;\n\n const streams = [res];\n\n const responseLength = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toFiniteNumber(res.headers['content-length']);\n\n if (onDownloadProgress || maxDownloadRate) {\n const transformStream = new _helpers_AxiosTransformStream_js__WEBPACK_IMPORTED_MODULE_19__[\"default\"]({\n maxRate: _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toFiniteNumber(maxDownloadRate),\n });\n\n onDownloadProgress &&\n transformStream.on(\n 'progress',\n flushOnFinish(\n transformStream,\n Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_25__[\"progressEventDecorator\"])(\n responseLength,\n Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_25__[\"progressEventReducer\"])(Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_25__[\"asyncDecorator\"])(onDownloadProgress), true, 3)\n )\n )\n );\n\n streams.push(transformStream);\n }\n\n // decompress the response body transparently if required\n let responseStream = res;\n\n // return the last request in case of redirects\n const lastRequest = res.req || req;\n\n // if decompress disabled we should not decompress\n if (config.decompress !== false && res.headers['content-encoding']) {\n // if no content, but headers still say that it is encoded,\n // remove the header not confuse downstream operations\n if (method === 'HEAD' || res.statusCode === 204) {\n delete res.headers['content-encoding'];\n }\n\n switch ((res.headers['content-encoding'] || '').toLowerCase()) {\n /*eslint default-case:0*/\n case 'gzip':\n case 'x-gzip':\n case 'compress':\n case 'x-compress':\n // add the unzipper to the body stream processing pipeline\n streams.push(zlib__WEBPACK_IMPORTED_MODULE_10___default.a.createUnzip(zlibOptions));\n\n // remove the content-encoding in order to not confuse downstream operations\n delete res.headers['content-encoding'];\n break;\n case 'deflate':\n streams.push(new _helpers_ZlibHeaderTransformStream_js__WEBPACK_IMPORTED_MODULE_23__[\"default\"]());\n\n // add the unzipper to the body stream processing pipeline\n streams.push(zlib__WEBPACK_IMPORTED_MODULE_10___default.a.createUnzip(zlibOptions));\n\n // remove the content-encoding in order to not confuse downstream operations\n delete res.headers['content-encoding'];\n break;\n case 'br':\n if (isBrotliSupported) {\n streams.push(zlib__WEBPACK_IMPORTED_MODULE_10___default.a.createBrotliDecompress(brotliOptions));\n delete res.headers['content-encoding'];\n }\n }\n }\n\n responseStream = streams.length > 1 ? stream__WEBPACK_IMPORTED_MODULE_17___default.a.pipeline(streams, _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].noop) : streams[0];\n\n const response = {\n status: res.statusCode,\n statusText: res.statusMessage,\n headers: new _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_18__[\"default\"](res.headers),\n config,\n request: lastRequest,\n };\n\n if (responseType === 'stream') {\n response.data = responseStream;\n Object(_core_settle_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(resolve, reject, response);\n } else {\n const responseBuffer = [];\n let totalResponseBytes = 0;\n\n responseStream.on('data', function handleStreamData(chunk) {\n responseBuffer.push(chunk);\n totalResponseBytes += chunk.length;\n\n // make sure the content length is not over the maxContentLength if specified\n if (config.maxContentLength > -1 && totalResponseBytes > config.maxContentLength) {\n // stream.destroy() emit aborted event before calling reject() on Node.js v16\n rejected = true;\n responseStream.destroy();\n abort(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"](\n 'maxContentLength size of ' + config.maxContentLength + ' exceeded',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_RESPONSE,\n config,\n lastRequest\n )\n );\n }\n });\n\n responseStream.on('aborted', function handlerStreamAborted() {\n if (rejected) {\n return;\n }\n\n const err = new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"](\n 'stream has been aborted',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_RESPONSE,\n config,\n lastRequest\n );\n responseStream.destroy(err);\n reject(err);\n });\n\n responseStream.on('error', function handleStreamError(err) {\n if (req.destroyed) return;\n reject(_core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].from(err, null, config, lastRequest));\n });\n\n responseStream.on('end', function handleStreamEnd() {\n try {\n let responseData =\n responseBuffer.length === 1 ? responseBuffer[0] : Buffer.concat(responseBuffer);\n if (responseType !== 'arraybuffer') {\n responseData = responseData.toString(responseEncoding);\n if (!responseEncoding || responseEncoding === 'utf8') {\n responseData = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].stripBOM(responseData);\n }\n }\n response.data = responseData;\n } catch (err) {\n return reject(_core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].from(err, null, config, response.request, response));\n }\n Object(_core_settle_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(resolve, reject, response);\n });\n }\n\n abortEmitter.once('abort', (err) => {\n if (!responseStream.destroyed) {\n responseStream.emit('error', err);\n responseStream.destroy();\n }\n });\n });\n\n abortEmitter.once('abort', (err) => {\n if (req.close) {\n req.close();\n } else {\n req.destroy(err);\n }\n });\n\n // Handle errors\n req.on('error', function handleRequestError(err) {\n reject(_core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].from(err, null, config, req));\n });\n\n // set tcp keep alive to prevent drop connection by peer\n req.on('socket', function handleRequestSocket(socket) {\n // default interval of sending ack packet is 1 minute\n socket.setKeepAlive(true, 1000 * 60);\n });\n\n // Handle request timeout\n if (config.timeout) {\n // This is forcing a int timeout to avoid problems if the `req` interface doesn't handle other types.\n const timeout = parseInt(config.timeout, 10);\n\n if (Number.isNaN(timeout)) {\n abort(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"](\n 'error trying to parse `config.timeout` to int',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ERR_BAD_OPTION_VALUE,\n config,\n req\n )\n );\n\n return;\n }\n\n // Sometime, the response will be very slow, and does not respond, the connect event will be block by event loop system.\n // And timer callback will be fired, and abort() will be invoked before connection, then get \"socket hang up\" and code ECONNRESET.\n // At this time, if we have a large number of request, nodejs will hang up some socket on background. and the number will up and up.\n // And then these socket which be hang up will devouring CPU little by little.\n // ClientRequest.setTimeout will be fired on the specify milliseconds, and can make sure that abort() will be fired after connect.\n req.setTimeout(timeout, function handleRequestTimeout() {\n if (isDone) return;\n let timeoutErrorMessage = config.timeout\n ? 'timeout of ' + config.timeout + 'ms exceeded'\n : 'timeout exceeded';\n const transitional = config.transitional || _defaults_transitional_js__WEBPACK_IMPORTED_MODULE_12__[\"default\"];\n if (config.timeoutErrorMessage) {\n timeoutErrorMessage = config.timeoutErrorMessage;\n }\n abort(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"](\n timeoutErrorMessage,\n transitional.clarifyTimeoutError ? _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ETIMEDOUT : _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"].ECONNABORTED,\n config,\n req\n )\n );\n });\n } else {\n // explicitly reset the socket timeout value for a possible `keep-alive` request\n req.setTimeout(0);\n }\n\n // Send the request\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isStream(data)) {\n let ended = false;\n let errored = false;\n\n data.on('end', () => {\n ended = true;\n });\n\n data.once('error', (err) => {\n errored = true;\n req.destroy(err);\n });\n\n data.on('close', () => {\n if (!ended && !errored) {\n abort(new _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_14__[\"default\"]('Request stream has been aborted', config, req));\n }\n });\n\n data.pipe(req);\n } else {\n data && req.write(data);\n req.end();\n }\n });\n });\n\nconst __setProxy = setProxy;\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/adapters/http.js?");
/***/ }),
/***/ "./node_modules/axios/lib/adapters/xhr.js":
/*!************************************************!*\
!*** ./node_modules/axios/lib/adapters/xhr.js ***!
\************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _core_settle_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../core/settle.js */ \"./node_modules/axios/lib/core/settle.js\");\n/* harmony import */ var _defaults_transitional_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../defaults/transitional.js */ \"./node_modules/axios/lib/defaults/transitional.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../cancel/CanceledError.js */ \"./node_modules/axios/lib/cancel/CanceledError.js\");\n/* harmony import */ var _helpers_parseProtocol_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../helpers/parseProtocol.js */ \"./node_modules/axios/lib/helpers/parseProtocol.js\");\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n/* harmony import */ var _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../core/AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n/* harmony import */ var _helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../helpers/progressEventReducer.js */ \"./node_modules/axios/lib/helpers/progressEventReducer.js\");\n/* harmony import */ var _helpers_resolveConfig_js__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../helpers/resolveConfig.js */ \"./node_modules/axios/lib/helpers/resolveConfig.js\");\n\n\n\n\n\n\n\n\n\n\n\nconst isXHRAdapterSupported = typeof XMLHttpRequest !== 'undefined';\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (isXHRAdapterSupported &&\n function (config) {\n return new Promise(function dispatchXhrRequest(resolve, reject) {\n const _config = Object(_helpers_resolveConfig_js__WEBPACK_IMPORTED_MODULE_9__[\"default\"])(config);\n let requestData = _config.data;\n const requestHeaders = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_7__[\"default\"].from(_config.headers).normalize();\n let { responseType, onUploadProgress, onDownloadProgress } = _config;\n let onCanceled;\n let uploadThrottled, downloadThrottled;\n let flushUpload, flushDownload;\n\n function done() {\n flushUpload && flushUpload(); // flush events\n flushDownload && flushDownload(); // flush events\n\n _config.cancelToken && _config.cancelToken.unsubscribe(onCanceled);\n\n _config.signal && _config.signal.removeEventListener('abort', onCanceled);\n }\n\n let request = new XMLHttpRequest();\n\n request.open(_config.method.toUpperCase(), _config.url, true);\n\n // Set the request timeout in MS\n request.timeout = _config.timeout;\n\n function onloadend() {\n if (!request) {\n return;\n }\n // Prepare the response\n const responseHeaders = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_7__[\"default\"].from(\n 'getAllResponseHeaders' in request && request.getAllResponseHeaders()\n );\n const responseData =\n !responseType || responseType === 'text' || responseType === 'json'\n ? request.responseText\n : request.response;\n const response = {\n data: responseData,\n status: request.status,\n statusText: request.statusText,\n headers: responseHeaders,\n config,\n request,\n };\n\n Object(_core_settle_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(\n function _resolve(value) {\n resolve(value);\n done();\n },\n function _reject(err) {\n reject(err);\n done();\n },\n response\n );\n\n // Clean up request\n request = null;\n }\n\n if ('onloadend' in request) {\n // Use onloadend if available\n request.onloadend = onloadend;\n } else {\n // Listen for ready state to emulate onloadend\n request.onreadystatechange = function handleLoad() {\n if (!request || request.readyState !== 4) {\n return;\n }\n\n // The request errored out and we didn't get a response, this will be\n // handled by onerror instead\n // With one exception: request that using file: protocol, most browsers\n // will return status as 0 even though it's a successful request\n if (\n request.status === 0 &&\n !(request.responseURL && request.responseURL.indexOf('file:') === 0)\n ) {\n return;\n }\n // readystate handler is calling before onerror or ontimeout handlers,\n // so we should call onloadend on the next 'tick'\n setTimeout(onloadend);\n };\n }\n\n // Handle browser request cancellation (as opposed to a manual cancellation)\n request.onabort = function handleAbort() {\n if (!request) {\n return;\n }\n\n reject(new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"]('Request aborted', _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].ECONNABORTED, config, request));\n\n // Clean up request\n request = null;\n };\n\n // Handle low level network errors\n request.onerror = function handleError(event) {\n // Browsers deliver a ProgressEvent in XHR onerror\n // (message may be empty; when present, surface it)\n // See https://developer.mozilla.org/docs/Web/API/XMLHttpRequest/error_event\n const msg = event && event.message ? event.message : 'Network Error';\n const err = new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"](msg, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].ERR_NETWORK, config, request);\n // attach the underlying event for consumers who want details\n err.event = event || null;\n reject(err);\n request = null;\n };\n\n // Handle timeout\n request.ontimeout = function handleTimeout() {\n let timeoutErrorMessage = _config.timeout\n ? 'timeout of ' + _config.timeout + 'ms exceeded'\n : 'timeout exceeded';\n const transitional = _config.transitional || _defaults_transitional_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"];\n if (_config.timeoutErrorMessage) {\n timeoutErrorMessage = _config.timeoutErrorMessage;\n }\n reject(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"](\n timeoutErrorMessage,\n transitional.clarifyTimeoutError ? _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].ETIMEDOUT : _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].ECONNABORTED,\n config,\n request\n )\n );\n\n // Clean up request\n request = null;\n };\n\n // Remove Content-Type if data is undefined\n requestData === undefined && requestHeaders.setContentType(null);\n\n // Add headers to the request\n if ('setRequestHeader' in request) {\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(requestHeaders.toJSON(), function setRequestHeader(val, key) {\n request.setRequestHeader(key, val);\n });\n }\n\n // Add withCredentials to request if needed\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(_config.withCredentials)) {\n request.withCredentials = !!_config.withCredentials;\n }\n\n // Add responseType to request if needed\n if (responseType && responseType !== 'json') {\n request.responseType = _config.responseType;\n }\n\n // Handle progress if needed\n if (onDownloadProgress) {\n [downloadThrottled, flushDownload] = Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_8__[\"progressEventReducer\"])(onDownloadProgress, true);\n request.addEventListener('progress', downloadThrottled);\n }\n\n // Not all browsers support upload events\n if (onUploadProgress && request.upload) {\n [uploadThrottled, flushUpload] = Object(_helpers_progressEventReducer_js__WEBPACK_IMPORTED_MODULE_8__[\"progressEventReducer\"])(onUploadProgress);\n\n request.upload.addEventListener('progress', uploadThrottled);\n\n request.upload.addEventListener('loadend', flushUpload);\n }\n\n if (_config.cancelToken || _config.signal) {\n // Handle cancellation\n // eslint-disable-next-line func-names\n onCanceled = (cancel) => {\n if (!request) {\n return;\n }\n reject(!cancel || cancel.type ? new _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"](null, config, request) : cancel);\n request.abort();\n request = null;\n };\n\n _config.cancelToken && _config.cancelToken.subscribe(onCanceled);\n if (_config.signal) {\n _config.signal.aborted\n ? onCanceled()\n : _config.signal.addEventListener('abort', onCanceled);\n }\n }\n\n const protocol = Object(_helpers_parseProtocol_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"])(_config.url);\n\n if (protocol && _platform_index_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"].protocols.indexOf(protocol) === -1) {\n reject(\n new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"](\n 'Unsupported protocol ' + protocol + ':',\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].ERR_BAD_REQUEST,\n config\n )\n );\n return;\n }\n\n // Send the request\n request.send(requestData || null);\n });\n });\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/adapters/xhr.js?");
/***/ }),
/***/ "./node_modules/axios/lib/axios.js":
/*!*****************************************!*\
!*** ./node_modules/axios/lib/axios.js ***!
\*****************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _helpers_bind_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./helpers/bind.js */ \"./node_modules/axios/lib/helpers/bind.js\");\n/* harmony import */ var _core_Axios_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./core/Axios.js */ \"./node_modules/axios/lib/core/Axios.js\");\n/* harmony import */ var _core_mergeConfig_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./core/mergeConfig.js */ \"./node_modules/axios/lib/core/mergeConfig.js\");\n/* harmony import */ var _defaults_index_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./defaults/index.js */ \"./node_modules/axios/lib/defaults/index.js\");\n/* harmony import */ var _helpers_formDataToJSON_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./helpers/formDataToJSON.js */ \"./node_modules/axios/lib/helpers/formDataToJSON.js\");\n/* harmony import */ var _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./cancel/CanceledError.js */ \"./node_modules/axios/lib/cancel/CanceledError.js\");\n/* harmony import */ var _cancel_CancelToken_js__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./cancel/CancelToken.js */ \"./node_modules/axios/lib/cancel/CancelToken.js\");\n/* harmony import */ var _cancel_isCancel_js__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./cancel/isCancel.js */ \"./node_modules/axios/lib/cancel/isCancel.js\");\n/* harmony import */ var _env_data_js__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./env/data.js */ \"./node_modules/axios/lib/env/data.js\");\n/* harmony import */ var _helpers_toFormData_js__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./helpers/toFormData.js */ \"./node_modules/axios/lib/helpers/toFormData.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _helpers_spread_js__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./helpers/spread.js */ \"./node_modules/axios/lib/helpers/spread.js\");\n/* harmony import */ var _helpers_isAxiosError_js__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ./helpers/isAxiosError.js */ \"./node_modules/axios/lib/helpers/isAxiosError.js\");\n/* harmony import */ var _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ./core/AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n/* harmony import */ var _adapters_adapters_js__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ./adapters/adapters.js */ \"./node_modules/axios/lib/adapters/adapters.js\");\n/* harmony import */ var _helpers_HttpStatusCode_js__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ./helpers/HttpStatusCode.js */ \"./node_modules/axios/lib/helpers/HttpStatusCode.js\");\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n/**\n * Create an instance of Axios\n *\n * @param {Object} defaultConfig The default config for the instance\n *\n * @returns {Axios} A new instance of Axios\n */\nfunction createInstance(defaultConfig) {\n const context = new _core_Axios_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"](defaultConfig);\n const instance = Object(_helpers_bind_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(_core_Axios_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].prototype.request, context);\n\n // Copy axios.prototype to instance\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].extend(instance, _core_Axios_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].prototype, context, { allOwnKeys: true });\n\n // Copy context to instance\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].extend(instance, context, null, { allOwnKeys: true });\n\n // Factory for creating new instances\n instance.create = function create(instanceConfig) {\n return createInstance(Object(_core_mergeConfig_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(defaultConfig, instanceConfig));\n };\n\n return instance;\n}\n\n// Create the default instance to be exported\nconst axios = createInstance(_defaults_index_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"]);\n\n// Expose Axios class to allow class inheritance\naxios.Axios = _core_Axios_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"];\n\n// Expose Cancel & CancelToken\naxios.CanceledError = _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"];\naxios.CancelToken = _cancel_CancelToken_js__WEBPACK_IMPORTED_MODULE_7__[\"default\"];\naxios.isCancel = _cancel_isCancel_js__WEBPACK_IMPORTED_MODULE_8__[\"default\"];\naxios.VERSION = _env_data_js__WEBPACK_IMPORTED_MODULE_9__[\"VERSION\"];\naxios.toFormData = _helpers_toFormData_js__WEBPACK_IMPORTED_MODULE_10__[\"default\"];\n\n// Expose AxiosError class\naxios.AxiosError = _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_11__[\"default\"];\n\n// alias for CanceledError for backward compatibility\naxios.Cancel = axios.CanceledError;\n\n// Expose all/spread\naxios.all = function all(promises) {\n return Promise.all(promises);\n};\n\naxios.spread = _helpers_spread_js__WEBPACK_IMPORTED_MODULE_12__[\"default\"];\n\n// Expose isAxiosError\naxios.isAxiosError = _helpers_isAxiosError_js__WEBPACK_IMPORTED_MODULE_13__[\"default\"];\n\n// Expose mergeConfig\naxios.mergeConfig = _core_mergeConfig_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"];\n\naxios.AxiosHeaders = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_14__[\"default\"];\n\naxios.formToJSON = (thing) => Object(_helpers_formDataToJSON_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"])(_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isHTMLForm(thing) ? new FormData(thing) : thing);\n\naxios.getAdapter = _adapters_adapters_js__WEBPACK_IMPORTED_MODULE_15__[\"default\"].getAdapter;\n\naxios.HttpStatusCode = _helpers_HttpStatusCode_js__WEBPACK_IMPORTED_MODULE_16__[\"default\"];\n\naxios.default = axios;\n\n// this module should only have a default export\n/* harmony default export */ __webpack_exports__[\"default\"] = (axios);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/axios.js?");
/***/ }),
/***/ "./node_modules/axios/lib/cancel/CancelToken.js":
/*!******************************************************!*\
!*** ./node_modules/axios/lib/cancel/CancelToken.js ***!
\******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _CanceledError_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./CanceledError.js */ \"./node_modules/axios/lib/cancel/CanceledError.js\");\n\n\n\n\n/**\n * A `CancelToken` is an object that can be used to request cancellation of an operation.\n *\n * @param {Function} executor The executor function.\n *\n * @returns {CancelToken}\n */\nclass CancelToken {\n constructor(executor) {\n if (typeof executor !== 'function') {\n throw new TypeError('executor must be a function.');\n }\n\n let resolvePromise;\n\n this.promise = new Promise(function promiseExecutor(resolve) {\n resolvePromise = resolve;\n });\n\n const token = this;\n\n // eslint-disable-next-line func-names\n this.promise.then((cancel) => {\n if (!token._listeners) return;\n\n let i = token._listeners.length;\n\n while (i-- > 0) {\n token._listeners[i](cancel);\n }\n token._listeners = null;\n });\n\n // eslint-disable-next-line func-names\n this.promise.then = (onfulfilled) => {\n let _resolve;\n // eslint-disable-next-line func-names\n const promise = new Promise((resolve) => {\n token.subscribe(resolve);\n _resolve = resolve;\n }).then(onfulfilled);\n\n promise.cancel = function reject() {\n token.unsubscribe(_resolve);\n };\n\n return promise;\n };\n\n executor(function cancel(message, config, request) {\n if (token.reason) {\n // Cancellation has already been requested\n return;\n }\n\n token.reason = new _CanceledError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"](message, config, request);\n resolvePromise(token.reason);\n });\n }\n\n /**\n * Throws a `CanceledError` if cancellation has been requested.\n */\n throwIfRequested() {\n if (this.reason) {\n throw this.reason;\n }\n }\n\n /**\n * Subscribe to the cancel signal\n */\n\n subscribe(listener) {\n if (this.reason) {\n listener(this.reason);\n return;\n }\n\n if (this._listeners) {\n this._listeners.push(listener);\n } else {\n this._listeners = [listener];\n }\n }\n\n /**\n * Unsubscribe from the cancel signal\n */\n\n unsubscribe(listener) {\n if (!this._listeners) {\n return;\n }\n const index = this._listeners.indexOf(listener);\n if (index !== -1) {\n this._listeners.splice(index, 1);\n }\n }\n\n toAbortSignal() {\n const controller = new AbortController();\n\n const abort = (err) => {\n controller.abort(err);\n };\n\n this.subscribe(abort);\n\n controller.signal.unsubscribe = () => this.unsubscribe(abort);\n\n return controller.signal;\n }\n\n /**\n * Returns an object that contains a new `CancelToken` and a function that, when called,\n * cancels the `CancelToken`.\n */\n static source() {\n let cancel;\n const token = new CancelToken(function executor(c) {\n cancel = c;\n });\n return {\n token,\n cancel,\n };\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (CancelToken);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/cancel/CancelToken.js?");
/***/ }),
/***/ "./node_modules/axios/lib/cancel/CanceledError.js":
/*!********************************************************!*\
!*** ./node_modules/axios/lib/cancel/CanceledError.js ***!
\********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n\n\n\n\nclass CanceledError extends _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"] {\n /**\n * A `CanceledError` is an object that is thrown when an operation is canceled.\n *\n * @param {string=} message The message.\n * @param {Object=} config The config.\n * @param {Object=} request The request.\n *\n * @returns {CanceledError} The created error.\n */\n constructor(message, config, request) {\n super(message == null ? 'canceled' : message, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].ERR_CANCELED, config, request);\n this.name = 'CanceledError';\n this.__CANCEL__ = true;\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (CanceledError);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/cancel/CanceledError.js?");
/***/ }),
/***/ "./node_modules/axios/lib/cancel/isCancel.js":
/*!***************************************************!*\
!*** ./node_modules/axios/lib/cancel/isCancel.js ***!
\***************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return isCancel; });\n\n\nfunction isCancel(value) {\n return !!(value && value.__CANCEL__);\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/cancel/isCancel.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/Axios.js":
/*!**********************************************!*\
!*** ./node_modules/axios/lib/core/Axios.js ***!
\**********************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _helpers_buildURL_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../helpers/buildURL.js */ \"./node_modules/axios/lib/helpers/buildURL.js\");\n/* harmony import */ var _InterceptorManager_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./InterceptorManager.js */ \"./node_modules/axios/lib/core/InterceptorManager.js\");\n/* harmony import */ var _dispatchRequest_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./dispatchRequest.js */ \"./node_modules/axios/lib/core/dispatchRequest.js\");\n/* harmony import */ var _mergeConfig_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./mergeConfig.js */ \"./node_modules/axios/lib/core/mergeConfig.js\");\n/* harmony import */ var _buildFullPath_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./buildFullPath.js */ \"./node_modules/axios/lib/core/buildFullPath.js\");\n/* harmony import */ var _helpers_validator_js__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../helpers/validator.js */ \"./node_modules/axios/lib/helpers/validator.js\");\n/* harmony import */ var _AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n/* harmony import */ var _defaults_transitional_js__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../defaults/transitional.js */ \"./node_modules/axios/lib/defaults/transitional.js\");\n\n\n\n\n\n\n\n\n\n\n\n\nconst validators = _helpers_validator_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"].validators;\n\n/**\n * Create a new instance of Axios\n *\n * @param {Object} instanceConfig The default config for the instance\n *\n * @return {Axios} A new instance of Axios\n */\nclass Axios {\n constructor(instanceConfig) {\n this.defaults = instanceConfig || {};\n this.interceptors = {\n request: new _InterceptorManager_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"](),\n response: new _InterceptorManager_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"](),\n };\n }\n\n /**\n * Dispatch a request\n *\n * @param {String|Object} configOrUrl The config specific for this request (merged with this.defaults)\n * @param {?Object} config\n *\n * @returns {Promise} The Promise to be fulfilled\n */\n async request(configOrUrl, config) {\n try {\n return await this._request(configOrUrl, config);\n } catch (err) {\n if (err instanceof Error) {\n let dummy = {};\n\n Error.captureStackTrace ? Error.captureStackTrace(dummy) : (dummy = new Error());\n\n // slice off the Error: ... line\n const stack = dummy.stack ? dummy.stack.replace(/^.+\\n/, '') : '';\n try {\n if (!err.stack) {\n err.stack = stack;\n // match without the 2 top stack lines\n } else if (stack && !String(err.stack).endsWith(stack.replace(/^.+\\n.+\\n/, ''))) {\n err.stack += '\\n' + stack;\n }\n } catch (e) {\n // ignore the case where \"stack\" is an un-writable property\n }\n }\n\n throw err;\n }\n }\n\n _request(configOrUrl, config) {\n /*eslint no-param-reassign:0*/\n // Allow for axios('example/url'[, config]) a la fetch API\n if (typeof configOrUrl === 'string') {\n config = config || {};\n config.url = configOrUrl;\n } else {\n config = configOrUrl || {};\n }\n\n config = Object(_mergeConfig_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(this.defaults, config);\n\n const { transitional, paramsSerializer, headers } = config;\n\n if (transitional !== undefined) {\n _helpers_validator_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"].assertOptions(\n transitional,\n {\n silentJSONParsing: validators.transitional(validators.boolean),\n forcedJSONParsing: validators.transitional(validators.boolean),\n clarifyTimeoutError: validators.transitional(validators.boolean),\n legacyInterceptorReqResOrdering: validators.transitional(validators.boolean),\n },\n false\n );\n }\n\n if (paramsSerializer != null) {\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(paramsSerializer)) {\n config.paramsSerializer = {\n serialize: paramsSerializer,\n };\n } else {\n _helpers_validator_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"].assertOptions(\n paramsSerializer,\n {\n encode: validators.function,\n serialize: validators.function,\n },\n true\n );\n }\n }\n\n // Set config.allowAbsoluteUrls\n if (config.allowAbsoluteUrls !== undefined) {\n // do nothing\n } else if (this.defaults.allowAbsoluteUrls !== undefined) {\n config.allowAbsoluteUrls = this.defaults.allowAbsoluteUrls;\n } else {\n config.allowAbsoluteUrls = true;\n }\n\n _helpers_validator_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"].assertOptions(\n config,\n {\n baseUrl: validators.spelling('baseURL'),\n withXsrfToken: validators.spelling('withXSRFToken'),\n },\n true\n );\n\n // Set config.method\n config.method = (config.method || this.defaults.method || 'get').toLowerCase();\n\n // Flatten headers\n let contextHeaders = headers && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].merge(headers.common, headers[config.method]);\n\n headers &&\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(['delete', 'get', 'head', 'post', 'put', 'patch', 'common'], (method) => {\n delete headers[method];\n });\n\n config.headers = _AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_7__[\"default\"].concat(contextHeaders, headers);\n\n // filter out skipped interceptors\n const requestInterceptorChain = [];\n let synchronousRequestInterceptors = true;\n this.interceptors.request.forEach(function unshiftRequestInterceptors(interceptor) {\n if (typeof interceptor.runWhen === 'function' && interceptor.runWhen(config) === false) {\n return;\n }\n\n synchronousRequestInterceptors = synchronousRequestInterceptors && interceptor.synchronous;\n\n const transitional = config.transitional || _defaults_transitional_js__WEBPACK_IMPORTED_MODULE_8__[\"default\"];\n const legacyInterceptorReqResOrdering =\n transitional && transitional.legacyInterceptorReqResOrdering;\n\n if (legacyInterceptorReqResOrdering) {\n requestInterceptorChain.unshift(interceptor.fulfilled, interceptor.rejected);\n } else {\n requestInterceptorChain.push(interceptor.fulfilled, interceptor.rejected);\n }\n });\n\n const responseInterceptorChain = [];\n this.interceptors.response.forEach(function pushResponseInterceptors(interceptor) {\n responseInterceptorChain.push(interceptor.fulfilled, interceptor.rejected);\n });\n\n let promise;\n let i = 0;\n let len;\n\n if (!synchronousRequestInterceptors) {\n const chain = [_dispatchRequest_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].bind(this), undefined];\n chain.unshift(...requestInterceptorChain);\n chain.push(...responseInterceptorChain);\n len = chain.length;\n\n promise = Promise.resolve(config);\n\n while (i < len) {\n promise = promise.then(chain[i++], chain[i++]);\n }\n\n return promise;\n }\n\n len = requestInterceptorChain.length;\n\n let newConfig = config;\n\n while (i < len) {\n const onFulfilled = requestInterceptorChain[i++];\n const onRejected = requestInterceptorChain[i++];\n try {\n newConfig = onFulfilled(newConfig);\n } catch (error) {\n onRejected.call(this, error);\n break;\n }\n }\n\n try {\n promise = _dispatchRequest_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].call(this, newConfig);\n } catch (error) {\n return Promise.reject(error);\n }\n\n i = 0;\n len = responseInterceptorChain.length;\n\n while (i < len) {\n promise = promise.then(responseInterceptorChain[i++], responseInterceptorChain[i++]);\n }\n\n return promise;\n }\n\n getUri(config) {\n config = Object(_mergeConfig_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(this.defaults, config);\n const fullPath = Object(_buildFullPath_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"])(config.baseURL, config.url, config.allowAbsoluteUrls);\n return Object(_helpers_buildURL_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(fullPath, config.params, config.paramsSerializer);\n }\n}\n\n// Provide aliases for supported request methods\n_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(['delete', 'get', 'head', 'options'], function forEachMethodNoData(method) {\n /*eslint func-names:0*/\n Axios.prototype[method] = function (url, config) {\n return this.request(\n Object(_mergeConfig_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(config || {}, {\n method,\n url,\n data: (config || {}).data,\n })\n );\n };\n});\n\n_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {\n /*eslint func-names:0*/\n\n function generateHTTPMethod(isForm) {\n return function httpMethod(url, data, config) {\n return this.request(\n Object(_mergeConfig_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(config || {}, {\n method,\n headers: isForm\n ? {\n 'Content-Type': 'multipart/form-data',\n }\n : {},\n url,\n data,\n })\n );\n };\n }\n\n Axios.prototype[method] = generateHTTPMethod();\n\n Axios.prototype[method + 'Form'] = generateHTTPMethod(true);\n});\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (Axios);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/Axios.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/AxiosError.js":
/*!***************************************************!*\
!*** ./node_modules/axios/lib/core/AxiosError.js ***!
\***************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\nclass AxiosError extends Error {\n static from(error, code, config, request, response, customProps) {\n const axiosError = new AxiosError(error.message, code || error.code, config, request, response);\n axiosError.cause = error;\n axiosError.name = error.name;\n\n // Preserve status from the original error if not already set from response\n if (error.status != null && axiosError.status == null) {\n axiosError.status = error.status;\n }\n\n customProps && Object.assign(axiosError, customProps);\n return axiosError;\n }\n\n /**\n * Create an Error with the specified message, config, error code, request and response.\n *\n * @param {string} message The error message.\n * @param {string} [code] The error code (for example, 'ECONNABORTED').\n * @param {Object} [config] The config.\n * @param {Object} [request] The request.\n * @param {Object} [response] The response.\n *\n * @returns {Error} The created error.\n */\n constructor(message, code, config, request, response) {\n super(message);\n \n // Make message enumerable to maintain backward compatibility\n // The native Error constructor sets message as non-enumerable,\n // but axios < v1.13.3 had it as enumerable\n Object.defineProperty(this, 'message', {\n value: message,\n enumerable: true,\n writable: true,\n configurable: true\n });\n \n this.name = 'AxiosError';\n this.isAxiosError = true;\n code && (this.code = code);\n config && (this.config = config);\n request && (this.request = request);\n if (response) {\n this.response = response;\n this.status = response.status;\n }\n }\n\n toJSON() {\n return {\n // Standard\n message: this.message,\n name: this.name,\n // Microsoft\n description: this.description,\n number: this.number,\n // Mozilla\n fileName: this.fileName,\n lineNumber: this.lineNumber,\n columnNumber: this.columnNumber,\n stack: this.stack,\n // Axios\n config: _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toJSONObject(this.config),\n code: this.code,\n status: this.status,\n };\n }\n}\n\n// This can be changed to static properties as soon as the parser options in .eslint.cjs are updated.\nAxiosError.ERR_BAD_OPTION_VALUE = 'ERR_BAD_OPTION_VALUE';\nAxiosError.ERR_BAD_OPTION = 'ERR_BAD_OPTION';\nAxiosError.ECONNABORTED = 'ECONNABORTED';\nAxiosError.ETIMEDOUT = 'ETIMEDOUT';\nAxiosError.ERR_NETWORK = 'ERR_NETWORK';\nAxiosError.ERR_FR_TOO_MANY_REDIRECTS = 'ERR_FR_TOO_MANY_REDIRECTS';\nAxiosError.ERR_DEPRECATED = 'ERR_DEPRECATED';\nAxiosError.ERR_BAD_RESPONSE = 'ERR_BAD_RESPONSE';\nAxiosError.ERR_BAD_REQUEST = 'ERR_BAD_REQUEST';\nAxiosError.ERR_CANCELED = 'ERR_CANCELED';\nAxiosError.ERR_NOT_SUPPORT = 'ERR_NOT_SUPPORT';\nAxiosError.ERR_INVALID_URL = 'ERR_INVALID_URL';\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (AxiosError);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/AxiosError.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/AxiosHeaders.js":
/*!*****************************************************!*\
!*** ./node_modules/axios/lib/core/AxiosHeaders.js ***!
\*****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _helpers_parseHeaders_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../helpers/parseHeaders.js */ \"./node_modules/axios/lib/helpers/parseHeaders.js\");\n\n\n\n\n\nconst $internals = Symbol('internals');\n\nfunction normalizeHeader(header) {\n return header && String(header).trim().toLowerCase();\n}\n\nfunction normalizeValue(value) {\n if (value === false || value == null) {\n return value;\n }\n\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(value) ? value.map(normalizeValue) : String(value);\n}\n\nfunction parseTokens(str) {\n const tokens = Object.create(null);\n const tokensRE = /([^\\s,;=]+)\\s*(?:=\\s*([^,;]+))?/g;\n let match;\n\n while ((match = tokensRE.exec(str))) {\n tokens[match[1]] = match[2];\n }\n\n return tokens;\n}\n\nconst isValidHeaderName = (str) => /^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(str.trim());\n\nfunction matchHeaderValue(context, value, header, filter, isHeaderNameFilter) {\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(filter)) {\n return filter.call(this, value, header);\n }\n\n if (isHeaderNameFilter) {\n value = header;\n }\n\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(value)) return;\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(filter)) {\n return value.indexOf(filter) !== -1;\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isRegExp(filter)) {\n return filter.test(value);\n }\n}\n\nfunction formatHeader(header) {\n return header\n .trim()\n .toLowerCase()\n .replace(/([a-z\\d])(\\w*)/g, (w, char, str) => {\n return char.toUpperCase() + str;\n });\n}\n\nfunction buildAccessors(obj, header) {\n const accessorName = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toCamelCase(' ' + header);\n\n ['get', 'set', 'has'].forEach((methodName) => {\n Object.defineProperty(obj, methodName + accessorName, {\n value: function (arg1, arg2, arg3) {\n return this[methodName].call(this, header, arg1, arg2, arg3);\n },\n configurable: true,\n });\n });\n}\n\nclass AxiosHeaders {\n constructor(headers) {\n headers && this.set(headers);\n }\n\n set(header, valueOrRewrite, rewrite) {\n const self = this;\n\n function setHeader(_value, _header, _rewrite) {\n const lHeader = normalizeHeader(_header);\n\n if (!lHeader) {\n throw new Error('header name must be a non-empty string');\n }\n\n const key = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].findKey(self, lHeader);\n\n if (\n !key ||\n self[key] === undefined ||\n _rewrite === true ||\n (_rewrite === undefined && self[key] !== false)\n ) {\n self[key || _header] = normalizeValue(_value);\n }\n }\n\n const setHeaders = (headers, _rewrite) =>\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(headers, (_value, _header) => setHeader(_value, _header, _rewrite));\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isPlainObject(header) || header instanceof this.constructor) {\n setHeaders(header, valueOrRewrite);\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(header) && (header = header.trim()) && !isValidHeaderName(header)) {\n setHeaders(Object(_helpers_parseHeaders_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(header), valueOrRewrite);\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isObject(header) && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isIterable(header)) {\n let obj = {},\n dest,\n key;\n for (const entry of header) {\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(entry)) {\n throw TypeError('Object iterator must return a key-value pair');\n }\n\n obj[(key = entry[0])] = (dest = obj[key])\n ? _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(dest)\n ? [...dest, entry[1]]\n : [dest, entry[1]]\n : entry[1];\n }\n\n setHeaders(obj, valueOrRewrite);\n } else {\n header != null && setHeader(valueOrRewrite, header, rewrite);\n }\n\n return this;\n }\n\n get(header, parser) {\n header = normalizeHeader(header);\n\n if (header) {\n const key = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].findKey(this, header);\n\n if (key) {\n const value = this[key];\n\n if (!parser) {\n return value;\n }\n\n if (parser === true) {\n return parseTokens(value);\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(parser)) {\n return parser.call(this, value, key);\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isRegExp(parser)) {\n return parser.exec(value);\n }\n\n throw new TypeError('parser must be boolean|regexp|function');\n }\n }\n }\n\n has(header, matcher) {\n header = normalizeHeader(header);\n\n if (header) {\n const key = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].findKey(this, header);\n\n return !!(\n key &&\n this[key] !== undefined &&\n (!matcher || matchHeaderValue(this, this[key], key, matcher))\n );\n }\n\n return false;\n }\n\n delete(header, matcher) {\n const self = this;\n let deleted = false;\n\n function deleteHeader(_header) {\n _header = normalizeHeader(_header);\n\n if (_header) {\n const key = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].findKey(self, _header);\n\n if (key && (!matcher || matchHeaderValue(self, self[key], key, matcher))) {\n delete self[key];\n\n deleted = true;\n }\n }\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(header)) {\n header.forEach(deleteHeader);\n } else {\n deleteHeader(header);\n }\n\n return deleted;\n }\n\n clear(matcher) {\n const keys = Object.keys(this);\n let i = keys.length;\n let deleted = false;\n\n while (i--) {\n const key = keys[i];\n if (!matcher || matchHeaderValue(this, this[key], key, matcher, true)) {\n delete this[key];\n deleted = true;\n }\n }\n\n return deleted;\n }\n\n normalize(format) {\n const self = this;\n const headers = {};\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(this, (value, header) => {\n const key = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].findKey(headers, header);\n\n if (key) {\n self[key] = normalizeValue(value);\n delete self[header];\n return;\n }\n\n const normalized = format ? formatHeader(header) : String(header).trim();\n\n if (normalized !== header) {\n delete self[header];\n }\n\n self[normalized] = normalizeValue(value);\n\n headers[normalized] = true;\n });\n\n return this;\n }\n\n concat(...targets) {\n return this.constructor.concat(this, ...targets);\n }\n\n toJSON(asStrings) {\n const obj = Object.create(null);\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(this, (value, header) => {\n value != null &&\n value !== false &&\n (obj[header] = asStrings && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(value) ? value.join(', ') : value);\n });\n\n return obj;\n }\n\n [Symbol.iterator]() {\n return Object.entries(this.toJSON())[Symbol.iterator]();\n }\n\n toString() {\n return Object.entries(this.toJSON())\n .map(([header, value]) => header + ': ' + value)\n .join('\\n');\n }\n\n getSetCookie() {\n return this.get('set-cookie') || [];\n }\n\n get [Symbol.toStringTag]() {\n return 'AxiosHeaders';\n }\n\n static from(thing) {\n return thing instanceof this ? thing : new this(thing);\n }\n\n static concat(first, ...targets) {\n const computed = new this(first);\n\n targets.forEach((target) => computed.set(target));\n\n return computed;\n }\n\n static accessor(header) {\n const internals =\n (this[$internals] =\n this[$internals] =\n {\n accessors: {},\n });\n\n const accessors = internals.accessors;\n const prototype = this.prototype;\n\n function defineAccessor(_header) {\n const lHeader = normalizeHeader(_header);\n\n if (!accessors[lHeader]) {\n buildAccessors(prototype, _header);\n accessors[lHeader] = true;\n }\n }\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(header) ? header.forEach(defineAccessor) : defineAccessor(header);\n\n return this;\n }\n}\n\nAxiosHeaders.accessor([\n 'Content-Type',\n 'Content-Length',\n 'Accept',\n 'Accept-Encoding',\n 'User-Agent',\n 'Authorization',\n]);\n\n// reserved names hotfix\n_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].reduceDescriptors(AxiosHeaders.prototype, ({ value }, key) => {\n let mapped = key[0].toUpperCase() + key.slice(1); // map `set` => `Set`\n return {\n get: () => value,\n set(headerValue) {\n this[mapped] = headerValue;\n },\n };\n});\n\n_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].freezeMethods(AxiosHeaders);\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (AxiosHeaders);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/AxiosHeaders.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/InterceptorManager.js":
/*!***********************************************************!*\
!*** ./node_modules/axios/lib/core/InterceptorManager.js ***!
\***********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\nclass InterceptorManager {\n constructor() {\n this.handlers = [];\n }\n\n /**\n * Add a new interceptor to the stack\n *\n * @param {Function} fulfilled The function to handle `then` for a `Promise`\n * @param {Function} rejected The function to handle `reject` for a `Promise`\n * @param {Object} options The options for the interceptor, synchronous and runWhen\n *\n * @return {Number} An ID used to remove interceptor later\n */\n use(fulfilled, rejected, options) {\n this.handlers.push({\n fulfilled,\n rejected,\n synchronous: options ? options.synchronous : false,\n runWhen: options ? options.runWhen : null,\n });\n return this.handlers.length - 1;\n }\n\n /**\n * Remove an interceptor from the stack\n *\n * @param {Number} id The ID that was returned by `use`\n *\n * @returns {void}\n */\n eject(id) {\n if (this.handlers[id]) {\n this.handlers[id] = null;\n }\n }\n\n /**\n * Clear all interceptors from the stack\n *\n * @returns {void}\n */\n clear() {\n if (this.handlers) {\n this.handlers = [];\n }\n }\n\n /**\n * Iterate over all the registered interceptors\n *\n * This method is particularly useful for skipping over any\n * interceptors that may have become `null` calling `eject`.\n *\n * @param {Function} fn The function to call for each interceptor\n *\n * @returns {void}\n */\n forEach(fn) {\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(this.handlers, function forEachHandler(h) {\n if (h !== null) {\n fn(h);\n }\n });\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (InterceptorManager);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/InterceptorManager.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/buildFullPath.js":
/*!******************************************************!*\
!*** ./node_modules/axios/lib/core/buildFullPath.js ***!
\******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return buildFullPath; });\n/* harmony import */ var _helpers_isAbsoluteURL_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../helpers/isAbsoluteURL.js */ \"./node_modules/axios/lib/helpers/isAbsoluteURL.js\");\n/* harmony import */ var _helpers_combineURLs_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../helpers/combineURLs.js */ \"./node_modules/axios/lib/helpers/combineURLs.js\");\n\n\n\n\n\n/**\n * Creates a new URL by combining the baseURL with the requestedURL,\n * only when the requestedURL is not already an absolute URL.\n * If the requestURL is absolute, this function returns the requestedURL untouched.\n *\n * @param {string} baseURL The base URL\n * @param {string} requestedURL Absolute or relative URL to combine\n *\n * @returns {string} The combined full path\n */\nfunction buildFullPath(baseURL, requestedURL, allowAbsoluteUrls) {\n let isRelativeUrl = !Object(_helpers_isAbsoluteURL_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"])(requestedURL);\n if (baseURL && (isRelativeUrl || allowAbsoluteUrls == false)) {\n return Object(_helpers_combineURLs_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(baseURL, requestedURL);\n }\n return requestedURL;\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/buildFullPath.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/dispatchRequest.js":
/*!********************************************************!*\
!*** ./node_modules/axios/lib/core/dispatchRequest.js ***!
\********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return dispatchRequest; });\n/* harmony import */ var _transformData_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./transformData.js */ \"./node_modules/axios/lib/core/transformData.js\");\n/* harmony import */ var _cancel_isCancel_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../cancel/isCancel.js */ \"./node_modules/axios/lib/cancel/isCancel.js\");\n/* harmony import */ var _defaults_index_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../defaults/index.js */ \"./node_modules/axios/lib/defaults/index.js\");\n/* harmony import */ var _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../cancel/CanceledError.js */ \"./node_modules/axios/lib/cancel/CanceledError.js\");\n/* harmony import */ var _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../core/AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n/* harmony import */ var _adapters_adapters_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../adapters/adapters.js */ \"./node_modules/axios/lib/adapters/adapters.js\");\n\n\n\n\n\n\n\n\n\n/**\n * Throws a `CanceledError` if cancellation has been requested.\n *\n * @param {Object} config The config that is to be used for the request\n *\n * @returns {void}\n */\nfunction throwIfCancellationRequested(config) {\n if (config.cancelToken) {\n config.cancelToken.throwIfRequested();\n }\n\n if (config.signal && config.signal.aborted) {\n throw new _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"](null, config);\n }\n}\n\n/**\n * Dispatch a request to the server using the configured adapter.\n *\n * @param {object} config The config that is to be used for the request\n *\n * @returns {Promise} The Promise to be fulfilled\n */\nfunction dispatchRequest(config) {\n throwIfCancellationRequested(config);\n\n config.headers = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"].from(config.headers);\n\n // Transform request data\n config.data = _transformData_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].call(config, config.transformRequest);\n\n if (['post', 'put', 'patch'].indexOf(config.method) !== -1) {\n config.headers.setContentType('application/x-www-form-urlencoded', false);\n }\n\n const adapter = _adapters_adapters_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"].getAdapter(config.adapter || _defaults_index_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].adapter, config);\n\n return adapter(config).then(\n function onAdapterResolution(response) {\n throwIfCancellationRequested(config);\n\n // Transform response data\n response.data = _transformData_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].call(config, config.transformResponse, response);\n\n response.headers = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"].from(response.headers);\n\n return response;\n },\n function onAdapterRejection(reason) {\n if (!Object(_cancel_isCancel_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(reason)) {\n throwIfCancellationRequested(config);\n\n // Transform response data\n if (reason && reason.response) {\n reason.response.data = _transformData_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].call(\n config,\n config.transformResponse,\n reason.response\n );\n reason.response.headers = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"].from(reason.response.headers);\n }\n }\n\n return Promise.reject(reason);\n }\n );\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/dispatchRequest.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/mergeConfig.js":
/*!****************************************************!*\
!*** ./node_modules/axios/lib/core/mergeConfig.js ***!
\****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return mergeConfig; });\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n\n\n\n\n\nconst headersToObject = (thing) => (thing instanceof _AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"] ? { ...thing } : thing);\n\n/**\n * Config-specific merge-function which creates a new config-object\n * by merging two configuration objects together.\n *\n * @param {Object} config1\n * @param {Object} config2\n *\n * @returns {Object} New object resulting from merging config2 to config1\n */\nfunction mergeConfig(config1, config2) {\n // eslint-disable-next-line no-param-reassign\n config2 = config2 || {};\n const config = {};\n\n function getMergedValue(target, source, prop, caseless) {\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isPlainObject(target) && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isPlainObject(source)) {\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].merge.call({ caseless }, target, source);\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isPlainObject(source)) {\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].merge({}, source);\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(source)) {\n return source.slice();\n }\n return source;\n }\n\n function mergeDeepProperties(a, b, prop, caseless) {\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(b)) {\n return getMergedValue(a, b, prop, caseless);\n } else if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(a)) {\n return getMergedValue(undefined, a, prop, caseless);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function valueFromConfig2(a, b) {\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(b)) {\n return getMergedValue(undefined, b);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function defaultToConfig2(a, b) {\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(b)) {\n return getMergedValue(undefined, b);\n } else if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(a)) {\n return getMergedValue(undefined, a);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function mergeDirectKeys(a, b, prop) {\n if (prop in config2) {\n return getMergedValue(a, b);\n } else if (prop in config1) {\n return getMergedValue(undefined, a);\n }\n }\n\n const mergeMap = {\n url: valueFromConfig2,\n method: valueFromConfig2,\n data: valueFromConfig2,\n baseURL: defaultToConfig2,\n transformRequest: defaultToConfig2,\n transformResponse: defaultToConfig2,\n paramsSerializer: defaultToConfig2,\n timeout: defaultToConfig2,\n timeoutMessage: defaultToConfig2,\n withCredentials: defaultToConfig2,\n withXSRFToken: defaultToConfig2,\n adapter: defaultToConfig2,\n responseType: defaultToConfig2,\n xsrfCookieName: defaultToConfig2,\n xsrfHeaderName: defaultToConfig2,\n onUploadProgress: defaultToConfig2,\n onDownloadProgress: defaultToConfig2,\n decompress: defaultToConfig2,\n maxContentLength: defaultToConfig2,\n maxBodyLength: defaultToConfig2,\n beforeRedirect: defaultToConfig2,\n transport: defaultToConfig2,\n httpAgent: defaultToConfig2,\n httpsAgent: defaultToConfig2,\n cancelToken: defaultToConfig2,\n socketPath: defaultToConfig2,\n responseEncoding: defaultToConfig2,\n validateStatus: mergeDirectKeys,\n headers: (a, b, prop) =>\n mergeDeepProperties(headersToObject(a), headersToObject(b), prop, true),\n };\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(Object.keys({ ...config1, ...config2 }), function computeConfigValue(prop) {\n if (prop === '__proto__' || prop === 'constructor' || prop === 'prototype') return;\n const merge = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].hasOwnProp(mergeMap, prop) ? mergeMap[prop] : mergeDeepProperties;\n const configValue = merge(config1[prop], config2[prop], prop);\n (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(configValue) && merge !== mergeDirectKeys) || (config[prop] = configValue);\n });\n\n return config;\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/mergeConfig.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/settle.js":
/*!***********************************************!*\
!*** ./node_modules/axios/lib/core/settle.js ***!
\***********************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return settle; });\n/* harmony import */ var _AxiosError_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n\n\n\n\n/**\n * Resolve or reject a Promise based on response status.\n *\n * @param {Function} resolve A function that resolves the promise.\n * @param {Function} reject A function that rejects the promise.\n * @param {object} response The response.\n *\n * @returns {object} The response.\n */\nfunction settle(resolve, reject, response) {\n const validateStatus = response.config.validateStatus;\n if (!response.status || !validateStatus || validateStatus(response.status)) {\n resolve(response);\n } else {\n reject(\n new _AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"](\n 'Request failed with status code ' + response.status,\n [_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].ERR_BAD_REQUEST, _AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].ERR_BAD_RESPONSE][\n Math.floor(response.status / 100) - 4\n ],\n response.config,\n response.request,\n response\n )\n );\n }\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/settle.js?");
/***/ }),
/***/ "./node_modules/axios/lib/core/transformData.js":
/*!******************************************************!*\
!*** ./node_modules/axios/lib/core/transformData.js ***!
\******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return transformData; });\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _defaults_index_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../defaults/index.js */ \"./node_modules/axios/lib/defaults/index.js\");\n/* harmony import */ var _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../core/AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n\n\n\n\n\n\n/**\n * Transform the data for a request or a response\n *\n * @param {Array|Function} fns A single function or Array of functions\n * @param {?Object} response The response object\n *\n * @returns {*} The resulting transformed data\n */\nfunction transformData(fns, response) {\n const config = this || _defaults_index_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"];\n const context = response || config;\n const headers = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].from(context.headers);\n let data = context.data;\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(fns, function transform(fn) {\n data = fn.call(config, data, headers.normalize(), response ? response.status : undefined);\n });\n\n headers.normalize();\n\n return data;\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/core/transformData.js?");
/***/ }),
/***/ "./node_modules/axios/lib/defaults/index.js":
/*!**************************************************!*\
!*** ./node_modules/axios/lib/defaults/index.js ***!
\**************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _transitional_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./transitional.js */ \"./node_modules/axios/lib/defaults/transitional.js\");\n/* harmony import */ var _helpers_toFormData_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../helpers/toFormData.js */ \"./node_modules/axios/lib/helpers/toFormData.js\");\n/* harmony import */ var _helpers_toURLEncodedForm_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../helpers/toURLEncodedForm.js */ \"./node_modules/axios/lib/helpers/toURLEncodedForm.js\");\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n/* harmony import */ var _helpers_formDataToJSON_js__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../helpers/formDataToJSON.js */ \"./node_modules/axios/lib/helpers/formDataToJSON.js\");\n\n\n\n\n\n\n\n\n\n\n/**\n * It takes a string, tries to parse it, and if it fails, it returns the stringified version\n * of the input\n *\n * @param {any} rawValue - The value to be stringified.\n * @param {Function} parser - A function that parses a string into a JavaScript object.\n * @param {Function} encoder - A function that takes a value and returns a string.\n *\n * @returns {string} A stringified version of the rawValue.\n */\nfunction stringifySafely(rawValue, parser, encoder) {\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(rawValue)) {\n try {\n (parser || JSON.parse)(rawValue);\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].trim(rawValue);\n } catch (e) {\n if (e.name !== 'SyntaxError') {\n throw e;\n }\n }\n }\n\n return (encoder || JSON.stringify)(rawValue);\n}\n\nconst defaults = {\n transitional: _transitional_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"],\n\n adapter: ['xhr', 'http', 'fetch'],\n\n transformRequest: [\n function transformRequest(data, headers) {\n const contentType = headers.getContentType() || '';\n const hasJSONContentType = contentType.indexOf('application/json') > -1;\n const isObjectPayload = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isObject(data);\n\n if (isObjectPayload && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isHTMLForm(data)) {\n data = new FormData(data);\n }\n\n const isFormData = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFormData(data);\n\n if (isFormData) {\n return hasJSONContentType ? JSON.stringify(Object(_helpers_formDataToJSON_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"])(data)) : data;\n }\n\n if (\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArrayBuffer(data) ||\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isBuffer(data) ||\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isStream(data) ||\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFile(data) ||\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isBlob(data) ||\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isReadableStream(data)\n ) {\n return data;\n }\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArrayBufferView(data)) {\n return data.buffer;\n }\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isURLSearchParams(data)) {\n headers.setContentType('application/x-www-form-urlencoded;charset=utf-8', false);\n return data.toString();\n }\n\n let isFileList;\n\n if (isObjectPayload) {\n if (contentType.indexOf('application/x-www-form-urlencoded') > -1) {\n return Object(_helpers_toURLEncodedForm_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(data, this.formSerializer).toString();\n }\n\n if (\n (isFileList = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFileList(data)) ||\n contentType.indexOf('multipart/form-data') > -1\n ) {\n const _FormData = this.env && this.env.FormData;\n\n return Object(_helpers_toFormData_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(\n isFileList ? { 'files[]': data } : data,\n _FormData && new _FormData(),\n this.formSerializer\n );\n }\n }\n\n if (isObjectPayload || hasJSONContentType) {\n headers.setContentType('application/json', false);\n return stringifySafely(data);\n }\n\n return data;\n },\n ],\n\n transformResponse: [\n function transformResponse(data) {\n const transitional = this.transitional || defaults.transitional;\n const forcedJSONParsing = transitional && transitional.forcedJSONParsing;\n const JSONRequested = this.responseType === 'json';\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isResponse(data) || _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isReadableStream(data)) {\n return data;\n }\n\n if (\n data &&\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(data) &&\n ((forcedJSONParsing && !this.responseType) || JSONRequested)\n ) {\n const silentJSONParsing = transitional && transitional.silentJSONParsing;\n const strictJSONParsing = !silentJSONParsing && JSONRequested;\n\n try {\n return JSON.parse(data, this.parseReviver);\n } catch (e) {\n if (strictJSONParsing) {\n if (e.name === 'SyntaxError') {\n throw _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].from(e, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].ERR_BAD_RESPONSE, this, null, this.response);\n }\n throw e;\n }\n }\n }\n\n return data;\n },\n ],\n\n /**\n * A timeout in milliseconds to abort a request. If set to 0 (default) a\n * timeout is not created.\n */\n timeout: 0,\n\n xsrfCookieName: 'XSRF-TOKEN',\n xsrfHeaderName: 'X-XSRF-TOKEN',\n\n maxContentLength: -1,\n maxBodyLength: -1,\n\n env: {\n FormData: _platform_index_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"].classes.FormData,\n Blob: _platform_index_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"].classes.Blob,\n },\n\n validateStatus: function validateStatus(status) {\n return status >= 200 && status < 300;\n },\n\n headers: {\n common: {\n Accept: 'application/json, text/plain, */*',\n 'Content-Type': undefined,\n },\n },\n};\n\n_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(['delete', 'get', 'head', 'post', 'put', 'patch'], (method) => {\n defaults.headers[method] = {};\n});\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (defaults);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/defaults/index.js?");
/***/ }),
/***/ "./node_modules/axios/lib/defaults/transitional.js":
/*!*********************************************************!*\
!*** ./node_modules/axios/lib/defaults/transitional.js ***!
\*********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = ({\n silentJSONParsing: true,\n forcedJSONParsing: true,\n clarifyTimeoutError: false,\n legacyInterceptorReqResOrdering: true,\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/defaults/transitional.js?");
/***/ }),
/***/ "./node_modules/axios/lib/env/data.js":
/*!********************************************!*\
!*** ./node_modules/axios/lib/env/data.js ***!
\********************************************/
/*! exports provided: VERSION */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"VERSION\", function() { return VERSION; });\nconst VERSION = \"1.13.6\";\n\n//# sourceURL=webpack:///./node_modules/axios/lib/env/data.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/AxiosTransformStream.js":
/*!****************************************************************!*\
!*** ./node_modules/axios/lib/helpers/AxiosTransformStream.js ***!
\****************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! stream */ \"stream\");\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(stream__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\n\nconst kInternals = Symbol('internals');\n\nclass AxiosTransformStream extends stream__WEBPACK_IMPORTED_MODULE_0___default.a.Transform {\n constructor(options) {\n options = _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].toFlatObject(\n options,\n {\n maxRate: 0,\n chunkSize: 64 * 1024,\n minChunkSize: 100,\n timeWindow: 500,\n ticksRate: 2,\n samplesCount: 15,\n },\n null,\n (prop, source) => {\n return !_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isUndefined(source[prop]);\n }\n );\n\n super({\n readableHighWaterMark: options.chunkSize,\n });\n\n const internals = (this[kInternals] = {\n timeWindow: options.timeWindow,\n chunkSize: options.chunkSize,\n maxRate: options.maxRate,\n minChunkSize: options.minChunkSize,\n bytesSeen: 0,\n isCaptured: false,\n notifiedBytesLoaded: 0,\n ts: Date.now(),\n bytes: 0,\n onReadCallback: null,\n });\n\n this.on('newListener', (event) => {\n if (event === 'progress') {\n if (!internals.isCaptured) {\n internals.isCaptured = true;\n }\n }\n });\n }\n\n _read(size) {\n const internals = this[kInternals];\n\n if (internals.onReadCallback) {\n internals.onReadCallback();\n }\n\n return super._read(size);\n }\n\n _transform(chunk, encoding, callback) {\n const internals = this[kInternals];\n const maxRate = internals.maxRate;\n\n const readableHighWaterMark = this.readableHighWaterMark;\n\n const timeWindow = internals.timeWindow;\n\n const divider = 1000 / timeWindow;\n const bytesThreshold = maxRate / divider;\n const minChunkSize =\n internals.minChunkSize !== false\n ? Math.max(internals.minChunkSize, bytesThreshold * 0.01)\n : 0;\n\n const pushChunk = (_chunk, _callback) => {\n const bytes = Buffer.byteLength(_chunk);\n internals.bytesSeen += bytes;\n internals.bytes += bytes;\n\n internals.isCaptured && this.emit('progress', internals.bytesSeen);\n\n if (this.push(_chunk)) {\n process.nextTick(_callback);\n } else {\n internals.onReadCallback = () => {\n internals.onReadCallback = null;\n process.nextTick(_callback);\n };\n }\n };\n\n const transformChunk = (_chunk, _callback) => {\n const chunkSize = Buffer.byteLength(_chunk);\n let chunkRemainder = null;\n let maxChunkSize = readableHighWaterMark;\n let bytesLeft;\n let passed = 0;\n\n if (maxRate) {\n const now = Date.now();\n\n if (!internals.ts || (passed = now - internals.ts) >= timeWindow) {\n internals.ts = now;\n bytesLeft = bytesThreshold - internals.bytes;\n internals.bytes = bytesLeft < 0 ? -bytesLeft : 0;\n passed = 0;\n }\n\n bytesLeft = bytesThreshold - internals.bytes;\n }\n\n if (maxRate) {\n if (bytesLeft <= 0) {\n // next time window\n return setTimeout(() => {\n _callback(null, _chunk);\n }, timeWindow - passed);\n }\n\n if (bytesLeft < maxChunkSize) {\n maxChunkSize = bytesLeft;\n }\n }\n\n if (maxChunkSize && chunkSize > maxChunkSize && chunkSize - maxChunkSize > minChunkSize) {\n chunkRemainder = _chunk.subarray(maxChunkSize);\n _chunk = _chunk.subarray(0, maxChunkSize);\n }\n\n pushChunk(\n _chunk,\n chunkRemainder\n ? () => {\n process.nextTick(_callback, null, chunkRemainder);\n }\n : _callback\n );\n };\n\n transformChunk(chunk, function transformNextChunk(err, _chunk) {\n if (err) {\n return callback(err);\n }\n\n if (_chunk) {\n transformChunk(_chunk, transformNextChunk);\n } else {\n callback(null);\n }\n });\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (AxiosTransformStream);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/AxiosTransformStream.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/AxiosURLSearchParams.js":
/*!****************************************************************!*\
!*** ./node_modules/axios/lib/helpers/AxiosURLSearchParams.js ***!
\****************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _toFormData_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./toFormData.js */ \"./node_modules/axios/lib/helpers/toFormData.js\");\n\n\n\n\n/**\n * It encodes a string by replacing all characters that are not in the unreserved set with\n * their percent-encoded equivalents\n *\n * @param {string} str - The string to encode.\n *\n * @returns {string} The encoded string.\n */\nfunction encode(str) {\n const charMap = {\n '!': '%21',\n \"'\": '%27',\n '(': '%28',\n ')': '%29',\n '~': '%7E',\n '%20': '+',\n '%00': '\\x00',\n };\n return encodeURIComponent(str).replace(/[!'()~]|%20|%00/g, function replacer(match) {\n return charMap[match];\n });\n}\n\n/**\n * It takes a params object and converts it to a FormData object\n *\n * @param {Object<string, any>} params - The parameters to be converted to a FormData object.\n * @param {Object<string, any>} options - The options object passed to the Axios constructor.\n *\n * @returns {void}\n */\nfunction AxiosURLSearchParams(params, options) {\n this._pairs = [];\n\n params && Object(_toFormData_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"])(params, this, options);\n}\n\nconst prototype = AxiosURLSearchParams.prototype;\n\nprototype.append = function append(name, value) {\n this._pairs.push([name, value]);\n};\n\nprototype.toString = function toString(encoder) {\n const _encode = encoder\n ? function (value) {\n return encoder.call(this, value, encode);\n }\n : encode;\n\n return this._pairs\n .map(function each(pair) {\n return _encode(pair[0]) + '=' + _encode(pair[1]);\n }, '')\n .join('&');\n};\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (AxiosURLSearchParams);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/AxiosURLSearchParams.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/HttpStatusCode.js":
/*!**********************************************************!*\
!*** ./node_modules/axios/lib/helpers/HttpStatusCode.js ***!
\**********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\nconst HttpStatusCode = {\n Continue: 100,\n SwitchingProtocols: 101,\n Processing: 102,\n EarlyHints: 103,\n Ok: 200,\n Created: 201,\n Accepted: 202,\n NonAuthoritativeInformation: 203,\n NoContent: 204,\n ResetContent: 205,\n PartialContent: 206,\n MultiStatus: 207,\n AlreadyReported: 208,\n ImUsed: 226,\n MultipleChoices: 300,\n MovedPermanently: 301,\n Found: 302,\n SeeOther: 303,\n NotModified: 304,\n UseProxy: 305,\n Unused: 306,\n TemporaryRedirect: 307,\n PermanentRedirect: 308,\n BadRequest: 400,\n Unauthorized: 401,\n PaymentRequired: 402,\n Forbidden: 403,\n NotFound: 404,\n MethodNotAllowed: 405,\n NotAcceptable: 406,\n ProxyAuthenticationRequired: 407,\n RequestTimeout: 408,\n Conflict: 409,\n Gone: 410,\n LengthRequired: 411,\n PreconditionFailed: 412,\n PayloadTooLarge: 413,\n UriTooLong: 414,\n UnsupportedMediaType: 415,\n RangeNotSatisfiable: 416,\n ExpectationFailed: 417,\n ImATeapot: 418,\n MisdirectedRequest: 421,\n UnprocessableEntity: 422,\n Locked: 423,\n FailedDependency: 424,\n TooEarly: 425,\n UpgradeRequired: 426,\n PreconditionRequired: 428,\n TooManyRequests: 429,\n RequestHeaderFieldsTooLarge: 431,\n UnavailableForLegalReasons: 451,\n InternalServerError: 500,\n NotImplemented: 501,\n BadGateway: 502,\n ServiceUnavailable: 503,\n GatewayTimeout: 504,\n HttpVersionNotSupported: 505,\n VariantAlsoNegotiates: 506,\n InsufficientStorage: 507,\n LoopDetected: 508,\n NotExtended: 510,\n NetworkAuthenticationRequired: 511,\n WebServerIsDown: 521,\n ConnectionTimedOut: 522,\n OriginIsUnreachable: 523,\n TimeoutOccurred: 524,\n SslHandshakeFailed: 525,\n InvalidSslCertificate: 526,\n};\n\nObject.entries(HttpStatusCode).forEach(([key, value]) => {\n HttpStatusCode[value] = key;\n});\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (HttpStatusCode);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/HttpStatusCode.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/ZlibHeaderTransformStream.js":
/*!*********************************************************************!*\
!*** ./node_modules/axios/lib/helpers/ZlibHeaderTransformStream.js ***!
\*********************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! stream */ \"stream\");\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(stream__WEBPACK_IMPORTED_MODULE_0__);\n\n\n\n\nclass ZlibHeaderTransformStream extends stream__WEBPACK_IMPORTED_MODULE_0___default.a.Transform {\n __transform(chunk, encoding, callback) {\n this.push(chunk);\n callback();\n }\n\n _transform(chunk, encoding, callback) {\n if (chunk.length !== 0) {\n this._transform = this.__transform;\n\n // Add Default Compression headers if no zlib headers are present\n if (chunk[0] !== 120) {\n // Hex: 78\n const header = Buffer.alloc(2);\n header[0] = 120; // Hex: 78\n header[1] = 156; // Hex: 9C\n this.push(header, encoding);\n }\n }\n\n this.__transform(chunk, encoding, callback);\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (ZlibHeaderTransformStream);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/ZlibHeaderTransformStream.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/bind.js":
/*!************************************************!*\
!*** ./node_modules/axios/lib/helpers/bind.js ***!
\************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return bind; });\n\n\n/**\n * Create a bound version of a function with a specified `this` context\n *\n * @param {Function} fn - The function to bind\n * @param {*} thisArg - The value to be passed as the `this` parameter\n * @returns {Function} A new function that will call the original function with the specified `this` context\n */\nfunction bind(fn, thisArg) {\n return function wrap() {\n return fn.apply(thisArg, arguments);\n };\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/bind.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/buildURL.js":
/*!****************************************************!*\
!*** ./node_modules/axios/lib/helpers/buildURL.js ***!
\****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return buildURL; });\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _helpers_AxiosURLSearchParams_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../helpers/AxiosURLSearchParams.js */ \"./node_modules/axios/lib/helpers/AxiosURLSearchParams.js\");\n\n\n\n\n\n/**\n * It replaces all instances of the characters `:`, `$`, `,`, `+`, `[`, and `]` with their\n * URI encoded counterparts\n *\n * @param {string} val The value to be encoded.\n *\n * @returns {string} The encoded value.\n */\nfunction encode(val) {\n return encodeURIComponent(val)\n .replace(/%3A/gi, ':')\n .replace(/%24/g, '$')\n .replace(/%2C/gi, ',')\n .replace(/%20/g, '+');\n}\n\n/**\n * Build a URL by appending params to the end\n *\n * @param {string} url The base of the url (e.g., http://www.google.com)\n * @param {object} [params] The params to be appended\n * @param {?(object|Function)} options\n *\n * @returns {string} The formatted url\n */\nfunction buildURL(url, params, options) {\n if (!params) {\n return url;\n }\n\n const _encode = (options && options.encode) || encode;\n\n const _options = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(options)\n ? {\n serialize: options,\n }\n : options;\n\n const serializeFn = _options && _options.serialize;\n\n let serializedParams;\n\n if (serializeFn) {\n serializedParams = serializeFn(params, _options);\n } else {\n serializedParams = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isURLSearchParams(params)\n ? params.toString()\n : new _helpers_AxiosURLSearchParams_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"](params, _options).toString(_encode);\n }\n\n if (serializedParams) {\n const hashmarkIndex = url.indexOf('#');\n\n if (hashmarkIndex !== -1) {\n url = url.slice(0, hashmarkIndex);\n }\n url += (url.indexOf('?') === -1 ? '?' : '&') + serializedParams;\n }\n\n return url;\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/buildURL.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/callbackify.js":
/*!*******************************************************!*\
!*** ./node_modules/axios/lib/helpers/callbackify.js ***!
\*******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\nconst callbackify = (fn, reducer) => {\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isAsyncFn(fn)\n ? function (...args) {\n const cb = args.pop();\n fn.apply(this, args).then((value) => {\n try {\n reducer ? cb(null, ...reducer(value)) : cb(null, value);\n } catch (err) {\n cb(err);\n }\n }, cb);\n }\n : fn;\n};\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (callbackify);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/callbackify.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/combineURLs.js":
/*!*******************************************************!*\
!*** ./node_modules/axios/lib/helpers/combineURLs.js ***!
\*******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return combineURLs; });\n\n\n/**\n * Creates a new URL by combining the specified URLs\n *\n * @param {string} baseURL The base URL\n * @param {string} relativeURL The relative URL\n *\n * @returns {string} The combined URL\n */\nfunction combineURLs(baseURL, relativeURL) {\n return relativeURL\n ? baseURL.replace(/\\/?\\/$/, '') + '/' + relativeURL.replace(/^\\/+/, '')\n : baseURL;\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/combineURLs.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/composeSignals.js":
/*!**********************************************************!*\
!*** ./node_modules/axios/lib/helpers/composeSignals.js ***!
\**********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../cancel/CanceledError.js */ \"./node_modules/axios/lib/cancel/CanceledError.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\nconst composeSignals = (signals, timeout) => {\n const { length } = (signals = signals ? signals.filter(Boolean) : []);\n\n if (timeout || length) {\n let controller = new AbortController();\n\n let aborted;\n\n const onabort = function (reason) {\n if (!aborted) {\n aborted = true;\n unsubscribe();\n const err = reason instanceof Error ? reason : this.reason;\n controller.abort(\n err instanceof _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"]\n ? err\n : new _cancel_CanceledError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"](err instanceof Error ? err.message : err)\n );\n }\n };\n\n let timer =\n timeout &&\n setTimeout(() => {\n timer = null;\n onabort(new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"](`timeout of ${timeout}ms exceeded`, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].ETIMEDOUT));\n }, timeout);\n\n const unsubscribe = () => {\n if (signals) {\n timer && clearTimeout(timer);\n timer = null;\n signals.forEach((signal) => {\n signal.unsubscribe\n ? signal.unsubscribe(onabort)\n : signal.removeEventListener('abort', onabort);\n });\n signals = null;\n }\n };\n\n signals.forEach((signal) => signal.addEventListener('abort', onabort));\n\n const { signal } = controller;\n\n signal.unsubscribe = () => _utils_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].asap(unsubscribe);\n\n return signal;\n }\n};\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (composeSignals);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/composeSignals.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/cookies.js":
/*!***************************************************!*\
!*** ./node_modules/axios/lib/helpers/cookies.js ***!
\***************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (_platform_index_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].hasStandardBrowserEnv\n ? // Standard browser envs support document.cookie\n {\n write(name, value, expires, path, domain, secure, sameSite) {\n if (typeof document === 'undefined') return;\n\n const cookie = [`${name}=${encodeURIComponent(value)}`];\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isNumber(expires)) {\n cookie.push(`expires=${new Date(expires).toUTCString()}`);\n }\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(path)) {\n cookie.push(`path=${path}`);\n }\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(domain)) {\n cookie.push(`domain=${domain}`);\n }\n if (secure === true) {\n cookie.push('secure');\n }\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(sameSite)) {\n cookie.push(`SameSite=${sameSite}`);\n }\n\n document.cookie = cookie.join('; ');\n },\n\n read(name) {\n if (typeof document === 'undefined') return null;\n const match = document.cookie.match(new RegExp('(?:^|; )' + name + '=([^;]*)'));\n return match ? decodeURIComponent(match[1]) : null;\n },\n\n remove(name) {\n this.write(name, '', Date.now() - 86400000, '/');\n },\n }\n : // Non-standard browser env (web workers, react-native) lack needed support.\n {\n write() {},\n read() {\n return null;\n },\n remove() {},\n });\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/cookies.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/estimateDataURLDecodedBytes.js":
/*!***********************************************************************!*\
!*** ./node_modules/axios/lib/helpers/estimateDataURLDecodedBytes.js ***!
\***********************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return estimateDataURLDecodedBytes; });\n/**\n * Estimate decoded byte length of a data:// URL *without* allocating large buffers.\n * - For base64: compute exact decoded size using length and padding;\n * handle %XX at the character-count level (no string allocation).\n * - For non-base64: use UTF-8 byteLength of the encoded body as a safe upper bound.\n *\n * @param {string} url\n * @returns {number}\n */\nfunction estimateDataURLDecodedBytes(url) {\n if (!url || typeof url !== 'string') return 0;\n if (!url.startsWith('data:')) return 0;\n\n const comma = url.indexOf(',');\n if (comma < 0) return 0;\n\n const meta = url.slice(5, comma);\n const body = url.slice(comma + 1);\n const isBase64 = /;base64/i.test(meta);\n\n if (isBase64) {\n let effectiveLen = body.length;\n const len = body.length; // cache length\n\n for (let i = 0; i < len; i++) {\n if (body.charCodeAt(i) === 37 /* '%' */ && i + 2 < len) {\n const a = body.charCodeAt(i + 1);\n const b = body.charCodeAt(i + 2);\n const isHex =\n ((a >= 48 && a <= 57) || (a >= 65 && a <= 70) || (a >= 97 && a <= 102)) &&\n ((b >= 48 && b <= 57) || (b >= 65 && b <= 70) || (b >= 97 && b <= 102));\n\n if (isHex) {\n effectiveLen -= 2;\n i += 2;\n }\n }\n }\n\n let pad = 0;\n let idx = len - 1;\n\n const tailIsPct3D = (j) =>\n j >= 2 &&\n body.charCodeAt(j - 2) === 37 && // '%'\n body.charCodeAt(j - 1) === 51 && // '3'\n (body.charCodeAt(j) === 68 || body.charCodeAt(j) === 100); // 'D' or 'd'\n\n if (idx >= 0) {\n if (body.charCodeAt(idx) === 61 /* '=' */) {\n pad++;\n idx--;\n } else if (tailIsPct3D(idx)) {\n pad++;\n idx -= 3;\n }\n }\n\n if (pad === 1 && idx >= 0) {\n if (body.charCodeAt(idx) === 61 /* '=' */) {\n pad++;\n } else if (tailIsPct3D(idx)) {\n pad++;\n }\n }\n\n const groups = Math.floor(effectiveLen / 4);\n const bytes = groups * 3 - (pad || 0);\n return bytes > 0 ? bytes : 0;\n }\n\n return Buffer.byteLength(body, 'utf8');\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/estimateDataURLDecodedBytes.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/formDataToJSON.js":
/*!**********************************************************!*\
!*** ./node_modules/axios/lib/helpers/formDataToJSON.js ***!
\**********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\n/**\n * It takes a string like `foo[x][y][z]` and returns an array like `['foo', 'x', 'y', 'z']\n *\n * @param {string} name - The name of the property to get.\n *\n * @returns An array of strings.\n */\nfunction parsePropPath(name) {\n // foo[x][y][z]\n // foo.x.y.z\n // foo-x-y-z\n // foo x y z\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].matchAll(/\\w+|\\[(\\w*)]/g, name).map((match) => {\n return match[0] === '[]' ? '' : match[1] || match[0];\n });\n}\n\n/**\n * Convert an array to an object.\n *\n * @param {Array<any>} arr - The array to convert to an object.\n *\n * @returns An object with the same keys and values as the array.\n */\nfunction arrayToObject(arr) {\n const obj = {};\n const keys = Object.keys(arr);\n let i;\n const len = keys.length;\n let key;\n for (i = 0; i < len; i++) {\n key = keys[i];\n obj[key] = arr[key];\n }\n return obj;\n}\n\n/**\n * It takes a FormData object and returns a JavaScript object\n *\n * @param {string} formData The FormData object to convert to JSON.\n *\n * @returns {Object<string, any> | null} The converted object.\n */\nfunction formDataToJSON(formData) {\n function buildPath(path, value, target, index) {\n let name = path[index++];\n\n if (name === '__proto__') return true;\n\n const isNumericKey = Number.isFinite(+name);\n const isLast = index >= path.length;\n name = !name && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(target) ? target.length : name;\n\n if (isLast) {\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].hasOwnProp(target, name)) {\n target[name] = [target[name], value];\n } else {\n target[name] = value;\n }\n\n return !isNumericKey;\n }\n\n if (!target[name] || !_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isObject(target[name])) {\n target[name] = [];\n }\n\n const result = buildPath(path, value, target[name], index);\n\n if (result && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(target[name])) {\n target[name] = arrayToObject(target[name]);\n }\n\n return !isNumericKey;\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFormData(formData) && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(formData.entries)) {\n const obj = {};\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEachEntry(formData, (name, value) => {\n buildPath(parsePropPath(name), value, obj, 0);\n });\n\n return obj;\n }\n\n return null;\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (formDataToJSON);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/formDataToJSON.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/formDataToStream.js":
/*!************************************************************!*\
!*** ./node_modules/axios/lib/helpers/formDataToStream.js ***!
\************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var util__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! util */ \"util\");\n/* harmony import */ var util__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(util__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! stream */ \"stream\");\n/* harmony import */ var stream__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(stream__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _readBlob_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./readBlob.js */ \"./node_modules/axios/lib/helpers/readBlob.js\");\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n\n\n\n\n\n\nconst BOUNDARY_ALPHABET = _platform_index_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"].ALPHABET.ALPHA_DIGIT + '-_';\n\nconst textEncoder = typeof TextEncoder === 'function' ? new TextEncoder() : new util__WEBPACK_IMPORTED_MODULE_0___default.a.TextEncoder();\n\nconst CRLF = '\\r\\n';\nconst CRLF_BYTES = textEncoder.encode(CRLF);\nconst CRLF_BYTES_COUNT = 2;\n\nclass FormDataPart {\n constructor(name, value) {\n const { escapeName } = this.constructor;\n const isStringValue = _utils_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].isString(value);\n\n let headers = `Content-Disposition: form-data; name=\"${escapeName(name)}\"${\n !isStringValue && value.name ? `; filename=\"${escapeName(value.name)}\"` : ''\n }${CRLF}`;\n\n if (isStringValue) {\n value = textEncoder.encode(String(value).replace(/\\r?\\n|\\r\\n?/g, CRLF));\n } else {\n headers += `Content-Type: ${value.type || 'application/octet-stream'}${CRLF}`;\n }\n\n this.headers = textEncoder.encode(headers + CRLF);\n\n this.contentLength = isStringValue ? value.byteLength : value.size;\n\n this.size = this.headers.byteLength + this.contentLength + CRLF_BYTES_COUNT;\n\n this.name = name;\n this.value = value;\n }\n\n async *encode() {\n yield this.headers;\n\n const { value } = this;\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].isTypedArray(value)) {\n yield value;\n } else {\n yield* Object(_readBlob_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(value);\n }\n\n yield CRLF_BYTES;\n }\n\n static escapeName(name) {\n return String(name).replace(\n /[\\r\\n\"]/g,\n (match) =>\n ({\n '\\r': '%0D',\n '\\n': '%0A',\n '\"': '%22',\n })[match]\n );\n }\n}\n\nconst formDataToStream = (form, headersHandler, options) => {\n const {\n tag = 'form-data-boundary',\n size = 25,\n boundary = tag + '-' + _platform_index_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"].generateString(size, BOUNDARY_ALPHABET),\n } = options || {};\n\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].isFormData(form)) {\n throw TypeError('FormData instance required');\n }\n\n if (boundary.length < 1 || boundary.length > 70) {\n throw Error('boundary must be 10-70 characters long');\n }\n\n const boundaryBytes = textEncoder.encode('--' + boundary + CRLF);\n const footerBytes = textEncoder.encode('--' + boundary + '--' + CRLF);\n let contentLength = footerBytes.byteLength;\n\n const parts = Array.from(form.entries()).map(([name, value]) => {\n const part = new FormDataPart(name, value);\n contentLength += part.size;\n return part;\n });\n\n contentLength += boundaryBytes.byteLength * parts.length;\n\n contentLength = _utils_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].toFiniteNumber(contentLength);\n\n const computedHeaders = {\n 'Content-Type': `multipart/form-data; boundary=${boundary}`,\n };\n\n if (Number.isFinite(contentLength)) {\n computedHeaders['Content-Length'] = contentLength;\n }\n\n headersHandler && headersHandler(computedHeaders);\n\n return stream__WEBPACK_IMPORTED_MODULE_1__[\"Readable\"].from(\n (async function* () {\n for (const part of parts) {\n yield boundaryBytes;\n yield* part.encode();\n }\n\n yield footerBytes;\n })()\n );\n};\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (formDataToStream);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/formDataToStream.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/fromDataURI.js":
/*!*******************************************************!*\
!*** ./node_modules/axios/lib/helpers/fromDataURI.js ***!
\*******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return fromDataURI; });\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _parseProtocol_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./parseProtocol.js */ \"./node_modules/axios/lib/helpers/parseProtocol.js\");\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n\n\n\n\n\n\nconst DATA_URL_PATTERN = /^(?:([^;]+);)?(?:[^;]+;)?(base64|),([\\s\\S]*)$/;\n\n/**\n * Parse data uri to a Buffer or Blob\n *\n * @param {String} uri\n * @param {?Boolean} asBlob\n * @param {?Object} options\n * @param {?Function} options.Blob\n *\n * @returns {Buffer|Blob}\n */\nfunction fromDataURI(uri, asBlob, options) {\n const _Blob = (options && options.Blob) || _platform_index_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].classes.Blob;\n const protocol = Object(_parseProtocol_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(uri);\n\n if (asBlob === undefined && _Blob) {\n asBlob = true;\n }\n\n if (protocol === 'data') {\n uri = protocol.length ? uri.slice(protocol.length + 1) : uri;\n\n const match = DATA_URL_PATTERN.exec(uri);\n\n if (!match) {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"]('Invalid URL', _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].ERR_INVALID_URL);\n }\n\n const mime = match[1];\n const isBase64 = match[2];\n const body = match[3];\n const buffer = Buffer.from(decodeURIComponent(body), isBase64 ? 'base64' : 'utf8');\n\n if (asBlob) {\n if (!_Blob) {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"]('Blob is not supported', _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].ERR_NOT_SUPPORT);\n }\n\n return new _Blob([buffer], { type: mime });\n }\n\n return buffer;\n }\n\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"]('Unsupported protocol ' + protocol, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].ERR_NOT_SUPPORT);\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/fromDataURI.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/isAbsoluteURL.js":
/*!*********************************************************!*\
!*** ./node_modules/axios/lib/helpers/isAbsoluteURL.js ***!
\*********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return isAbsoluteURL; });\n\n\n/**\n * Determines whether the specified URL is absolute\n *\n * @param {string} url The URL to test\n *\n * @returns {boolean} True if the specified URL is absolute, otherwise false\n */\nfunction isAbsoluteURL(url) {\n // A URL is considered absolute if it begins with \"<scheme>://\" or \"//\" (protocol-relative URL).\n // RFC 3986 defines scheme name as a sequence of characters beginning with a letter and followed\n // by any combination of letters, digits, plus, period, or hyphen.\n if (typeof url !== 'string') {\n return false;\n }\n\n return /^([a-z][a-z\\d+\\-.]*:)?\\/\\//i.test(url);\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/isAbsoluteURL.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/isAxiosError.js":
/*!********************************************************!*\
!*** ./node_modules/axios/lib/helpers/isAxiosError.js ***!
\********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return isAxiosError; });\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\n/**\n * Determines whether the payload is an error thrown by Axios\n *\n * @param {*} payload The value to test\n *\n * @returns {boolean} True if the payload is an error thrown by Axios, otherwise false\n */\nfunction isAxiosError(payload) {\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isObject(payload) && payload.isAxiosError === true;\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/isAxiosError.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/isURLSameOrigin.js":
/*!***********************************************************!*\
!*** ./node_modules/axios/lib/helpers/isURLSameOrigin.js ***!
\***********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (_platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].hasStandardBrowserEnv\n ? ((origin, isMSIE) => (url) => {\n url = new URL(url, _platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].origin);\n\n return (\n origin.protocol === url.protocol &&\n origin.host === url.host &&\n (isMSIE || origin.port === url.port)\n );\n })(\n new URL(_platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].origin),\n _platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].navigator && /(msie|trident)/i.test(_platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].navigator.userAgent)\n )\n : () => true);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/isURLSameOrigin.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/parseHeaders.js":
/*!********************************************************!*\
!*** ./node_modules/axios/lib/helpers/parseHeaders.js ***!
\********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\n// RawAxiosHeaders whose duplicates are ignored by node\n// c.f. https://nodejs.org/api/http.html#http_message_headers\nconst ignoreDuplicateOf = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toObjectSet([\n 'age',\n 'authorization',\n 'content-length',\n 'content-type',\n 'etag',\n 'expires',\n 'from',\n 'host',\n 'if-modified-since',\n 'if-unmodified-since',\n 'last-modified',\n 'location',\n 'max-forwards',\n 'proxy-authorization',\n 'referer',\n 'retry-after',\n 'user-agent',\n]);\n\n/**\n * Parse headers into an object\n *\n * ```\n * Date: Wed, 27 Aug 2014 08:58:49 GMT\n * Content-Type: application/json\n * Connection: keep-alive\n * Transfer-Encoding: chunked\n * ```\n *\n * @param {String} rawHeaders Headers needing to be parsed\n *\n * @returns {Object} Headers parsed into an object\n */\n/* harmony default export */ __webpack_exports__[\"default\"] = ((rawHeaders) => {\n const parsed = {};\n let key;\n let val;\n let i;\n\n rawHeaders &&\n rawHeaders.split('\\n').forEach(function parser(line) {\n i = line.indexOf(':');\n key = line.substring(0, i).trim().toLowerCase();\n val = line.substring(i + 1).trim();\n\n if (!key || (parsed[key] && ignoreDuplicateOf[key])) {\n return;\n }\n\n if (key === 'set-cookie') {\n if (parsed[key]) {\n parsed[key].push(val);\n } else {\n parsed[key] = [val];\n }\n } else {\n parsed[key] = parsed[key] ? parsed[key] + ', ' + val : val;\n }\n });\n\n return parsed;\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/parseHeaders.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/parseProtocol.js":
/*!*********************************************************!*\
!*** ./node_modules/axios/lib/helpers/parseProtocol.js ***!
\*********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return parseProtocol; });\n\n\nfunction parseProtocol(url) {\n const match = /^([-+\\w]{1,25})(:?\\/\\/|:)/.exec(url);\n return (match && match[1]) || '';\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/parseProtocol.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/progressEventReducer.js":
/*!****************************************************************!*\
!*** ./node_modules/axios/lib/helpers/progressEventReducer.js ***!
\****************************************************************/
/*! exports provided: progressEventReducer, progressEventDecorator, asyncDecorator */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"progressEventReducer\", function() { return progressEventReducer; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"progressEventDecorator\", function() { return progressEventDecorator; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"asyncDecorator\", function() { return asyncDecorator; });\n/* harmony import */ var _speedometer_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./speedometer.js */ \"./node_modules/axios/lib/helpers/speedometer.js\");\n/* harmony import */ var _throttle_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./throttle.js */ \"./node_modules/axios/lib/helpers/throttle.js\");\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n\n\n\n\nconst progressEventReducer = (listener, isDownloadStream, freq = 3) => {\n let bytesNotified = 0;\n const _speedometer = Object(_speedometer_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"])(50, 250);\n\n return Object(_throttle_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])((e) => {\n const loaded = e.loaded;\n const total = e.lengthComputable ? e.total : undefined;\n const progressBytes = loaded - bytesNotified;\n const rate = _speedometer(progressBytes);\n const inRange = loaded <= total;\n\n bytesNotified = loaded;\n\n const data = {\n loaded,\n total,\n progress: total ? loaded / total : undefined,\n bytes: progressBytes,\n rate: rate ? rate : undefined,\n estimated: rate && total && inRange ? (total - loaded) / rate : undefined,\n event: e,\n lengthComputable: total != null,\n [isDownloadStream ? 'download' : 'upload']: true,\n };\n\n listener(data);\n }, freq);\n};\n\nconst progressEventDecorator = (total, throttled) => {\n const lengthComputable = total != null;\n\n return [\n (loaded) =>\n throttled[0]({\n lengthComputable,\n total,\n loaded,\n }),\n throttled[1],\n ];\n};\n\nconst asyncDecorator =\n (fn) =>\n (...args) =>\n _utils_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].asap(() => fn(...args));\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/progressEventReducer.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/readBlob.js":
/*!****************************************************!*\
!*** ./node_modules/axios/lib/helpers/readBlob.js ***!
\****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\nconst { asyncIterator } = Symbol;\n\nconst readBlob = async function* (blob) {\n if (blob.stream) {\n yield* blob.stream();\n } else if (blob.arrayBuffer) {\n yield await blob.arrayBuffer();\n } else if (blob[asyncIterator]) {\n yield* blob[asyncIterator]();\n } else {\n yield blob;\n }\n};\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (readBlob);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/readBlob.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/resolveConfig.js":
/*!*********************************************************!*\
!*** ./node_modules/axios/lib/helpers/resolveConfig.js ***!
\*********************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _isURLSameOrigin_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./isURLSameOrigin.js */ \"./node_modules/axios/lib/helpers/isURLSameOrigin.js\");\n/* harmony import */ var _cookies_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./cookies.js */ \"./node_modules/axios/lib/helpers/cookies.js\");\n/* harmony import */ var _core_buildFullPath_js__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../core/buildFullPath.js */ \"./node_modules/axios/lib/core/buildFullPath.js\");\n/* harmony import */ var _core_mergeConfig_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../core/mergeConfig.js */ \"./node_modules/axios/lib/core/mergeConfig.js\");\n/* harmony import */ var _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../core/AxiosHeaders.js */ \"./node_modules/axios/lib/core/AxiosHeaders.js\");\n/* harmony import */ var _buildURL_js__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./buildURL.js */ \"./node_modules/axios/lib/helpers/buildURL.js\");\n\n\n\n\n\n\n\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = ((config) => {\n const newConfig = Object(_core_mergeConfig_js__WEBPACK_IMPORTED_MODULE_5__[\"default\"])({}, config);\n\n let { data, withXSRFToken, xsrfHeaderName, xsrfCookieName, headers, auth } = newConfig;\n\n newConfig.headers = headers = _core_AxiosHeaders_js__WEBPACK_IMPORTED_MODULE_6__[\"default\"].from(headers);\n\n newConfig.url = Object(_buildURL_js__WEBPACK_IMPORTED_MODULE_7__[\"default\"])(\n Object(_core_buildFullPath_js__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(newConfig.baseURL, newConfig.url, newConfig.allowAbsoluteUrls),\n config.params,\n config.paramsSerializer\n );\n\n // HTTP basic authentication\n if (auth) {\n headers.set(\n 'Authorization',\n 'Basic ' +\n btoa(\n (auth.username || '') +\n ':' +\n (auth.password ? unescape(encodeURIComponent(auth.password)) : '')\n )\n );\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isFormData(data)) {\n if (_platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].hasStandardBrowserEnv || _platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].hasStandardBrowserWebWorkerEnv) {\n headers.setContentType(undefined); // browser handles it\n } else if (_utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isFunction(data.getHeaders)) {\n // Node.js FormData (like form-data package)\n const formHeaders = data.getHeaders();\n // Only set safe headers to avoid overwriting security headers\n const allowedHeaders = ['content-type', 'content-length'];\n Object.entries(formHeaders).forEach(([key, val]) => {\n if (allowedHeaders.includes(key.toLowerCase())) {\n headers.set(key, val);\n }\n });\n }\n }\n\n // Add xsrf header\n // This is only done if running in a standard browser environment.\n // Specifically not if we're in a web worker, or react-native.\n\n if (_platform_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].hasStandardBrowserEnv) {\n withXSRFToken && _utils_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].isFunction(withXSRFToken) && (withXSRFToken = withXSRFToken(newConfig));\n\n if (withXSRFToken || (withXSRFToken !== false && Object(_isURLSameOrigin_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"])(newConfig.url))) {\n // Add xsrf header\n const xsrfValue = xsrfHeaderName && xsrfCookieName && _cookies_js__WEBPACK_IMPORTED_MODULE_3__[\"default\"].read(xsrfCookieName);\n\n if (xsrfValue) {\n headers.set(xsrfHeaderName, xsrfValue);\n }\n }\n }\n\n return newConfig;\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/resolveConfig.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/speedometer.js":
/*!*******************************************************!*\
!*** ./node_modules/axios/lib/helpers/speedometer.js ***!
\*******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n\n\n/**\n * Calculate data maxRate\n * @param {Number} [samplesCount= 10]\n * @param {Number} [min= 1000]\n * @returns {Function}\n */\nfunction speedometer(samplesCount, min) {\n samplesCount = samplesCount || 10;\n const bytes = new Array(samplesCount);\n const timestamps = new Array(samplesCount);\n let head = 0;\n let tail = 0;\n let firstSampleTS;\n\n min = min !== undefined ? min : 1000;\n\n return function push(chunkLength) {\n const now = Date.now();\n\n const startedAt = timestamps[tail];\n\n if (!firstSampleTS) {\n firstSampleTS = now;\n }\n\n bytes[head] = chunkLength;\n timestamps[head] = now;\n\n let i = tail;\n let bytesCount = 0;\n\n while (i !== head) {\n bytesCount += bytes[i++];\n i = i % samplesCount;\n }\n\n head = (head + 1) % samplesCount;\n\n if (head === tail) {\n tail = (tail + 1) % samplesCount;\n }\n\n if (now - firstSampleTS < min) {\n return;\n }\n\n const passed = startedAt && now - startedAt;\n\n return passed ? Math.round((bytesCount * 1000) / passed) : undefined;\n };\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (speedometer);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/speedometer.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/spread.js":
/*!**************************************************!*\
!*** ./node_modules/axios/lib/helpers/spread.js ***!
\**************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return spread; });\n\n\n/**\n * Syntactic sugar for invoking a function and expanding an array for arguments.\n *\n * Common use case would be to use `Function.prototype.apply`.\n *\n * ```js\n * function f(x, y, z) {}\n * const args = [1, 2, 3];\n * f.apply(null, args);\n * ```\n *\n * With `spread` this example can be re-written.\n *\n * ```js\n * spread(function(x, y, z) {})([1, 2, 3]);\n * ```\n *\n * @param {Function} callback\n *\n * @returns {Function}\n */\nfunction spread(callback) {\n return function wrap(arr) {\n return callback.apply(null, arr);\n };\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/spread.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/throttle.js":
/*!****************************************************!*\
!*** ./node_modules/axios/lib/helpers/throttle.js ***!
\****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/**\n * Throttle decorator\n * @param {Function} fn\n * @param {Number} freq\n * @return {Function}\n */\nfunction throttle(fn, freq) {\n let timestamp = 0;\n let threshold = 1000 / freq;\n let lastArgs;\n let timer;\n\n const invoke = (args, now = Date.now()) => {\n timestamp = now;\n lastArgs = null;\n if (timer) {\n clearTimeout(timer);\n timer = null;\n }\n fn(...args);\n };\n\n const throttled = (...args) => {\n const now = Date.now();\n const passed = now - timestamp;\n if (passed >= threshold) {\n invoke(args, now);\n } else {\n lastArgs = args;\n if (!timer) {\n timer = setTimeout(() => {\n timer = null;\n invoke(lastArgs);\n }, threshold - passed);\n }\n }\n };\n\n const flush = () => lastArgs && invoke(lastArgs);\n\n return [throttled, flush];\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (throttle);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/throttle.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/toFormData.js":
/*!******************************************************!*\
!*** ./node_modules/axios/lib/helpers/toFormData.js ***!
\******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n/* harmony import */ var _platform_node_classes_FormData_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../platform/node/classes/FormData.js */ \"./node_modules/axios/lib/platform/node/classes/FormData.js\");\n\n\n\n\n// temporary hotfix to avoid circular references until AxiosURLSearchParams is refactored\n\n\n/**\n * Determines if the given thing is a array or js object.\n *\n * @param {string} thing - The object or array to be visited.\n *\n * @returns {boolean}\n */\nfunction isVisitable(thing) {\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isPlainObject(thing) || _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(thing);\n}\n\n/**\n * It removes the brackets from the end of a string\n *\n * @param {string} key - The key of the parameter.\n *\n * @returns {string} the key without the brackets.\n */\nfunction removeBrackets(key) {\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].endsWith(key, '[]') ? key.slice(0, -2) : key;\n}\n\n/**\n * It takes a path, a key, and a boolean, and returns a string\n *\n * @param {string} path - The path to the current key.\n * @param {string} key - The key of the current object being iterated over.\n * @param {string} dots - If true, the key will be rendered with dots instead of brackets.\n *\n * @returns {string} The path to the current key.\n */\nfunction renderKey(path, key, dots) {\n if (!path) return key;\n return path\n .concat(key)\n .map(function each(token, i) {\n // eslint-disable-next-line no-param-reassign\n token = removeBrackets(token);\n return !dots && i ? '[' + token + ']' : token;\n })\n .join(dots ? '.' : '');\n}\n\n/**\n * If the array is an array and none of its elements are visitable, then it's a flat array.\n *\n * @param {Array<any>} arr - The array to check\n *\n * @returns {boolean}\n */\nfunction isFlatArray(arr) {\n return _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(arr) && !arr.some(isVisitable);\n}\n\nconst predicates = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toFlatObject(_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"], {}, null, function filter(prop) {\n return /^is[A-Z]/.test(prop);\n});\n\n/**\n * Convert a data object to FormData\n *\n * @param {Object} obj\n * @param {?Object} [formData]\n * @param {?Object} [options]\n * @param {Function} [options.visitor]\n * @param {Boolean} [options.metaTokens = true]\n * @param {Boolean} [options.dots = false]\n * @param {?Boolean} [options.indexes = false]\n *\n * @returns {Object}\n **/\n\n/**\n * It converts an object into a FormData object\n *\n * @param {Object<any, any>} obj - The object to convert to form data.\n * @param {string} formData - The FormData object to append to.\n * @param {Object<string, any>} options\n *\n * @returns\n */\nfunction toFormData(obj, formData, options) {\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isObject(obj)) {\n throw new TypeError('target must be an object');\n }\n\n // eslint-disable-next-line no-param-reassign\n formData = formData || new (_platform_node_classes_FormData_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"] || FormData)();\n\n // eslint-disable-next-line no-param-reassign\n options = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toFlatObject(\n options,\n {\n metaTokens: true,\n dots: false,\n indexes: false,\n },\n false,\n function defined(option, source) {\n // eslint-disable-next-line no-eq-null,eqeqeq\n return !_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(source[option]);\n }\n );\n\n const metaTokens = options.metaTokens;\n // eslint-disable-next-line no-use-before-define\n const visitor = options.visitor || defaultVisitor;\n const dots = options.dots;\n const indexes = options.indexes;\n const _Blob = options.Blob || (typeof Blob !== 'undefined' && Blob);\n const useBlob = _Blob && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isSpecCompliantForm(formData);\n\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFunction(visitor)) {\n throw new TypeError('visitor must be a function');\n }\n\n function convertValue(value) {\n if (value === null) return '';\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isDate(value)) {\n return value.toISOString();\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isBoolean(value)) {\n return value.toString();\n }\n\n if (!useBlob && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isBlob(value)) {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"]('Blob is not supported. Use a Buffer instead.');\n }\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArrayBuffer(value) || _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isTypedArray(value)) {\n return useBlob && typeof Blob === 'function' ? new Blob([value]) : Buffer.from(value);\n }\n\n return value;\n }\n\n /**\n * Default visitor.\n *\n * @param {*} value\n * @param {String|Number} key\n * @param {Array<String|Number>} path\n * @this {FormData}\n *\n * @returns {boolean} return true to visit the each prop of the value recursively\n */\n function defaultVisitor(value, key, path) {\n let arr = value;\n\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isReactNative(formData) && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isReactNativeBlob(value)) {\n formData.append(renderKey(path, key, dots), convertValue(value));\n return false;\n }\n\n if (value && !path && typeof value === 'object') {\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].endsWith(key, '{}')) {\n // eslint-disable-next-line no-param-reassign\n key = metaTokens ? key : key.slice(0, -2);\n // eslint-disable-next-line no-param-reassign\n value = JSON.stringify(value);\n } else if (\n (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isArray(value) && isFlatArray(value)) ||\n ((_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isFileList(value) || _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].endsWith(key, '[]')) && (arr = _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].toArray(value)))\n ) {\n // eslint-disable-next-line no-param-reassign\n key = removeBrackets(key);\n\n arr.forEach(function each(el, index) {\n !(_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(el) || el === null) &&\n formData.append(\n // eslint-disable-next-line no-nested-ternary\n indexes === true\n ? renderKey([key], index, dots)\n : indexes === null\n ? key\n : key + '[]',\n convertValue(el)\n );\n });\n return false;\n }\n }\n\n if (isVisitable(value)) {\n return true;\n }\n\n formData.append(renderKey(path, key, dots), convertValue(value));\n\n return false;\n }\n\n const stack = [];\n\n const exposedHelpers = Object.assign(predicates, {\n defaultVisitor,\n convertValue,\n isVisitable,\n });\n\n function build(value, path) {\n if (_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(value)) return;\n\n if (stack.indexOf(value) !== -1) {\n throw Error('Circular reference detected in ' + path.join('.'));\n }\n\n stack.push(value);\n\n _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].forEach(value, function each(el, key) {\n const result =\n !(_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isUndefined(el) || el === null) &&\n visitor.call(formData, el, _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isString(key) ? key.trim() : key, path, exposedHelpers);\n\n if (result === true) {\n build(el, path ? path.concat(key) : [key]);\n }\n });\n\n stack.pop();\n }\n\n if (!_utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isObject(obj)) {\n throw new TypeError('data must be an object');\n }\n\n build(obj);\n\n return formData;\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (toFormData);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/toFormData.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/toURLEncodedForm.js":
/*!************************************************************!*\
!*** ./node_modules/axios/lib/helpers/toURLEncodedForm.js ***!
\************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return toURLEncodedForm; });\n/* harmony import */ var _utils_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils.js */ \"./node_modules/axios/lib/utils.js\");\n/* harmony import */ var _toFormData_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./toFormData.js */ \"./node_modules/axios/lib/helpers/toFormData.js\");\n/* harmony import */ var _platform_index_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../platform/index.js */ \"./node_modules/axios/lib/platform/index.js\");\n\n\n\n\n\n\nfunction toURLEncodedForm(data, options) {\n return Object(_toFormData_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(data, new _platform_index_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].classes.URLSearchParams(), {\n visitor: function (value, key, path, helpers) {\n if (_platform_index_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"].isNode && _utils_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"].isBuffer(value)) {\n this.append(key, value.toString('base64'));\n return false;\n }\n\n return helpers.defaultVisitor.apply(this, arguments);\n },\n ...options,\n });\n}\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/toURLEncodedForm.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/trackStream.js":
/*!*******************************************************!*\
!*** ./node_modules/axios/lib/helpers/trackStream.js ***!
\*******************************************************/
/*! exports provided: streamChunk, readBytes, trackStream */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"streamChunk\", function() { return streamChunk; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"readBytes\", function() { return readBytes; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"trackStream\", function() { return trackStream; });\nconst streamChunk = function* (chunk, chunkSize) {\n let len = chunk.byteLength;\n\n if (!chunkSize || len < chunkSize) {\n yield chunk;\n return;\n }\n\n let pos = 0;\n let end;\n\n while (pos < len) {\n end = pos + chunkSize;\n yield chunk.slice(pos, end);\n pos = end;\n }\n};\n\nconst readBytes = async function* (iterable, chunkSize) {\n for await (const chunk of readStream(iterable)) {\n yield* streamChunk(chunk, chunkSize);\n }\n};\n\nconst readStream = async function* (stream) {\n if (stream[Symbol.asyncIterator]) {\n yield* stream;\n return;\n }\n\n const reader = stream.getReader();\n try {\n for (;;) {\n const { done, value } = await reader.read();\n if (done) {\n break;\n }\n yield value;\n }\n } finally {\n await reader.cancel();\n }\n};\n\nconst trackStream = (stream, chunkSize, onProgress, onFinish) => {\n const iterator = readBytes(stream, chunkSize);\n\n let bytes = 0;\n let done;\n let _onFinish = (e) => {\n if (!done) {\n done = true;\n onFinish && onFinish(e);\n }\n };\n\n return new ReadableStream(\n {\n async pull(controller) {\n try {\n const { done, value } = await iterator.next();\n\n if (done) {\n _onFinish();\n controller.close();\n return;\n }\n\n let len = value.byteLength;\n if (onProgress) {\n let loadedBytes = (bytes += len);\n onProgress(loadedBytes);\n }\n controller.enqueue(new Uint8Array(value));\n } catch (err) {\n _onFinish(err);\n throw err;\n }\n },\n cancel(reason) {\n _onFinish(reason);\n return iterator.return();\n },\n },\n {\n highWaterMark: 2,\n }\n );\n};\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/trackStream.js?");
/***/ }),
/***/ "./node_modules/axios/lib/helpers/validator.js":
/*!*****************************************************!*\
!*** ./node_modules/axios/lib/helpers/validator.js ***!
\*****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _env_data_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../env/data.js */ \"./node_modules/axios/lib/env/data.js\");\n/* harmony import */ var _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../core/AxiosError.js */ \"./node_modules/axios/lib/core/AxiosError.js\");\n\n\n\n\n\nconst validators = {};\n\n// eslint-disable-next-line func-names\n['object', 'boolean', 'number', 'function', 'string', 'symbol'].forEach((type, i) => {\n validators[type] = function validator(thing) {\n return typeof thing === type || 'a' + (i < 1 ? 'n ' : ' ') + type;\n };\n});\n\nconst deprecatedWarnings = {};\n\n/**\n * Transitional option validator\n *\n * @param {function|boolean?} validator - set to false if the transitional option has been removed\n * @param {string?} version - deprecated version / removed since version\n * @param {string?} message - some message with additional info\n *\n * @returns {function}\n */\nvalidators.transitional = function transitional(validator, version, message) {\n function formatMessage(opt, desc) {\n return (\n '[Axios v' +\n _env_data_js__WEBPACK_IMPORTED_MODULE_0__[\"VERSION\"] +\n \"] Transitional option '\" +\n opt +\n \"'\" +\n desc +\n (message ? '. ' + message : '')\n );\n }\n\n // eslint-disable-next-line func-names\n return (value, opt, opts) => {\n if (validator === false) {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"](\n formatMessage(opt, ' has been removed' + (version ? ' in ' + version : '')),\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].ERR_DEPRECATED\n );\n }\n\n if (version && !deprecatedWarnings[opt]) {\n deprecatedWarnings[opt] = true;\n // eslint-disable-next-line no-console\n console.warn(\n formatMessage(\n opt,\n ' has been deprecated since v' + version + ' and will be removed in the near future'\n )\n );\n }\n\n return validator ? validator(value, opt, opts) : true;\n };\n};\n\nvalidators.spelling = function spelling(correctSpelling) {\n return (value, opt) => {\n // eslint-disable-next-line no-console\n console.warn(`${opt} is likely a misspelling of ${correctSpelling}`);\n return true;\n };\n};\n\n/**\n * Assert object's properties type\n *\n * @param {object} options\n * @param {object} schema\n * @param {boolean?} allowUnknown\n *\n * @returns {object}\n */\n\nfunction assertOptions(options, schema, allowUnknown) {\n if (typeof options !== 'object') {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"]('options must be an object', _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].ERR_BAD_OPTION_VALUE);\n }\n const keys = Object.keys(options);\n let i = keys.length;\n while (i-- > 0) {\n const opt = keys[i];\n const validator = schema[opt];\n if (validator) {\n const value = options[opt];\n const result = value === undefined || validator(value, opt, options);\n if (result !== true) {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"](\n 'option ' + opt + ' must be ' + result,\n _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].ERR_BAD_OPTION_VALUE\n );\n }\n continue;\n }\n if (allowUnknown !== true) {\n throw new _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"]('Unknown option ' + opt, _core_AxiosError_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"].ERR_BAD_OPTION);\n }\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = ({\n assertOptions,\n validators,\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/helpers/validator.js?");
/***/ }),
/***/ "./node_modules/axios/lib/platform/common/utils.js":
/*!*********************************************************!*\
!*** ./node_modules/axios/lib/platform/common/utils.js ***!
\*********************************************************/
/*! exports provided: hasBrowserEnv, hasStandardBrowserWebWorkerEnv, hasStandardBrowserEnv, navigator, origin */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"hasBrowserEnv\", function() { return hasBrowserEnv; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"hasStandardBrowserWebWorkerEnv\", function() { return hasStandardBrowserWebWorkerEnv; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"hasStandardBrowserEnv\", function() { return hasStandardBrowserEnv; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"navigator\", function() { return _navigator; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"origin\", function() { return origin; });\nconst hasBrowserEnv = typeof window !== 'undefined' && typeof document !== 'undefined';\n\nconst _navigator = (typeof navigator === 'object' && navigator) || undefined;\n\n/**\n * Determine if we're running in a standard browser environment\n *\n * This allows axios to run in a web worker, and react-native.\n * Both environments support XMLHttpRequest, but not fully standard globals.\n *\n * web workers:\n * typeof window -> undefined\n * typeof document -> undefined\n *\n * react-native:\n * navigator.product -> 'ReactNative'\n * nativescript\n * navigator.product -> 'NativeScript' or 'NS'\n *\n * @returns {boolean}\n */\nconst hasStandardBrowserEnv =\n hasBrowserEnv &&\n (!_navigator || ['ReactNative', 'NativeScript', 'NS'].indexOf(_navigator.product) < 0);\n\n/**\n * Determine if we're running in a standard browser webWorker environment\n *\n * Although the `isStandardBrowserEnv` method indicates that\n * `allows axios to run in a web worker`, the WebWorker will still be\n * filtered out due to its judgment standard\n * `typeof window !== 'undefined' && typeof document !== 'undefined'`.\n * This leads to a problem when axios post `FormData` in webWorker\n */\nconst hasStandardBrowserWebWorkerEnv = (() => {\n return (\n typeof WorkerGlobalScope !== 'undefined' &&\n // eslint-disable-next-line no-undef\n self instanceof WorkerGlobalScope &&\n typeof self.importScripts === 'function'\n );\n})();\n\nconst origin = (hasBrowserEnv && window.location.href) || 'http://localhost';\n\n\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/platform/common/utils.js?");
/***/ }),
/***/ "./node_modules/axios/lib/platform/index.js":
/*!**************************************************!*\
!*** ./node_modules/axios/lib/platform/index.js ***!
\**************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _node_index_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./node/index.js */ \"./node_modules/axios/lib/platform/node/index.js\");\n/* harmony import */ var _common_utils_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./common/utils.js */ \"./node_modules/axios/lib/platform/common/utils.js\");\n\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = ({\n ..._common_utils_js__WEBPACK_IMPORTED_MODULE_1__,\n ..._node_index_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"],\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/platform/index.js?");
/***/ }),
/***/ "./node_modules/axios/lib/platform/node/classes/FormData.js":
/*!******************************************************************!*\
!*** ./node_modules/axios/lib/platform/node/classes/FormData.js ***!
\******************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var form_data__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! form-data */ \"./node_modules/form-data/lib/form_data.js\");\n/* harmony import */ var form_data__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(form_data__WEBPACK_IMPORTED_MODULE_0__);\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (form_data__WEBPACK_IMPORTED_MODULE_0___default.a);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/platform/node/classes/FormData.js?");
/***/ }),
/***/ "./node_modules/axios/lib/platform/node/classes/URLSearchParams.js":
/*!*************************************************************************!*\
!*** ./node_modules/axios/lib/platform/node/classes/URLSearchParams.js ***!
\*************************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var url__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! url */ \"url\");\n/* harmony import */ var url__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(url__WEBPACK_IMPORTED_MODULE_0__);\n\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (url__WEBPACK_IMPORTED_MODULE_0___default.a.URLSearchParams);\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/platform/node/classes/URLSearchParams.js?");
/***/ }),
/***/ "./node_modules/axios/lib/platform/node/index.js":
/*!*******************************************************!*\
!*** ./node_modules/axios/lib/platform/node/index.js ***!
\*******************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var crypto__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! crypto */ \"crypto\");\n/* harmony import */ var crypto__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(crypto__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var _classes_URLSearchParams_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./classes/URLSearchParams.js */ \"./node_modules/axios/lib/platform/node/classes/URLSearchParams.js\");\n/* harmony import */ var _classes_FormData_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./classes/FormData.js */ \"./node_modules/axios/lib/platform/node/classes/FormData.js\");\n\n\n\n\nconst ALPHA = 'abcdefghijklmnopqrstuvwxyz';\n\nconst DIGIT = '0123456789';\n\nconst ALPHABET = {\n DIGIT,\n ALPHA,\n ALPHA_DIGIT: ALPHA + ALPHA.toUpperCase() + DIGIT,\n};\n\nconst generateString = (size = 16, alphabet = ALPHABET.ALPHA_DIGIT) => {\n let str = '';\n const { length } = alphabet;\n const randomValues = new Uint32Array(size);\n crypto__WEBPACK_IMPORTED_MODULE_0___default.a.randomFillSync(randomValues);\n for (let i = 0; i < size; i++) {\n str += alphabet[randomValues[i] % length];\n }\n\n return str;\n};\n\n/* harmony default export */ __webpack_exports__[\"default\"] = ({\n isNode: true,\n classes: {\n URLSearchParams: _classes_URLSearchParams_js__WEBPACK_IMPORTED_MODULE_1__[\"default\"],\n FormData: _classes_FormData_js__WEBPACK_IMPORTED_MODULE_2__[\"default\"],\n Blob: (typeof Blob !== 'undefined' && Blob) || null,\n },\n ALPHABET,\n generateString,\n protocols: ['http', 'https', 'file', 'data'],\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/platform/node/index.js?");
/***/ }),
/***/ "./node_modules/axios/lib/utils.js":
/*!*****************************************!*\
!*** ./node_modules/axios/lib/utils.js ***!
\*****************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _helpers_bind_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./helpers/bind.js */ \"./node_modules/axios/lib/helpers/bind.js\");\n\n\n\n\n// utils is a library of generic helper functions non-specific to axios\n\nconst { toString } = Object.prototype;\nconst { getPrototypeOf } = Object;\nconst { iterator, toStringTag } = Symbol;\n\nconst kindOf = ((cache) => (thing) => {\n const str = toString.call(thing);\n return cache[str] || (cache[str] = str.slice(8, -1).toLowerCase());\n})(Object.create(null));\n\nconst kindOfTest = (type) => {\n type = type.toLowerCase();\n return (thing) => kindOf(thing) === type;\n};\n\nconst typeOfTest = (type) => (thing) => typeof thing === type;\n\n/**\n * Determine if a value is a non-null object\n *\n * @param {Object} val The value to test\n *\n * @returns {boolean} True if value is an Array, otherwise false\n */\nconst { isArray } = Array;\n\n/**\n * Determine if a value is undefined\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if the value is undefined, otherwise false\n */\nconst isUndefined = typeOfTest('undefined');\n\n/**\n * Determine if a value is a Buffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Buffer, otherwise false\n */\nfunction isBuffer(val) {\n return (\n val !== null &&\n !isUndefined(val) &&\n val.constructor !== null &&\n !isUndefined(val.constructor) &&\n isFunction(val.constructor.isBuffer) &&\n val.constructor.isBuffer(val)\n );\n}\n\n/**\n * Determine if a value is an ArrayBuffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is an ArrayBuffer, otherwise false\n */\nconst isArrayBuffer = kindOfTest('ArrayBuffer');\n\n/**\n * Determine if a value is a view on an ArrayBuffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a view on an ArrayBuffer, otherwise false\n */\nfunction isArrayBufferView(val) {\n let result;\n if (typeof ArrayBuffer !== 'undefined' && ArrayBuffer.isView) {\n result = ArrayBuffer.isView(val);\n } else {\n result = val && val.buffer && isArrayBuffer(val.buffer);\n }\n return result;\n}\n\n/**\n * Determine if a value is a String\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a String, otherwise false\n */\nconst isString = typeOfTest('string');\n\n/**\n * Determine if a value is a Function\n *\n * @param {*} val The value to test\n * @returns {boolean} True if value is a Function, otherwise false\n */\nconst isFunction = typeOfTest('function');\n\n/**\n * Determine if a value is a Number\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Number, otherwise false\n */\nconst isNumber = typeOfTest('number');\n\n/**\n * Determine if a value is an Object\n *\n * @param {*} thing The value to test\n *\n * @returns {boolean} True if value is an Object, otherwise false\n */\nconst isObject = (thing) => thing !== null && typeof thing === 'object';\n\n/**\n * Determine if a value is a Boolean\n *\n * @param {*} thing The value to test\n * @returns {boolean} True if value is a Boolean, otherwise false\n */\nconst isBoolean = (thing) => thing === true || thing === false;\n\n/**\n * Determine if a value is a plain Object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a plain Object, otherwise false\n */\nconst isPlainObject = (val) => {\n if (kindOf(val) !== 'object') {\n return false;\n }\n\n const prototype = getPrototypeOf(val);\n return (\n (prototype === null ||\n prototype === Object.prototype ||\n Object.getPrototypeOf(prototype) === null) &&\n !(toStringTag in val) &&\n !(iterator in val)\n );\n};\n\n/**\n * Determine if a value is an empty object (safely handles Buffers)\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is an empty object, otherwise false\n */\nconst isEmptyObject = (val) => {\n // Early return for non-objects or Buffers to prevent RangeError\n if (!isObject(val) || isBuffer(val)) {\n return false;\n }\n\n try {\n return Object.keys(val).length === 0 && Object.getPrototypeOf(val) === Object.prototype;\n } catch (e) {\n // Fallback for any other objects that might cause RangeError with Object.keys()\n return false;\n }\n};\n\n/**\n * Determine if a value is a Date\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Date, otherwise false\n */\nconst isDate = kindOfTest('Date');\n\n/**\n * Determine if a value is a File\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a File, otherwise false\n */\nconst isFile = kindOfTest('File');\n\n/**\n * Determine if a value is a React Native Blob\n * React Native \"blob\": an object with a `uri` attribute. Optionally, it can\n * also have a `name` and `type` attribute to specify filename and content type\n *\n * @see https://github.com/facebook/react-native/blob/26684cf3adf4094eb6c405d345a75bf8c7c0bf88/Libraries/Network/FormData.js#L68-L71\n * \n * @param {*} value The value to test\n * \n * @returns {boolean} True if value is a React Native Blob, otherwise false\n */\nconst isReactNativeBlob = (value) => {\n return !!(value && typeof value.uri !== 'undefined');\n}\n\n/**\n * Determine if environment is React Native\n * ReactNative `FormData` has a non-standard `getParts()` method\n * \n * @param {*} formData The formData to test\n * \n * @returns {boolean} True if environment is React Native, otherwise false\n */\nconst isReactNative = (formData) => formData && typeof formData.getParts !== 'undefined';\n\n/**\n * Determine if a value is a Blob\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Blob, otherwise false\n */\nconst isBlob = kindOfTest('Blob');\n\n/**\n * Determine if a value is a FileList\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a File, otherwise false\n */\nconst isFileList = kindOfTest('FileList');\n\n/**\n * Determine if a value is a Stream\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Stream, otherwise false\n */\nconst isStream = (val) => isObject(val) && isFunction(val.pipe);\n\n/**\n * Determine if a value is a FormData\n *\n * @param {*} thing The value to test\n *\n * @returns {boolean} True if value is an FormData, otherwise false\n */\nfunction getGlobal() {\n if (typeof globalThis !== 'undefined') return globalThis;\n if (typeof self !== 'undefined') return self;\n if (typeof window !== 'undefined') return window;\n if (typeof global !== 'undefined') return global;\n return {};\n}\n\nconst G = getGlobal();\nconst FormDataCtor = typeof G.FormData !== 'undefined' ? G.FormData : undefined;\n\nconst isFormData = (thing) => {\n let kind;\n return thing && (\n (FormDataCtor && thing instanceof FormDataCtor) || (\n isFunction(thing.append) && (\n (kind = kindOf(thing)) === 'formdata' ||\n // detect form-data instance\n (kind === 'object' && isFunction(thing.toString) && thing.toString() === '[object FormData]')\n )\n )\n );\n};\n\n/**\n * Determine if a value is a URLSearchParams object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a URLSearchParams object, otherwise false\n */\nconst isURLSearchParams = kindOfTest('URLSearchParams');\n\nconst [isReadableStream, isRequest, isResponse, isHeaders] = [\n 'ReadableStream',\n 'Request',\n 'Response',\n 'Headers',\n].map(kindOfTest);\n\n/**\n * Trim excess whitespace off the beginning and end of a string\n *\n * @param {String} str The String to trim\n *\n * @returns {String} The String freed of excess whitespace\n */\nconst trim = (str) => {\n return str.trim ? str.trim() : str.replace(/^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g, '');\n};\n/**\n * Iterate over an Array or an Object invoking a function for each item.\n *\n * If `obj` is an Array callback will be called passing\n * the value, index, and complete array for each item.\n *\n * If 'obj' is an Object callback will be called passing\n * the value, key, and complete object for each property.\n *\n * @param {Object|Array<unknown>} obj The object to iterate\n * @param {Function} fn The callback to invoke for each item\n *\n * @param {Object} [options]\n * @param {Boolean} [options.allOwnKeys = false]\n * @returns {any}\n */\nfunction forEach(obj, fn, { allOwnKeys = false } = {}) {\n // Don't bother if no value provided\n if (obj === null || typeof obj === 'undefined') {\n return;\n }\n\n let i;\n let l;\n\n // Force an array if not already something iterable\n if (typeof obj !== 'object') {\n /*eslint no-param-reassign:0*/\n obj = [obj];\n }\n\n if (isArray(obj)) {\n // Iterate over array values\n for (i = 0, l = obj.length; i < l; i++) {\n fn.call(null, obj[i], i, obj);\n }\n } else {\n // Buffer check\n if (isBuffer(obj)) {\n return;\n }\n\n // Iterate over object keys\n const keys = allOwnKeys ? Object.getOwnPropertyNames(obj) : Object.keys(obj);\n const len = keys.length;\n let key;\n\n for (i = 0; i < len; i++) {\n key = keys[i];\n fn.call(null, obj[key], key, obj);\n }\n }\n}\n\n/**\n * Finds a key in an object, case-insensitive, returning the actual key name.\n * Returns null if the object is a Buffer or if no match is found.\n *\n * @param {Object} obj - The object to search.\n * @param {string} key - The key to find (case-insensitive).\n * @returns {?string} The actual key name if found, otherwise null.\n */\nfunction findKey(obj, key) {\n if (isBuffer(obj)) {\n return null;\n }\n\n key = key.toLowerCase();\n const keys = Object.keys(obj);\n let i = keys.length;\n let _key;\n while (i-- > 0) {\n _key = keys[i];\n if (key === _key.toLowerCase()) {\n return _key;\n }\n }\n return null;\n}\n\nconst _global = (() => {\n /*eslint no-undef:0*/\n if (typeof globalThis !== 'undefined') return globalThis;\n return typeof self !== 'undefined' ? self : typeof window !== 'undefined' ? window : global;\n})();\n\nconst isContextDefined = (context) => !isUndefined(context) && context !== _global;\n\n/**\n * Accepts varargs expecting each argument to be an object, then\n * immutably merges the properties of each object and returns result.\n *\n * When multiple objects contain the same key the later object in\n * the arguments list will take precedence.\n *\n * Example:\n *\n * ```js\n * const result = merge({foo: 123}, {foo: 456});\n * console.log(result.foo); // outputs 456\n * ```\n *\n * @param {Object} obj1 Object to merge\n *\n * @returns {Object} Result of all merge properties\n */\nfunction merge(/* obj1, obj2, obj3, ... */) {\n const { caseless, skipUndefined } = (isContextDefined(this) && this) || {};\n const result = {};\n const assignValue = (val, key) => {\n // Skip dangerous property names to prevent prototype pollution\n if (key === '__proto__' || key === 'constructor' || key === 'prototype') {\n return;\n }\n\n const targetKey = (caseless && findKey(result, key)) || key;\n if (isPlainObject(result[targetKey]) && isPlainObject(val)) {\n result[targetKey] = merge(result[targetKey], val);\n } else if (isPlainObject(val)) {\n result[targetKey] = merge({}, val);\n } else if (isArray(val)) {\n result[targetKey] = val.slice();\n } else if (!skipUndefined || !isUndefined(val)) {\n result[targetKey] = val;\n }\n };\n\n for (let i = 0, l = arguments.length; i < l; i++) {\n arguments[i] && forEach(arguments[i], assignValue);\n }\n return result;\n}\n\n/**\n * Extends object a by mutably adding to it the properties of object b.\n *\n * @param {Object} a The object to be extended\n * @param {Object} b The object to copy properties from\n * @param {Object} thisArg The object to bind function to\n *\n * @param {Object} [options]\n * @param {Boolean} [options.allOwnKeys]\n * @returns {Object} The resulting value of object a\n */\nconst extend = (a, b, thisArg, { allOwnKeys } = {}) => {\n forEach(\n b,\n (val, key) => {\n if (thisArg && isFunction(val)) {\n Object.defineProperty(a, key, {\n value: Object(_helpers_bind_js__WEBPACK_IMPORTED_MODULE_0__[\"default\"])(val, thisArg),\n writable: true,\n enumerable: true,\n configurable: true,\n });\n } else {\n Object.defineProperty(a, key, {\n value: val,\n writable: true,\n enumerable: true,\n configurable: true,\n });\n }\n },\n { allOwnKeys }\n );\n return a;\n};\n\n/**\n * Remove byte order marker. This catches EF BB BF (the UTF-8 BOM)\n *\n * @param {string} content with BOM\n *\n * @returns {string} content value without BOM\n */\nconst stripBOM = (content) => {\n if (content.charCodeAt(0) === 0xfeff) {\n content = content.slice(1);\n }\n return content;\n};\n\n/**\n * Inherit the prototype methods from one constructor into another\n * @param {function} constructor\n * @param {function} superConstructor\n * @param {object} [props]\n * @param {object} [descriptors]\n *\n * @returns {void}\n */\nconst inherits = (constructor, superConstructor, props, descriptors) => {\n constructor.prototype = Object.create(superConstructor.prototype, descriptors);\n Object.defineProperty(constructor.prototype, 'constructor', {\n value: constructor,\n writable: true,\n enumerable: false,\n configurable: true,\n });\n Object.defineProperty(constructor, 'super', {\n value: superConstructor.prototype,\n });\n props && Object.assign(constructor.prototype, props);\n};\n\n/**\n * Resolve object with deep prototype chain to a flat object\n * @param {Object} sourceObj source object\n * @param {Object} [destObj]\n * @param {Function|Boolean} [filter]\n * @param {Function} [propFilter]\n *\n * @returns {Object}\n */\nconst toFlatObject = (sourceObj, destObj, filter, propFilter) => {\n let props;\n let i;\n let prop;\n const merged = {};\n\n destObj = destObj || {};\n // eslint-disable-next-line no-eq-null,eqeqeq\n if (sourceObj == null) return destObj;\n\n do {\n props = Object.getOwnPropertyNames(sourceObj);\n i = props.length;\n while (i-- > 0) {\n prop = props[i];\n if ((!propFilter || propFilter(prop, sourceObj, destObj)) && !merged[prop]) {\n destObj[prop] = sourceObj[prop];\n merged[prop] = true;\n }\n }\n sourceObj = filter !== false && getPrototypeOf(sourceObj);\n } while (sourceObj && (!filter || filter(sourceObj, destObj)) && sourceObj !== Object.prototype);\n\n return destObj;\n};\n\n/**\n * Determines whether a string ends with the characters of a specified string\n *\n * @param {String} str\n * @param {String} searchString\n * @param {Number} [position= 0]\n *\n * @returns {boolean}\n */\nconst endsWith = (str, searchString, position) => {\n str = String(str);\n if (position === undefined || position > str.length) {\n position = str.length;\n }\n position -= searchString.length;\n const lastIndex = str.indexOf(searchString, position);\n return lastIndex !== -1 && lastIndex === position;\n};\n\n/**\n * Returns new array from array like object or null if failed\n *\n * @param {*} [thing]\n *\n * @returns {?Array}\n */\nconst toArray = (thing) => {\n if (!thing) return null;\n if (isArray(thing)) return thing;\n let i = thing.length;\n if (!isNumber(i)) return null;\n const arr = new Array(i);\n while (i-- > 0) {\n arr[i] = thing[i];\n }\n return arr;\n};\n\n/**\n * Checking if the Uint8Array exists and if it does, it returns a function that checks if the\n * thing passed in is an instance of Uint8Array\n *\n * @param {TypedArray}\n *\n * @returns {Array}\n */\n// eslint-disable-next-line func-names\nconst isTypedArray = ((TypedArray) => {\n // eslint-disable-next-line func-names\n return (thing) => {\n return TypedArray && thing instanceof TypedArray;\n };\n})(typeof Uint8Array !== 'undefined' && getPrototypeOf(Uint8Array));\n\n/**\n * For each entry in the object, call the function with the key and value.\n *\n * @param {Object<any, any>} obj - The object to iterate over.\n * @param {Function} fn - The function to call for each entry.\n *\n * @returns {void}\n */\nconst forEachEntry = (obj, fn) => {\n const generator = obj && obj[iterator];\n\n const _iterator = generator.call(obj);\n\n let result;\n\n while ((result = _iterator.next()) && !result.done) {\n const pair = result.value;\n fn.call(obj, pair[0], pair[1]);\n }\n};\n\n/**\n * It takes a regular expression and a string, and returns an array of all the matches\n *\n * @param {string} regExp - The regular expression to match against.\n * @param {string} str - The string to search.\n *\n * @returns {Array<boolean>}\n */\nconst matchAll = (regExp, str) => {\n let matches;\n const arr = [];\n\n while ((matches = regExp.exec(str)) !== null) {\n arr.push(matches);\n }\n\n return arr;\n};\n\n/* Checking if the kindOfTest function returns true when passed an HTMLFormElement. */\nconst isHTMLForm = kindOfTest('HTMLFormElement');\n\nconst toCamelCase = (str) => {\n return str.toLowerCase().replace(/[-_\\s]([a-z\\d])(\\w*)/g, function replacer(m, p1, p2) {\n return p1.toUpperCase() + p2;\n });\n};\n\n/* Creating a function that will check if an object has a property. */\nconst hasOwnProperty = (\n ({ hasOwnProperty }) =>\n (obj, prop) =>\n hasOwnProperty.call(obj, prop)\n)(Object.prototype);\n\n/**\n * Determine if a value is a RegExp object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a RegExp object, otherwise false\n */\nconst isRegExp = kindOfTest('RegExp');\n\nconst reduceDescriptors = (obj, reducer) => {\n const descriptors = Object.getOwnPropertyDescriptors(obj);\n const reducedDescriptors = {};\n\n forEach(descriptors, (descriptor, name) => {\n let ret;\n if ((ret = reducer(descriptor, name, obj)) !== false) {\n reducedDescriptors[name] = ret || descriptor;\n }\n });\n\n Object.defineProperties(obj, reducedDescriptors);\n};\n\n/**\n * Makes all methods read-only\n * @param {Object} obj\n */\n\nconst freezeMethods = (obj) => {\n reduceDescriptors(obj, (descriptor, name) => {\n // skip restricted props in strict mode\n if (isFunction(obj) && ['arguments', 'caller', 'callee'].indexOf(name) !== -1) {\n return false;\n }\n\n const value = obj[name];\n\n if (!isFunction(value)) return;\n\n descriptor.enumerable = false;\n\n if ('writable' in descriptor) {\n descriptor.writable = false;\n return;\n }\n\n if (!descriptor.set) {\n descriptor.set = () => {\n throw Error(\"Can not rewrite read-only method '\" + name + \"'\");\n };\n }\n });\n};\n\n/**\n * Converts an array or a delimited string into an object set with values as keys and true as values.\n * Useful for fast membership checks.\n *\n * @param {Array|string} arrayOrString - The array or string to convert.\n * @param {string} delimiter - The delimiter to use if input is a string.\n * @returns {Object} An object with keys from the array or string, values set to true.\n */\nconst toObjectSet = (arrayOrString, delimiter) => {\n const obj = {};\n\n const define = (arr) => {\n arr.forEach((value) => {\n obj[value] = true;\n });\n };\n\n isArray(arrayOrString) ? define(arrayOrString) : define(String(arrayOrString).split(delimiter));\n\n return obj;\n};\n\nconst noop = () => {};\n\nconst toFiniteNumber = (value, defaultValue) => {\n return value != null && Number.isFinite((value = +value)) ? value : defaultValue;\n};\n\n/**\n * If the thing is a FormData object, return true, otherwise return false.\n *\n * @param {unknown} thing - The thing to check.\n *\n * @returns {boolean}\n */\nfunction isSpecCompliantForm(thing) {\n return !!(\n thing &&\n isFunction(thing.append) &&\n thing[toStringTag] === 'FormData' &&\n thing[iterator]\n );\n}\n\n/**\n * Recursively converts an object to a JSON-compatible object, handling circular references and Buffers.\n *\n * @param {Object} obj - The object to convert.\n * @returns {Object} The JSON-compatible object.\n */\nconst toJSONObject = (obj) => {\n const stack = new Array(10);\n\n const visit = (source, i) => {\n if (isObject(source)) {\n if (stack.indexOf(source) >= 0) {\n return;\n }\n\n //Buffer check\n if (isBuffer(source)) {\n return source;\n }\n\n if (!('toJSON' in source)) {\n stack[i] = source;\n const target = isArray(source) ? [] : {};\n\n forEach(source, (value, key) => {\n const reducedValue = visit(value, i + 1);\n !isUndefined(reducedValue) && (target[key] = reducedValue);\n });\n\n stack[i] = undefined;\n\n return target;\n }\n }\n\n return source;\n };\n\n return visit(obj, 0);\n};\n\n/**\n * Determines if a value is an async function.\n *\n * @param {*} thing - The value to test.\n * @returns {boolean} True if value is an async function, otherwise false.\n */\nconst isAsyncFn = kindOfTest('AsyncFunction');\n\n/**\n * Determines if a value is thenable (has then and catch methods).\n *\n * @param {*} thing - The value to test.\n * @returns {boolean} True if value is thenable, otherwise false.\n */\nconst isThenable = (thing) =>\n thing &&\n (isObject(thing) || isFunction(thing)) &&\n isFunction(thing.then) &&\n isFunction(thing.catch);\n\n// original code\n// https://github.com/DigitalBrainJS/AxiosPromise/blob/16deab13710ec09779922131f3fa5954320f83ab/lib/utils.js#L11-L34\n\n/**\n * Provides a cross-platform setImmediate implementation.\n * Uses native setImmediate if available, otherwise falls back to postMessage or setTimeout.\n *\n * @param {boolean} setImmediateSupported - Whether setImmediate is supported.\n * @param {boolean} postMessageSupported - Whether postMessage is supported.\n * @returns {Function} A function to schedule a callback asynchronously.\n */\nconst _setImmediate = ((setImmediateSupported, postMessageSupported) => {\n if (setImmediateSupported) {\n return setImmediate;\n }\n\n return postMessageSupported\n ? ((token, callbacks) => {\n _global.addEventListener(\n 'message',\n ({ source, data }) => {\n if (source === _global && data === token) {\n callbacks.length && callbacks.shift()();\n }\n },\n false\n );\n\n return (cb) => {\n callbacks.push(cb);\n _global.postMessage(token, '*');\n };\n })(`axios@${Math.random()}`, [])\n : (cb) => setTimeout(cb);\n})(typeof setImmediate === 'function', isFunction(_global.postMessage));\n\n/**\n * Schedules a microtask or asynchronous callback as soon as possible.\n * Uses queueMicrotask if available, otherwise falls back to process.nextTick or _setImmediate.\n *\n * @type {Function}\n */\nconst asap =\n typeof queueMicrotask !== 'undefined'\n ? queueMicrotask.bind(_global)\n : (typeof process !== 'undefined' && process.nextTick) || _setImmediate;\n\n// *********************\n\nconst isIterable = (thing) => thing != null && isFunction(thing[iterator]);\n\n/* harmony default export */ __webpack_exports__[\"default\"] = ({\n isArray,\n isArrayBuffer,\n isBuffer,\n isFormData,\n isArrayBufferView,\n isString,\n isNumber,\n isBoolean,\n isObject,\n isPlainObject,\n isEmptyObject,\n isReadableStream,\n isRequest,\n isResponse,\n isHeaders,\n isUndefined,\n isDate,\n isFile,\n isReactNativeBlob,\n isReactNative,\n isBlob,\n isRegExp,\n isFunction,\n isStream,\n isURLSearchParams,\n isTypedArray,\n isFileList,\n forEach,\n merge,\n extend,\n trim,\n stripBOM,\n inherits,\n toFlatObject,\n kindOf,\n kindOfTest,\n endsWith,\n toArray,\n forEachEntry,\n matchAll,\n isHTMLForm,\n hasOwnProperty,\n hasOwnProp: hasOwnProperty, // an alias to avoid ESLint no-prototype-builtins detection\n reduceDescriptors,\n freezeMethods,\n toObjectSet,\n toCamelCase,\n noop,\n toFiniteNumber,\n findKey,\n global: _global,\n isContextDefined,\n isSpecCompliantForm,\n toJSONObject,\n isAsyncFn,\n isThenable,\n setImmediate: _setImmediate,\n asap,\n isIterable,\n});\n\n\n//# sourceURL=webpack:///./node_modules/axios/lib/utils.js?");
/***/ }),
/***/ "./node_modules/balanced-match/index.js":
/*!**********************************************!*\
!*** ./node_modules/balanced-match/index.js ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nmodule.exports = balanced;\nfunction balanced(a, b, str) {\n if (a instanceof RegExp) a = maybeMatch(a, str);\n if (b instanceof RegExp) b = maybeMatch(b, str);\n\n var r = range(a, b, str);\n\n return r && {\n start: r[0],\n end: r[1],\n pre: str.slice(0, r[0]),\n body: str.slice(r[0] + a.length, r[1]),\n post: str.slice(r[1] + b.length)\n };\n}\n\nfunction maybeMatch(reg, str) {\n var m = str.match(reg);\n return m ? m[0] : null;\n}\n\nbalanced.range = range;\nfunction range(a, b, str) {\n var begs, beg, left, right, result;\n var ai = str.indexOf(a);\n var bi = str.indexOf(b, ai + 1);\n var i = ai;\n\n if (ai >= 0 && bi > 0) {\n if(a===b) {\n return [ai, bi];\n }\n begs = [];\n left = str.length;\n\n while (i >= 0 && !result) {\n if (i == ai) {\n begs.push(i);\n ai = str.indexOf(a, i + 1);\n } else if (begs.length == 1) {\n result = [ begs.pop(), bi ];\n } else {\n beg = begs.pop();\n if (beg < left) {\n left = beg;\n right = bi;\n }\n\n bi = str.indexOf(b, i + 1);\n }\n\n i = ai < bi && ai >= 0 ? ai : bi;\n }\n\n if (begs.length) {\n result = [ left, right ];\n }\n }\n\n return result;\n}\n\n\n//# sourceURL=webpack:///./node_modules/balanced-match/index.js?");
/***/ }),
/***/ "./node_modules/brace-expansion/index.js":
/*!***********************************************!*\
!*** ./node_modules/brace-expansion/index.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var concatMap = __webpack_require__(/*! concat-map */ \"./node_modules/concat-map/index.js\");\nvar balanced = __webpack_require__(/*! balanced-match */ \"./node_modules/balanced-match/index.js\");\n\nmodule.exports = expandTop;\n\nvar escSlash = '\\0SLASH'+Math.random()+'\\0';\nvar escOpen = '\\0OPEN'+Math.random()+'\\0';\nvar escClose = '\\0CLOSE'+Math.random()+'\\0';\nvar escComma = '\\0COMMA'+Math.random()+'\\0';\nvar escPeriod = '\\0PERIOD'+Math.random()+'\\0';\n\nfunction numeric(str) {\n return parseInt(str, 10) == str\n ? parseInt(str, 10)\n : str.charCodeAt(0);\n}\n\nfunction escapeBraces(str) {\n return str.split('\\\\\\\\').join(escSlash)\n .split('\\\\{').join(escOpen)\n .split('\\\\}').join(escClose)\n .split('\\\\,').join(escComma)\n .split('\\\\.').join(escPeriod);\n}\n\nfunction unescapeBraces(str) {\n return str.split(escSlash).join('\\\\')\n .split(escOpen).join('{')\n .split(escClose).join('}')\n .split(escComma).join(',')\n .split(escPeriod).join('.');\n}\n\n\n// Basically just str.split(\",\"), but handling cases\n// where we have nested braced sections, which should be\n// treated as individual members, like {a,{b,c},d}\nfunction parseCommaParts(str) {\n if (!str)\n return [''];\n\n var parts = [];\n var m = balanced('{', '}', str);\n\n if (!m)\n return str.split(',');\n\n var pre = m.pre;\n var body = m.body;\n var post = m.post;\n var p = pre.split(',');\n\n p[p.length-1] += '{' + body + '}';\n var postParts = parseCommaParts(post);\n if (post.length) {\n p[p.length-1] += postParts.shift();\n p.push.apply(p, postParts);\n }\n\n parts.push.apply(parts, p);\n\n return parts;\n}\n\nfunction expandTop(str) {\n if (!str)\n return [];\n\n // I don't know why Bash 4.3 does this, but it does.\n // Anything starting with {} will have the first two bytes preserved\n // but *only* at the top level, so {},a}b will not expand to anything,\n // but a{},b}c will be expanded to [a}c,abc].\n // One could argue that this is a bug in Bash, but since the goal of\n // this module is to match Bash's rules, we escape a leading {}\n if (str.substr(0, 2) === '{}') {\n str = '\\\\{\\\\}' + str.substr(2);\n }\n\n return expand(escapeBraces(str), true).map(unescapeBraces);\n}\n\nfunction identity(e) {\n return e;\n}\n\nfunction embrace(str) {\n return '{' + str + '}';\n}\nfunction isPadded(el) {\n return /^-?0\\d/.test(el);\n}\n\nfunction lte(i, y) {\n return i <= y;\n}\nfunction gte(i, y) {\n return i >= y;\n}\n\nfunction expand(str, isTop) {\n var expansions = [];\n\n var m = balanced('{', '}', str);\n if (!m || /\\$$/.test(m.pre)) return [str];\n\n var isNumericSequence = /^-?\\d+\\.\\.-?\\d+(?:\\.\\.-?\\d+)?$/.test(m.body);\n var isAlphaSequence = /^[a-zA-Z]\\.\\.[a-zA-Z](?:\\.\\.-?\\d+)?$/.test(m.body);\n var isSequence = isNumericSequence || isAlphaSequence;\n var isOptions = m.body.indexOf(',') >= 0;\n if (!isSequence && !isOptions) {\n // {a},b}\n if (m.post.match(/,(?!,).*\\}/)) {\n str = m.pre + '{' + m.body + escClose + m.post;\n return expand(str);\n }\n return [str];\n }\n\n var n;\n if (isSequence) {\n n = m.body.split(/\\.\\./);\n } else {\n n = parseCommaParts(m.body);\n if (n.length === 1) {\n // x{{a,b}}y ==> x{a}y x{b}y\n n = expand(n[0], false).map(embrace);\n if (n.length === 1) {\n var post = m.post.length\n ? expand(m.post, false)\n : [''];\n return post.map(function(p) {\n return m.pre + n[0] + p;\n });\n }\n }\n }\n\n // at this point, n is the parts, and we know it's not a comma set\n // with a single entry.\n\n // no need to expand pre, since it is guaranteed to be free of brace-sets\n var pre = m.pre;\n var post = m.post.length\n ? expand(m.post, false)\n : [''];\n\n var N;\n\n if (isSequence) {\n var x = numeric(n[0]);\n var y = numeric(n[1]);\n var width = Math.max(n[0].length, n[1].length)\n var incr = n.length == 3\n ? Math.abs(numeric(n[2]))\n : 1;\n var test = lte;\n var reverse = y < x;\n if (reverse) {\n incr *= -1;\n test = gte;\n }\n var pad = n.some(isPadded);\n\n N = [];\n\n for (var i = x; test(i, y); i += incr) {\n var c;\n if (isAlphaSequence) {\n c = String.fromCharCode(i);\n if (c === '\\\\')\n c = '';\n } else {\n c = String(i);\n if (pad) {\n var need = width - c.length;\n if (need > 0) {\n var z = new Array(need + 1).join('0');\n if (i < 0)\n c = '-' + z + c.slice(1);\n else\n c = z + c;\n }\n }\n }\n N.push(c);\n }\n } else {\n N = concatMap(n, function(el) { return expand(el, false) });\n }\n\n for (var j = 0; j < N.length; j++) {\n for (var k = 0; k < post.length; k++) {\n var expansion = pre + N[j] + post[k];\n if (!isTop || isSequence || expansion)\n expansions.push(expansion);\n }\n }\n\n return expansions;\n}\n\n\n\n//# sourceURL=webpack:///./node_modules/brace-expansion/index.js?");
/***/ }),
/***/ "./node_modules/call-bind-apply-helpers/actualApply.js":
/*!*************************************************************!*\
!*** ./node_modules/call-bind-apply-helpers/actualApply.js ***!
\*************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar bind = __webpack_require__(/*! function-bind */ \"./node_modules/function-bind/index.js\");\n\nvar $apply = __webpack_require__(/*! ./functionApply */ \"./node_modules/call-bind-apply-helpers/functionApply.js\");\nvar $call = __webpack_require__(/*! ./functionCall */ \"./node_modules/call-bind-apply-helpers/functionCall.js\");\nvar $reflectApply = __webpack_require__(/*! ./reflectApply */ \"./node_modules/call-bind-apply-helpers/reflectApply.js\");\n\n/** @type {import('./actualApply')} */\nmodule.exports = $reflectApply || bind.call($call, $apply);\n\n\n//# sourceURL=webpack:///./node_modules/call-bind-apply-helpers/actualApply.js?");
/***/ }),
/***/ "./node_modules/call-bind-apply-helpers/functionApply.js":
/*!***************************************************************!*\
!*** ./node_modules/call-bind-apply-helpers/functionApply.js ***!
\***************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./functionApply')} */\nmodule.exports = Function.prototype.apply;\n\n\n//# sourceURL=webpack:///./node_modules/call-bind-apply-helpers/functionApply.js?");
/***/ }),
/***/ "./node_modules/call-bind-apply-helpers/functionCall.js":
/*!**************************************************************!*\
!*** ./node_modules/call-bind-apply-helpers/functionCall.js ***!
\**************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./functionCall')} */\nmodule.exports = Function.prototype.call;\n\n\n//# sourceURL=webpack:///./node_modules/call-bind-apply-helpers/functionCall.js?");
/***/ }),
/***/ "./node_modules/call-bind-apply-helpers/index.js":
/*!*******************************************************!*\
!*** ./node_modules/call-bind-apply-helpers/index.js ***!
\*******************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar bind = __webpack_require__(/*! function-bind */ \"./node_modules/function-bind/index.js\");\nvar $TypeError = __webpack_require__(/*! es-errors/type */ \"./node_modules/es-errors/type.js\");\n\nvar $call = __webpack_require__(/*! ./functionCall */ \"./node_modules/call-bind-apply-helpers/functionCall.js\");\nvar $actualApply = __webpack_require__(/*! ./actualApply */ \"./node_modules/call-bind-apply-helpers/actualApply.js\");\n\n/** @type {(args: [Function, thisArg?: unknown, ...args: unknown[]]) => Function} TODO FIXME, find a way to use import('.') */\nmodule.exports = function callBindBasic(args) {\n\tif (args.length < 1 || typeof args[0] !== 'function') {\n\t\tthrow new $TypeError('a function is required');\n\t}\n\treturn $actualApply(bind, $call, args);\n};\n\n\n//# sourceURL=webpack:///./node_modules/call-bind-apply-helpers/index.js?");
/***/ }),
/***/ "./node_modules/call-bind-apply-helpers/reflectApply.js":
/*!**************************************************************!*\
!*** ./node_modules/call-bind-apply-helpers/reflectApply.js ***!
\**************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./reflectApply')} */\nmodule.exports = typeof Reflect !== 'undefined' && Reflect && Reflect.apply;\n\n\n//# sourceURL=webpack:///./node_modules/call-bind-apply-helpers/reflectApply.js?");
/***/ }),
/***/ "./node_modules/combined-stream/lib/combined_stream.js":
/*!*************************************************************!*\
!*** ./node_modules/combined-stream/lib/combined_stream.js ***!
\*************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var util = __webpack_require__(/*! util */ \"util\");\nvar Stream = __webpack_require__(/*! stream */ \"stream\").Stream;\nvar DelayedStream = __webpack_require__(/*! delayed-stream */ \"./node_modules/delayed-stream/lib/delayed_stream.js\");\n\nmodule.exports = CombinedStream;\nfunction CombinedStream() {\n this.writable = false;\n this.readable = true;\n this.dataSize = 0;\n this.maxDataSize = 2 * 1024 * 1024;\n this.pauseStreams = true;\n\n this._released = false;\n this._streams = [];\n this._currentStream = null;\n this._insideLoop = false;\n this._pendingNext = false;\n}\nutil.inherits(CombinedStream, Stream);\n\nCombinedStream.create = function(options) {\n var combinedStream = new this();\n\n options = options || {};\n for (var option in options) {\n combinedStream[option] = options[option];\n }\n\n return combinedStream;\n};\n\nCombinedStream.isStreamLike = function(stream) {\n return (typeof stream !== 'function')\n && (typeof stream !== 'string')\n && (typeof stream !== 'boolean')\n && (typeof stream !== 'number')\n && (!Buffer.isBuffer(stream));\n};\n\nCombinedStream.prototype.append = function(stream) {\n var isStreamLike = CombinedStream.isStreamLike(stream);\n\n if (isStreamLike) {\n if (!(stream instanceof DelayedStream)) {\n var newStream = DelayedStream.create(stream, {\n maxDataSize: Infinity,\n pauseStream: this.pauseStreams,\n });\n stream.on('data', this._checkDataSize.bind(this));\n stream = newStream;\n }\n\n this._handleErrors(stream);\n\n if (this.pauseStreams) {\n stream.pause();\n }\n }\n\n this._streams.push(stream);\n return this;\n};\n\nCombinedStream.prototype.pipe = function(dest, options) {\n Stream.prototype.pipe.call(this, dest, options);\n this.resume();\n return dest;\n};\n\nCombinedStream.prototype._getNext = function() {\n this._currentStream = null;\n\n if (this._insideLoop) {\n this._pendingNext = true;\n return; // defer call\n }\n\n this._insideLoop = true;\n try {\n do {\n this._pendingNext = false;\n this._realGetNext();\n } while (this._pendingNext);\n } finally {\n this._insideLoop = false;\n }\n};\n\nCombinedStream.prototype._realGetNext = function() {\n var stream = this._streams.shift();\n\n\n if (typeof stream == 'undefined') {\n this.end();\n return;\n }\n\n if (typeof stream !== 'function') {\n this._pipeNext(stream);\n return;\n }\n\n var getStream = stream;\n getStream(function(stream) {\n var isStreamLike = CombinedStream.isStreamLike(stream);\n if (isStreamLike) {\n stream.on('data', this._checkDataSize.bind(this));\n this._handleErrors(stream);\n }\n\n this._pipeNext(stream);\n }.bind(this));\n};\n\nCombinedStream.prototype._pipeNext = function(stream) {\n this._currentStream = stream;\n\n var isStreamLike = CombinedStream.isStreamLike(stream);\n if (isStreamLike) {\n stream.on('end', this._getNext.bind(this));\n stream.pipe(this, {end: false});\n return;\n }\n\n var value = stream;\n this.write(value);\n this._getNext();\n};\n\nCombinedStream.prototype._handleErrors = function(stream) {\n var self = this;\n stream.on('error', function(err) {\n self._emitError(err);\n });\n};\n\nCombinedStream.prototype.write = function(data) {\n this.emit('data', data);\n};\n\nCombinedStream.prototype.pause = function() {\n if (!this.pauseStreams) {\n return;\n }\n\n if(this.pauseStreams && this._currentStream && typeof(this._currentStream.pause) == 'function') this._currentStream.pause();\n this.emit('pause');\n};\n\nCombinedStream.prototype.resume = function() {\n if (!this._released) {\n this._released = true;\n this.writable = true;\n this._getNext();\n }\n\n if(this.pauseStreams && this._currentStream && typeof(this._currentStream.resume) == 'function') this._currentStream.resume();\n this.emit('resume');\n};\n\nCombinedStream.prototype.end = function() {\n this._reset();\n this.emit('end');\n};\n\nCombinedStream.prototype.destroy = function() {\n this._reset();\n this.emit('close');\n};\n\nCombinedStream.prototype._reset = function() {\n this.writable = false;\n this._streams = [];\n this._currentStream = null;\n};\n\nCombinedStream.prototype._checkDataSize = function() {\n this._updateDataSize();\n if (this.dataSize <= this.maxDataSize) {\n return;\n }\n\n var message =\n 'DelayedStream#maxDataSize of ' + this.maxDataSize + ' bytes exceeded.';\n this._emitError(new Error(message));\n};\n\nCombinedStream.prototype._updateDataSize = function() {\n this.dataSize = 0;\n\n var self = this;\n this._streams.forEach(function(stream) {\n if (!stream.dataSize) {\n return;\n }\n\n self.dataSize += stream.dataSize;\n });\n\n if (this._currentStream && this._currentStream.dataSize) {\n this.dataSize += this._currentStream.dataSize;\n }\n};\n\nCombinedStream.prototype._emitError = function(err) {\n this._reset();\n this.emit('error', err);\n};\n\n\n//# sourceURL=webpack:///./node_modules/combined-stream/lib/combined_stream.js?");
/***/ }),
/***/ "./node_modules/concat-map/index.js":
/*!******************************************!*\
!*** ./node_modules/concat-map/index.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = function (xs, fn) {\n var res = [];\n for (var i = 0; i < xs.length; i++) {\n var x = fn(xs[i], i);\n if (isArray(x)) res.push.apply(res, x);\n else res.push(x);\n }\n return res;\n};\n\nvar isArray = Array.isArray || function (xs) {\n return Object.prototype.toString.call(xs) === '[object Array]';\n};\n\n\n//# sourceURL=webpack:///./node_modules/concat-map/index.js?");
/***/ }),
/***/ "./node_modules/core-util-is/lib/util.js":
/*!***********************************************!*\
!*** ./node_modules/core-util-is/lib/util.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n// NOTE: These type checking functions intentionally don't use `instanceof`\n// because it is fragile and can be easily faked with `Object.create()`.\n\nfunction isArray(arg) {\n if (Array.isArray) {\n return Array.isArray(arg);\n }\n return objectToString(arg) === '[object Array]';\n}\nexports.isArray = isArray;\n\nfunction isBoolean(arg) {\n return typeof arg === 'boolean';\n}\nexports.isBoolean = isBoolean;\n\nfunction isNull(arg) {\n return arg === null;\n}\nexports.isNull = isNull;\n\nfunction isNullOrUndefined(arg) {\n return arg == null;\n}\nexports.isNullOrUndefined = isNullOrUndefined;\n\nfunction isNumber(arg) {\n return typeof arg === 'number';\n}\nexports.isNumber = isNumber;\n\nfunction isString(arg) {\n return typeof arg === 'string';\n}\nexports.isString = isString;\n\nfunction isSymbol(arg) {\n return typeof arg === 'symbol';\n}\nexports.isSymbol = isSymbol;\n\nfunction isUndefined(arg) {\n return arg === void 0;\n}\nexports.isUndefined = isUndefined;\n\nfunction isRegExp(re) {\n return objectToString(re) === '[object RegExp]';\n}\nexports.isRegExp = isRegExp;\n\nfunction isObject(arg) {\n return typeof arg === 'object' && arg !== null;\n}\nexports.isObject = isObject;\n\nfunction isDate(d) {\n return objectToString(d) === '[object Date]';\n}\nexports.isDate = isDate;\n\nfunction isError(e) {\n return (objectToString(e) === '[object Error]' || e instanceof Error);\n}\nexports.isError = isError;\n\nfunction isFunction(arg) {\n return typeof arg === 'function';\n}\nexports.isFunction = isFunction;\n\nfunction isPrimitive(arg) {\n return arg === null ||\n typeof arg === 'boolean' ||\n typeof arg === 'number' ||\n typeof arg === 'string' ||\n typeof arg === 'symbol' || // ES6 symbol\n typeof arg === 'undefined';\n}\nexports.isPrimitive = isPrimitive;\n\nexports.isBuffer = __webpack_require__(/*! buffer */ \"buffer\").Buffer.isBuffer;\n\nfunction objectToString(o) {\n return Object.prototype.toString.call(o);\n}\n\n\n//# sourceURL=webpack:///./node_modules/core-util-is/lib/util.js?");
/***/ }),
/***/ "./node_modules/debug/src/browser.js":
/*!*******************************************!*\
!*** ./node_modules/debug/src/browser.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("/* eslint-env browser */\n\n/**\n * This is the web browser implementation of `debug()`.\n */\n\nexports.formatArgs = formatArgs;\nexports.save = save;\nexports.load = load;\nexports.useColors = useColors;\nexports.storage = localstorage();\nexports.destroy = (() => {\n\tlet warned = false;\n\n\treturn () => {\n\t\tif (!warned) {\n\t\t\twarned = true;\n\t\t\tconsole.warn('Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`.');\n\t\t}\n\t};\n})();\n\n/**\n * Colors.\n */\n\nexports.colors = [\n\t'#0000CC',\n\t'#0000FF',\n\t'#0033CC',\n\t'#0033FF',\n\t'#0066CC',\n\t'#0066FF',\n\t'#0099CC',\n\t'#0099FF',\n\t'#00CC00',\n\t'#00CC33',\n\t'#00CC66',\n\t'#00CC99',\n\t'#00CCCC',\n\t'#00CCFF',\n\t'#3300CC',\n\t'#3300FF',\n\t'#3333CC',\n\t'#3333FF',\n\t'#3366CC',\n\t'#3366FF',\n\t'#3399CC',\n\t'#3399FF',\n\t'#33CC00',\n\t'#33CC33',\n\t'#33CC66',\n\t'#33CC99',\n\t'#33CCCC',\n\t'#33CCFF',\n\t'#6600CC',\n\t'#6600FF',\n\t'#6633CC',\n\t'#6633FF',\n\t'#66CC00',\n\t'#66CC33',\n\t'#9900CC',\n\t'#9900FF',\n\t'#9933CC',\n\t'#9933FF',\n\t'#99CC00',\n\t'#99CC33',\n\t'#CC0000',\n\t'#CC0033',\n\t'#CC0066',\n\t'#CC0099',\n\t'#CC00CC',\n\t'#CC00FF',\n\t'#CC3300',\n\t'#CC3333',\n\t'#CC3366',\n\t'#CC3399',\n\t'#CC33CC',\n\t'#CC33FF',\n\t'#CC6600',\n\t'#CC6633',\n\t'#CC9900',\n\t'#CC9933',\n\t'#CCCC00',\n\t'#CCCC33',\n\t'#FF0000',\n\t'#FF0033',\n\t'#FF0066',\n\t'#FF0099',\n\t'#FF00CC',\n\t'#FF00FF',\n\t'#FF3300',\n\t'#FF3333',\n\t'#FF3366',\n\t'#FF3399',\n\t'#FF33CC',\n\t'#FF33FF',\n\t'#FF6600',\n\t'#FF6633',\n\t'#FF9900',\n\t'#FF9933',\n\t'#FFCC00',\n\t'#FFCC33'\n];\n\n/**\n * Currently only WebKit-based Web Inspectors, Firefox >= v31,\n * and the Firebug extension (any Firefox version) are known\n * to support \"%c\" CSS customizations.\n *\n * TODO: add a `localStorage` variable to explicitly enable/disable colors\n */\n\n// eslint-disable-next-line complexity\nfunction useColors() {\n\t// NB: In an Electron preload script, document will be defined but not fully\n\t// initialized. Since we know we're in Chrome, we'll just detect this case\n\t// explicitly\n\tif (typeof window !== 'undefined' && window.process && (window.process.type === 'renderer' || window.process.__nwjs)) {\n\t\treturn true;\n\t}\n\n\t// Internet Explorer and Edge do not support colors.\n\tif (typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/(edge|trident)\\/(\\d+)/)) {\n\t\treturn false;\n\t}\n\n\tlet m;\n\n\t// Is webkit? http://stackoverflow.com/a/16459606/376773\n\t// document is undefined in react-native: https://github.com/facebook/react-native/pull/1632\n\t// eslint-disable-next-line no-return-assign\n\treturn (typeof document !== 'undefined' && document.documentElement && document.documentElement.style && document.documentElement.style.WebkitAppearance) ||\n\t\t// Is firebug? http://stackoverflow.com/a/398120/376773\n\t\t(typeof window !== 'undefined' && window.console && (window.console.firebug || (window.console.exception && window.console.table))) ||\n\t\t// Is firefox >= v31?\n\t\t// https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages\n\t\t(typeof navigator !== 'undefined' && navigator.userAgent && (m = navigator.userAgent.toLowerCase().match(/firefox\\/(\\d+)/)) && parseInt(m[1], 10) >= 31) ||\n\t\t// Double check webkit in userAgent just in case we are in a worker\n\t\t(typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/applewebkit\\/(\\d+)/));\n}\n\n/**\n * Colorize log arguments if enabled.\n *\n * @api public\n */\n\nfunction formatArgs(args) {\n\targs[0] = (this.useColors ? '%c' : '') +\n\t\tthis.namespace +\n\t\t(this.useColors ? ' %c' : ' ') +\n\t\targs[0] +\n\t\t(this.useColors ? '%c ' : ' ') +\n\t\t'+' + module.exports.humanize(this.diff);\n\n\tif (!this.useColors) {\n\t\treturn;\n\t}\n\n\tconst c = 'color: ' + this.color;\n\targs.splice(1, 0, c, 'color: inherit');\n\n\t// The final \"%c\" is somewhat tricky, because there could be other\n\t// arguments passed either before or after the %c, so we need to\n\t// figure out the correct index to insert the CSS into\n\tlet index = 0;\n\tlet lastC = 0;\n\targs[0].replace(/%[a-zA-Z%]/g, match => {\n\t\tif (match === '%%') {\n\t\t\treturn;\n\t\t}\n\t\tindex++;\n\t\tif (match === '%c') {\n\t\t\t// We only are interested in the *last* %c\n\t\t\t// (the user may have provided their own)\n\t\t\tlastC = index;\n\t\t}\n\t});\n\n\targs.splice(lastC, 0, c);\n}\n\n/**\n * Invokes `console.debug()` when available.\n * No-op when `console.debug` is not a \"function\".\n * If `console.debug` is not available, falls back\n * to `console.log`.\n *\n * @api public\n */\nexports.log = console.debug || console.log || (() => {});\n\n/**\n * Save `namespaces`.\n *\n * @param {String} namespaces\n * @api private\n */\nfunction save(namespaces) {\n\ttry {\n\t\tif (namespaces) {\n\t\t\texports.storage.setItem('debug', namespaces);\n\t\t} else {\n\t\t\texports.storage.removeItem('debug');\n\t\t}\n\t} catch (error) {\n\t\t// Swallow\n\t\t// XXX (@Qix-) should we be logging these?\n\t}\n}\n\n/**\n * Load `namespaces`.\n *\n * @return {String} returns the previously persisted debug modes\n * @api private\n */\nfunction load() {\n\tlet r;\n\ttry {\n\t\tr = exports.storage.getItem('debug') || exports.storage.getItem('DEBUG') ;\n\t} catch (error) {\n\t\t// Swallow\n\t\t// XXX (@Qix-) should we be logging these?\n\t}\n\n\t// If debug isn't set in LS, and we're in Electron, try to load $DEBUG\n\tif (!r && typeof process !== 'undefined' && 'env' in process) {\n\t\tr = process.env.DEBUG;\n\t}\n\n\treturn r;\n}\n\n/**\n * Localstorage attempts to return the localstorage.\n *\n * This is necessary because safari throws\n * when a user disables cookies/localstorage\n * and you attempt to access it.\n *\n * @return {LocalStorage}\n * @api private\n */\n\nfunction localstorage() {\n\ttry {\n\t\t// TVMLKit (Apple TV JS Runtime) does not have a window object, just localStorage in the global context\n\t\t// The Browser also has localStorage in the global context.\n\t\treturn localStorage;\n\t} catch (error) {\n\t\t// Swallow\n\t\t// XXX (@Qix-) should we be logging these?\n\t}\n}\n\nmodule.exports = __webpack_require__(/*! ./common */ \"./node_modules/debug/src/common.js\")(exports);\n\nconst {formatters} = module.exports;\n\n/**\n * Map %j to `JSON.stringify()`, since no Web Inspectors do that by default.\n */\n\nformatters.j = function (v) {\n\ttry {\n\t\treturn JSON.stringify(v);\n\t} catch (error) {\n\t\treturn '[UnexpectedJSONParseError]: ' + error.message;\n\t}\n};\n\n\n//# sourceURL=webpack:///./node_modules/debug/src/browser.js?");
/***/ }),
/***/ "./node_modules/debug/src/common.js":
/*!******************************************!*\
!*** ./node_modules/debug/src/common.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("\n/**\n * This is the common logic for both the Node.js and web browser\n * implementations of `debug()`.\n */\n\nfunction setup(env) {\n\tcreateDebug.debug = createDebug;\n\tcreateDebug.default = createDebug;\n\tcreateDebug.coerce = coerce;\n\tcreateDebug.disable = disable;\n\tcreateDebug.enable = enable;\n\tcreateDebug.enabled = enabled;\n\tcreateDebug.humanize = __webpack_require__(/*! ms */ \"./node_modules/ms/index.js\");\n\tcreateDebug.destroy = destroy;\n\n\tObject.keys(env).forEach(key => {\n\t\tcreateDebug[key] = env[key];\n\t});\n\n\t/**\n\t* The currently active debug mode names, and names to skip.\n\t*/\n\n\tcreateDebug.names = [];\n\tcreateDebug.skips = [];\n\n\t/**\n\t* Map of special \"%n\" handling functions, for the debug \"format\" argument.\n\t*\n\t* Valid key names are a single, lower or upper-case letter, i.e. \"n\" and \"N\".\n\t*/\n\tcreateDebug.formatters = {};\n\n\t/**\n\t* Selects a color for a debug namespace\n\t* @param {String} namespace The namespace string for the debug instance to be colored\n\t* @return {Number|String} An ANSI color code for the given namespace\n\t* @api private\n\t*/\n\tfunction selectColor(namespace) {\n\t\tlet hash = 0;\n\n\t\tfor (let i = 0; i < namespace.length; i++) {\n\t\t\thash = ((hash << 5) - hash) + namespace.charCodeAt(i);\n\t\t\thash |= 0; // Convert to 32bit integer\n\t\t}\n\n\t\treturn createDebug.colors[Math.abs(hash) % createDebug.colors.length];\n\t}\n\tcreateDebug.selectColor = selectColor;\n\n\t/**\n\t* Create a debugger with the given `namespace`.\n\t*\n\t* @param {String} namespace\n\t* @return {Function}\n\t* @api public\n\t*/\n\tfunction createDebug(namespace) {\n\t\tlet prevTime;\n\t\tlet enableOverride = null;\n\t\tlet namespacesCache;\n\t\tlet enabledCache;\n\n\t\tfunction debug(...args) {\n\t\t\t// Disabled?\n\t\t\tif (!debug.enabled) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst self = debug;\n\n\t\t\t// Set `diff` timestamp\n\t\t\tconst curr = Number(new Date());\n\t\t\tconst ms = curr - (prevTime || curr);\n\t\t\tself.diff = ms;\n\t\t\tself.prev = prevTime;\n\t\t\tself.curr = curr;\n\t\t\tprevTime = curr;\n\n\t\t\targs[0] = createDebug.coerce(args[0]);\n\n\t\t\tif (typeof args[0] !== 'string') {\n\t\t\t\t// Anything else let's inspect with %O\n\t\t\t\targs.unshift('%O');\n\t\t\t}\n\n\t\t\t// Apply any `formatters` transformations\n\t\t\tlet index = 0;\n\t\t\targs[0] = args[0].replace(/%([a-zA-Z%])/g, (match, format) => {\n\t\t\t\t// If we encounter an escaped % then don't increase the array index\n\t\t\t\tif (match === '%%') {\n\t\t\t\t\treturn '%';\n\t\t\t\t}\n\t\t\t\tindex++;\n\t\t\t\tconst formatter = createDebug.formatters[format];\n\t\t\t\tif (typeof formatter === 'function') {\n\t\t\t\t\tconst val = args[index];\n\t\t\t\t\tmatch = formatter.call(self, val);\n\n\t\t\t\t\t// Now we need to remove `args[index]` since it's inlined in the `format`\n\t\t\t\t\targs.splice(index, 1);\n\t\t\t\t\tindex--;\n\t\t\t\t}\n\t\t\t\treturn match;\n\t\t\t});\n\n\t\t\t// Apply env-specific formatting (colors, etc.)\n\t\t\tcreateDebug.formatArgs.call(self, args);\n\n\t\t\tconst logFn = self.log || createDebug.log;\n\t\t\tlogFn.apply(self, args);\n\t\t}\n\n\t\tdebug.namespace = namespace;\n\t\tdebug.useColors = createDebug.useColors();\n\t\tdebug.color = createDebug.selectColor(namespace);\n\t\tdebug.extend = extend;\n\t\tdebug.destroy = createDebug.destroy; // XXX Temporary. Will be removed in the next major release.\n\n\t\tObject.defineProperty(debug, 'enabled', {\n\t\t\tenumerable: true,\n\t\t\tconfigurable: false,\n\t\t\tget: () => {\n\t\t\t\tif (enableOverride !== null) {\n\t\t\t\t\treturn enableOverride;\n\t\t\t\t}\n\t\t\t\tif (namespacesCache !== createDebug.namespaces) {\n\t\t\t\t\tnamespacesCache = createDebug.namespaces;\n\t\t\t\t\tenabledCache = createDebug.enabled(namespace);\n\t\t\t\t}\n\n\t\t\t\treturn enabledCache;\n\t\t\t},\n\t\t\tset: v => {\n\t\t\t\tenableOverride = v;\n\t\t\t}\n\t\t});\n\n\t\t// Env-specific initialization logic for debug instances\n\t\tif (typeof createDebug.init === 'function') {\n\t\t\tcreateDebug.init(debug);\n\t\t}\n\n\t\treturn debug;\n\t}\n\n\tfunction extend(namespace, delimiter) {\n\t\tconst newDebug = createDebug(this.namespace + (typeof delimiter === 'undefined' ? ':' : delimiter) + namespace);\n\t\tnewDebug.log = this.log;\n\t\treturn newDebug;\n\t}\n\n\t/**\n\t* Enables a debug mode by namespaces. This can include modes\n\t* separated by a colon and wildcards.\n\t*\n\t* @param {String} namespaces\n\t* @api public\n\t*/\n\tfunction enable(namespaces) {\n\t\tcreateDebug.save(namespaces);\n\t\tcreateDebug.namespaces = namespaces;\n\n\t\tcreateDebug.names = [];\n\t\tcreateDebug.skips = [];\n\n\t\tconst split = (typeof namespaces === 'string' ? namespaces : '')\n\t\t\t.trim()\n\t\t\t.replace(/\\s+/g, ',')\n\t\t\t.split(',')\n\t\t\t.filter(Boolean);\n\n\t\tfor (const ns of split) {\n\t\t\tif (ns[0] === '-') {\n\t\t\t\tcreateDebug.skips.push(ns.slice(1));\n\t\t\t} else {\n\t\t\t\tcreateDebug.names.push(ns);\n\t\t\t}\n\t\t}\n\t}\n\n\t/**\n\t * Checks if the given string matches a namespace template, honoring\n\t * asterisks as wildcards.\n\t *\n\t * @param {String} search\n\t * @param {String} template\n\t * @return {Boolean}\n\t */\n\tfunction matchesTemplate(search, template) {\n\t\tlet searchIndex = 0;\n\t\tlet templateIndex = 0;\n\t\tlet starIndex = -1;\n\t\tlet matchIndex = 0;\n\n\t\twhile (searchIndex < search.length) {\n\t\t\tif (templateIndex < template.length && (template[templateIndex] === search[searchIndex] || template[templateIndex] === '*')) {\n\t\t\t\t// Match character or proceed with wildcard\n\t\t\t\tif (template[templateIndex] === '*') {\n\t\t\t\t\tstarIndex = templateIndex;\n\t\t\t\t\tmatchIndex = searchIndex;\n\t\t\t\t\ttemplateIndex++; // Skip the '*'\n\t\t\t\t} else {\n\t\t\t\t\tsearchIndex++;\n\t\t\t\t\ttemplateIndex++;\n\t\t\t\t}\n\t\t\t} else if (starIndex !== -1) { // eslint-disable-line no-negated-condition\n\t\t\t\t// Backtrack to the last '*' and try to match more characters\n\t\t\t\ttemplateIndex = starIndex + 1;\n\t\t\t\tmatchIndex++;\n\t\t\t\tsearchIndex = matchIndex;\n\t\t\t} else {\n\t\t\t\treturn false; // No match\n\t\t\t}\n\t\t}\n\n\t\t// Handle trailing '*' in template\n\t\twhile (templateIndex < template.length && template[templateIndex] === '*') {\n\t\t\ttemplateIndex++;\n\t\t}\n\n\t\treturn templateIndex === template.length;\n\t}\n\n\t/**\n\t* Disable debug output.\n\t*\n\t* @return {String} namespaces\n\t* @api public\n\t*/\n\tfunction disable() {\n\t\tconst namespaces = [\n\t\t\t...createDebug.names,\n\t\t\t...createDebug.skips.map(namespace => '-' + namespace)\n\t\t].join(',');\n\t\tcreateDebug.enable('');\n\t\treturn namespaces;\n\t}\n\n\t/**\n\t* Returns true if the given mode name is enabled, false otherwise.\n\t*\n\t* @param {String} name\n\t* @return {Boolean}\n\t* @api public\n\t*/\n\tfunction enabled(name) {\n\t\tfor (const skip of createDebug.skips) {\n\t\t\tif (matchesTemplate(name, skip)) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\n\t\tfor (const ns of createDebug.names) {\n\t\t\tif (matchesTemplate(name, ns)) {\n\t\t\t\treturn true;\n\t\t\t}\n\t\t}\n\n\t\treturn false;\n\t}\n\n\t/**\n\t* Coerce `val`.\n\t*\n\t* @param {Mixed} val\n\t* @return {Mixed}\n\t* @api private\n\t*/\n\tfunction coerce(val) {\n\t\tif (val instanceof Error) {\n\t\t\treturn val.stack || val.message;\n\t\t}\n\t\treturn val;\n\t}\n\n\t/**\n\t* XXX DO NOT USE. This is a temporary stub function.\n\t* XXX It WILL be removed in the next major release.\n\t*/\n\tfunction destroy() {\n\t\tconsole.warn('Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`.');\n\t}\n\n\tcreateDebug.enable(createDebug.load());\n\n\treturn createDebug;\n}\n\nmodule.exports = setup;\n\n\n//# sourceURL=webpack:///./node_modules/debug/src/common.js?");
/***/ }),
/***/ "./node_modules/debug/src/index.js":
/*!*****************************************!*\
!*** ./node_modules/debug/src/index.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("/**\n * Detect Electron renderer / nwjs process, which is node, but we should\n * treat as a browser.\n */\n\nif (typeof process === 'undefined' || process.type === 'renderer' || process.browser === true || process.__nwjs) {\n\tmodule.exports = __webpack_require__(/*! ./browser.js */ \"./node_modules/debug/src/browser.js\");\n} else {\n\tmodule.exports = __webpack_require__(/*! ./node.js */ \"./node_modules/debug/src/node.js\");\n}\n\n\n//# sourceURL=webpack:///./node_modules/debug/src/index.js?");
/***/ }),
/***/ "./node_modules/debug/src/node.js":
/*!****************************************!*\
!*** ./node_modules/debug/src/node.js ***!
\****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("/**\n * Module dependencies.\n */\n\nconst tty = __webpack_require__(/*! tty */ \"tty\");\nconst util = __webpack_require__(/*! util */ \"util\");\n\n/**\n * This is the Node.js implementation of `debug()`.\n */\n\nexports.init = init;\nexports.log = log;\nexports.formatArgs = formatArgs;\nexports.save = save;\nexports.load = load;\nexports.useColors = useColors;\nexports.destroy = util.deprecate(\n\t() => {},\n\t'Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`.'\n);\n\n/**\n * Colors.\n */\n\nexports.colors = [6, 2, 3, 4, 5, 1];\n\ntry {\n\t// Optional dependency (as in, doesn't need to be installed, NOT like optionalDependencies in package.json)\n\t// eslint-disable-next-line import/no-extraneous-dependencies\n\tconst supportsColor = __webpack_require__(/*! supports-color */ \"./node_modules/supports-color/index.js\");\n\n\tif (supportsColor && (supportsColor.stderr || supportsColor).level >= 2) {\n\t\texports.colors = [\n\t\t\t20,\n\t\t\t21,\n\t\t\t26,\n\t\t\t27,\n\t\t\t32,\n\t\t\t33,\n\t\t\t38,\n\t\t\t39,\n\t\t\t40,\n\t\t\t41,\n\t\t\t42,\n\t\t\t43,\n\t\t\t44,\n\t\t\t45,\n\t\t\t56,\n\t\t\t57,\n\t\t\t62,\n\t\t\t63,\n\t\t\t68,\n\t\t\t69,\n\t\t\t74,\n\t\t\t75,\n\t\t\t76,\n\t\t\t77,\n\t\t\t78,\n\t\t\t79,\n\t\t\t80,\n\t\t\t81,\n\t\t\t92,\n\t\t\t93,\n\t\t\t98,\n\t\t\t99,\n\t\t\t112,\n\t\t\t113,\n\t\t\t128,\n\t\t\t129,\n\t\t\t134,\n\t\t\t135,\n\t\t\t148,\n\t\t\t149,\n\t\t\t160,\n\t\t\t161,\n\t\t\t162,\n\t\t\t163,\n\t\t\t164,\n\t\t\t165,\n\t\t\t166,\n\t\t\t167,\n\t\t\t168,\n\t\t\t169,\n\t\t\t170,\n\t\t\t171,\n\t\t\t172,\n\t\t\t173,\n\t\t\t178,\n\t\t\t179,\n\t\t\t184,\n\t\t\t185,\n\t\t\t196,\n\t\t\t197,\n\t\t\t198,\n\t\t\t199,\n\t\t\t200,\n\t\t\t201,\n\t\t\t202,\n\t\t\t203,\n\t\t\t204,\n\t\t\t205,\n\t\t\t206,\n\t\t\t207,\n\t\t\t208,\n\t\t\t209,\n\t\t\t214,\n\t\t\t215,\n\t\t\t220,\n\t\t\t221\n\t\t];\n\t}\n} catch (error) {\n\t// Swallow - we only care if `supports-color` is available; it doesn't have to be.\n}\n\n/**\n * Build up the default `inspectOpts` object from the environment variables.\n *\n * $ DEBUG_COLORS=no DEBUG_DEPTH=10 DEBUG_SHOW_HIDDEN=enabled node script.js\n */\n\nexports.inspectOpts = Object.keys(process.env).filter(key => {\n\treturn /^debug_/i.test(key);\n}).reduce((obj, key) => {\n\t// Camel-case\n\tconst prop = key\n\t\t.substring(6)\n\t\t.toLowerCase()\n\t\t.replace(/_([a-z])/g, (_, k) => {\n\t\t\treturn k.toUpperCase();\n\t\t});\n\n\t// Coerce string value into JS value\n\tlet val = process.env[key];\n\tif (/^(yes|on|true|enabled)$/i.test(val)) {\n\t\tval = true;\n\t} else if (/^(no|off|false|disabled)$/i.test(val)) {\n\t\tval = false;\n\t} else if (val === 'null') {\n\t\tval = null;\n\t} else {\n\t\tval = Number(val);\n\t}\n\n\tobj[prop] = val;\n\treturn obj;\n}, {});\n\n/**\n * Is stdout a TTY? Colored output is enabled when `true`.\n */\n\nfunction useColors() {\n\treturn 'colors' in exports.inspectOpts ?\n\t\tBoolean(exports.inspectOpts.colors) :\n\t\ttty.isatty(process.stderr.fd);\n}\n\n/**\n * Adds ANSI color escape codes if enabled.\n *\n * @api public\n */\n\nfunction formatArgs(args) {\n\tconst {namespace: name, useColors} = this;\n\n\tif (useColors) {\n\t\tconst c = this.color;\n\t\tconst colorCode = '\\u001B[3' + (c < 8 ? c : '8;5;' + c);\n\t\tconst prefix = ` ${colorCode};1m${name} \\u001B[0m`;\n\n\t\targs[0] = prefix + args[0].split('\\n').join('\\n' + prefix);\n\t\targs.push(colorCode + 'm+' + module.exports.humanize(this.diff) + '\\u001B[0m');\n\t} else {\n\t\targs[0] = getDate() + name + ' ' + args[0];\n\t}\n}\n\nfunction getDate() {\n\tif (exports.inspectOpts.hideDate) {\n\t\treturn '';\n\t}\n\treturn new Date().toISOString() + ' ';\n}\n\n/**\n * Invokes `util.formatWithOptions()` with the specified arguments and writes to stderr.\n */\n\nfunction log(...args) {\n\treturn process.stderr.write(util.formatWithOptions(exports.inspectOpts, ...args) + '\\n');\n}\n\n/**\n * Save `namespaces`.\n *\n * @param {String} namespaces\n * @api private\n */\nfunction save(namespaces) {\n\tif (namespaces) {\n\t\tprocess.env.DEBUG = namespaces;\n\t} else {\n\t\t// If you set a process.env field to null or undefined, it gets cast to the\n\t\t// string 'null' or 'undefined'. Just delete instead.\n\t\tdelete process.env.DEBUG;\n\t}\n}\n\n/**\n * Load `namespaces`.\n *\n * @return {String} returns the previously persisted debug modes\n * @api private\n */\n\nfunction load() {\n\treturn process.env.DEBUG;\n}\n\n/**\n * Init logic for `debug` instances.\n *\n * Create a new `inspectOpts` object in case `useColors` is set\n * differently for a particular `debug` instance.\n */\n\nfunction init(debug) {\n\tdebug.inspectOpts = {};\n\n\tconst keys = Object.keys(exports.inspectOpts);\n\tfor (let i = 0; i < keys.length; i++) {\n\t\tdebug.inspectOpts[keys[i]] = exports.inspectOpts[keys[i]];\n\t}\n}\n\nmodule.exports = __webpack_require__(/*! ./common */ \"./node_modules/debug/src/common.js\")(exports);\n\nconst {formatters} = module.exports;\n\n/**\n * Map %o to `util.inspect()`, all on a single line.\n */\n\nformatters.o = function (v) {\n\tthis.inspectOpts.colors = this.useColors;\n\treturn util.inspect(v, this.inspectOpts)\n\t\t.split('\\n')\n\t\t.map(str => str.trim())\n\t\t.join(' ');\n};\n\n/**\n * Map %O to `util.inspect()`, allowing multiple lines if needed.\n */\n\nformatters.O = function (v) {\n\tthis.inspectOpts.colors = this.useColors;\n\treturn util.inspect(v, this.inspectOpts);\n};\n\n\n//# sourceURL=webpack:///./node_modules/debug/src/node.js?");
/***/ }),
/***/ "./node_modules/delayed-stream/lib/delayed_stream.js":
/*!***********************************************************!*\
!*** ./node_modules/delayed-stream/lib/delayed_stream.js ***!
\***********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var Stream = __webpack_require__(/*! stream */ \"stream\").Stream;\nvar util = __webpack_require__(/*! util */ \"util\");\n\nmodule.exports = DelayedStream;\nfunction DelayedStream() {\n this.source = null;\n this.dataSize = 0;\n this.maxDataSize = 1024 * 1024;\n this.pauseStream = true;\n\n this._maxDataSizeExceeded = false;\n this._released = false;\n this._bufferedEvents = [];\n}\nutil.inherits(DelayedStream, Stream);\n\nDelayedStream.create = function(source, options) {\n var delayedStream = new this();\n\n options = options || {};\n for (var option in options) {\n delayedStream[option] = options[option];\n }\n\n delayedStream.source = source;\n\n var realEmit = source.emit;\n source.emit = function() {\n delayedStream._handleEmit(arguments);\n return realEmit.apply(source, arguments);\n };\n\n source.on('error', function() {});\n if (delayedStream.pauseStream) {\n source.pause();\n }\n\n return delayedStream;\n};\n\nObject.defineProperty(DelayedStream.prototype, 'readable', {\n configurable: true,\n enumerable: true,\n get: function() {\n return this.source.readable;\n }\n});\n\nDelayedStream.prototype.setEncoding = function() {\n return this.source.setEncoding.apply(this.source, arguments);\n};\n\nDelayedStream.prototype.resume = function() {\n if (!this._released) {\n this.release();\n }\n\n this.source.resume();\n};\n\nDelayedStream.prototype.pause = function() {\n this.source.pause();\n};\n\nDelayedStream.prototype.release = function() {\n this._released = true;\n\n this._bufferedEvents.forEach(function(args) {\n this.emit.apply(this, args);\n }.bind(this));\n this._bufferedEvents = [];\n};\n\nDelayedStream.prototype.pipe = function() {\n var r = Stream.prototype.pipe.apply(this, arguments);\n this.resume();\n return r;\n};\n\nDelayedStream.prototype._handleEmit = function(args) {\n if (this._released) {\n this.emit.apply(this, args);\n return;\n }\n\n if (args[0] === 'data') {\n this.dataSize += args[1].length;\n this._checkIfMaxDataSizeExceeded();\n }\n\n this._bufferedEvents.push(args);\n};\n\nDelayedStream.prototype._checkIfMaxDataSizeExceeded = function() {\n if (this._maxDataSizeExceeded) {\n return;\n }\n\n if (this.dataSize <= this.maxDataSize) {\n return;\n }\n\n this._maxDataSizeExceeded = true;\n var message =\n 'DelayedStream#maxDataSize of ' + this.maxDataSize + ' bytes exceeded.'\n this.emit('error', new Error(message));\n};\n\n\n//# sourceURL=webpack:///./node_modules/delayed-stream/lib/delayed_stream.js?");
/***/ }),
/***/ "./node_modules/dunder-proto/get.js":
/*!******************************************!*\
!*** ./node_modules/dunder-proto/get.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar callBind = __webpack_require__(/*! call-bind-apply-helpers */ \"./node_modules/call-bind-apply-helpers/index.js\");\nvar gOPD = __webpack_require__(/*! gopd */ \"./node_modules/gopd/index.js\");\n\nvar hasProtoAccessor;\ntry {\n\t// eslint-disable-next-line no-extra-parens, no-proto\n\thasProtoAccessor = /** @type {{ __proto__?: typeof Array.prototype }} */ ([]).__proto__ === Array.prototype;\n} catch (e) {\n\tif (!e || typeof e !== 'object' || !('code' in e) || e.code !== 'ERR_PROTO_ACCESS') {\n\t\tthrow e;\n\t}\n}\n\n// eslint-disable-next-line no-extra-parens\nvar desc = !!hasProtoAccessor && gOPD && gOPD(Object.prototype, /** @type {keyof typeof Object.prototype} */ ('__proto__'));\n\nvar $Object = Object;\nvar $getPrototypeOf = $Object.getPrototypeOf;\n\n/** @type {import('./get')} */\nmodule.exports = desc && typeof desc.get === 'function'\n\t? callBind([desc.get])\n\t: typeof $getPrototypeOf === 'function'\n\t\t? /** @type {import('./get')} */ function getDunder(value) {\n\t\t\t// eslint-disable-next-line eqeqeq\n\t\t\treturn $getPrototypeOf(value == null ? value : $Object(value));\n\t\t}\n\t\t: false;\n\n\n//# sourceURL=webpack:///./node_modules/dunder-proto/get.js?");
/***/ }),
/***/ "./node_modules/es-define-property/index.js":
/*!**************************************************!*\
!*** ./node_modules/es-define-property/index.js ***!
\**************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('.')} */\nvar $defineProperty = Object.defineProperty || false;\nif ($defineProperty) {\n\ttry {\n\t\t$defineProperty({}, 'a', { value: 1 });\n\t} catch (e) {\n\t\t// IE 8 has a broken defineProperty\n\t\t$defineProperty = false;\n\t}\n}\n\nmodule.exports = $defineProperty;\n\n\n//# sourceURL=webpack:///./node_modules/es-define-property/index.js?");
/***/ }),
/***/ "./node_modules/es-errors/eval.js":
/*!****************************************!*\
!*** ./node_modules/es-errors/eval.js ***!
\****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./eval')} */\nmodule.exports = EvalError;\n\n\n//# sourceURL=webpack:///./node_modules/es-errors/eval.js?");
/***/ }),
/***/ "./node_modules/es-errors/index.js":
/*!*****************************************!*\
!*** ./node_modules/es-errors/index.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('.')} */\nmodule.exports = Error;\n\n\n//# sourceURL=webpack:///./node_modules/es-errors/index.js?");
/***/ }),
/***/ "./node_modules/es-errors/range.js":
/*!*****************************************!*\
!*** ./node_modules/es-errors/range.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./range')} */\nmodule.exports = RangeError;\n\n\n//# sourceURL=webpack:///./node_modules/es-errors/range.js?");
/***/ }),
/***/ "./node_modules/es-errors/ref.js":
/*!***************************************!*\
!*** ./node_modules/es-errors/ref.js ***!
\***************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./ref')} */\nmodule.exports = ReferenceError;\n\n\n//# sourceURL=webpack:///./node_modules/es-errors/ref.js?");
/***/ }),
/***/ "./node_modules/es-errors/syntax.js":
/*!******************************************!*\
!*** ./node_modules/es-errors/syntax.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./syntax')} */\nmodule.exports = SyntaxError;\n\n\n//# sourceURL=webpack:///./node_modules/es-errors/syntax.js?");
/***/ }),
/***/ "./node_modules/es-errors/type.js":
/*!****************************************!*\
!*** ./node_modules/es-errors/type.js ***!
\****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./type')} */\nmodule.exports = TypeError;\n\n\n//# sourceURL=webpack:///./node_modules/es-errors/type.js?");
/***/ }),
/***/ "./node_modules/es-errors/uri.js":
/*!***************************************!*\
!*** ./node_modules/es-errors/uri.js ***!
\***************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./uri')} */\nmodule.exports = URIError;\n\n\n//# sourceURL=webpack:///./node_modules/es-errors/uri.js?");
/***/ }),
/***/ "./node_modules/es-object-atoms/index.js":
/*!***********************************************!*\
!*** ./node_modules/es-object-atoms/index.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('.')} */\nmodule.exports = Object;\n\n\n//# sourceURL=webpack:///./node_modules/es-object-atoms/index.js?");
/***/ }),
/***/ "./node_modules/es-set-tostringtag/index.js":
/*!**************************************************!*\
!*** ./node_modules/es-set-tostringtag/index.js ***!
\**************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar GetIntrinsic = __webpack_require__(/*! get-intrinsic */ \"./node_modules/get-intrinsic/index.js\");\n\nvar $defineProperty = GetIntrinsic('%Object.defineProperty%', true);\n\nvar hasToStringTag = __webpack_require__(/*! has-tostringtag/shams */ \"./node_modules/has-tostringtag/shams.js\")();\nvar hasOwn = __webpack_require__(/*! hasown */ \"./node_modules/hasown/index.js\");\nvar $TypeError = __webpack_require__(/*! es-errors/type */ \"./node_modules/es-errors/type.js\");\n\nvar toStringTag = hasToStringTag ? Symbol.toStringTag : null;\n\n/** @type {import('.')} */\nmodule.exports = function setToStringTag(object, value) {\n\tvar overrideIfSet = arguments.length > 2 && !!arguments[2] && arguments[2].force;\n\tvar nonConfigurable = arguments.length > 2 && !!arguments[2] && arguments[2].nonConfigurable;\n\tif (\n\t\t(typeof overrideIfSet !== 'undefined' && typeof overrideIfSet !== 'boolean')\n\t\t|| (typeof nonConfigurable !== 'undefined' && typeof nonConfigurable !== 'boolean')\n\t) {\n\t\tthrow new $TypeError('if provided, the `overrideIfSet` and `nonConfigurable` options must be booleans');\n\t}\n\tif (toStringTag && (overrideIfSet || !hasOwn(object, toStringTag))) {\n\t\tif ($defineProperty) {\n\t\t\t$defineProperty(object, toStringTag, {\n\t\t\t\tconfigurable: !nonConfigurable,\n\t\t\t\tenumerable: false,\n\t\t\t\tvalue: value,\n\t\t\t\twritable: false\n\t\t\t});\n\t\t} else {\n\t\t\tobject[toStringTag] = value; // eslint-disable-line no-param-reassign\n\t\t}\n\t}\n};\n\n\n//# sourceURL=webpack:///./node_modules/es-set-tostringtag/index.js?");
/***/ }),
/***/ "./node_modules/follow-redirects/debug.js":
/*!************************************************!*\
!*** ./node_modules/follow-redirects/debug.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var debug;\n\nmodule.exports = function () {\n if (!debug) {\n try {\n /* eslint global-require: off */\n debug = __webpack_require__(/*! debug */ \"./node_modules/debug/src/index.js\")(\"follow-redirects\");\n }\n catch (error) { /* */ }\n if (typeof debug !== \"function\") {\n debug = function () { /* */ };\n }\n }\n debug.apply(null, arguments);\n};\n\n\n//# sourceURL=webpack:///./node_modules/follow-redirects/debug.js?");
/***/ }),
/***/ "./node_modules/follow-redirects/index.js":
/*!************************************************!*\
!*** ./node_modules/follow-redirects/index.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var url = __webpack_require__(/*! url */ \"url\");\nvar URL = url.URL;\nvar http = __webpack_require__(/*! http */ \"http\");\nvar https = __webpack_require__(/*! https */ \"https\");\nvar Writable = __webpack_require__(/*! stream */ \"stream\").Writable;\nvar assert = __webpack_require__(/*! assert */ \"assert\");\nvar debug = __webpack_require__(/*! ./debug */ \"./node_modules/follow-redirects/debug.js\");\n\n// Preventive platform detection\n// istanbul ignore next\n(function detectUnsupportedEnvironment() {\n var looksLikeNode = typeof process !== \"undefined\";\n var looksLikeBrowser = typeof window !== \"undefined\" && typeof document !== \"undefined\";\n var looksLikeV8 = isFunction(Error.captureStackTrace);\n if (!looksLikeNode && (looksLikeBrowser || !looksLikeV8)) {\n console.warn(\"The follow-redirects package should be excluded from browser builds.\");\n }\n}());\n\n// Whether to use the native URL object or the legacy url module\nvar useNativeURL = false;\ntry {\n assert(new URL(\"\"));\n}\ncatch (error) {\n useNativeURL = error.code === \"ERR_INVALID_URL\";\n}\n\n// URL fields to preserve in copy operations\nvar preservedUrlFields = [\n \"auth\",\n \"host\",\n \"hostname\",\n \"href\",\n \"path\",\n \"pathname\",\n \"port\",\n \"protocol\",\n \"query\",\n \"search\",\n \"hash\",\n];\n\n// Create handlers that pass events from native requests\nvar events = [\"abort\", \"aborted\", \"connect\", \"error\", \"socket\", \"timeout\"];\nvar eventHandlers = Object.create(null);\nevents.forEach(function (event) {\n eventHandlers[event] = function (arg1, arg2, arg3) {\n this._redirectable.emit(event, arg1, arg2, arg3);\n };\n});\n\n// Error types with codes\nvar InvalidUrlError = createErrorType(\n \"ERR_INVALID_URL\",\n \"Invalid URL\",\n TypeError\n);\nvar RedirectionError = createErrorType(\n \"ERR_FR_REDIRECTION_FAILURE\",\n \"Redirected request failed\"\n);\nvar TooManyRedirectsError = createErrorType(\n \"ERR_FR_TOO_MANY_REDIRECTS\",\n \"Maximum number of redirects exceeded\",\n RedirectionError\n);\nvar MaxBodyLengthExceededError = createErrorType(\n \"ERR_FR_MAX_BODY_LENGTH_EXCEEDED\",\n \"Request body larger than maxBodyLength limit\"\n);\nvar WriteAfterEndError = createErrorType(\n \"ERR_STREAM_WRITE_AFTER_END\",\n \"write after end\"\n);\n\n// istanbul ignore next\nvar destroy = Writable.prototype.destroy || noop;\n\n// An HTTP(S) request that can be redirected\nfunction RedirectableRequest(options, responseCallback) {\n // Initialize the request\n Writable.call(this);\n this._sanitizeOptions(options);\n this._options = options;\n this._ended = false;\n this._ending = false;\n this._redirectCount = 0;\n this._redirects = [];\n this._requestBodyLength = 0;\n this._requestBodyBuffers = [];\n\n // Attach a callback if passed\n if (responseCallback) {\n this.on(\"response\", responseCallback);\n }\n\n // React to responses of native requests\n var self = this;\n this._onNativeResponse = function (response) {\n try {\n self._processResponse(response);\n }\n catch (cause) {\n self.emit(\"error\", cause instanceof RedirectionError ?\n cause : new RedirectionError({ cause: cause }));\n }\n };\n\n // Perform the first request\n this._performRequest();\n}\nRedirectableRequest.prototype = Object.create(Writable.prototype);\n\nRedirectableRequest.prototype.abort = function () {\n destroyRequest(this._currentRequest);\n this._currentRequest.abort();\n this.emit(\"abort\");\n};\n\nRedirectableRequest.prototype.destroy = function (error) {\n destroyRequest(this._currentRequest, error);\n destroy.call(this, error);\n return this;\n};\n\n// Writes buffered data to the current native request\nRedirectableRequest.prototype.write = function (data, encoding, callback) {\n // Writing is not allowed if end has been called\n if (this._ending) {\n throw new WriteAfterEndError();\n }\n\n // Validate input and shift parameters if necessary\n if (!isString(data) && !isBuffer(data)) {\n throw new TypeError(\"data should be a string, Buffer or Uint8Array\");\n }\n if (isFunction(encoding)) {\n callback = encoding;\n encoding = null;\n }\n\n // Ignore empty buffers, since writing them doesn't invoke the callback\n // https://github.com/nodejs/node/issues/22066\n if (data.length === 0) {\n if (callback) {\n callback();\n }\n return;\n }\n // Only write when we don't exceed the maximum body length\n if (this._requestBodyLength + data.length <= this._options.maxBodyLength) {\n this._requestBodyLength += data.length;\n this._requestBodyBuffers.push({ data: data, encoding: encoding });\n this._currentRequest.write(data, encoding, callback);\n }\n // Error when we exceed the maximum body length\n else {\n this.emit(\"error\", new MaxBodyLengthExceededError());\n this.abort();\n }\n};\n\n// Ends the current native request\nRedirectableRequest.prototype.end = function (data, encoding, callback) {\n // Shift parameters if necessary\n if (isFunction(data)) {\n callback = data;\n data = encoding = null;\n }\n else if (isFunction(encoding)) {\n callback = encoding;\n encoding = null;\n }\n\n // Write data if needed and end\n if (!data) {\n this._ended = this._ending = true;\n this._currentRequest.end(null, null, callback);\n }\n else {\n var self = this;\n var currentRequest = this._currentRequest;\n this.write(data, encoding, function () {\n self._ended = true;\n currentRequest.end(null, null, callback);\n });\n this._ending = true;\n }\n};\n\n// Sets a header value on the current native request\nRedirectableRequest.prototype.setHeader = function (name, value) {\n this._options.headers[name] = value;\n this._currentRequest.setHeader(name, value);\n};\n\n// Clears a header value on the current native request\nRedirectableRequest.prototype.removeHeader = function (name) {\n delete this._options.headers[name];\n this._currentRequest.removeHeader(name);\n};\n\n// Global timeout for all underlying requests\nRedirectableRequest.prototype.setTimeout = function (msecs, callback) {\n var self = this;\n\n // Destroys the socket on timeout\n function destroyOnTimeout(socket) {\n socket.setTimeout(msecs);\n socket.removeListener(\"timeout\", socket.destroy);\n socket.addListener(\"timeout\", socket.destroy);\n }\n\n // Sets up a timer to trigger a timeout event\n function startTimer(socket) {\n if (self._timeout) {\n clearTimeout(self._timeout);\n }\n self._timeout = setTimeout(function () {\n self.emit(\"timeout\");\n clearTimer();\n }, msecs);\n destroyOnTimeout(socket);\n }\n\n // Stops a timeout from triggering\n function clearTimer() {\n // Clear the timeout\n if (self._timeout) {\n clearTimeout(self._timeout);\n self._timeout = null;\n }\n\n // Clean up all attached listeners\n self.removeListener(\"abort\", clearTimer);\n self.removeListener(\"error\", clearTimer);\n self.removeListener(\"response\", clearTimer);\n self.removeListener(\"close\", clearTimer);\n if (callback) {\n self.removeListener(\"timeout\", callback);\n }\n if (!self.socket) {\n self._currentRequest.removeListener(\"socket\", startTimer);\n }\n }\n\n // Attach callback if passed\n if (callback) {\n this.on(\"timeout\", callback);\n }\n\n // Start the timer if or when the socket is opened\n if (this.socket) {\n startTimer(this.socket);\n }\n else {\n this._currentRequest.once(\"socket\", startTimer);\n }\n\n // Clean up on events\n this.on(\"socket\", destroyOnTimeout);\n this.on(\"abort\", clearTimer);\n this.on(\"error\", clearTimer);\n this.on(\"response\", clearTimer);\n this.on(\"close\", clearTimer);\n\n return this;\n};\n\n// Proxy all other public ClientRequest methods\n[\n \"flushHeaders\", \"getHeader\",\n \"setNoDelay\", \"setSocketKeepAlive\",\n].forEach(function (method) {\n RedirectableRequest.prototype[method] = function (a, b) {\n return this._currentRequest[method](a, b);\n };\n});\n\n// Proxy all public ClientRequest properties\n[\"aborted\", \"connection\", \"socket\"].forEach(function (property) {\n Object.defineProperty(RedirectableRequest.prototype, property, {\n get: function () { return this._currentRequest[property]; },\n });\n});\n\nRedirectableRequest.prototype._sanitizeOptions = function (options) {\n // Ensure headers are always present\n if (!options.headers) {\n options.headers = {};\n }\n\n // Since http.request treats host as an alias of hostname,\n // but the url module interprets host as hostname plus port,\n // eliminate the host property to avoid confusion.\n if (options.host) {\n // Use hostname if set, because it has precedence\n if (!options.hostname) {\n options.hostname = options.host;\n }\n delete options.host;\n }\n\n // Complete the URL object when necessary\n if (!options.pathname && options.path) {\n var searchPos = options.path.indexOf(\"?\");\n if (searchPos < 0) {\n options.pathname = options.path;\n }\n else {\n options.pathname = options.path.substring(0, searchPos);\n options.search = options.path.substring(searchPos);\n }\n }\n};\n\n\n// Executes the next native request (initial or redirect)\nRedirectableRequest.prototype._performRequest = function () {\n // Load the native protocol\n var protocol = this._options.protocol;\n var nativeProtocol = this._options.nativeProtocols[protocol];\n if (!nativeProtocol) {\n throw new TypeError(\"Unsupported protocol \" + protocol);\n }\n\n // If specified, use the agent corresponding to the protocol\n // (HTTP and HTTPS use different types of agents)\n if (this._options.agents) {\n var scheme = protocol.slice(0, -1);\n this._options.agent = this._options.agents[scheme];\n }\n\n // Create the native request and set up its event handlers\n var request = this._currentRequest =\n nativeProtocol.request(this._options, this._onNativeResponse);\n request._redirectable = this;\n for (var event of events) {\n request.on(event, eventHandlers[event]);\n }\n\n // RFC7230§5.3.1: When making a request directly to an origin server, […]\n // a client MUST send only the absolute path […] as the request-target.\n this._currentUrl = /^\\//.test(this._options.path) ?\n url.format(this._options) :\n // When making a request to a proxy, […]\n // a client MUST send the target URI in absolute-form […].\n this._options.path;\n\n // End a redirected request\n // (The first request must be ended explicitly with RedirectableRequest#end)\n if (this._isRedirect) {\n // Write the request entity and end\n var i = 0;\n var self = this;\n var buffers = this._requestBodyBuffers;\n (function writeNext(error) {\n // Only write if this request has not been redirected yet\n // istanbul ignore else\n if (request === self._currentRequest) {\n // Report any write errors\n // istanbul ignore if\n if (error) {\n self.emit(\"error\", error);\n }\n // Write the next buffer if there are still left\n else if (i < buffers.length) {\n var buffer = buffers[i++];\n // istanbul ignore else\n if (!request.finished) {\n request.write(buffer.data, buffer.encoding, writeNext);\n }\n }\n // End the request if `end` has been called on us\n else if (self._ended) {\n request.end();\n }\n }\n }());\n }\n};\n\n// Processes a response from the current native request\nRedirectableRequest.prototype._processResponse = function (response) {\n // Store the redirected response\n var statusCode = response.statusCode;\n if (this._options.trackRedirects) {\n this._redirects.push({\n url: this._currentUrl,\n headers: response.headers,\n statusCode: statusCode,\n });\n }\n\n // RFC7231§6.4: The 3xx (Redirection) class of status code indicates\n // that further action needs to be taken by the user agent in order to\n // fulfill the request. If a Location header field is provided,\n // the user agent MAY automatically redirect its request to the URI\n // referenced by the Location field value,\n // even if the specific status code is not understood.\n\n // If the response is not a redirect; return it as-is\n var location = response.headers.location;\n if (!location || this._options.followRedirects === false ||\n statusCode < 300 || statusCode >= 400) {\n response.responseUrl = this._currentUrl;\n response.redirects = this._redirects;\n this.emit(\"response\", response);\n\n // Clean up\n this._requestBodyBuffers = [];\n return;\n }\n\n // The response is a redirect, so abort the current request\n destroyRequest(this._currentRequest);\n // Discard the remainder of the response to avoid waiting for data\n response.destroy();\n\n // RFC7231§6.4: A client SHOULD detect and intervene\n // in cyclical redirections (i.e., \"infinite\" redirection loops).\n if (++this._redirectCount > this._options.maxRedirects) {\n throw new TooManyRedirectsError();\n }\n\n // Store the request headers if applicable\n var requestHeaders;\n var beforeRedirect = this._options.beforeRedirect;\n if (beforeRedirect) {\n requestHeaders = Object.assign({\n // The Host header was set by nativeProtocol.request\n Host: response.req.getHeader(\"host\"),\n }, this._options.headers);\n }\n\n // RFC7231§6.4: Automatic redirection needs to done with\n // care for methods not known to be safe, […]\n // RFC7231§6.4.2–3: For historical reasons, a user agent MAY change\n // the request method from POST to GET for the subsequent request.\n var method = this._options.method;\n if ((statusCode === 301 || statusCode === 302) && this._options.method === \"POST\" ||\n // RFC7231§6.4.4: The 303 (See Other) status code indicates that\n // the server is redirecting the user agent to a different resource […]\n // A user agent can perform a retrieval request targeting that URI\n // (a GET or HEAD request if using HTTP) […]\n (statusCode === 303) && !/^(?:GET|HEAD)$/.test(this._options.method)) {\n this._options.method = \"GET\";\n // Drop a possible entity and headers related to it\n this._requestBodyBuffers = [];\n removeMatchingHeaders(/^content-/i, this._options.headers);\n }\n\n // Drop the Host header, as the redirect might lead to a different host\n var currentHostHeader = removeMatchingHeaders(/^host$/i, this._options.headers);\n\n // If the redirect is relative, carry over the host of the last request\n var currentUrlParts = parseUrl(this._currentUrl);\n var currentHost = currentHostHeader || currentUrlParts.host;\n var currentUrl = /^\\w+:/.test(location) ? this._currentUrl :\n url.format(Object.assign(currentUrlParts, { host: currentHost }));\n\n // Create the redirected request\n var redirectUrl = resolveUrl(location, currentUrl);\n debug(\"redirecting to\", redirectUrl.href);\n this._isRedirect = true;\n spreadUrlObject(redirectUrl, this._options);\n\n // Drop confidential headers when redirecting to a less secure protocol\n // or to a different domain that is not a superdomain\n if (redirectUrl.protocol !== currentUrlParts.protocol &&\n redirectUrl.protocol !== \"https:\" ||\n redirectUrl.host !== currentHost &&\n !isSubdomain(redirectUrl.host, currentHost)) {\n removeMatchingHeaders(/^(?:(?:proxy-)?authorization|cookie)$/i, this._options.headers);\n }\n\n // Evaluate the beforeRedirect callback\n if (isFunction(beforeRedirect)) {\n var responseDetails = {\n headers: response.headers,\n statusCode: statusCode,\n };\n var requestDetails = {\n url: currentUrl,\n method: method,\n headers: requestHeaders,\n };\n beforeRedirect(this._options, responseDetails, requestDetails);\n this._sanitizeOptions(this._options);\n }\n\n // Perform the redirected request\n this._performRequest();\n};\n\n// Wraps the key/value object of protocols with redirect functionality\nfunction wrap(protocols) {\n // Default settings\n var exports = {\n maxRedirects: 21,\n maxBodyLength: 10 * 1024 * 1024,\n };\n\n // Wrap each protocol\n var nativeProtocols = {};\n Object.keys(protocols).forEach(function (scheme) {\n var protocol = scheme + \":\";\n var nativeProtocol = nativeProtocols[protocol] = protocols[scheme];\n var wrappedProtocol = exports[scheme] = Object.create(nativeProtocol);\n\n // Executes a request, following redirects\n function request(input, options, callback) {\n // Parse parameters, ensuring that input is an object\n if (isURL(input)) {\n input = spreadUrlObject(input);\n }\n else if (isString(input)) {\n input = spreadUrlObject(parseUrl(input));\n }\n else {\n callback = options;\n options = validateUrl(input);\n input = { protocol: protocol };\n }\n if (isFunction(options)) {\n callback = options;\n options = null;\n }\n\n // Set defaults\n options = Object.assign({\n maxRedirects: exports.maxRedirects,\n maxBodyLength: exports.maxBodyLength,\n }, input, options);\n options.nativeProtocols = nativeProtocols;\n if (!isString(options.host) && !isString(options.hostname)) {\n options.hostname = \"::1\";\n }\n\n assert.equal(options.protocol, protocol, \"protocol mismatch\");\n debug(\"options\", options);\n return new RedirectableRequest(options, callback);\n }\n\n // Executes a GET request, following redirects\n function get(input, options, callback) {\n var wrappedRequest = wrappedProtocol.request(input, options, callback);\n wrappedRequest.end();\n return wrappedRequest;\n }\n\n // Expose the properties on the wrapped protocol\n Object.defineProperties(wrappedProtocol, {\n request: { value: request, configurable: true, enumerable: true, writable: true },\n get: { value: get, configurable: true, enumerable: true, writable: true },\n });\n });\n return exports;\n}\n\nfunction noop() { /* empty */ }\n\nfunction parseUrl(input) {\n var parsed;\n // istanbul ignore else\n if (useNativeURL) {\n parsed = new URL(input);\n }\n else {\n // Ensure the URL is valid and absolute\n parsed = validateUrl(url.parse(input));\n if (!isString(parsed.protocol)) {\n throw new InvalidUrlError({ input });\n }\n }\n return parsed;\n}\n\nfunction resolveUrl(relative, base) {\n // istanbul ignore next\n return useNativeURL ? new URL(relative, base) : parseUrl(url.resolve(base, relative));\n}\n\nfunction validateUrl(input) {\n if (/^\\[/.test(input.hostname) && !/^\\[[:0-9a-f]+\\]$/i.test(input.hostname)) {\n throw new InvalidUrlError({ input: input.href || input });\n }\n if (/^\\[/.test(input.host) && !/^\\[[:0-9a-f]+\\](:\\d+)?$/i.test(input.host)) {\n throw new InvalidUrlError({ input: input.href || input });\n }\n return input;\n}\n\nfunction spreadUrlObject(urlObject, target) {\n var spread = target || {};\n for (var key of preservedUrlFields) {\n spread[key] = urlObject[key];\n }\n\n // Fix IPv6 hostname\n if (spread.hostname.startsWith(\"[\")) {\n spread.hostname = spread.hostname.slice(1, -1);\n }\n // Ensure port is a number\n if (spread.port !== \"\") {\n spread.port = Number(spread.port);\n }\n // Concatenate path\n spread.path = spread.search ? spread.pathname + spread.search : spread.pathname;\n\n return spread;\n}\n\nfunction removeMatchingHeaders(regex, headers) {\n var lastValue;\n for (var header in headers) {\n if (regex.test(header)) {\n lastValue = headers[header];\n delete headers[header];\n }\n }\n return (lastValue === null || typeof lastValue === \"undefined\") ?\n undefined : String(lastValue).trim();\n}\n\nfunction createErrorType(code, message, baseClass) {\n // Create constructor\n function CustomError(properties) {\n // istanbul ignore else\n if (isFunction(Error.captureStackTrace)) {\n Error.captureStackTrace(this, this.constructor);\n }\n Object.assign(this, properties || {});\n this.code = code;\n this.message = this.cause ? message + \": \" + this.cause.message : message;\n }\n\n // Attach constructor and set default properties\n CustomError.prototype = new (baseClass || Error)();\n Object.defineProperties(CustomError.prototype, {\n constructor: {\n value: CustomError,\n enumerable: false,\n },\n name: {\n value: \"Error [\" + code + \"]\",\n enumerable: false,\n },\n });\n return CustomError;\n}\n\nfunction destroyRequest(request, error) {\n for (var event of events) {\n request.removeListener(event, eventHandlers[event]);\n }\n request.on(\"error\", noop);\n request.destroy(error);\n}\n\nfunction isSubdomain(subdomain, domain) {\n assert(isString(subdomain) && isString(domain));\n var dot = subdomain.length - domain.length - 1;\n return dot > 0 && subdomain[dot] === \".\" && subdomain.endsWith(domain);\n}\n\nfunction isString(value) {\n return typeof value === \"string\" || value instanceof String;\n}\n\nfunction isFunction(value) {\n return typeof value === \"function\";\n}\n\nfunction isBuffer(value) {\n return typeof value === \"object\" && (\"length\" in value);\n}\n\nfunction isURL(value) {\n return URL && value instanceof URL;\n}\n\n// Exports\nmodule.exports = wrap({ http: http, https: https });\nmodule.exports.wrap = wrap;\n\n\n//# sourceURL=webpack:///./node_modules/follow-redirects/index.js?");
/***/ }),
/***/ "./node_modules/form-data/lib/form_data.js":
/*!*************************************************!*\
!*** ./node_modules/form-data/lib/form_data.js ***!
\*************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar CombinedStream = __webpack_require__(/*! combined-stream */ \"./node_modules/combined-stream/lib/combined_stream.js\");\nvar util = __webpack_require__(/*! util */ \"util\");\nvar path = __webpack_require__(/*! path */ \"path\");\nvar http = __webpack_require__(/*! http */ \"http\");\nvar https = __webpack_require__(/*! https */ \"https\");\nvar parseUrl = __webpack_require__(/*! url */ \"url\").parse;\nvar fs = __webpack_require__(/*! fs */ \"fs\");\nvar Stream = __webpack_require__(/*! stream */ \"stream\").Stream;\nvar crypto = __webpack_require__(/*! crypto */ \"crypto\");\nvar mime = __webpack_require__(/*! mime-types */ \"./node_modules/mime-types/index.js\");\nvar asynckit = __webpack_require__(/*! asynckit */ \"./node_modules/asynckit/index.js\");\nvar setToStringTag = __webpack_require__(/*! es-set-tostringtag */ \"./node_modules/es-set-tostringtag/index.js\");\nvar hasOwn = __webpack_require__(/*! hasown */ \"./node_modules/hasown/index.js\");\nvar populate = __webpack_require__(/*! ./populate.js */ \"./node_modules/form-data/lib/populate.js\");\n\n/**\n * Create readable \"multipart/form-data\" streams.\n * Can be used to submit forms\n * and file uploads to other web applications.\n *\n * @constructor\n * @param {object} options - Properties to be added/overriden for FormData and CombinedStream\n */\nfunction FormData(options) {\n if (!(this instanceof FormData)) {\n return new FormData(options);\n }\n\n this._overheadLength = 0;\n this._valueLength = 0;\n this._valuesToMeasure = [];\n\n CombinedStream.call(this);\n\n options = options || {}; // eslint-disable-line no-param-reassign\n for (var option in options) { // eslint-disable-line no-restricted-syntax\n this[option] = options[option];\n }\n}\n\n// make it a Stream\nutil.inherits(FormData, CombinedStream);\n\nFormData.LINE_BREAK = '\\r\\n';\nFormData.DEFAULT_CONTENT_TYPE = 'application/octet-stream';\n\nFormData.prototype.append = function (field, value, options) {\n options = options || {}; // eslint-disable-line no-param-reassign\n\n // allow filename as single option\n if (typeof options === 'string') {\n options = { filename: options }; // eslint-disable-line no-param-reassign\n }\n\n var append = CombinedStream.prototype.append.bind(this);\n\n // all that streamy business can't handle numbers\n if (typeof value === 'number' || value == null) {\n value = String(value); // eslint-disable-line no-param-reassign\n }\n\n // https://github.com/felixge/node-form-data/issues/38\n if (Array.isArray(value)) {\n /*\n * Please convert your array into string\n * the way web server expects it\n */\n this._error(new Error('Arrays are not supported.'));\n return;\n }\n\n var header = this._multiPartHeader(field, value, options);\n var footer = this._multiPartFooter();\n\n append(header);\n append(value);\n append(footer);\n\n // pass along options.knownLength\n this._trackLength(header, value, options);\n};\n\nFormData.prototype._trackLength = function (header, value, options) {\n var valueLength = 0;\n\n /*\n * used w/ getLengthSync(), when length is known.\n * e.g. for streaming directly from a remote server,\n * w/ a known file a size, and not wanting to wait for\n * incoming file to finish to get its size.\n */\n if (options.knownLength != null) {\n valueLength += Number(options.knownLength);\n } else if (Buffer.isBuffer(value)) {\n valueLength = value.length;\n } else if (typeof value === 'string') {\n valueLength = Buffer.byteLength(value);\n }\n\n this._valueLength += valueLength;\n\n // @check why add CRLF? does this account for custom/multiple CRLFs?\n this._overheadLength += Buffer.byteLength(header) + FormData.LINE_BREAK.length;\n\n // empty or either doesn't have path or not an http response or not a stream\n if (!value || (!value.path && !(value.readable && hasOwn(value, 'httpVersion')) && !(value instanceof Stream))) {\n return;\n }\n\n // no need to bother with the length\n if (!options.knownLength) {\n this._valuesToMeasure.push(value);\n }\n};\n\nFormData.prototype._lengthRetriever = function (value, callback) {\n if (hasOwn(value, 'fd')) {\n // take read range into a account\n // `end` = Infinity –> read file till the end\n //\n // TODO: Looks like there is bug in Node fs.createReadStream\n // it doesn't respect `end` options without `start` options\n // Fix it when node fixes it.\n // https://github.com/joyent/node/issues/7819\n if (value.end != undefined && value.end != Infinity && value.start != undefined) {\n // when end specified\n // no need to calculate range\n // inclusive, starts with 0\n callback(null, value.end + 1 - (value.start ? value.start : 0)); // eslint-disable-line callback-return\n\n // not that fast snoopy\n } else {\n // still need to fetch file size from fs\n fs.stat(value.path, function (err, stat) {\n if (err) {\n callback(err);\n return;\n }\n\n // update final size based on the range options\n var fileSize = stat.size - (value.start ? value.start : 0);\n callback(null, fileSize);\n });\n }\n\n // or http response\n } else if (hasOwn(value, 'httpVersion')) {\n callback(null, Number(value.headers['content-length'])); // eslint-disable-line callback-return\n\n // or request stream http://github.com/mikeal/request\n } else if (hasOwn(value, 'httpModule')) {\n // wait till response come back\n value.on('response', function (response) {\n value.pause();\n callback(null, Number(response.headers['content-length']));\n });\n value.resume();\n\n // something else\n } else {\n callback('Unknown stream'); // eslint-disable-line callback-return\n }\n};\n\nFormData.prototype._multiPartHeader = function (field, value, options) {\n /*\n * custom header specified (as string)?\n * it becomes responsible for boundary\n * (e.g. to handle extra CRLFs on .NET servers)\n */\n if (typeof options.header === 'string') {\n return options.header;\n }\n\n var contentDisposition = this._getContentDisposition(value, options);\n var contentType = this._getContentType(value, options);\n\n var contents = '';\n var headers = {\n // add custom disposition as third element or keep it two elements if not\n 'Content-Disposition': ['form-data', 'name=\"' + field + '\"'].concat(contentDisposition || []),\n // if no content type. allow it to be empty array\n 'Content-Type': [].concat(contentType || [])\n };\n\n // allow custom headers.\n if (typeof options.header === 'object') {\n populate(headers, options.header);\n }\n\n var header;\n for (var prop in headers) { // eslint-disable-line no-restricted-syntax\n if (hasOwn(headers, prop)) {\n header = headers[prop];\n\n // skip nullish headers.\n if (header == null) {\n continue; // eslint-disable-line no-restricted-syntax, no-continue\n }\n\n // convert all headers to arrays.\n if (!Array.isArray(header)) {\n header = [header];\n }\n\n // add non-empty headers.\n if (header.length) {\n contents += prop + ': ' + header.join('; ') + FormData.LINE_BREAK;\n }\n }\n }\n\n return '--' + this.getBoundary() + FormData.LINE_BREAK + contents + FormData.LINE_BREAK;\n};\n\nFormData.prototype._getContentDisposition = function (value, options) { // eslint-disable-line consistent-return\n var filename;\n\n if (typeof options.filepath === 'string') {\n // custom filepath for relative paths\n filename = path.normalize(options.filepath).replace(/\\\\/g, '/');\n } else if (options.filename || (value && (value.name || value.path))) {\n /*\n * custom filename take precedence\n * formidable and the browser add a name property\n * fs- and request- streams have path property\n */\n filename = path.basename(options.filename || (value && (value.name || value.path)));\n } else if (value && value.readable && hasOwn(value, 'httpVersion')) {\n // or try http response\n filename = path.basename(value.client._httpMessage.path || '');\n }\n\n if (filename) {\n return 'filename=\"' + filename + '\"';\n }\n};\n\nFormData.prototype._getContentType = function (value, options) {\n // use custom content-type above all\n var contentType = options.contentType;\n\n // or try `name` from formidable, browser\n if (!contentType && value && value.name) {\n contentType = mime.lookup(value.name);\n }\n\n // or try `path` from fs-, request- streams\n if (!contentType && value && value.path) {\n contentType = mime.lookup(value.path);\n }\n\n // or if it's http-reponse\n if (!contentType && value && value.readable && hasOwn(value, 'httpVersion')) {\n contentType = value.headers['content-type'];\n }\n\n // or guess it from the filepath or filename\n if (!contentType && (options.filepath || options.filename)) {\n contentType = mime.lookup(options.filepath || options.filename);\n }\n\n // fallback to the default content type if `value` is not simple value\n if (!contentType && value && typeof value === 'object') {\n contentType = FormData.DEFAULT_CONTENT_TYPE;\n }\n\n return contentType;\n};\n\nFormData.prototype._multiPartFooter = function () {\n return function (next) {\n var footer = FormData.LINE_BREAK;\n\n var lastPart = this._streams.length === 0;\n if (lastPart) {\n footer += this._lastBoundary();\n }\n\n next(footer);\n }.bind(this);\n};\n\nFormData.prototype._lastBoundary = function () {\n return '--' + this.getBoundary() + '--' + FormData.LINE_BREAK;\n};\n\nFormData.prototype.getHeaders = function (userHeaders) {\n var header;\n var formHeaders = {\n 'content-type': 'multipart/form-data; boundary=' + this.getBoundary()\n };\n\n for (header in userHeaders) { // eslint-disable-line no-restricted-syntax\n if (hasOwn(userHeaders, header)) {\n formHeaders[header.toLowerCase()] = userHeaders[header];\n }\n }\n\n return formHeaders;\n};\n\nFormData.prototype.setBoundary = function (boundary) {\n if (typeof boundary !== 'string') {\n throw new TypeError('FormData boundary must be a string');\n }\n this._boundary = boundary;\n};\n\nFormData.prototype.getBoundary = function () {\n if (!this._boundary) {\n this._generateBoundary();\n }\n\n return this._boundary;\n};\n\nFormData.prototype.getBuffer = function () {\n var dataBuffer = new Buffer.alloc(0); // eslint-disable-line new-cap\n var boundary = this.getBoundary();\n\n // Create the form content. Add Line breaks to the end of data.\n for (var i = 0, len = this._streams.length; i < len; i++) {\n if (typeof this._streams[i] !== 'function') {\n // Add content to the buffer.\n if (Buffer.isBuffer(this._streams[i])) {\n dataBuffer = Buffer.concat([dataBuffer, this._streams[i]]);\n } else {\n dataBuffer = Buffer.concat([dataBuffer, Buffer.from(this._streams[i])]);\n }\n\n // Add break after content.\n if (typeof this._streams[i] !== 'string' || this._streams[i].substring(2, boundary.length + 2) !== boundary) {\n dataBuffer = Buffer.concat([dataBuffer, Buffer.from(FormData.LINE_BREAK)]);\n }\n }\n }\n\n // Add the footer and return the Buffer object.\n return Buffer.concat([dataBuffer, Buffer.from(this._lastBoundary())]);\n};\n\nFormData.prototype._generateBoundary = function () {\n // This generates a 50 character boundary similar to those used by Firefox.\n\n // They are optimized for boyer-moore parsing.\n this._boundary = '--------------------------' + crypto.randomBytes(12).toString('hex');\n};\n\n// Note: getLengthSync DOESN'T calculate streams length\n// As workaround one can calculate file size manually and add it as knownLength option\nFormData.prototype.getLengthSync = function () {\n var knownLength = this._overheadLength + this._valueLength;\n\n // Don't get confused, there are 3 \"internal\" streams for each keyval pair so it basically checks if there is any value added to the form\n if (this._streams.length) {\n knownLength += this._lastBoundary().length;\n }\n\n // https://github.com/form-data/form-data/issues/40\n if (!this.hasKnownLength()) {\n /*\n * Some async length retrievers are present\n * therefore synchronous length calculation is false.\n * Please use getLength(callback) to get proper length\n */\n this._error(new Error('Cannot calculate proper length in synchronous way.'));\n }\n\n return knownLength;\n};\n\n// Public API to check if length of added values is known\n// https://github.com/form-data/form-data/issues/196\n// https://github.com/form-data/form-data/issues/262\nFormData.prototype.hasKnownLength = function () {\n var hasKnownLength = true;\n\n if (this._valuesToMeasure.length) {\n hasKnownLength = false;\n }\n\n return hasKnownLength;\n};\n\nFormData.prototype.getLength = function (cb) {\n var knownLength = this._overheadLength + this._valueLength;\n\n if (this._streams.length) {\n knownLength += this._lastBoundary().length;\n }\n\n if (!this._valuesToMeasure.length) {\n process.nextTick(cb.bind(this, null, knownLength));\n return;\n }\n\n asynckit.parallel(this._valuesToMeasure, this._lengthRetriever, function (err, values) {\n if (err) {\n cb(err);\n return;\n }\n\n values.forEach(function (length) {\n knownLength += length;\n });\n\n cb(null, knownLength);\n });\n};\n\nFormData.prototype.submit = function (params, cb) {\n var request;\n var options;\n var defaults = { method: 'post' };\n\n // parse provided url if it's string or treat it as options object\n if (typeof params === 'string') {\n params = parseUrl(params); // eslint-disable-line no-param-reassign\n /* eslint sort-keys: 0 */\n options = populate({\n port: params.port,\n path: params.pathname,\n host: params.hostname,\n protocol: params.protocol\n }, defaults);\n } else { // use custom params\n options = populate(params, defaults);\n // if no port provided use default one\n if (!options.port) {\n options.port = options.protocol === 'https:' ? 443 : 80;\n }\n }\n\n // put that good code in getHeaders to some use\n options.headers = this.getHeaders(params.headers);\n\n // https if specified, fallback to http in any other case\n if (options.protocol === 'https:') {\n request = https.request(options);\n } else {\n request = http.request(options);\n }\n\n // get content length and fire away\n this.getLength(function (err, length) {\n if (err && err !== 'Unknown stream') {\n this._error(err);\n return;\n }\n\n // add content length\n if (length) {\n request.setHeader('Content-Length', length);\n }\n\n this.pipe(request);\n if (cb) {\n var onResponse;\n\n var callback = function (error, responce) {\n request.removeListener('error', callback);\n request.removeListener('response', onResponse);\n\n return cb.call(this, error, responce);\n };\n\n onResponse = callback.bind(this, null);\n\n request.on('error', callback);\n request.on('response', onResponse);\n }\n }.bind(this));\n\n return request;\n};\n\nFormData.prototype._error = function (err) {\n if (!this.error) {\n this.error = err;\n this.pause();\n this.emit('error', err);\n }\n};\n\nFormData.prototype.toString = function () {\n return '[object FormData]';\n};\nsetToStringTag(FormData.prototype, 'FormData');\n\n// Public API\nmodule.exports = FormData;\n\n\n//# sourceURL=webpack:///./node_modules/form-data/lib/form_data.js?");
/***/ }),
/***/ "./node_modules/form-data/lib/populate.js":
/*!************************************************!*\
!*** ./node_modules/form-data/lib/populate.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// populates missing values\nmodule.exports = function (dst, src) {\n Object.keys(src).forEach(function (prop) {\n dst[prop] = dst[prop] || src[prop]; // eslint-disable-line no-param-reassign\n });\n\n return dst;\n};\n\n\n//# sourceURL=webpack:///./node_modules/form-data/lib/populate.js?");
/***/ }),
/***/ "./node_modules/fs.realpath/index.js":
/*!*******************************************!*\
!*** ./node_modules/fs.realpath/index.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("module.exports = realpath\nrealpath.realpath = realpath\nrealpath.sync = realpathSync\nrealpath.realpathSync = realpathSync\nrealpath.monkeypatch = monkeypatch\nrealpath.unmonkeypatch = unmonkeypatch\n\nvar fs = __webpack_require__(/*! fs */ \"fs\")\nvar origRealpath = fs.realpath\nvar origRealpathSync = fs.realpathSync\n\nvar version = process.version\nvar ok = /^v[0-5]\\./.test(version)\nvar old = __webpack_require__(/*! ./old.js */ \"./node_modules/fs.realpath/old.js\")\n\nfunction newError (er) {\n return er && er.syscall === 'realpath' && (\n er.code === 'ELOOP' ||\n er.code === 'ENOMEM' ||\n er.code === 'ENAMETOOLONG'\n )\n}\n\nfunction realpath (p, cache, cb) {\n if (ok) {\n return origRealpath(p, cache, cb)\n }\n\n if (typeof cache === 'function') {\n cb = cache\n cache = null\n }\n origRealpath(p, cache, function (er, result) {\n if (newError(er)) {\n old.realpath(p, cache, cb)\n } else {\n cb(er, result)\n }\n })\n}\n\nfunction realpathSync (p, cache) {\n if (ok) {\n return origRealpathSync(p, cache)\n }\n\n try {\n return origRealpathSync(p, cache)\n } catch (er) {\n if (newError(er)) {\n return old.realpathSync(p, cache)\n } else {\n throw er\n }\n }\n}\n\nfunction monkeypatch () {\n fs.realpath = realpath\n fs.realpathSync = realpathSync\n}\n\nfunction unmonkeypatch () {\n fs.realpath = origRealpath\n fs.realpathSync = origRealpathSync\n}\n\n\n//# sourceURL=webpack:///./node_modules/fs.realpath/index.js?");
/***/ }),
/***/ "./node_modules/fs.realpath/old.js":
/*!*****************************************!*\
!*** ./node_modules/fs.realpath/old.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\nvar pathModule = __webpack_require__(/*! path */ \"path\");\nvar isWindows = process.platform === 'win32';\nvar fs = __webpack_require__(/*! fs */ \"fs\");\n\n// JavaScript implementation of realpath, ported from node pre-v6\n\nvar DEBUG = process.env.NODE_DEBUG && /fs/.test(process.env.NODE_DEBUG);\n\nfunction rethrow() {\n // Only enable in debug mode. A backtrace uses ~1000 bytes of heap space and\n // is fairly slow to generate.\n var callback;\n if (DEBUG) {\n var backtrace = new Error;\n callback = debugCallback;\n } else\n callback = missingCallback;\n\n return callback;\n\n function debugCallback(err) {\n if (err) {\n backtrace.message = err.message;\n err = backtrace;\n missingCallback(err);\n }\n }\n\n function missingCallback(err) {\n if (err) {\n if (process.throwDeprecation)\n throw err; // Forgot a callback but don't know where? Use NODE_DEBUG=fs\n else if (!process.noDeprecation) {\n var msg = 'fs: missing callback ' + (err.stack || err.message);\n if (process.traceDeprecation)\n console.trace(msg);\n else\n console.error(msg);\n }\n }\n }\n}\n\nfunction maybeCallback(cb) {\n return typeof cb === 'function' ? cb : rethrow();\n}\n\nvar normalize = pathModule.normalize;\n\n// Regexp that finds the next partion of a (partial) path\n// result is [base_with_slash, base], e.g. ['somedir/', 'somedir']\nif (isWindows) {\n var nextPartRe = /(.*?)(?:[\\/\\\\]+|$)/g;\n} else {\n var nextPartRe = /(.*?)(?:[\\/]+|$)/g;\n}\n\n// Regex to find the device root, including trailing slash. E.g. 'c:\\\\'.\nif (isWindows) {\n var splitRootRe = /^(?:[a-zA-Z]:|[\\\\\\/]{2}[^\\\\\\/]+[\\\\\\/][^\\\\\\/]+)?[\\\\\\/]*/;\n} else {\n var splitRootRe = /^[\\/]*/;\n}\n\nexports.realpathSync = function realpathSync(p, cache) {\n // make p is absolute\n p = pathModule.resolve(p);\n\n if (cache && Object.prototype.hasOwnProperty.call(cache, p)) {\n return cache[p];\n }\n\n var original = p,\n seenLinks = {},\n knownHard = {};\n\n // current character position in p\n var pos;\n // the partial path so far, including a trailing slash if any\n var current;\n // the partial path without a trailing slash (except when pointing at a root)\n var base;\n // the partial path scanned in the previous round, with slash\n var previous;\n\n start();\n\n function start() {\n // Skip over roots\n var m = splitRootRe.exec(p);\n pos = m[0].length;\n current = m[0];\n base = m[0];\n previous = '';\n\n // On windows, check that the root exists. On unix there is no need.\n if (isWindows && !knownHard[base]) {\n fs.lstatSync(base);\n knownHard[base] = true;\n }\n }\n\n // walk down the path, swapping out linked pathparts for their real\n // values\n // NB: p.length changes.\n while (pos < p.length) {\n // find the next part\n nextPartRe.lastIndex = pos;\n var result = nextPartRe.exec(p);\n previous = current;\n current += result[0];\n base = previous + result[1];\n pos = nextPartRe.lastIndex;\n\n // continue if not a symlink\n if (knownHard[base] || (cache && cache[base] === base)) {\n continue;\n }\n\n var resolvedLink;\n if (cache && Object.prototype.hasOwnProperty.call(cache, base)) {\n // some known symbolic link. no need to stat again.\n resolvedLink = cache[base];\n } else {\n var stat = fs.lstatSync(base);\n if (!stat.isSymbolicLink()) {\n knownHard[base] = true;\n if (cache) cache[base] = base;\n continue;\n }\n\n // read the link if it wasn't read before\n // dev/ino always return 0 on windows, so skip the check.\n var linkTarget = null;\n if (!isWindows) {\n var id = stat.dev.toString(32) + ':' + stat.ino.toString(32);\n if (seenLinks.hasOwnProperty(id)) {\n linkTarget = seenLinks[id];\n }\n }\n if (linkTarget === null) {\n fs.statSync(base);\n linkTarget = fs.readlinkSync(base);\n }\n resolvedLink = pathModule.resolve(previous, linkTarget);\n // track this, if given a cache.\n if (cache) cache[base] = resolvedLink;\n if (!isWindows) seenLinks[id] = linkTarget;\n }\n\n // resolve the link, then start over\n p = pathModule.resolve(resolvedLink, p.slice(pos));\n start();\n }\n\n if (cache) cache[original] = p;\n\n return p;\n};\n\n\nexports.realpath = function realpath(p, cache, cb) {\n if (typeof cb !== 'function') {\n cb = maybeCallback(cache);\n cache = null;\n }\n\n // make p is absolute\n p = pathModule.resolve(p);\n\n if (cache && Object.prototype.hasOwnProperty.call(cache, p)) {\n return process.nextTick(cb.bind(null, null, cache[p]));\n }\n\n var original = p,\n seenLinks = {},\n knownHard = {};\n\n // current character position in p\n var pos;\n // the partial path so far, including a trailing slash if any\n var current;\n // the partial path without a trailing slash (except when pointing at a root)\n var base;\n // the partial path scanned in the previous round, with slash\n var previous;\n\n start();\n\n function start() {\n // Skip over roots\n var m = splitRootRe.exec(p);\n pos = m[0].length;\n current = m[0];\n base = m[0];\n previous = '';\n\n // On windows, check that the root exists. On unix there is no need.\n if (isWindows && !knownHard[base]) {\n fs.lstat(base, function(err) {\n if (err) return cb(err);\n knownHard[base] = true;\n LOOP();\n });\n } else {\n process.nextTick(LOOP);\n }\n }\n\n // walk down the path, swapping out linked pathparts for their real\n // values\n function LOOP() {\n // stop if scanned past end of path\n if (pos >= p.length) {\n if (cache) cache[original] = p;\n return cb(null, p);\n }\n\n // find the next part\n nextPartRe.lastIndex = pos;\n var result = nextPartRe.exec(p);\n previous = current;\n current += result[0];\n base = previous + result[1];\n pos = nextPartRe.lastIndex;\n\n // continue if not a symlink\n if (knownHard[base] || (cache && cache[base] === base)) {\n return process.nextTick(LOOP);\n }\n\n if (cache && Object.prototype.hasOwnProperty.call(cache, base)) {\n // known symbolic link. no need to stat again.\n return gotResolvedLink(cache[base]);\n }\n\n return fs.lstat(base, gotStat);\n }\n\n function gotStat(err, stat) {\n if (err) return cb(err);\n\n // if not a symlink, skip to the next path part\n if (!stat.isSymbolicLink()) {\n knownHard[base] = true;\n if (cache) cache[base] = base;\n return process.nextTick(LOOP);\n }\n\n // stat & read the link if not read before\n // call gotTarget as soon as the link target is known\n // dev/ino always return 0 on windows, so skip the check.\n if (!isWindows) {\n var id = stat.dev.toString(32) + ':' + stat.ino.toString(32);\n if (seenLinks.hasOwnProperty(id)) {\n return gotTarget(null, seenLinks[id], base);\n }\n }\n fs.stat(base, function(err) {\n if (err) return cb(err);\n\n fs.readlink(base, function(err, target) {\n if (!isWindows) seenLinks[id] = target;\n gotTarget(err, target);\n });\n });\n }\n\n function gotTarget(err, target, base) {\n if (err) return cb(err);\n\n var resolvedLink = pathModule.resolve(previous, target);\n if (cache) cache[base] = resolvedLink;\n gotResolvedLink(resolvedLink);\n }\n\n function gotResolvedLink(resolvedLink) {\n // resolve the link, then start over\n p = pathModule.resolve(resolvedLink, p.slice(pos));\n start();\n }\n};\n\n\n//# sourceURL=webpack:///./node_modules/fs.realpath/old.js?");
/***/ }),
/***/ "./node_modules/function-bind/implementation.js":
/*!******************************************************!*\
!*** ./node_modules/function-bind/implementation.js ***!
\******************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/* eslint no-invalid-this: 1 */\n\nvar ERROR_MESSAGE = 'Function.prototype.bind called on incompatible ';\nvar toStr = Object.prototype.toString;\nvar max = Math.max;\nvar funcType = '[object Function]';\n\nvar concatty = function concatty(a, b) {\n var arr = [];\n\n for (var i = 0; i < a.length; i += 1) {\n arr[i] = a[i];\n }\n for (var j = 0; j < b.length; j += 1) {\n arr[j + a.length] = b[j];\n }\n\n return arr;\n};\n\nvar slicy = function slicy(arrLike, offset) {\n var arr = [];\n for (var i = offset || 0, j = 0; i < arrLike.length; i += 1, j += 1) {\n arr[j] = arrLike[i];\n }\n return arr;\n};\n\nvar joiny = function (arr, joiner) {\n var str = '';\n for (var i = 0; i < arr.length; i += 1) {\n str += arr[i];\n if (i + 1 < arr.length) {\n str += joiner;\n }\n }\n return str;\n};\n\nmodule.exports = function bind(that) {\n var target = this;\n if (typeof target !== 'function' || toStr.apply(target) !== funcType) {\n throw new TypeError(ERROR_MESSAGE + target);\n }\n var args = slicy(arguments, 1);\n\n var bound;\n var binder = function () {\n if (this instanceof bound) {\n var result = target.apply(\n this,\n concatty(args, arguments)\n );\n if (Object(result) === result) {\n return result;\n }\n return this;\n }\n return target.apply(\n that,\n concatty(args, arguments)\n );\n\n };\n\n var boundLength = max(0, target.length - args.length);\n var boundArgs = [];\n for (var i = 0; i < boundLength; i++) {\n boundArgs[i] = '$' + i;\n }\n\n bound = Function('binder', 'return function (' + joiny(boundArgs, ',') + '){ return binder.apply(this,arguments); }')(binder);\n\n if (target.prototype) {\n var Empty = function Empty() {};\n Empty.prototype = target.prototype;\n bound.prototype = new Empty();\n Empty.prototype = null;\n }\n\n return bound;\n};\n\n\n//# sourceURL=webpack:///./node_modules/function-bind/implementation.js?");
/***/ }),
/***/ "./node_modules/function-bind/index.js":
/*!*********************************************!*\
!*** ./node_modules/function-bind/index.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar implementation = __webpack_require__(/*! ./implementation */ \"./node_modules/function-bind/implementation.js\");\n\nmodule.exports = Function.prototype.bind || implementation;\n\n\n//# sourceURL=webpack:///./node_modules/function-bind/index.js?");
/***/ }),
/***/ "./node_modules/get-intrinsic/index.js":
/*!*********************************************!*\
!*** ./node_modules/get-intrinsic/index.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar undefined;\n\nvar $Object = __webpack_require__(/*! es-object-atoms */ \"./node_modules/es-object-atoms/index.js\");\n\nvar $Error = __webpack_require__(/*! es-errors */ \"./node_modules/es-errors/index.js\");\nvar $EvalError = __webpack_require__(/*! es-errors/eval */ \"./node_modules/es-errors/eval.js\");\nvar $RangeError = __webpack_require__(/*! es-errors/range */ \"./node_modules/es-errors/range.js\");\nvar $ReferenceError = __webpack_require__(/*! es-errors/ref */ \"./node_modules/es-errors/ref.js\");\nvar $SyntaxError = __webpack_require__(/*! es-errors/syntax */ \"./node_modules/es-errors/syntax.js\");\nvar $TypeError = __webpack_require__(/*! es-errors/type */ \"./node_modules/es-errors/type.js\");\nvar $URIError = __webpack_require__(/*! es-errors/uri */ \"./node_modules/es-errors/uri.js\");\n\nvar abs = __webpack_require__(/*! math-intrinsics/abs */ \"./node_modules/math-intrinsics/abs.js\");\nvar floor = __webpack_require__(/*! math-intrinsics/floor */ \"./node_modules/math-intrinsics/floor.js\");\nvar max = __webpack_require__(/*! math-intrinsics/max */ \"./node_modules/math-intrinsics/max.js\");\nvar min = __webpack_require__(/*! math-intrinsics/min */ \"./node_modules/math-intrinsics/min.js\");\nvar pow = __webpack_require__(/*! math-intrinsics/pow */ \"./node_modules/math-intrinsics/pow.js\");\nvar round = __webpack_require__(/*! math-intrinsics/round */ \"./node_modules/math-intrinsics/round.js\");\nvar sign = __webpack_require__(/*! math-intrinsics/sign */ \"./node_modules/math-intrinsics/sign.js\");\n\nvar $Function = Function;\n\n// eslint-disable-next-line consistent-return\nvar getEvalledConstructor = function (expressionSyntax) {\n\ttry {\n\t\treturn $Function('\"use strict\"; return (' + expressionSyntax + ').constructor;')();\n\t} catch (e) {}\n};\n\nvar $gOPD = __webpack_require__(/*! gopd */ \"./node_modules/gopd/index.js\");\nvar $defineProperty = __webpack_require__(/*! es-define-property */ \"./node_modules/es-define-property/index.js\");\n\nvar throwTypeError = function () {\n\tthrow new $TypeError();\n};\nvar ThrowTypeError = $gOPD\n\t? (function () {\n\t\ttry {\n\t\t\t// eslint-disable-next-line no-unused-expressions, no-caller, no-restricted-properties\n\t\t\targuments.callee; // IE 8 does not throw here\n\t\t\treturn throwTypeError;\n\t\t} catch (calleeThrows) {\n\t\t\ttry {\n\t\t\t\t// IE 8 throws on Object.getOwnPropertyDescriptor(arguments, '')\n\t\t\t\treturn $gOPD(arguments, 'callee').get;\n\t\t\t} catch (gOPDthrows) {\n\t\t\t\treturn throwTypeError;\n\t\t\t}\n\t\t}\n\t}())\n\t: throwTypeError;\n\nvar hasSymbols = __webpack_require__(/*! has-symbols */ \"./node_modules/has-symbols/index.js\")();\n\nvar getProto = __webpack_require__(/*! get-proto */ \"./node_modules/get-proto/index.js\");\nvar $ObjectGPO = __webpack_require__(/*! get-proto/Object.getPrototypeOf */ \"./node_modules/get-proto/Object.getPrototypeOf.js\");\nvar $ReflectGPO = __webpack_require__(/*! get-proto/Reflect.getPrototypeOf */ \"./node_modules/get-proto/Reflect.getPrototypeOf.js\");\n\nvar $apply = __webpack_require__(/*! call-bind-apply-helpers/functionApply */ \"./node_modules/call-bind-apply-helpers/functionApply.js\");\nvar $call = __webpack_require__(/*! call-bind-apply-helpers/functionCall */ \"./node_modules/call-bind-apply-helpers/functionCall.js\");\n\nvar needsEval = {};\n\nvar TypedArray = typeof Uint8Array === 'undefined' || !getProto ? undefined : getProto(Uint8Array);\n\nvar INTRINSICS = {\n\t__proto__: null,\n\t'%AggregateError%': typeof AggregateError === 'undefined' ? undefined : AggregateError,\n\t'%Array%': Array,\n\t'%ArrayBuffer%': typeof ArrayBuffer === 'undefined' ? undefined : ArrayBuffer,\n\t'%ArrayIteratorPrototype%': hasSymbols && getProto ? getProto([][Symbol.iterator]()) : undefined,\n\t'%AsyncFromSyncIteratorPrototype%': undefined,\n\t'%AsyncFunction%': needsEval,\n\t'%AsyncGenerator%': needsEval,\n\t'%AsyncGeneratorFunction%': needsEval,\n\t'%AsyncIteratorPrototype%': needsEval,\n\t'%Atomics%': typeof Atomics === 'undefined' ? undefined : Atomics,\n\t'%BigInt%': typeof BigInt === 'undefined' ? undefined : BigInt,\n\t'%BigInt64Array%': typeof BigInt64Array === 'undefined' ? undefined : BigInt64Array,\n\t'%BigUint64Array%': typeof BigUint64Array === 'undefined' ? undefined : BigUint64Array,\n\t'%Boolean%': Boolean,\n\t'%DataView%': typeof DataView === 'undefined' ? undefined : DataView,\n\t'%Date%': Date,\n\t'%decodeURI%': decodeURI,\n\t'%decodeURIComponent%': decodeURIComponent,\n\t'%encodeURI%': encodeURI,\n\t'%encodeURIComponent%': encodeURIComponent,\n\t'%Error%': $Error,\n\t'%eval%': eval, // eslint-disable-line no-eval\n\t'%EvalError%': $EvalError,\n\t'%Float16Array%': typeof Float16Array === 'undefined' ? undefined : Float16Array,\n\t'%Float32Array%': typeof Float32Array === 'undefined' ? undefined : Float32Array,\n\t'%Float64Array%': typeof Float64Array === 'undefined' ? undefined : Float64Array,\n\t'%FinalizationRegistry%': typeof FinalizationRegistry === 'undefined' ? undefined : FinalizationRegistry,\n\t'%Function%': $Function,\n\t'%GeneratorFunction%': needsEval,\n\t'%Int8Array%': typeof Int8Array === 'undefined' ? undefined : Int8Array,\n\t'%Int16Array%': typeof Int16Array === 'undefined' ? undefined : Int16Array,\n\t'%Int32Array%': typeof Int32Array === 'undefined' ? undefined : Int32Array,\n\t'%isFinite%': isFinite,\n\t'%isNaN%': isNaN,\n\t'%IteratorPrototype%': hasSymbols && getProto ? getProto(getProto([][Symbol.iterator]())) : undefined,\n\t'%JSON%': typeof JSON === 'object' ? JSON : undefined,\n\t'%Map%': typeof Map === 'undefined' ? undefined : Map,\n\t'%MapIteratorPrototype%': typeof Map === 'undefined' || !hasSymbols || !getProto ? undefined : getProto(new Map()[Symbol.iterator]()),\n\t'%Math%': Math,\n\t'%Number%': Number,\n\t'%Object%': $Object,\n\t'%Object.getOwnPropertyDescriptor%': $gOPD,\n\t'%parseFloat%': parseFloat,\n\t'%parseInt%': parseInt,\n\t'%Promise%': typeof Promise === 'undefined' ? undefined : Promise,\n\t'%Proxy%': typeof Proxy === 'undefined' ? undefined : Proxy,\n\t'%RangeError%': $RangeError,\n\t'%ReferenceError%': $ReferenceError,\n\t'%Reflect%': typeof Reflect === 'undefined' ? undefined : Reflect,\n\t'%RegExp%': RegExp,\n\t'%Set%': typeof Set === 'undefined' ? undefined : Set,\n\t'%SetIteratorPrototype%': typeof Set === 'undefined' || !hasSymbols || !getProto ? undefined : getProto(new Set()[Symbol.iterator]()),\n\t'%SharedArrayBuffer%': typeof SharedArrayBuffer === 'undefined' ? undefined : SharedArrayBuffer,\n\t'%String%': String,\n\t'%StringIteratorPrototype%': hasSymbols && getProto ? getProto(''[Symbol.iterator]()) : undefined,\n\t'%Symbol%': hasSymbols ? Symbol : undefined,\n\t'%SyntaxError%': $SyntaxError,\n\t'%ThrowTypeError%': ThrowTypeError,\n\t'%TypedArray%': TypedArray,\n\t'%TypeError%': $TypeError,\n\t'%Uint8Array%': typeof Uint8Array === 'undefined' ? undefined : Uint8Array,\n\t'%Uint8ClampedArray%': typeof Uint8ClampedArray === 'undefined' ? undefined : Uint8ClampedArray,\n\t'%Uint16Array%': typeof Uint16Array === 'undefined' ? undefined : Uint16Array,\n\t'%Uint32Array%': typeof Uint32Array === 'undefined' ? undefined : Uint32Array,\n\t'%URIError%': $URIError,\n\t'%WeakMap%': typeof WeakMap === 'undefined' ? undefined : WeakMap,\n\t'%WeakRef%': typeof WeakRef === 'undefined' ? undefined : WeakRef,\n\t'%WeakSet%': typeof WeakSet === 'undefined' ? undefined : WeakSet,\n\n\t'%Function.prototype.call%': $call,\n\t'%Function.prototype.apply%': $apply,\n\t'%Object.defineProperty%': $defineProperty,\n\t'%Object.getPrototypeOf%': $ObjectGPO,\n\t'%Math.abs%': abs,\n\t'%Math.floor%': floor,\n\t'%Math.max%': max,\n\t'%Math.min%': min,\n\t'%Math.pow%': pow,\n\t'%Math.round%': round,\n\t'%Math.sign%': sign,\n\t'%Reflect.getPrototypeOf%': $ReflectGPO\n};\n\nif (getProto) {\n\ttry {\n\t\tnull.error; // eslint-disable-line no-unused-expressions\n\t} catch (e) {\n\t\t// https://github.com/tc39/proposal-shadowrealm/pull/384#issuecomment-1364264229\n\t\tvar errorProto = getProto(getProto(e));\n\t\tINTRINSICS['%Error.prototype%'] = errorProto;\n\t}\n}\n\nvar doEval = function doEval(name) {\n\tvar value;\n\tif (name === '%AsyncFunction%') {\n\t\tvalue = getEvalledConstructor('async function () {}');\n\t} else if (name === '%GeneratorFunction%') {\n\t\tvalue = getEvalledConstructor('function* () {}');\n\t} else if (name === '%AsyncGeneratorFunction%') {\n\t\tvalue = getEvalledConstructor('async function* () {}');\n\t} else if (name === '%AsyncGenerator%') {\n\t\tvar fn = doEval('%AsyncGeneratorFunction%');\n\t\tif (fn) {\n\t\t\tvalue = fn.prototype;\n\t\t}\n\t} else if (name === '%AsyncIteratorPrototype%') {\n\t\tvar gen = doEval('%AsyncGenerator%');\n\t\tif (gen && getProto) {\n\t\t\tvalue = getProto(gen.prototype);\n\t\t}\n\t}\n\n\tINTRINSICS[name] = value;\n\n\treturn value;\n};\n\nvar LEGACY_ALIASES = {\n\t__proto__: null,\n\t'%ArrayBufferPrototype%': ['ArrayBuffer', 'prototype'],\n\t'%ArrayPrototype%': ['Array', 'prototype'],\n\t'%ArrayProto_entries%': ['Array', 'prototype', 'entries'],\n\t'%ArrayProto_forEach%': ['Array', 'prototype', 'forEach'],\n\t'%ArrayProto_keys%': ['Array', 'prototype', 'keys'],\n\t'%ArrayProto_values%': ['Array', 'prototype', 'values'],\n\t'%AsyncFunctionPrototype%': ['AsyncFunction', 'prototype'],\n\t'%AsyncGenerator%': ['AsyncGeneratorFunction', 'prototype'],\n\t'%AsyncGeneratorPrototype%': ['AsyncGeneratorFunction', 'prototype', 'prototype'],\n\t'%BooleanPrototype%': ['Boolean', 'prototype'],\n\t'%DataViewPrototype%': ['DataView', 'prototype'],\n\t'%DatePrototype%': ['Date', 'prototype'],\n\t'%ErrorPrototype%': ['Error', 'prototype'],\n\t'%EvalErrorPrototype%': ['EvalError', 'prototype'],\n\t'%Float32ArrayPrototype%': ['Float32Array', 'prototype'],\n\t'%Float64ArrayPrototype%': ['Float64Array', 'prototype'],\n\t'%FunctionPrototype%': ['Function', 'prototype'],\n\t'%Generator%': ['GeneratorFunction', 'prototype'],\n\t'%GeneratorPrototype%': ['GeneratorFunction', 'prototype', 'prototype'],\n\t'%Int8ArrayPrototype%': ['Int8Array', 'prototype'],\n\t'%Int16ArrayPrototype%': ['Int16Array', 'prototype'],\n\t'%Int32ArrayPrototype%': ['Int32Array', 'prototype'],\n\t'%JSONParse%': ['JSON', 'parse'],\n\t'%JSONStringify%': ['JSON', 'stringify'],\n\t'%MapPrototype%': ['Map', 'prototype'],\n\t'%NumberPrototype%': ['Number', 'prototype'],\n\t'%ObjectPrototype%': ['Object', 'prototype'],\n\t'%ObjProto_toString%': ['Object', 'prototype', 'toString'],\n\t'%ObjProto_valueOf%': ['Object', 'prototype', 'valueOf'],\n\t'%PromisePrototype%': ['Promise', 'prototype'],\n\t'%PromiseProto_then%': ['Promise', 'prototype', 'then'],\n\t'%Promise_all%': ['Promise', 'all'],\n\t'%Promise_reject%': ['Promise', 'reject'],\n\t'%Promise_resolve%': ['Promise', 'resolve'],\n\t'%RangeErrorPrototype%': ['RangeError', 'prototype'],\n\t'%ReferenceErrorPrototype%': ['ReferenceError', 'prototype'],\n\t'%RegExpPrototype%': ['RegExp', 'prototype'],\n\t'%SetPrototype%': ['Set', 'prototype'],\n\t'%SharedArrayBufferPrototype%': ['SharedArrayBuffer', 'prototype'],\n\t'%StringPrototype%': ['String', 'prototype'],\n\t'%SymbolPrototype%': ['Symbol', 'prototype'],\n\t'%SyntaxErrorPrototype%': ['SyntaxError', 'prototype'],\n\t'%TypedArrayPrototype%': ['TypedArray', 'prototype'],\n\t'%TypeErrorPrototype%': ['TypeError', 'prototype'],\n\t'%Uint8ArrayPrototype%': ['Uint8Array', 'prototype'],\n\t'%Uint8ClampedArrayPrototype%': ['Uint8ClampedArray', 'prototype'],\n\t'%Uint16ArrayPrototype%': ['Uint16Array', 'prototype'],\n\t'%Uint32ArrayPrototype%': ['Uint32Array', 'prototype'],\n\t'%URIErrorPrototype%': ['URIError', 'prototype'],\n\t'%WeakMapPrototype%': ['WeakMap', 'prototype'],\n\t'%WeakSetPrototype%': ['WeakSet', 'prototype']\n};\n\nvar bind = __webpack_require__(/*! function-bind */ \"./node_modules/function-bind/index.js\");\nvar hasOwn = __webpack_require__(/*! hasown */ \"./node_modules/hasown/index.js\");\nvar $concat = bind.call($call, Array.prototype.concat);\nvar $spliceApply = bind.call($apply, Array.prototype.splice);\nvar $replace = bind.call($call, String.prototype.replace);\nvar $strSlice = bind.call($call, String.prototype.slice);\nvar $exec = bind.call($call, RegExp.prototype.exec);\n\n/* adapted from https://github.com/lodash/lodash/blob/4.17.15/dist/lodash.js#L6735-L6744 */\nvar rePropName = /[^%.[\\]]+|\\[(?:(-?\\d+(?:\\.\\d+)?)|([\"'])((?:(?!\\2)[^\\\\]|\\\\.)*?)\\2)\\]|(?=(?:\\.|\\[\\])(?:\\.|\\[\\]|%$))/g;\nvar reEscapeChar = /\\\\(\\\\)?/g; /** Used to match backslashes in property paths. */\nvar stringToPath = function stringToPath(string) {\n\tvar first = $strSlice(string, 0, 1);\n\tvar last = $strSlice(string, -1);\n\tif (first === '%' && last !== '%') {\n\t\tthrow new $SyntaxError('invalid intrinsic syntax, expected closing `%`');\n\t} else if (last === '%' && first !== '%') {\n\t\tthrow new $SyntaxError('invalid intrinsic syntax, expected opening `%`');\n\t}\n\tvar result = [];\n\t$replace(string, rePropName, function (match, number, quote, subString) {\n\t\tresult[result.length] = quote ? $replace(subString, reEscapeChar, '$1') : number || match;\n\t});\n\treturn result;\n};\n/* end adaptation */\n\nvar getBaseIntrinsic = function getBaseIntrinsic(name, allowMissing) {\n\tvar intrinsicName = name;\n\tvar alias;\n\tif (hasOwn(LEGACY_ALIASES, intrinsicName)) {\n\t\talias = LEGACY_ALIASES[intrinsicName];\n\t\tintrinsicName = '%' + alias[0] + '%';\n\t}\n\n\tif (hasOwn(INTRINSICS, intrinsicName)) {\n\t\tvar value = INTRINSICS[intrinsicName];\n\t\tif (value === needsEval) {\n\t\t\tvalue = doEval(intrinsicName);\n\t\t}\n\t\tif (typeof value === 'undefined' && !allowMissing) {\n\t\t\tthrow new $TypeError('intrinsic ' + name + ' exists, but is not available. Please file an issue!');\n\t\t}\n\n\t\treturn {\n\t\t\talias: alias,\n\t\t\tname: intrinsicName,\n\t\t\tvalue: value\n\t\t};\n\t}\n\n\tthrow new $SyntaxError('intrinsic ' + name + ' does not exist!');\n};\n\nmodule.exports = function GetIntrinsic(name, allowMissing) {\n\tif (typeof name !== 'string' || name.length === 0) {\n\t\tthrow new $TypeError('intrinsic name must be a non-empty string');\n\t}\n\tif (arguments.length > 1 && typeof allowMissing !== 'boolean') {\n\t\tthrow new $TypeError('\"allowMissing\" argument must be a boolean');\n\t}\n\n\tif ($exec(/^%?[^%]*%?$/, name) === null) {\n\t\tthrow new $SyntaxError('`%` may not be present anywhere but at the beginning and end of the intrinsic name');\n\t}\n\tvar parts = stringToPath(name);\n\tvar intrinsicBaseName = parts.length > 0 ? parts[0] : '';\n\n\tvar intrinsic = getBaseIntrinsic('%' + intrinsicBaseName + '%', allowMissing);\n\tvar intrinsicRealName = intrinsic.name;\n\tvar value = intrinsic.value;\n\tvar skipFurtherCaching = false;\n\n\tvar alias = intrinsic.alias;\n\tif (alias) {\n\t\tintrinsicBaseName = alias[0];\n\t\t$spliceApply(parts, $concat([0, 1], alias));\n\t}\n\n\tfor (var i = 1, isOwn = true; i < parts.length; i += 1) {\n\t\tvar part = parts[i];\n\t\tvar first = $strSlice(part, 0, 1);\n\t\tvar last = $strSlice(part, -1);\n\t\tif (\n\t\t\t(\n\t\t\t\t(first === '\"' || first === \"'\" || first === '`')\n\t\t\t\t|| (last === '\"' || last === \"'\" || last === '`')\n\t\t\t)\n\t\t\t&& first !== last\n\t\t) {\n\t\t\tthrow new $SyntaxError('property names with quotes must have matching quotes');\n\t\t}\n\t\tif (part === 'constructor' || !isOwn) {\n\t\t\tskipFurtherCaching = true;\n\t\t}\n\n\t\tintrinsicBaseName += '.' + part;\n\t\tintrinsicRealName = '%' + intrinsicBaseName + '%';\n\n\t\tif (hasOwn(INTRINSICS, intrinsicRealName)) {\n\t\t\tvalue = INTRINSICS[intrinsicRealName];\n\t\t} else if (value != null) {\n\t\t\tif (!(part in value)) {\n\t\t\t\tif (!allowMissing) {\n\t\t\t\t\tthrow new $TypeError('base intrinsic for ' + name + ' exists, but the property is not available.');\n\t\t\t\t}\n\t\t\t\treturn void undefined;\n\t\t\t}\n\t\t\tif ($gOPD && (i + 1) >= parts.length) {\n\t\t\t\tvar desc = $gOPD(value, part);\n\t\t\t\tisOwn = !!desc;\n\n\t\t\t\t// By convention, when a data property is converted to an accessor\n\t\t\t\t// property to emulate a data property that does not suffer from\n\t\t\t\t// the override mistake, that accessor's getter is marked with\n\t\t\t\t// an `originalValue` property. Here, when we detect this, we\n\t\t\t\t// uphold the illusion by pretending to see that original data\n\t\t\t\t// property, i.e., returning the value rather than the getter\n\t\t\t\t// itself.\n\t\t\t\tif (isOwn && 'get' in desc && !('originalValue' in desc.get)) {\n\t\t\t\t\tvalue = desc.get;\n\t\t\t\t} else {\n\t\t\t\t\tvalue = value[part];\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tisOwn = hasOwn(value, part);\n\t\t\t\tvalue = value[part];\n\t\t\t}\n\n\t\t\tif (isOwn && !skipFurtherCaching) {\n\t\t\t\tINTRINSICS[intrinsicRealName] = value;\n\t\t\t}\n\t\t}\n\t}\n\treturn value;\n};\n\n\n//# sourceURL=webpack:///./node_modules/get-intrinsic/index.js?");
/***/ }),
/***/ "./node_modules/get-proto/Object.getPrototypeOf.js":
/*!*********************************************************!*\
!*** ./node_modules/get-proto/Object.getPrototypeOf.js ***!
\*********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar $Object = __webpack_require__(/*! es-object-atoms */ \"./node_modules/es-object-atoms/index.js\");\n\n/** @type {import('./Object.getPrototypeOf')} */\nmodule.exports = $Object.getPrototypeOf || null;\n\n\n//# sourceURL=webpack:///./node_modules/get-proto/Object.getPrototypeOf.js?");
/***/ }),
/***/ "./node_modules/get-proto/Reflect.getPrototypeOf.js":
/*!**********************************************************!*\
!*** ./node_modules/get-proto/Reflect.getPrototypeOf.js ***!
\**********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./Reflect.getPrototypeOf')} */\nmodule.exports = (typeof Reflect !== 'undefined' && Reflect.getPrototypeOf) || null;\n\n\n//# sourceURL=webpack:///./node_modules/get-proto/Reflect.getPrototypeOf.js?");
/***/ }),
/***/ "./node_modules/get-proto/index.js":
/*!*****************************************!*\
!*** ./node_modules/get-proto/index.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar reflectGetProto = __webpack_require__(/*! ./Reflect.getPrototypeOf */ \"./node_modules/get-proto/Reflect.getPrototypeOf.js\");\nvar originalGetProto = __webpack_require__(/*! ./Object.getPrototypeOf */ \"./node_modules/get-proto/Object.getPrototypeOf.js\");\n\nvar getDunderProto = __webpack_require__(/*! dunder-proto/get */ \"./node_modules/dunder-proto/get.js\");\n\n/** @type {import('.')} */\nmodule.exports = reflectGetProto\n\t? function getProto(O) {\n\t\t// @ts-expect-error TS can't narrow inside a closure, for some reason\n\t\treturn reflectGetProto(O);\n\t}\n\t: originalGetProto\n\t\t? function getProto(O) {\n\t\t\tif (!O || (typeof O !== 'object' && typeof O !== 'function')) {\n\t\t\t\tthrow new TypeError('getProto: not an object');\n\t\t\t}\n\t\t\t// @ts-expect-error TS can't narrow inside a closure, for some reason\n\t\t\treturn originalGetProto(O);\n\t\t}\n\t\t: getDunderProto\n\t\t\t? function getProto(O) {\n\t\t\t\t// @ts-expect-error TS can't narrow inside a closure, for some reason\n\t\t\t\treturn getDunderProto(O);\n\t\t\t}\n\t\t\t: null;\n\n\n//# sourceURL=webpack:///./node_modules/get-proto/index.js?");
/***/ }),
/***/ "./node_modules/glob/common.js":
/*!*************************************!*\
!*** ./node_modules/glob/common.js ***!
\*************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("exports.setopts = setopts\nexports.ownProp = ownProp\nexports.makeAbs = makeAbs\nexports.finish = finish\nexports.mark = mark\nexports.isIgnored = isIgnored\nexports.childrenIgnored = childrenIgnored\n\nfunction ownProp (obj, field) {\n return Object.prototype.hasOwnProperty.call(obj, field)\n}\n\nvar fs = __webpack_require__(/*! fs */ \"fs\")\nvar path = __webpack_require__(/*! path */ \"path\")\nvar minimatch = __webpack_require__(/*! minimatch */ \"./node_modules/minimatch/minimatch.js\")\nvar isAbsolute = __webpack_require__(/*! path-is-absolute */ \"./node_modules/path-is-absolute/index.js\")\nvar Minimatch = minimatch.Minimatch\n\nfunction alphasort (a, b) {\n return a.localeCompare(b, 'en')\n}\n\nfunction setupIgnores (self, options) {\n self.ignore = options.ignore || []\n\n if (!Array.isArray(self.ignore))\n self.ignore = [self.ignore]\n\n if (self.ignore.length) {\n self.ignore = self.ignore.map(ignoreMap)\n }\n}\n\n// ignore patterns are always in dot:true mode.\nfunction ignoreMap (pattern) {\n var gmatcher = null\n if (pattern.slice(-3) === '/**') {\n var gpattern = pattern.replace(/(\\/\\*\\*)+$/, '')\n gmatcher = new Minimatch(gpattern, { dot: true })\n }\n\n return {\n matcher: new Minimatch(pattern, { dot: true }),\n gmatcher: gmatcher\n }\n}\n\nfunction setopts (self, pattern, options) {\n if (!options)\n options = {}\n\n // base-matching: just use globstar for that.\n if (options.matchBase && -1 === pattern.indexOf(\"/\")) {\n if (options.noglobstar) {\n throw new Error(\"base matching requires globstar\")\n }\n pattern = \"**/\" + pattern\n }\n\n self.silent = !!options.silent\n self.pattern = pattern\n self.strict = options.strict !== false\n self.realpath = !!options.realpath\n self.realpathCache = options.realpathCache || Object.create(null)\n self.follow = !!options.follow\n self.dot = !!options.dot\n self.mark = !!options.mark\n self.nodir = !!options.nodir\n if (self.nodir)\n self.mark = true\n self.sync = !!options.sync\n self.nounique = !!options.nounique\n self.nonull = !!options.nonull\n self.nosort = !!options.nosort\n self.nocase = !!options.nocase\n self.stat = !!options.stat\n self.noprocess = !!options.noprocess\n self.absolute = !!options.absolute\n self.fs = options.fs || fs\n\n self.maxLength = options.maxLength || Infinity\n self.cache = options.cache || Object.create(null)\n self.statCache = options.statCache || Object.create(null)\n self.symlinks = options.symlinks || Object.create(null)\n\n setupIgnores(self, options)\n\n self.changedCwd = false\n var cwd = process.cwd()\n if (!ownProp(options, \"cwd\"))\n self.cwd = cwd\n else {\n self.cwd = path.resolve(options.cwd)\n self.changedCwd = self.cwd !== cwd\n }\n\n self.root = options.root || path.resolve(self.cwd, \"/\")\n self.root = path.resolve(self.root)\n if (process.platform === \"win32\")\n self.root = self.root.replace(/\\\\/g, \"/\")\n\n // TODO: is an absolute `cwd` supposed to be resolved against `root`?\n // e.g. { cwd: '/test', root: __dirname } === path.join(__dirname, '/test')\n self.cwdAbs = isAbsolute(self.cwd) ? self.cwd : makeAbs(self, self.cwd)\n if (process.platform === \"win32\")\n self.cwdAbs = self.cwdAbs.replace(/\\\\/g, \"/\")\n self.nomount = !!options.nomount\n\n // disable comments and negation in Minimatch.\n // Note that they are not supported in Glob itself anyway.\n options.nonegate = true\n options.nocomment = true\n // always treat \\ in patterns as escapes, not path separators\n options.allowWindowsEscape = false\n\n self.minimatch = new Minimatch(pattern, options)\n self.options = self.minimatch.options\n}\n\nfunction finish (self) {\n var nou = self.nounique\n var all = nou ? [] : Object.create(null)\n\n for (var i = 0, l = self.matches.length; i < l; i ++) {\n var matches = self.matches[i]\n if (!matches || Object.keys(matches).length === 0) {\n if (self.nonull) {\n // do like the shell, and spit out the literal glob\n var literal = self.minimatch.globSet[i]\n if (nou)\n all.push(literal)\n else\n all[literal] = true\n }\n } else {\n // had matches\n var m = Object.keys(matches)\n if (nou)\n all.push.apply(all, m)\n else\n m.forEach(function (m) {\n all[m] = true\n })\n }\n }\n\n if (!nou)\n all = Object.keys(all)\n\n if (!self.nosort)\n all = all.sort(alphasort)\n\n // at *some* point we statted all of these\n if (self.mark) {\n for (var i = 0; i < all.length; i++) {\n all[i] = self._mark(all[i])\n }\n if (self.nodir) {\n all = all.filter(function (e) {\n var notDir = !(/\\/$/.test(e))\n var c = self.cache[e] || self.cache[makeAbs(self, e)]\n if (notDir && c)\n notDir = c !== 'DIR' && !Array.isArray(c)\n return notDir\n })\n }\n }\n\n if (self.ignore.length)\n all = all.filter(function(m) {\n return !isIgnored(self, m)\n })\n\n self.found = all\n}\n\nfunction mark (self, p) {\n var abs = makeAbs(self, p)\n var c = self.cache[abs]\n var m = p\n if (c) {\n var isDir = c === 'DIR' || Array.isArray(c)\n var slash = p.slice(-1) === '/'\n\n if (isDir && !slash)\n m += '/'\n else if (!isDir && slash)\n m = m.slice(0, -1)\n\n if (m !== p) {\n var mabs = makeAbs(self, m)\n self.statCache[mabs] = self.statCache[abs]\n self.cache[mabs] = self.cache[abs]\n }\n }\n\n return m\n}\n\n// lotta situps...\nfunction makeAbs (self, f) {\n var abs = f\n if (f.charAt(0) === '/') {\n abs = path.join(self.root, f)\n } else if (isAbsolute(f) || f === '') {\n abs = f\n } else if (self.changedCwd) {\n abs = path.resolve(self.cwd, f)\n } else {\n abs = path.resolve(f)\n }\n\n if (process.platform === 'win32')\n abs = abs.replace(/\\\\/g, '/')\n\n return abs\n}\n\n\n// Return true, if pattern ends with globstar '**', for the accompanying parent directory.\n// Ex:- If node_modules/** is the pattern, add 'node_modules' to ignore list along with it's contents\nfunction isIgnored (self, path) {\n if (!self.ignore.length)\n return false\n\n return self.ignore.some(function(item) {\n return item.matcher.match(path) || !!(item.gmatcher && item.gmatcher.match(path))\n })\n}\n\nfunction childrenIgnored (self, path) {\n if (!self.ignore.length)\n return false\n\n return self.ignore.some(function(item) {\n return !!(item.gmatcher && item.gmatcher.match(path))\n })\n}\n\n\n//# sourceURL=webpack:///./node_modules/glob/common.js?");
/***/ }),
/***/ "./node_modules/glob/glob.js":
/*!***********************************!*\
!*** ./node_modules/glob/glob.js ***!
\***********************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("// Approach:\n//\n// 1. Get the minimatch set\n// 2. For each pattern in the set, PROCESS(pattern, false)\n// 3. Store matches per-set, then uniq them\n//\n// PROCESS(pattern, inGlobStar)\n// Get the first [n] items from pattern that are all strings\n// Join these together. This is PREFIX.\n// If there is no more remaining, then stat(PREFIX) and\n// add to matches if it succeeds. END.\n//\n// If inGlobStar and PREFIX is symlink and points to dir\n// set ENTRIES = []\n// else readdir(PREFIX) as ENTRIES\n// If fail, END\n//\n// with ENTRIES\n// If pattern[n] is GLOBSTAR\n// // handle the case where the globstar match is empty\n// // by pruning it out, and testing the resulting pattern\n// PROCESS(pattern[0..n] + pattern[n+1 .. $], false)\n// // handle other cases.\n// for ENTRY in ENTRIES (not dotfiles)\n// // attach globstar + tail onto the entry\n// // Mark that this entry is a globstar match\n// PROCESS(pattern[0..n] + ENTRY + pattern[n .. $], true)\n//\n// else // not globstar\n// for ENTRY in ENTRIES (not dotfiles, unless pattern[n] is dot)\n// Test ENTRY against pattern[n]\n// If fails, continue\n// If passes, PROCESS(pattern[0..n] + item + pattern[n+1 .. $])\n//\n// Caveat:\n// Cache all stats and readdirs results to minimize syscall. Since all\n// we ever care about is existence and directory-ness, we can just keep\n// `true` for files, and [children,...] for directories, or `false` for\n// things that don't exist.\n\nmodule.exports = glob\n\nvar rp = __webpack_require__(/*! fs.realpath */ \"./node_modules/fs.realpath/index.js\")\nvar minimatch = __webpack_require__(/*! minimatch */ \"./node_modules/minimatch/minimatch.js\")\nvar Minimatch = minimatch.Minimatch\nvar inherits = __webpack_require__(/*! inherits */ \"./node_modules/inherits/inherits.js\")\nvar EE = __webpack_require__(/*! events */ \"events\").EventEmitter\nvar path = __webpack_require__(/*! path */ \"path\")\nvar assert = __webpack_require__(/*! assert */ \"assert\")\nvar isAbsolute = __webpack_require__(/*! path-is-absolute */ \"./node_modules/path-is-absolute/index.js\")\nvar globSync = __webpack_require__(/*! ./sync.js */ \"./node_modules/glob/sync.js\")\nvar common = __webpack_require__(/*! ./common.js */ \"./node_modules/glob/common.js\")\nvar setopts = common.setopts\nvar ownProp = common.ownProp\nvar inflight = __webpack_require__(/*! inflight */ \"./node_modules/inflight/inflight.js\")\nvar util = __webpack_require__(/*! util */ \"util\")\nvar childrenIgnored = common.childrenIgnored\nvar isIgnored = common.isIgnored\n\nvar once = __webpack_require__(/*! once */ \"./node_modules/once/once.js\")\n\nfunction glob (pattern, options, cb) {\n if (typeof options === 'function') cb = options, options = {}\n if (!options) options = {}\n\n if (options.sync) {\n if (cb)\n throw new TypeError('callback provided to sync glob')\n return globSync(pattern, options)\n }\n\n return new Glob(pattern, options, cb)\n}\n\nglob.sync = globSync\nvar GlobSync = glob.GlobSync = globSync.GlobSync\n\n// old api surface\nglob.glob = glob\n\nfunction extend (origin, add) {\n if (add === null || typeof add !== 'object') {\n return origin\n }\n\n var keys = Object.keys(add)\n var i = keys.length\n while (i--) {\n origin[keys[i]] = add[keys[i]]\n }\n return origin\n}\n\nglob.hasMagic = function (pattern, options_) {\n var options = extend({}, options_)\n options.noprocess = true\n\n var g = new Glob(pattern, options)\n var set = g.minimatch.set\n\n if (!pattern)\n return false\n\n if (set.length > 1)\n return true\n\n for (var j = 0; j < set[0].length; j++) {\n if (typeof set[0][j] !== 'string')\n return true\n }\n\n return false\n}\n\nglob.Glob = Glob\ninherits(Glob, EE)\nfunction Glob (pattern, options, cb) {\n if (typeof options === 'function') {\n cb = options\n options = null\n }\n\n if (options && options.sync) {\n if (cb)\n throw new TypeError('callback provided to sync glob')\n return new GlobSync(pattern, options)\n }\n\n if (!(this instanceof Glob))\n return new Glob(pattern, options, cb)\n\n setopts(this, pattern, options)\n this._didRealPath = false\n\n // process each pattern in the minimatch set\n var n = this.minimatch.set.length\n\n // The matches are stored as {<filename>: true,...} so that\n // duplicates are automagically pruned.\n // Later, we do an Object.keys() on these.\n // Keep them as a list so we can fill in when nonull is set.\n this.matches = new Array(n)\n\n if (typeof cb === 'function') {\n cb = once(cb)\n this.on('error', cb)\n this.on('end', function (matches) {\n cb(null, matches)\n })\n }\n\n var self = this\n this._processing = 0\n\n this._emitQueue = []\n this._processQueue = []\n this.paused = false\n\n if (this.noprocess)\n return this\n\n if (n === 0)\n return done()\n\n var sync = true\n for (var i = 0; i < n; i ++) {\n this._process(this.minimatch.set[i], i, false, done)\n }\n sync = false\n\n function done () {\n --self._processing\n if (self._processing <= 0) {\n if (sync) {\n process.nextTick(function () {\n self._finish()\n })\n } else {\n self._finish()\n }\n }\n }\n}\n\nGlob.prototype._finish = function () {\n assert(this instanceof Glob)\n if (this.aborted)\n return\n\n if (this.realpath && !this._didRealpath)\n return this._realpath()\n\n common.finish(this)\n this.emit('end', this.found)\n}\n\nGlob.prototype._realpath = function () {\n if (this._didRealpath)\n return\n\n this._didRealpath = true\n\n var n = this.matches.length\n if (n === 0)\n return this._finish()\n\n var self = this\n for (var i = 0; i < this.matches.length; i++)\n this._realpathSet(i, next)\n\n function next () {\n if (--n === 0)\n self._finish()\n }\n}\n\nGlob.prototype._realpathSet = function (index, cb) {\n var matchset = this.matches[index]\n if (!matchset)\n return cb()\n\n var found = Object.keys(matchset)\n var self = this\n var n = found.length\n\n if (n === 0)\n return cb()\n\n var set = this.matches[index] = Object.create(null)\n found.forEach(function (p, i) {\n // If there's a problem with the stat, then it means that\n // one or more of the links in the realpath couldn't be\n // resolved. just return the abs value in that case.\n p = self._makeAbs(p)\n rp.realpath(p, self.realpathCache, function (er, real) {\n if (!er)\n set[real] = true\n else if (er.syscall === 'stat')\n set[p] = true\n else\n self.emit('error', er) // srsly wtf right here\n\n if (--n === 0) {\n self.matches[index] = set\n cb()\n }\n })\n })\n}\n\nGlob.prototype._mark = function (p) {\n return common.mark(this, p)\n}\n\nGlob.prototype._makeAbs = function (f) {\n return common.makeAbs(this, f)\n}\n\nGlob.prototype.abort = function () {\n this.aborted = true\n this.emit('abort')\n}\n\nGlob.prototype.pause = function () {\n if (!this.paused) {\n this.paused = true\n this.emit('pause')\n }\n}\n\nGlob.prototype.resume = function () {\n if (this.paused) {\n this.emit('resume')\n this.paused = false\n if (this._emitQueue.length) {\n var eq = this._emitQueue.slice(0)\n this._emitQueue.length = 0\n for (var i = 0; i < eq.length; i ++) {\n var e = eq[i]\n this._emitMatch(e[0], e[1])\n }\n }\n if (this._processQueue.length) {\n var pq = this._processQueue.slice(0)\n this._processQueue.length = 0\n for (var i = 0; i < pq.length; i ++) {\n var p = pq[i]\n this._processing--\n this._process(p[0], p[1], p[2], p[3])\n }\n }\n }\n}\n\nGlob.prototype._process = function (pattern, index, inGlobStar, cb) {\n assert(this instanceof Glob)\n assert(typeof cb === 'function')\n\n if (this.aborted)\n return\n\n this._processing++\n if (this.paused) {\n this._processQueue.push([pattern, index, inGlobStar, cb])\n return\n }\n\n //console.error('PROCESS %d', this._processing, pattern)\n\n // Get the first [n] parts of pattern that are all strings.\n var n = 0\n while (typeof pattern[n] === 'string') {\n n ++\n }\n // now n is the index of the first one that is *not* a string.\n\n // see if there's anything else\n var prefix\n switch (n) {\n // if not, then this is rather simple\n case pattern.length:\n this._processSimple(pattern.join('/'), index, cb)\n return\n\n case 0:\n // pattern *starts* with some non-trivial item.\n // going to readdir(cwd), but not include the prefix in matches.\n prefix = null\n break\n\n default:\n // pattern has some string bits in the front.\n // whatever it starts with, whether that's 'absolute' like /foo/bar,\n // or 'relative' like '../baz'\n prefix = pattern.slice(0, n).join('/')\n break\n }\n\n var remain = pattern.slice(n)\n\n // get the list of entries.\n var read\n if (prefix === null)\n read = '.'\n else if (isAbsolute(prefix) ||\n isAbsolute(pattern.map(function (p) {\n return typeof p === 'string' ? p : '[*]'\n }).join('/'))) {\n if (!prefix || !isAbsolute(prefix))\n prefix = '/' + prefix\n read = prefix\n } else\n read = prefix\n\n var abs = this._makeAbs(read)\n\n //if ignored, skip _processing\n if (childrenIgnored(this, read))\n return cb()\n\n var isGlobStar = remain[0] === minimatch.GLOBSTAR\n if (isGlobStar)\n this._processGlobStar(prefix, read, abs, remain, index, inGlobStar, cb)\n else\n this._processReaddir(prefix, read, abs, remain, index, inGlobStar, cb)\n}\n\nGlob.prototype._processReaddir = function (prefix, read, abs, remain, index, inGlobStar, cb) {\n var self = this\n this._readdir(abs, inGlobStar, function (er, entries) {\n return self._processReaddir2(prefix, read, abs, remain, index, inGlobStar, entries, cb)\n })\n}\n\nGlob.prototype._processReaddir2 = function (prefix, read, abs, remain, index, inGlobStar, entries, cb) {\n\n // if the abs isn't a dir, then nothing can match!\n if (!entries)\n return cb()\n\n // It will only match dot entries if it starts with a dot, or if\n // dot is set. Stuff like @(.foo|.bar) isn't allowed.\n var pn = remain[0]\n var negate = !!this.minimatch.negate\n var rawGlob = pn._glob\n var dotOk = this.dot || rawGlob.charAt(0) === '.'\n\n var matchedEntries = []\n for (var i = 0; i < entries.length; i++) {\n var e = entries[i]\n if (e.charAt(0) !== '.' || dotOk) {\n var m\n if (negate && !prefix) {\n m = !e.match(pn)\n } else {\n m = e.match(pn)\n }\n if (m)\n matchedEntries.push(e)\n }\n }\n\n //console.error('prd2', prefix, entries, remain[0]._glob, matchedEntries)\n\n var len = matchedEntries.length\n // If there are no matched entries, then nothing matches.\n if (len === 0)\n return cb()\n\n // if this is the last remaining pattern bit, then no need for\n // an additional stat *unless* the user has specified mark or\n // stat explicitly. We know they exist, since readdir returned\n // them.\n\n if (remain.length === 1 && !this.mark && !this.stat) {\n if (!this.matches[index])\n this.matches[index] = Object.create(null)\n\n for (var i = 0; i < len; i ++) {\n var e = matchedEntries[i]\n if (prefix) {\n if (prefix !== '/')\n e = prefix + '/' + e\n else\n e = prefix + e\n }\n\n if (e.charAt(0) === '/' && !this.nomount) {\n e = path.join(this.root, e)\n }\n this._emitMatch(index, e)\n }\n // This was the last one, and no stats were needed\n return cb()\n }\n\n // now test all matched entries as stand-ins for that part\n // of the pattern.\n remain.shift()\n for (var i = 0; i < len; i ++) {\n var e = matchedEntries[i]\n var newPattern\n if (prefix) {\n if (prefix !== '/')\n e = prefix + '/' + e\n else\n e = prefix + e\n }\n this._process([e].concat(remain), index, inGlobStar, cb)\n }\n cb()\n}\n\nGlob.prototype._emitMatch = function (index, e) {\n if (this.aborted)\n return\n\n if (isIgnored(this, e))\n return\n\n if (this.paused) {\n this._emitQueue.push([index, e])\n return\n }\n\n var abs = isAbsolute(e) ? e : this._makeAbs(e)\n\n if (this.mark)\n e = this._mark(e)\n\n if (this.absolute)\n e = abs\n\n if (this.matches[index][e])\n return\n\n if (this.nodir) {\n var c = this.cache[abs]\n if (c === 'DIR' || Array.isArray(c))\n return\n }\n\n this.matches[index][e] = true\n\n var st = this.statCache[abs]\n if (st)\n this.emit('stat', e, st)\n\n this.emit('match', e)\n}\n\nGlob.prototype._readdirInGlobStar = function (abs, cb) {\n if (this.aborted)\n return\n\n // follow all symlinked directories forever\n // just proceed as if this is a non-globstar situation\n if (this.follow)\n return this._readdir(abs, false, cb)\n\n var lstatkey = 'lstat\\0' + abs\n var self = this\n var lstatcb = inflight(lstatkey, lstatcb_)\n\n if (lstatcb)\n self.fs.lstat(abs, lstatcb)\n\n function lstatcb_ (er, lstat) {\n if (er && er.code === 'ENOENT')\n return cb()\n\n var isSym = lstat && lstat.isSymbolicLink()\n self.symlinks[abs] = isSym\n\n // If it's not a symlink or a dir, then it's definitely a regular file.\n // don't bother doing a readdir in that case.\n if (!isSym && lstat && !lstat.isDirectory()) {\n self.cache[abs] = 'FILE'\n cb()\n } else\n self._readdir(abs, false, cb)\n }\n}\n\nGlob.prototype._readdir = function (abs, inGlobStar, cb) {\n if (this.aborted)\n return\n\n cb = inflight('readdir\\0'+abs+'\\0'+inGlobStar, cb)\n if (!cb)\n return\n\n //console.error('RD %j %j', +inGlobStar, abs)\n if (inGlobStar && !ownProp(this.symlinks, abs))\n return this._readdirInGlobStar(abs, cb)\n\n if (ownProp(this.cache, abs)) {\n var c = this.cache[abs]\n if (!c || c === 'FILE')\n return cb()\n\n if (Array.isArray(c))\n return cb(null, c)\n }\n\n var self = this\n self.fs.readdir(abs, readdirCb(this, abs, cb))\n}\n\nfunction readdirCb (self, abs, cb) {\n return function (er, entries) {\n if (er)\n self._readdirError(abs, er, cb)\n else\n self._readdirEntries(abs, entries, cb)\n }\n}\n\nGlob.prototype._readdirEntries = function (abs, entries, cb) {\n if (this.aborted)\n return\n\n // if we haven't asked to stat everything, then just\n // assume that everything in there exists, so we can avoid\n // having to stat it a second time.\n if (!this.mark && !this.stat) {\n for (var i = 0; i < entries.length; i ++) {\n var e = entries[i]\n if (abs === '/')\n e = abs + e\n else\n e = abs + '/' + e\n this.cache[e] = true\n }\n }\n\n this.cache[abs] = entries\n return cb(null, entries)\n}\n\nGlob.prototype._readdirError = function (f, er, cb) {\n if (this.aborted)\n return\n\n // handle errors, and cache the information\n switch (er.code) {\n case 'ENOTSUP': // https://github.com/isaacs/node-glob/issues/205\n case 'ENOTDIR': // totally normal. means it *does* exist.\n var abs = this._makeAbs(f)\n this.cache[abs] = 'FILE'\n if (abs === this.cwdAbs) {\n var error = new Error(er.code + ' invalid cwd ' + this.cwd)\n error.path = this.cwd\n error.code = er.code\n this.emit('error', error)\n this.abort()\n }\n break\n\n case 'ENOENT': // not terribly unusual\n case 'ELOOP':\n case 'ENAMETOOLONG':\n case 'UNKNOWN':\n this.cache[this._makeAbs(f)] = false\n break\n\n default: // some unusual error. Treat as failure.\n this.cache[this._makeAbs(f)] = false\n if (this.strict) {\n this.emit('error', er)\n // If the error is handled, then we abort\n // if not, we threw out of here\n this.abort()\n }\n if (!this.silent)\n console.error('glob error', er)\n break\n }\n\n return cb()\n}\n\nGlob.prototype._processGlobStar = function (prefix, read, abs, remain, index, inGlobStar, cb) {\n var self = this\n this._readdir(abs, inGlobStar, function (er, entries) {\n self._processGlobStar2(prefix, read, abs, remain, index, inGlobStar, entries, cb)\n })\n}\n\n\nGlob.prototype._processGlobStar2 = function (prefix, read, abs, remain, index, inGlobStar, entries, cb) {\n //console.error('pgs2', prefix, remain[0], entries)\n\n // no entries means not a dir, so it can never have matches\n // foo.txt/** doesn't match foo.txt\n if (!entries)\n return cb()\n\n // test without the globstar, and with every child both below\n // and replacing the globstar.\n var remainWithoutGlobStar = remain.slice(1)\n var gspref = prefix ? [ prefix ] : []\n var noGlobStar = gspref.concat(remainWithoutGlobStar)\n\n // the noGlobStar pattern exits the inGlobStar state\n this._process(noGlobStar, index, false, cb)\n\n var isSym = this.symlinks[abs]\n var len = entries.length\n\n // If it's a symlink, and we're in a globstar, then stop\n if (isSym && inGlobStar)\n return cb()\n\n for (var i = 0; i < len; i++) {\n var e = entries[i]\n if (e.charAt(0) === '.' && !this.dot)\n continue\n\n // these two cases enter the inGlobStar state\n var instead = gspref.concat(entries[i], remainWithoutGlobStar)\n this._process(instead, index, true, cb)\n\n var below = gspref.concat(entries[i], remain)\n this._process(below, index, true, cb)\n }\n\n cb()\n}\n\nGlob.prototype._processSimple = function (prefix, index, cb) {\n // XXX review this. Shouldn't it be doing the mounting etc\n // before doing stat? kinda weird?\n var self = this\n this._stat(prefix, function (er, exists) {\n self._processSimple2(prefix, index, er, exists, cb)\n })\n}\nGlob.prototype._processSimple2 = function (prefix, index, er, exists, cb) {\n\n //console.error('ps2', prefix, exists)\n\n if (!this.matches[index])\n this.matches[index] = Object.create(null)\n\n // If it doesn't exist, then just mark the lack of results\n if (!exists)\n return cb()\n\n if (prefix && isAbsolute(prefix) && !this.nomount) {\n var trail = /[\\/\\\\]$/.test(prefix)\n if (prefix.charAt(0) === '/') {\n prefix = path.join(this.root, prefix)\n } else {\n prefix = path.resolve(this.root, prefix)\n if (trail)\n prefix += '/'\n }\n }\n\n if (process.platform === 'win32')\n prefix = prefix.replace(/\\\\/g, '/')\n\n // Mark this as a match\n this._emitMatch(index, prefix)\n cb()\n}\n\n// Returns either 'DIR', 'FILE', or false\nGlob.prototype._stat = function (f, cb) {\n var abs = this._makeAbs(f)\n var needDir = f.slice(-1) === '/'\n\n if (f.length > this.maxLength)\n return cb()\n\n if (!this.stat && ownProp(this.cache, abs)) {\n var c = this.cache[abs]\n\n if (Array.isArray(c))\n c = 'DIR'\n\n // It exists, but maybe not how we need it\n if (!needDir || c === 'DIR')\n return cb(null, c)\n\n if (needDir && c === 'FILE')\n return cb()\n\n // otherwise we have to stat, because maybe c=true\n // if we know it exists, but not what it is.\n }\n\n var exists\n var stat = this.statCache[abs]\n if (stat !== undefined) {\n if (stat === false)\n return cb(null, stat)\n else {\n var type = stat.isDirectory() ? 'DIR' : 'FILE'\n if (needDir && type === 'FILE')\n return cb()\n else\n return cb(null, type, stat)\n }\n }\n\n var self = this\n var statcb = inflight('stat\\0' + abs, lstatcb_)\n if (statcb)\n self.fs.lstat(abs, statcb)\n\n function lstatcb_ (er, lstat) {\n if (lstat && lstat.isSymbolicLink()) {\n // If it's a symlink, then treat it as the target, unless\n // the target does not exist, then treat it as a file.\n return self.fs.stat(abs, function (er, stat) {\n if (er)\n self._stat2(f, abs, null, lstat, cb)\n else\n self._stat2(f, abs, er, stat, cb)\n })\n } else {\n self._stat2(f, abs, er, lstat, cb)\n }\n }\n}\n\nGlob.prototype._stat2 = function (f, abs, er, stat, cb) {\n if (er && (er.code === 'ENOENT' || er.code === 'ENOTDIR')) {\n this.statCache[abs] = false\n return cb()\n }\n\n var needDir = f.slice(-1) === '/'\n this.statCache[abs] = stat\n\n if (abs.slice(-1) === '/' && stat && !stat.isDirectory())\n return cb(null, false, stat)\n\n var c = true\n if (stat)\n c = stat.isDirectory() ? 'DIR' : 'FILE'\n this.cache[abs] = this.cache[abs] || c\n\n if (needDir && c === 'FILE')\n return cb()\n\n return cb(null, c, stat)\n}\n\n\n//# sourceURL=webpack:///./node_modules/glob/glob.js?");
/***/ }),
/***/ "./node_modules/glob/sync.js":
/*!***********************************!*\
!*** ./node_modules/glob/sync.js ***!
\***********************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("module.exports = globSync\nglobSync.GlobSync = GlobSync\n\nvar rp = __webpack_require__(/*! fs.realpath */ \"./node_modules/fs.realpath/index.js\")\nvar minimatch = __webpack_require__(/*! minimatch */ \"./node_modules/minimatch/minimatch.js\")\nvar Minimatch = minimatch.Minimatch\nvar Glob = __webpack_require__(/*! ./glob.js */ \"./node_modules/glob/glob.js\").Glob\nvar util = __webpack_require__(/*! util */ \"util\")\nvar path = __webpack_require__(/*! path */ \"path\")\nvar assert = __webpack_require__(/*! assert */ \"assert\")\nvar isAbsolute = __webpack_require__(/*! path-is-absolute */ \"./node_modules/path-is-absolute/index.js\")\nvar common = __webpack_require__(/*! ./common.js */ \"./node_modules/glob/common.js\")\nvar setopts = common.setopts\nvar ownProp = common.ownProp\nvar childrenIgnored = common.childrenIgnored\nvar isIgnored = common.isIgnored\n\nfunction globSync (pattern, options) {\n if (typeof options === 'function' || arguments.length === 3)\n throw new TypeError('callback provided to sync glob\\n'+\n 'See: https://github.com/isaacs/node-glob/issues/167')\n\n return new GlobSync(pattern, options).found\n}\n\nfunction GlobSync (pattern, options) {\n if (!pattern)\n throw new Error('must provide pattern')\n\n if (typeof options === 'function' || arguments.length === 3)\n throw new TypeError('callback provided to sync glob\\n'+\n 'See: https://github.com/isaacs/node-glob/issues/167')\n\n if (!(this instanceof GlobSync))\n return new GlobSync(pattern, options)\n\n setopts(this, pattern, options)\n\n if (this.noprocess)\n return this\n\n var n = this.minimatch.set.length\n this.matches = new Array(n)\n for (var i = 0; i < n; i ++) {\n this._process(this.minimatch.set[i], i, false)\n }\n this._finish()\n}\n\nGlobSync.prototype._finish = function () {\n assert.ok(this instanceof GlobSync)\n if (this.realpath) {\n var self = this\n this.matches.forEach(function (matchset, index) {\n var set = self.matches[index] = Object.create(null)\n for (var p in matchset) {\n try {\n p = self._makeAbs(p)\n var real = rp.realpathSync(p, self.realpathCache)\n set[real] = true\n } catch (er) {\n if (er.syscall === 'stat')\n set[self._makeAbs(p)] = true\n else\n throw er\n }\n }\n })\n }\n common.finish(this)\n}\n\n\nGlobSync.prototype._process = function (pattern, index, inGlobStar) {\n assert.ok(this instanceof GlobSync)\n\n // Get the first [n] parts of pattern that are all strings.\n var n = 0\n while (typeof pattern[n] === 'string') {\n n ++\n }\n // now n is the index of the first one that is *not* a string.\n\n // See if there's anything else\n var prefix\n switch (n) {\n // if not, then this is rather simple\n case pattern.length:\n this._processSimple(pattern.join('/'), index)\n return\n\n case 0:\n // pattern *starts* with some non-trivial item.\n // going to readdir(cwd), but not include the prefix in matches.\n prefix = null\n break\n\n default:\n // pattern has some string bits in the front.\n // whatever it starts with, whether that's 'absolute' like /foo/bar,\n // or 'relative' like '../baz'\n prefix = pattern.slice(0, n).join('/')\n break\n }\n\n var remain = pattern.slice(n)\n\n // get the list of entries.\n var read\n if (prefix === null)\n read = '.'\n else if (isAbsolute(prefix) ||\n isAbsolute(pattern.map(function (p) {\n return typeof p === 'string' ? p : '[*]'\n }).join('/'))) {\n if (!prefix || !isAbsolute(prefix))\n prefix = '/' + prefix\n read = prefix\n } else\n read = prefix\n\n var abs = this._makeAbs(read)\n\n //if ignored, skip processing\n if (childrenIgnored(this, read))\n return\n\n var isGlobStar = remain[0] === minimatch.GLOBSTAR\n if (isGlobStar)\n this._processGlobStar(prefix, read, abs, remain, index, inGlobStar)\n else\n this._processReaddir(prefix, read, abs, remain, index, inGlobStar)\n}\n\n\nGlobSync.prototype._processReaddir = function (prefix, read, abs, remain, index, inGlobStar) {\n var entries = this._readdir(abs, inGlobStar)\n\n // if the abs isn't a dir, then nothing can match!\n if (!entries)\n return\n\n // It will only match dot entries if it starts with a dot, or if\n // dot is set. Stuff like @(.foo|.bar) isn't allowed.\n var pn = remain[0]\n var negate = !!this.minimatch.negate\n var rawGlob = pn._glob\n var dotOk = this.dot || rawGlob.charAt(0) === '.'\n\n var matchedEntries = []\n for (var i = 0; i < entries.length; i++) {\n var e = entries[i]\n if (e.charAt(0) !== '.' || dotOk) {\n var m\n if (negate && !prefix) {\n m = !e.match(pn)\n } else {\n m = e.match(pn)\n }\n if (m)\n matchedEntries.push(e)\n }\n }\n\n var len = matchedEntries.length\n // If there are no matched entries, then nothing matches.\n if (len === 0)\n return\n\n // if this is the last remaining pattern bit, then no need for\n // an additional stat *unless* the user has specified mark or\n // stat explicitly. We know they exist, since readdir returned\n // them.\n\n if (remain.length === 1 && !this.mark && !this.stat) {\n if (!this.matches[index])\n this.matches[index] = Object.create(null)\n\n for (var i = 0; i < len; i ++) {\n var e = matchedEntries[i]\n if (prefix) {\n if (prefix.slice(-1) !== '/')\n e = prefix + '/' + e\n else\n e = prefix + e\n }\n\n if (e.charAt(0) === '/' && !this.nomount) {\n e = path.join(this.root, e)\n }\n this._emitMatch(index, e)\n }\n // This was the last one, and no stats were needed\n return\n }\n\n // now test all matched entries as stand-ins for that part\n // of the pattern.\n remain.shift()\n for (var i = 0; i < len; i ++) {\n var e = matchedEntries[i]\n var newPattern\n if (prefix)\n newPattern = [prefix, e]\n else\n newPattern = [e]\n this._process(newPattern.concat(remain), index, inGlobStar)\n }\n}\n\n\nGlobSync.prototype._emitMatch = function (index, e) {\n if (isIgnored(this, e))\n return\n\n var abs = this._makeAbs(e)\n\n if (this.mark)\n e = this._mark(e)\n\n if (this.absolute) {\n e = abs\n }\n\n if (this.matches[index][e])\n return\n\n if (this.nodir) {\n var c = this.cache[abs]\n if (c === 'DIR' || Array.isArray(c))\n return\n }\n\n this.matches[index][e] = true\n\n if (this.stat)\n this._stat(e)\n}\n\n\nGlobSync.prototype._readdirInGlobStar = function (abs) {\n // follow all symlinked directories forever\n // just proceed as if this is a non-globstar situation\n if (this.follow)\n return this._readdir(abs, false)\n\n var entries\n var lstat\n var stat\n try {\n lstat = this.fs.lstatSync(abs)\n } catch (er) {\n if (er.code === 'ENOENT') {\n // lstat failed, doesn't exist\n return null\n }\n }\n\n var isSym = lstat && lstat.isSymbolicLink()\n this.symlinks[abs] = isSym\n\n // If it's not a symlink or a dir, then it's definitely a regular file.\n // don't bother doing a readdir in that case.\n if (!isSym && lstat && !lstat.isDirectory())\n this.cache[abs] = 'FILE'\n else\n entries = this._readdir(abs, false)\n\n return entries\n}\n\nGlobSync.prototype._readdir = function (abs, inGlobStar) {\n var entries\n\n if (inGlobStar && !ownProp(this.symlinks, abs))\n return this._readdirInGlobStar(abs)\n\n if (ownProp(this.cache, abs)) {\n var c = this.cache[abs]\n if (!c || c === 'FILE')\n return null\n\n if (Array.isArray(c))\n return c\n }\n\n try {\n return this._readdirEntries(abs, this.fs.readdirSync(abs))\n } catch (er) {\n this._readdirError(abs, er)\n return null\n }\n}\n\nGlobSync.prototype._readdirEntries = function (abs, entries) {\n // if we haven't asked to stat everything, then just\n // assume that everything in there exists, so we can avoid\n // having to stat it a second time.\n if (!this.mark && !this.stat) {\n for (var i = 0; i < entries.length; i ++) {\n var e = entries[i]\n if (abs === '/')\n e = abs + e\n else\n e = abs + '/' + e\n this.cache[e] = true\n }\n }\n\n this.cache[abs] = entries\n\n // mark and cache dir-ness\n return entries\n}\n\nGlobSync.prototype._readdirError = function (f, er) {\n // handle errors, and cache the information\n switch (er.code) {\n case 'ENOTSUP': // https://github.com/isaacs/node-glob/issues/205\n case 'ENOTDIR': // totally normal. means it *does* exist.\n var abs = this._makeAbs(f)\n this.cache[abs] = 'FILE'\n if (abs === this.cwdAbs) {\n var error = new Error(er.code + ' invalid cwd ' + this.cwd)\n error.path = this.cwd\n error.code = er.code\n throw error\n }\n break\n\n case 'ENOENT': // not terribly unusual\n case 'ELOOP':\n case 'ENAMETOOLONG':\n case 'UNKNOWN':\n this.cache[this._makeAbs(f)] = false\n break\n\n default: // some unusual error. Treat as failure.\n this.cache[this._makeAbs(f)] = false\n if (this.strict)\n throw er\n if (!this.silent)\n console.error('glob error', er)\n break\n }\n}\n\nGlobSync.prototype._processGlobStar = function (prefix, read, abs, remain, index, inGlobStar) {\n\n var entries = this._readdir(abs, inGlobStar)\n\n // no entries means not a dir, so it can never have matches\n // foo.txt/** doesn't match foo.txt\n if (!entries)\n return\n\n // test without the globstar, and with every child both below\n // and replacing the globstar.\n var remainWithoutGlobStar = remain.slice(1)\n var gspref = prefix ? [ prefix ] : []\n var noGlobStar = gspref.concat(remainWithoutGlobStar)\n\n // the noGlobStar pattern exits the inGlobStar state\n this._process(noGlobStar, index, false)\n\n var len = entries.length\n var isSym = this.symlinks[abs]\n\n // If it's a symlink, and we're in a globstar, then stop\n if (isSym && inGlobStar)\n return\n\n for (var i = 0; i < len; i++) {\n var e = entries[i]\n if (e.charAt(0) === '.' && !this.dot)\n continue\n\n // these two cases enter the inGlobStar state\n var instead = gspref.concat(entries[i], remainWithoutGlobStar)\n this._process(instead, index, true)\n\n var below = gspref.concat(entries[i], remain)\n this._process(below, index, true)\n }\n}\n\nGlobSync.prototype._processSimple = function (prefix, index) {\n // XXX review this. Shouldn't it be doing the mounting etc\n // before doing stat? kinda weird?\n var exists = this._stat(prefix)\n\n if (!this.matches[index])\n this.matches[index] = Object.create(null)\n\n // If it doesn't exist, then just mark the lack of results\n if (!exists)\n return\n\n if (prefix && isAbsolute(prefix) && !this.nomount) {\n var trail = /[\\/\\\\]$/.test(prefix)\n if (prefix.charAt(0) === '/') {\n prefix = path.join(this.root, prefix)\n } else {\n prefix = path.resolve(this.root, prefix)\n if (trail)\n prefix += '/'\n }\n }\n\n if (process.platform === 'win32')\n prefix = prefix.replace(/\\\\/g, '/')\n\n // Mark this as a match\n this._emitMatch(index, prefix)\n}\n\n// Returns either 'DIR', 'FILE', or false\nGlobSync.prototype._stat = function (f) {\n var abs = this._makeAbs(f)\n var needDir = f.slice(-1) === '/'\n\n if (f.length > this.maxLength)\n return false\n\n if (!this.stat && ownProp(this.cache, abs)) {\n var c = this.cache[abs]\n\n if (Array.isArray(c))\n c = 'DIR'\n\n // It exists, but maybe not how we need it\n if (!needDir || c === 'DIR')\n return c\n\n if (needDir && c === 'FILE')\n return false\n\n // otherwise we have to stat, because maybe c=true\n // if we know it exists, but not what it is.\n }\n\n var exists\n var stat = this.statCache[abs]\n if (!stat) {\n var lstat\n try {\n lstat = this.fs.lstatSync(abs)\n } catch (er) {\n if (er && (er.code === 'ENOENT' || er.code === 'ENOTDIR')) {\n this.statCache[abs] = false\n return false\n }\n }\n\n if (lstat && lstat.isSymbolicLink()) {\n try {\n stat = this.fs.statSync(abs)\n } catch (er) {\n stat = lstat\n }\n } else {\n stat = lstat\n }\n }\n\n this.statCache[abs] = stat\n\n var c = true\n if (stat)\n c = stat.isDirectory() ? 'DIR' : 'FILE'\n\n this.cache[abs] = this.cache[abs] || c\n\n if (needDir && c === 'FILE')\n return false\n\n return c\n}\n\nGlobSync.prototype._mark = function (p) {\n return common.mark(this, p)\n}\n\nGlobSync.prototype._makeAbs = function (f) {\n return common.makeAbs(this, f)\n}\n\n\n//# sourceURL=webpack:///./node_modules/glob/sync.js?");
/***/ }),
/***/ "./node_modules/gopd/gOPD.js":
/*!***********************************!*\
!*** ./node_modules/gopd/gOPD.js ***!
\***********************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./gOPD')} */\nmodule.exports = Object.getOwnPropertyDescriptor;\n\n\n//# sourceURL=webpack:///./node_modules/gopd/gOPD.js?");
/***/ }),
/***/ "./node_modules/gopd/index.js":
/*!************************************!*\
!*** ./node_modules/gopd/index.js ***!
\************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('.')} */\nvar $gOPD = __webpack_require__(/*! ./gOPD */ \"./node_modules/gopd/gOPD.js\");\n\nif ($gOPD) {\n\ttry {\n\t\t$gOPD([], 'length');\n\t} catch (e) {\n\t\t// IE 8 has a broken gOPD\n\t\t$gOPD = null;\n\t}\n}\n\nmodule.exports = $gOPD;\n\n\n//# sourceURL=webpack:///./node_modules/gopd/index.js?");
/***/ }),
/***/ "./node_modules/has-flag/index.js":
/*!****************************************!*\
!*** ./node_modules/has-flag/index.js ***!
\****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nmodule.exports = (flag, argv = process.argv) => {\n\tconst prefix = flag.startsWith('-') ? '' : (flag.length === 1 ? '-' : '--');\n\tconst position = argv.indexOf(prefix + flag);\n\tconst terminatorPosition = argv.indexOf('--');\n\treturn position !== -1 && (terminatorPosition === -1 || position < terminatorPosition);\n};\n\n\n//# sourceURL=webpack:///./node_modules/has-flag/index.js?");
/***/ }),
/***/ "./node_modules/has-symbols/index.js":
/*!*******************************************!*\
!*** ./node_modules/has-symbols/index.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar origSymbol = typeof Symbol !== 'undefined' && Symbol;\nvar hasSymbolSham = __webpack_require__(/*! ./shams */ \"./node_modules/has-symbols/shams.js\");\n\n/** @type {import('.')} */\nmodule.exports = function hasNativeSymbols() {\n\tif (typeof origSymbol !== 'function') { return false; }\n\tif (typeof Symbol !== 'function') { return false; }\n\tif (typeof origSymbol('foo') !== 'symbol') { return false; }\n\tif (typeof Symbol('bar') !== 'symbol') { return false; }\n\n\treturn hasSymbolSham();\n};\n\n\n//# sourceURL=webpack:///./node_modules/has-symbols/index.js?");
/***/ }),
/***/ "./node_modules/has-symbols/shams.js":
/*!*******************************************!*\
!*** ./node_modules/has-symbols/shams.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./shams')} */\n/* eslint complexity: [2, 18], max-statements: [2, 33] */\nmodule.exports = function hasSymbols() {\n\tif (typeof Symbol !== 'function' || typeof Object.getOwnPropertySymbols !== 'function') { return false; }\n\tif (typeof Symbol.iterator === 'symbol') { return true; }\n\n\t/** @type {{ [k in symbol]?: unknown }} */\n\tvar obj = {};\n\tvar sym = Symbol('test');\n\tvar symObj = Object(sym);\n\tif (typeof sym === 'string') { return false; }\n\n\tif (Object.prototype.toString.call(sym) !== '[object Symbol]') { return false; }\n\tif (Object.prototype.toString.call(symObj) !== '[object Symbol]') { return false; }\n\n\t// temp disabled per https://github.com/ljharb/object.assign/issues/17\n\t// if (sym instanceof Symbol) { return false; }\n\t// temp disabled per https://github.com/WebReflection/get-own-property-symbols/issues/4\n\t// if (!(symObj instanceof Symbol)) { return false; }\n\n\t// if (typeof Symbol.prototype.toString !== 'function') { return false; }\n\t// if (String(sym) !== Symbol.prototype.toString.call(sym)) { return false; }\n\n\tvar symVal = 42;\n\tobj[sym] = symVal;\n\tfor (var _ in obj) { return false; } // eslint-disable-line no-restricted-syntax, no-unreachable-loop\n\tif (typeof Object.keys === 'function' && Object.keys(obj).length !== 0) { return false; }\n\n\tif (typeof Object.getOwnPropertyNames === 'function' && Object.getOwnPropertyNames(obj).length !== 0) { return false; }\n\n\tvar syms = Object.getOwnPropertySymbols(obj);\n\tif (syms.length !== 1 || syms[0] !== sym) { return false; }\n\n\tif (!Object.prototype.propertyIsEnumerable.call(obj, sym)) { return false; }\n\n\tif (typeof Object.getOwnPropertyDescriptor === 'function') {\n\t\t// eslint-disable-next-line no-extra-parens\n\t\tvar descriptor = /** @type {PropertyDescriptor} */ (Object.getOwnPropertyDescriptor(obj, sym));\n\t\tif (descriptor.value !== symVal || descriptor.enumerable !== true) { return false; }\n\t}\n\n\treturn true;\n};\n\n\n//# sourceURL=webpack:///./node_modules/has-symbols/shams.js?");
/***/ }),
/***/ "./node_modules/has-tostringtag/shams.js":
/*!***********************************************!*\
!*** ./node_modules/has-tostringtag/shams.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar hasSymbols = __webpack_require__(/*! has-symbols/shams */ \"./node_modules/has-symbols/shams.js\");\n\n/** @type {import('.')} */\nmodule.exports = function hasToStringTagShams() {\n\treturn hasSymbols() && !!Symbol.toStringTag;\n};\n\n\n//# sourceURL=webpack:///./node_modules/has-tostringtag/shams.js?");
/***/ }),
/***/ "./node_modules/hasown/index.js":
/*!**************************************!*\
!*** ./node_modules/hasown/index.js ***!
\**************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar call = Function.prototype.call;\nvar $hasOwn = Object.prototype.hasOwnProperty;\nvar bind = __webpack_require__(/*! function-bind */ \"./node_modules/function-bind/index.js\");\n\n/** @type {import('.')} */\nmodule.exports = bind.call(call, $hasOwn);\n\n\n//# sourceURL=webpack:///./node_modules/hasown/index.js?");
/***/ }),
/***/ "./node_modules/immediate/lib/index.js":
/*!*********************************************!*\
!*** ./node_modules/immediate/lib/index.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar Mutation = global.MutationObserver || global.WebKitMutationObserver;\n\nvar scheduleDrain;\n\nif (process.browser) {\n if (Mutation) {\n var called = 0;\n var observer = new Mutation(nextTick);\n var element = global.document.createTextNode('');\n observer.observe(element, {\n characterData: true\n });\n scheduleDrain = function () {\n element.data = (called = ++called % 2);\n };\n } else if (!global.setImmediate && typeof global.MessageChannel !== 'undefined') {\n var channel = new global.MessageChannel();\n channel.port1.onmessage = nextTick;\n scheduleDrain = function () {\n channel.port2.postMessage(0);\n };\n } else if ('document' in global && 'onreadystatechange' in global.document.createElement('script')) {\n scheduleDrain = function () {\n\n // Create a <script> element; its readystatechange event will be fired asynchronously once it is inserted\n // into the document. Do so, thus queuing up the task. Remember to clean up once it's been called.\n var scriptEl = global.document.createElement('script');\n scriptEl.onreadystatechange = function () {\n nextTick();\n\n scriptEl.onreadystatechange = null;\n scriptEl.parentNode.removeChild(scriptEl);\n scriptEl = null;\n };\n global.document.documentElement.appendChild(scriptEl);\n };\n } else {\n scheduleDrain = function () {\n setTimeout(nextTick, 0);\n };\n }\n} else {\n scheduleDrain = function () {\n process.nextTick(nextTick);\n };\n}\n\nvar draining;\nvar queue = [];\n//named nextTick for less confusing stack traces\nfunction nextTick() {\n draining = true;\n var i, oldQueue;\n var len = queue.length;\n while (len) {\n oldQueue = queue;\n queue = [];\n i = -1;\n while (++i < len) {\n oldQueue[i]();\n }\n len = queue.length;\n }\n draining = false;\n}\n\nmodule.exports = immediate;\nfunction immediate(task) {\n if (queue.push(task) === 1 && !draining) {\n scheduleDrain();\n }\n}\n\n\n//# sourceURL=webpack:///./node_modules/immediate/lib/index.js?");
/***/ }),
/***/ "./node_modules/inflight/inflight.js":
/*!*******************************************!*\
!*** ./node_modules/inflight/inflight.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var wrappy = __webpack_require__(/*! wrappy */ \"./node_modules/wrappy/wrappy.js\")\nvar reqs = Object.create(null)\nvar once = __webpack_require__(/*! once */ \"./node_modules/once/once.js\")\n\nmodule.exports = wrappy(inflight)\n\nfunction inflight (key, cb) {\n if (reqs[key]) {\n reqs[key].push(cb)\n return null\n } else {\n reqs[key] = [cb]\n return makeres(key)\n }\n}\n\nfunction makeres (key) {\n return once(function RES () {\n var cbs = reqs[key]\n var len = cbs.length\n var args = slice(arguments)\n\n // XXX It's somewhat ambiguous whether a new callback added in this\n // pass should be queued for later execution if something in the\n // list of callbacks throws, or if it should just be discarded.\n // However, it's such an edge case that it hardly matters, and either\n // choice is likely as surprising as the other.\n // As it happens, we do go ahead and schedule it for later execution.\n try {\n for (var i = 0; i < len; i++) {\n cbs[i].apply(null, args)\n }\n } finally {\n if (cbs.length > len) {\n // added more in the interim.\n // de-zalgo, just in case, but don't call again.\n cbs.splice(0, len)\n process.nextTick(function () {\n RES.apply(null, args)\n })\n } else {\n delete reqs[key]\n }\n }\n })\n}\n\nfunction slice (args) {\n var length = args.length\n var array = []\n\n for (var i = 0; i < length; i++) array[i] = args[i]\n return array\n}\n\n\n//# sourceURL=webpack:///./node_modules/inflight/inflight.js?");
/***/ }),
/***/ "./node_modules/inherits/inherits.js":
/*!*******************************************!*\
!*** ./node_modules/inherits/inherits.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("try {\n var util = __webpack_require__(/*! util */ \"util\");\n /* istanbul ignore next */\n if (typeof util.inherits !== 'function') throw '';\n module.exports = util.inherits;\n} catch (e) {\n /* istanbul ignore next */\n module.exports = __webpack_require__(/*! ./inherits_browser.js */ \"./node_modules/inherits/inherits_browser.js\");\n}\n\n\n//# sourceURL=webpack:///./node_modules/inherits/inherits.js?");
/***/ }),
/***/ "./node_modules/inherits/inherits_browser.js":
/*!***************************************************!*\
!*** ./node_modules/inherits/inherits_browser.js ***!
\***************************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("if (typeof Object.create === 'function') {\n // implementation from standard node.js 'util' module\n module.exports = function inherits(ctor, superCtor) {\n if (superCtor) {\n ctor.super_ = superCtor\n ctor.prototype = Object.create(superCtor.prototype, {\n constructor: {\n value: ctor,\n enumerable: false,\n writable: true,\n configurable: true\n }\n })\n }\n };\n} else {\n // old school shim for old browsers\n module.exports = function inherits(ctor, superCtor) {\n if (superCtor) {\n ctor.super_ = superCtor\n var TempCtor = function () {}\n TempCtor.prototype = superCtor.prototype\n ctor.prototype = new TempCtor()\n ctor.prototype.constructor = ctor\n }\n }\n}\n\n\n//# sourceURL=webpack:///./node_modules/inherits/inherits_browser.js?");
/***/ }),
/***/ "./node_modules/isarray/index.js":
/*!***************************************!*\
!*** ./node_modules/isarray/index.js ***!
\***************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("var toString = {}.toString;\n\nmodule.exports = Array.isArray || function (arr) {\n return toString.call(arr) == '[object Array]';\n};\n\n\n//# sourceURL=webpack:///./node_modules/isarray/index.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/base64.js":
/*!******************************************!*\
!*** ./node_modules/jszip/lib/base64.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\nvar support = __webpack_require__(/*! ./support */ \"./node_modules/jszip/lib/support.js\");\n// private property\nvar _keyStr = \"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=\";\n\n\n// public method for encoding\nexports.encode = function(input) {\n var output = [];\n var chr1, chr2, chr3, enc1, enc2, enc3, enc4;\n var i = 0, len = input.length, remainingBytes = len;\n\n var isArray = utils.getTypeOf(input) !== \"string\";\n while (i < input.length) {\n remainingBytes = len - i;\n\n if (!isArray) {\n chr1 = input.charCodeAt(i++);\n chr2 = i < len ? input.charCodeAt(i++) : 0;\n chr3 = i < len ? input.charCodeAt(i++) : 0;\n } else {\n chr1 = input[i++];\n chr2 = i < len ? input[i++] : 0;\n chr3 = i < len ? input[i++] : 0;\n }\n\n enc1 = chr1 >> 2;\n enc2 = ((chr1 & 3) << 4) | (chr2 >> 4);\n enc3 = remainingBytes > 1 ? (((chr2 & 15) << 2) | (chr3 >> 6)) : 64;\n enc4 = remainingBytes > 2 ? (chr3 & 63) : 64;\n\n output.push(_keyStr.charAt(enc1) + _keyStr.charAt(enc2) + _keyStr.charAt(enc3) + _keyStr.charAt(enc4));\n\n }\n\n return output.join(\"\");\n};\n\n// public method for decoding\nexports.decode = function(input) {\n var chr1, chr2, chr3;\n var enc1, enc2, enc3, enc4;\n var i = 0, resultIndex = 0;\n\n var dataUrlPrefix = \"data:\";\n\n if (input.substr(0, dataUrlPrefix.length) === dataUrlPrefix) {\n // This is a common error: people give a data url\n // (data:image/png;base64,iVBOR...) with a {base64: true} and\n // wonders why things don't work.\n // We can detect that the string input looks like a data url but we\n // *can't* be sure it is one: removing everything up to the comma would\n // be too dangerous.\n throw new Error(\"Invalid base64 input, it looks like a data url.\");\n }\n\n input = input.replace(/[^A-Za-z0-9+/=]/g, \"\");\n\n var totalLength = input.length * 3 / 4;\n if(input.charAt(input.length - 1) === _keyStr.charAt(64)) {\n totalLength--;\n }\n if(input.charAt(input.length - 2) === _keyStr.charAt(64)) {\n totalLength--;\n }\n if (totalLength % 1 !== 0) {\n // totalLength is not an integer, the length does not match a valid\n // base64 content. That can happen if:\n // - the input is not a base64 content\n // - the input is *almost* a base64 content, with a extra chars at the\n // beginning or at the end\n // - the input uses a base64 variant (base64url for example)\n throw new Error(\"Invalid base64 input, bad content length.\");\n }\n var output;\n if (support.uint8array) {\n output = new Uint8Array(totalLength|0);\n } else {\n output = new Array(totalLength|0);\n }\n\n while (i < input.length) {\n\n enc1 = _keyStr.indexOf(input.charAt(i++));\n enc2 = _keyStr.indexOf(input.charAt(i++));\n enc3 = _keyStr.indexOf(input.charAt(i++));\n enc4 = _keyStr.indexOf(input.charAt(i++));\n\n chr1 = (enc1 << 2) | (enc2 >> 4);\n chr2 = ((enc2 & 15) << 4) | (enc3 >> 2);\n chr3 = ((enc3 & 3) << 6) | enc4;\n\n output[resultIndex++] = chr1;\n\n if (enc3 !== 64) {\n output[resultIndex++] = chr2;\n }\n if (enc4 !== 64) {\n output[resultIndex++] = chr3;\n }\n\n }\n\n return output;\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/base64.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/compressedObject.js":
/*!****************************************************!*\
!*** ./node_modules/jszip/lib/compressedObject.js ***!
\****************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar external = __webpack_require__(/*! ./external */ \"./node_modules/jszip/lib/external.js\");\nvar DataWorker = __webpack_require__(/*! ./stream/DataWorker */ \"./node_modules/jszip/lib/stream/DataWorker.js\");\nvar Crc32Probe = __webpack_require__(/*! ./stream/Crc32Probe */ \"./node_modules/jszip/lib/stream/Crc32Probe.js\");\nvar DataLengthProbe = __webpack_require__(/*! ./stream/DataLengthProbe */ \"./node_modules/jszip/lib/stream/DataLengthProbe.js\");\n\n/**\n * Represent a compressed object, with everything needed to decompress it.\n * @constructor\n * @param {number} compressedSize the size of the data compressed.\n * @param {number} uncompressedSize the size of the data after decompression.\n * @param {number} crc32 the crc32 of the decompressed file.\n * @param {object} compression the type of compression, see lib/compressions.js.\n * @param {String|ArrayBuffer|Uint8Array|Buffer} data the compressed data.\n */\nfunction CompressedObject(compressedSize, uncompressedSize, crc32, compression, data) {\n this.compressedSize = compressedSize;\n this.uncompressedSize = uncompressedSize;\n this.crc32 = crc32;\n this.compression = compression;\n this.compressedContent = data;\n}\n\nCompressedObject.prototype = {\n /**\n * Create a worker to get the uncompressed content.\n * @return {GenericWorker} the worker.\n */\n getContentWorker: function () {\n var worker = new DataWorker(external.Promise.resolve(this.compressedContent))\n .pipe(this.compression.uncompressWorker())\n .pipe(new DataLengthProbe(\"data_length\"));\n\n var that = this;\n worker.on(\"end\", function () {\n if (this.streamInfo[\"data_length\"] !== that.uncompressedSize) {\n throw new Error(\"Bug : uncompressed data size mismatch\");\n }\n });\n return worker;\n },\n /**\n * Create a worker to get the compressed content.\n * @return {GenericWorker} the worker.\n */\n getCompressedWorker: function () {\n return new DataWorker(external.Promise.resolve(this.compressedContent))\n .withStreamInfo(\"compressedSize\", this.compressedSize)\n .withStreamInfo(\"uncompressedSize\", this.uncompressedSize)\n .withStreamInfo(\"crc32\", this.crc32)\n .withStreamInfo(\"compression\", this.compression)\n ;\n }\n};\n\n/**\n * Chain the given worker with other workers to compress the content with the\n * given compression.\n * @param {GenericWorker} uncompressedWorker the worker to pipe.\n * @param {Object} compression the compression object.\n * @param {Object} compressionOptions the options to use when compressing.\n * @return {GenericWorker} the new worker compressing the content.\n */\nCompressedObject.createWorkerFrom = function (uncompressedWorker, compression, compressionOptions) {\n return uncompressedWorker\n .pipe(new Crc32Probe())\n .pipe(new DataLengthProbe(\"uncompressedSize\"))\n .pipe(compression.compressWorker(compressionOptions))\n .pipe(new DataLengthProbe(\"compressedSize\"))\n .withStreamInfo(\"compression\", compression);\n};\n\nmodule.exports = CompressedObject;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/compressedObject.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/compressions.js":
/*!************************************************!*\
!*** ./node_modules/jszip/lib/compressions.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar GenericWorker = __webpack_require__(/*! ./stream/GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\n\nexports.STORE = {\n magic: \"\\x00\\x00\",\n compressWorker : function () {\n return new GenericWorker(\"STORE compression\");\n },\n uncompressWorker : function () {\n return new GenericWorker(\"STORE decompression\");\n }\n};\nexports.DEFLATE = __webpack_require__(/*! ./flate */ \"./node_modules/jszip/lib/flate.js\");\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/compressions.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/crc32.js":
/*!*****************************************!*\
!*** ./node_modules/jszip/lib/crc32.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\n\n/**\n * The following functions come from pako, from pako/lib/zlib/crc32.js\n * released under the MIT license, see pako https://github.com/nodeca/pako/\n */\n\n// Use ordinary array, since untyped makes no boost here\nfunction makeTable() {\n var c, table = [];\n\n for(var n =0; n < 256; n++){\n c = n;\n for(var k =0; k < 8; k++){\n c = ((c&1) ? (0xEDB88320 ^ (c >>> 1)) : (c >>> 1));\n }\n table[n] = c;\n }\n\n return table;\n}\n\n// Create table on load. Just 255 signed longs. Not a problem.\nvar crcTable = makeTable();\n\n\nfunction crc32(crc, buf, len, pos) {\n var t = crcTable, end = pos + len;\n\n crc = crc ^ (-1);\n\n for (var i = pos; i < end; i++ ) {\n crc = (crc >>> 8) ^ t[(crc ^ buf[i]) & 0xFF];\n }\n\n return (crc ^ (-1)); // >>> 0;\n}\n\n// That's all for the pako functions.\n\n/**\n * Compute the crc32 of a string.\n * This is almost the same as the function crc32, but for strings. Using the\n * same function for the two use cases leads to horrible performances.\n * @param {Number} crc the starting value of the crc.\n * @param {String} str the string to use.\n * @param {Number} len the length of the string.\n * @param {Number} pos the starting position for the crc32 computation.\n * @return {Number} the computed crc32.\n */\nfunction crc32str(crc, str, len, pos) {\n var t = crcTable, end = pos + len;\n\n crc = crc ^ (-1);\n\n for (var i = pos; i < end; i++ ) {\n crc = (crc >>> 8) ^ t[(crc ^ str.charCodeAt(i)) & 0xFF];\n }\n\n return (crc ^ (-1)); // >>> 0;\n}\n\nmodule.exports = function crc32wrapper(input, crc) {\n if (typeof input === \"undefined\" || !input.length) {\n return 0;\n }\n\n var isArray = utils.getTypeOf(input) !== \"string\";\n\n if(isArray) {\n return crc32(crc|0, input, input.length, 0);\n } else {\n return crc32str(crc|0, input, input.length, 0);\n }\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/crc32.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/defaults.js":
/*!********************************************!*\
!*** ./node_modules/jszip/lib/defaults.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nexports.base64 = false;\nexports.binary = false;\nexports.dir = false;\nexports.createFolders = true;\nexports.date = null;\nexports.compression = null;\nexports.compressionOptions = null;\nexports.comment = null;\nexports.unixPermissions = null;\nexports.dosPermissions = null;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/defaults.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/external.js":
/*!********************************************!*\
!*** ./node_modules/jszip/lib/external.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// load the global object first:\n// - it should be better integrated in the system (unhandledRejection in node)\n// - the environment may have a custom Promise implementation (see zone.js)\nvar ES6Promise = null;\nif (typeof Promise !== \"undefined\") {\n ES6Promise = Promise;\n} else {\n ES6Promise = __webpack_require__(/*! lie */ \"./node_modules/lie/lib/index.js\");\n}\n\n/**\n * Let the user use/change some implementations.\n */\nmodule.exports = {\n Promise: ES6Promise\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/external.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/flate.js":
/*!*****************************************!*\
!*** ./node_modules/jszip/lib/flate.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar USE_TYPEDARRAY = (typeof Uint8Array !== \"undefined\") && (typeof Uint16Array !== \"undefined\") && (typeof Uint32Array !== \"undefined\");\n\nvar pako = __webpack_require__(/*! pako */ \"./node_modules/pako/index.js\");\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\nvar GenericWorker = __webpack_require__(/*! ./stream/GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\n\nvar ARRAY_TYPE = USE_TYPEDARRAY ? \"uint8array\" : \"array\";\n\nexports.magic = \"\\x08\\x00\";\n\n/**\n * Create a worker that uses pako to inflate/deflate.\n * @constructor\n * @param {String} action the name of the pako function to call : either \"Deflate\" or \"Inflate\".\n * @param {Object} options the options to use when (de)compressing.\n */\nfunction FlateWorker(action, options) {\n GenericWorker.call(this, \"FlateWorker/\" + action);\n\n this._pako = null;\n this._pakoAction = action;\n this._pakoOptions = options;\n // the `meta` object from the last chunk received\n // this allow this worker to pass around metadata\n this.meta = {};\n}\n\nutils.inherits(FlateWorker, GenericWorker);\n\n/**\n * @see GenericWorker.processChunk\n */\nFlateWorker.prototype.processChunk = function (chunk) {\n this.meta = chunk.meta;\n if (this._pako === null) {\n this._createPako();\n }\n this._pako.push(utils.transformTo(ARRAY_TYPE, chunk.data), false);\n};\n\n/**\n * @see GenericWorker.flush\n */\nFlateWorker.prototype.flush = function () {\n GenericWorker.prototype.flush.call(this);\n if (this._pako === null) {\n this._createPako();\n }\n this._pako.push([], true);\n};\n/**\n * @see GenericWorker.cleanUp\n */\nFlateWorker.prototype.cleanUp = function () {\n GenericWorker.prototype.cleanUp.call(this);\n this._pako = null;\n};\n\n/**\n * Create the _pako object.\n * TODO: lazy-loading this object isn't the best solution but it's the\n * quickest. The best solution is to lazy-load the worker list. See also the\n * issue #446.\n */\nFlateWorker.prototype._createPako = function () {\n this._pako = new pako[this._pakoAction]({\n raw: true,\n level: this._pakoOptions.level || -1 // default compression\n });\n var self = this;\n this._pako.onData = function(data) {\n self.push({\n data : data,\n meta : self.meta\n });\n };\n};\n\nexports.compressWorker = function (compressionOptions) {\n return new FlateWorker(\"Deflate\", compressionOptions);\n};\nexports.uncompressWorker = function () {\n return new FlateWorker(\"Inflate\", {});\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/flate.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/generate/ZipFileWorker.js":
/*!**********************************************************!*\
!*** ./node_modules/jszip/lib/generate/ZipFileWorker.js ***!
\**********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\nvar GenericWorker = __webpack_require__(/*! ../stream/GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\nvar utf8 = __webpack_require__(/*! ../utf8 */ \"./node_modules/jszip/lib/utf8.js\");\nvar crc32 = __webpack_require__(/*! ../crc32 */ \"./node_modules/jszip/lib/crc32.js\");\nvar signature = __webpack_require__(/*! ../signature */ \"./node_modules/jszip/lib/signature.js\");\n\n/**\n * Transform an integer into a string in hexadecimal.\n * @private\n * @param {number} dec the number to convert.\n * @param {number} bytes the number of bytes to generate.\n * @returns {string} the result.\n */\nvar decToHex = function(dec, bytes) {\n var hex = \"\", i;\n for (i = 0; i < bytes; i++) {\n hex += String.fromCharCode(dec & 0xff);\n dec = dec >>> 8;\n }\n return hex;\n};\n\n/**\n * Generate the UNIX part of the external file attributes.\n * @param {Object} unixPermissions the unix permissions or null.\n * @param {Boolean} isDir true if the entry is a directory, false otherwise.\n * @return {Number} a 32 bit integer.\n *\n * adapted from http://unix.stackexchange.com/questions/14705/the-zip-formats-external-file-attribute :\n *\n * TTTTsstrwxrwxrwx0000000000ADVSHR\n * ^^^^____________________________ file type, see zipinfo.c (UNX_*)\n * ^^^_________________________ setuid, setgid, sticky\n * ^^^^^^^^^________________ permissions\n * ^^^^^^^^^^______ not used ?\n * ^^^^^^ DOS attribute bits : Archive, Directory, Volume label, System file, Hidden, Read only\n */\nvar generateUnixExternalFileAttr = function (unixPermissions, isDir) {\n\n var result = unixPermissions;\n if (!unixPermissions) {\n // I can't use octal values in strict mode, hence the hexa.\n // 040775 => 0x41fd\n // 0100664 => 0x81b4\n result = isDir ? 0x41fd : 0x81b4;\n }\n return (result & 0xFFFF) << 16;\n};\n\n/**\n * Generate the DOS part of the external file attributes.\n * @param {Object} dosPermissions the dos permissions or null.\n * @param {Boolean} isDir true if the entry is a directory, false otherwise.\n * @return {Number} a 32 bit integer.\n *\n * Bit 0 Read-Only\n * Bit 1 Hidden\n * Bit 2 System\n * Bit 3 Volume Label\n * Bit 4 Directory\n * Bit 5 Archive\n */\nvar generateDosExternalFileAttr = function (dosPermissions) {\n // the dir flag is already set for compatibility\n return (dosPermissions || 0) & 0x3F;\n};\n\n/**\n * Generate the various parts used in the construction of the final zip file.\n * @param {Object} streamInfo the hash with information about the compressed file.\n * @param {Boolean} streamedContent is the content streamed ?\n * @param {Boolean} streamingEnded is the stream finished ?\n * @param {number} offset the current offset from the start of the zip file.\n * @param {String} platform let's pretend we are this platform (change platform dependents fields)\n * @param {Function} encodeFileName the function to encode the file name / comment.\n * @return {Object} the zip parts.\n */\nvar generateZipParts = function(streamInfo, streamedContent, streamingEnded, offset, platform, encodeFileName) {\n var file = streamInfo[\"file\"],\n compression = streamInfo[\"compression\"],\n useCustomEncoding = encodeFileName !== utf8.utf8encode,\n encodedFileName = utils.transformTo(\"string\", encodeFileName(file.name)),\n utfEncodedFileName = utils.transformTo(\"string\", utf8.utf8encode(file.name)),\n comment = file.comment,\n encodedComment = utils.transformTo(\"string\", encodeFileName(comment)),\n utfEncodedComment = utils.transformTo(\"string\", utf8.utf8encode(comment)),\n useUTF8ForFileName = utfEncodedFileName.length !== file.name.length,\n useUTF8ForComment = utfEncodedComment.length !== comment.length,\n dosTime,\n dosDate,\n extraFields = \"\",\n unicodePathExtraField = \"\",\n unicodeCommentExtraField = \"\",\n dir = file.dir,\n date = file.date;\n\n\n var dataInfo = {\n crc32 : 0,\n compressedSize : 0,\n uncompressedSize : 0\n };\n\n // if the content is streamed, the sizes/crc32 are only available AFTER\n // the end of the stream.\n if (!streamedContent || streamingEnded) {\n dataInfo.crc32 = streamInfo[\"crc32\"];\n dataInfo.compressedSize = streamInfo[\"compressedSize\"];\n dataInfo.uncompressedSize = streamInfo[\"uncompressedSize\"];\n }\n\n var bitflag = 0;\n if (streamedContent) {\n // Bit 3: the sizes/crc32 are set to zero in the local header.\n // The correct values are put in the data descriptor immediately\n // following the compressed data.\n bitflag |= 0x0008;\n }\n if (!useCustomEncoding && (useUTF8ForFileName || useUTF8ForComment)) {\n // Bit 11: Language encoding flag (EFS).\n bitflag |= 0x0800;\n }\n\n\n var extFileAttr = 0;\n var versionMadeBy = 0;\n if (dir) {\n // dos or unix, we set the dos dir flag\n extFileAttr |= 0x00010;\n }\n if(platform === \"UNIX\") {\n versionMadeBy = 0x031E; // UNIX, version 3.0\n extFileAttr |= generateUnixExternalFileAttr(file.unixPermissions, dir);\n } else { // DOS or other, fallback to DOS\n versionMadeBy = 0x0014; // DOS, version 2.0\n extFileAttr |= generateDosExternalFileAttr(file.dosPermissions, dir);\n }\n\n // date\n // @see http://www.delorie.com/djgpp/doc/rbinter/it/52/13.html\n // @see http://www.delorie.com/djgpp/doc/rbinter/it/65/16.html\n // @see http://www.delorie.com/djgpp/doc/rbinter/it/66/16.html\n\n dosTime = date.getUTCHours();\n dosTime = dosTime << 6;\n dosTime = dosTime | date.getUTCMinutes();\n dosTime = dosTime << 5;\n dosTime = dosTime | date.getUTCSeconds() / 2;\n\n dosDate = date.getUTCFullYear() - 1980;\n dosDate = dosDate << 4;\n dosDate = dosDate | (date.getUTCMonth() + 1);\n dosDate = dosDate << 5;\n dosDate = dosDate | date.getUTCDate();\n\n if (useUTF8ForFileName) {\n // set the unicode path extra field. unzip needs at least one extra\n // field to correctly handle unicode path, so using the path is as good\n // as any other information. This could improve the situation with\n // other archive managers too.\n // This field is usually used without the utf8 flag, with a non\n // unicode path in the header (winrar, winzip). This helps (a bit)\n // with the messy Windows' default compressed folders feature but\n // breaks on p7zip which doesn't seek the unicode path extra field.\n // So for now, UTF-8 everywhere !\n unicodePathExtraField =\n // Version\n decToHex(1, 1) +\n // NameCRC32\n decToHex(crc32(encodedFileName), 4) +\n // UnicodeName\n utfEncodedFileName;\n\n extraFields +=\n // Info-ZIP Unicode Path Extra Field\n \"\\x75\\x70\" +\n // size\n decToHex(unicodePathExtraField.length, 2) +\n // content\n unicodePathExtraField;\n }\n\n if(useUTF8ForComment) {\n\n unicodeCommentExtraField =\n // Version\n decToHex(1, 1) +\n // CommentCRC32\n decToHex(crc32(encodedComment), 4) +\n // UnicodeName\n utfEncodedComment;\n\n extraFields +=\n // Info-ZIP Unicode Path Extra Field\n \"\\x75\\x63\" +\n // size\n decToHex(unicodeCommentExtraField.length, 2) +\n // content\n unicodeCommentExtraField;\n }\n\n var header = \"\";\n\n // version needed to extract\n header += \"\\x0A\\x00\";\n // general purpose bit flag\n header += decToHex(bitflag, 2);\n // compression method\n header += compression.magic;\n // last mod file time\n header += decToHex(dosTime, 2);\n // last mod file date\n header += decToHex(dosDate, 2);\n // crc-32\n header += decToHex(dataInfo.crc32, 4);\n // compressed size\n header += decToHex(dataInfo.compressedSize, 4);\n // uncompressed size\n header += decToHex(dataInfo.uncompressedSize, 4);\n // file name length\n header += decToHex(encodedFileName.length, 2);\n // extra field length\n header += decToHex(extraFields.length, 2);\n\n\n var fileRecord = signature.LOCAL_FILE_HEADER + header + encodedFileName + extraFields;\n\n var dirRecord = signature.CENTRAL_FILE_HEADER +\n // version made by (00: DOS)\n decToHex(versionMadeBy, 2) +\n // file header (common to file and central directory)\n header +\n // file comment length\n decToHex(encodedComment.length, 2) +\n // disk number start\n \"\\x00\\x00\" +\n // internal file attributes TODO\n \"\\x00\\x00\" +\n // external file attributes\n decToHex(extFileAttr, 4) +\n // relative offset of local header\n decToHex(offset, 4) +\n // file name\n encodedFileName +\n // extra field\n extraFields +\n // file comment\n encodedComment;\n\n return {\n fileRecord: fileRecord,\n dirRecord: dirRecord\n };\n};\n\n/**\n * Generate the EOCD record.\n * @param {Number} entriesCount the number of entries in the zip file.\n * @param {Number} centralDirLength the length (in bytes) of the central dir.\n * @param {Number} localDirLength the length (in bytes) of the local dir.\n * @param {String} comment the zip file comment as a binary string.\n * @param {Function} encodeFileName the function to encode the comment.\n * @return {String} the EOCD record.\n */\nvar generateCentralDirectoryEnd = function (entriesCount, centralDirLength, localDirLength, comment, encodeFileName) {\n var dirEnd = \"\";\n var encodedComment = utils.transformTo(\"string\", encodeFileName(comment));\n\n // end of central dir signature\n dirEnd = signature.CENTRAL_DIRECTORY_END +\n // number of this disk\n \"\\x00\\x00\" +\n // number of the disk with the start of the central directory\n \"\\x00\\x00\" +\n // total number of entries in the central directory on this disk\n decToHex(entriesCount, 2) +\n // total number of entries in the central directory\n decToHex(entriesCount, 2) +\n // size of the central directory 4 bytes\n decToHex(centralDirLength, 4) +\n // offset of start of central directory with respect to the starting disk number\n decToHex(localDirLength, 4) +\n // .ZIP file comment length\n decToHex(encodedComment.length, 2) +\n // .ZIP file comment\n encodedComment;\n\n return dirEnd;\n};\n\n/**\n * Generate data descriptors for a file entry.\n * @param {Object} streamInfo the hash generated by a worker, containing information\n * on the file entry.\n * @return {String} the data descriptors.\n */\nvar generateDataDescriptors = function (streamInfo) {\n var descriptor = \"\";\n descriptor = signature.DATA_DESCRIPTOR +\n // crc-32 4 bytes\n decToHex(streamInfo[\"crc32\"], 4) +\n // compressed size 4 bytes\n decToHex(streamInfo[\"compressedSize\"], 4) +\n // uncompressed size 4 bytes\n decToHex(streamInfo[\"uncompressedSize\"], 4);\n\n return descriptor;\n};\n\n\n/**\n * A worker to concatenate other workers to create a zip file.\n * @param {Boolean} streamFiles `true` to stream the content of the files,\n * `false` to accumulate it.\n * @param {String} comment the comment to use.\n * @param {String} platform the platform to use, \"UNIX\" or \"DOS\".\n * @param {Function} encodeFileName the function to encode file names and comments.\n */\nfunction ZipFileWorker(streamFiles, comment, platform, encodeFileName) {\n GenericWorker.call(this, \"ZipFileWorker\");\n // The number of bytes written so far. This doesn't count accumulated chunks.\n this.bytesWritten = 0;\n // The comment of the zip file\n this.zipComment = comment;\n // The platform \"generating\" the zip file.\n this.zipPlatform = platform;\n // the function to encode file names and comments.\n this.encodeFileName = encodeFileName;\n // Should we stream the content of the files ?\n this.streamFiles = streamFiles;\n // If `streamFiles` is false, we will need to accumulate the content of the\n // files to calculate sizes / crc32 (and write them *before* the content).\n // This boolean indicates if we are accumulating chunks (it will change a lot\n // during the lifetime of this worker).\n this.accumulate = false;\n // The buffer receiving chunks when accumulating content.\n this.contentBuffer = [];\n // The list of generated directory records.\n this.dirRecords = [];\n // The offset (in bytes) from the beginning of the zip file for the current source.\n this.currentSourceOffset = 0;\n // The total number of entries in this zip file.\n this.entriesCount = 0;\n // the name of the file currently being added, null when handling the end of the zip file.\n // Used for the emitted metadata.\n this.currentFile = null;\n\n\n\n this._sources = [];\n}\nutils.inherits(ZipFileWorker, GenericWorker);\n\n/**\n * @see GenericWorker.push\n */\nZipFileWorker.prototype.push = function (chunk) {\n\n var currentFilePercent = chunk.meta.percent || 0;\n var entriesCount = this.entriesCount;\n var remainingFiles = this._sources.length;\n\n if(this.accumulate) {\n this.contentBuffer.push(chunk);\n } else {\n this.bytesWritten += chunk.data.length;\n\n GenericWorker.prototype.push.call(this, {\n data : chunk.data,\n meta : {\n currentFile : this.currentFile,\n percent : entriesCount ? (currentFilePercent + 100 * (entriesCount - remainingFiles - 1)) / entriesCount : 100\n }\n });\n }\n};\n\n/**\n * The worker started a new source (an other worker).\n * @param {Object} streamInfo the streamInfo object from the new source.\n */\nZipFileWorker.prototype.openedSource = function (streamInfo) {\n this.currentSourceOffset = this.bytesWritten;\n this.currentFile = streamInfo[\"file\"].name;\n\n var streamedContent = this.streamFiles && !streamInfo[\"file\"].dir;\n\n // don't stream folders (because they don't have any content)\n if(streamedContent) {\n var record = generateZipParts(streamInfo, streamedContent, false, this.currentSourceOffset, this.zipPlatform, this.encodeFileName);\n this.push({\n data : record.fileRecord,\n meta : {percent:0}\n });\n } else {\n // we need to wait for the whole file before pushing anything\n this.accumulate = true;\n }\n};\n\n/**\n * The worker finished a source (an other worker).\n * @param {Object} streamInfo the streamInfo object from the finished source.\n */\nZipFileWorker.prototype.closedSource = function (streamInfo) {\n this.accumulate = false;\n var streamedContent = this.streamFiles && !streamInfo[\"file\"].dir;\n var record = generateZipParts(streamInfo, streamedContent, true, this.currentSourceOffset, this.zipPlatform, this.encodeFileName);\n\n this.dirRecords.push(record.dirRecord);\n if(streamedContent) {\n // after the streamed file, we put data descriptors\n this.push({\n data : generateDataDescriptors(streamInfo),\n meta : {percent:100}\n });\n } else {\n // the content wasn't streamed, we need to push everything now\n // first the file record, then the content\n this.push({\n data : record.fileRecord,\n meta : {percent:0}\n });\n while(this.contentBuffer.length) {\n this.push(this.contentBuffer.shift());\n }\n }\n this.currentFile = null;\n};\n\n/**\n * @see GenericWorker.flush\n */\nZipFileWorker.prototype.flush = function () {\n\n var localDirLength = this.bytesWritten;\n for(var i = 0; i < this.dirRecords.length; i++) {\n this.push({\n data : this.dirRecords[i],\n meta : {percent:100}\n });\n }\n var centralDirLength = this.bytesWritten - localDirLength;\n\n var dirEnd = generateCentralDirectoryEnd(this.dirRecords.length, centralDirLength, localDirLength, this.zipComment, this.encodeFileName);\n\n this.push({\n data : dirEnd,\n meta : {percent:100}\n });\n};\n\n/**\n * Prepare the next source to be read.\n */\nZipFileWorker.prototype.prepareNextSource = function () {\n this.previous = this._sources.shift();\n this.openedSource(this.previous.streamInfo);\n if (this.isPaused) {\n this.previous.pause();\n } else {\n this.previous.resume();\n }\n};\n\n/**\n * @see GenericWorker.registerPrevious\n */\nZipFileWorker.prototype.registerPrevious = function (previous) {\n this._sources.push(previous);\n var self = this;\n\n previous.on(\"data\", function (chunk) {\n self.processChunk(chunk);\n });\n previous.on(\"end\", function () {\n self.closedSource(self.previous.streamInfo);\n if(self._sources.length) {\n self.prepareNextSource();\n } else {\n self.end();\n }\n });\n previous.on(\"error\", function (e) {\n self.error(e);\n });\n return this;\n};\n\n/**\n * @see GenericWorker.resume\n */\nZipFileWorker.prototype.resume = function () {\n if(!GenericWorker.prototype.resume.call(this)) {\n return false;\n }\n\n if (!this.previous && this._sources.length) {\n this.prepareNextSource();\n return true;\n }\n if (!this.previous && !this._sources.length && !this.generatedError) {\n this.end();\n return true;\n }\n};\n\n/**\n * @see GenericWorker.error\n */\nZipFileWorker.prototype.error = function (e) {\n var sources = this._sources;\n if(!GenericWorker.prototype.error.call(this, e)) {\n return false;\n }\n for(var i = 0; i < sources.length; i++) {\n try {\n sources[i].error(e);\n } catch(e) {\n // the `error` exploded, nothing to do\n }\n }\n return true;\n};\n\n/**\n * @see GenericWorker.lock\n */\nZipFileWorker.prototype.lock = function () {\n GenericWorker.prototype.lock.call(this);\n var sources = this._sources;\n for(var i = 0; i < sources.length; i++) {\n sources[i].lock();\n }\n};\n\nmodule.exports = ZipFileWorker;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/generate/ZipFileWorker.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/generate/index.js":
/*!**************************************************!*\
!*** ./node_modules/jszip/lib/generate/index.js ***!
\**************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar compressions = __webpack_require__(/*! ../compressions */ \"./node_modules/jszip/lib/compressions.js\");\nvar ZipFileWorker = __webpack_require__(/*! ./ZipFileWorker */ \"./node_modules/jszip/lib/generate/ZipFileWorker.js\");\n\n/**\n * Find the compression to use.\n * @param {String} fileCompression the compression defined at the file level, if any.\n * @param {String} zipCompression the compression defined at the load() level.\n * @return {Object} the compression object to use.\n */\nvar getCompression = function (fileCompression, zipCompression) {\n\n var compressionName = fileCompression || zipCompression;\n var compression = compressions[compressionName];\n if (!compression) {\n throw new Error(compressionName + \" is not a valid compression method !\");\n }\n return compression;\n};\n\n/**\n * Create a worker to generate a zip file.\n * @param {JSZip} zip the JSZip instance at the right root level.\n * @param {Object} options to generate the zip file.\n * @param {String} comment the comment to use.\n */\nexports.generateWorker = function (zip, options, comment) {\n\n var zipFileWorker = new ZipFileWorker(options.streamFiles, comment, options.platform, options.encodeFileName);\n var entriesCount = 0;\n try {\n\n zip.forEach(function (relativePath, file) {\n entriesCount++;\n var compression = getCompression(file.options.compression, options.compression);\n var compressionOptions = file.options.compressionOptions || options.compressionOptions || {};\n var dir = file.dir, date = file.date;\n\n file._compressWorker(compression, compressionOptions)\n .withStreamInfo(\"file\", {\n name : relativePath,\n dir : dir,\n date : date,\n comment : file.comment || \"\",\n unixPermissions : file.unixPermissions,\n dosPermissions : file.dosPermissions\n })\n .pipe(zipFileWorker);\n });\n zipFileWorker.entriesCount = entriesCount;\n } catch (e) {\n zipFileWorker.error(e);\n }\n\n return zipFileWorker;\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/generate/index.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/index.js":
/*!*****************************************!*\
!*** ./node_modules/jszip/lib/index.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/**\n * Representation a of zip file in js\n * @constructor\n */\nfunction JSZip() {\n // if this constructor is used without `new`, it adds `new` before itself:\n if(!(this instanceof JSZip)) {\n return new JSZip();\n }\n\n if(arguments.length) {\n throw new Error(\"The constructor with parameters has been removed in JSZip 3.0, please check the upgrade guide.\");\n }\n\n // object containing the files :\n // {\n // \"folder/\" : {...},\n // \"folder/data.txt\" : {...}\n // }\n // NOTE: we use a null prototype because we do not\n // want filenames like \"toString\" coming from a zip file\n // to overwrite methods and attributes in a normal Object.\n this.files = Object.create(null);\n\n this.comment = null;\n\n // Where we are in the hierarchy\n this.root = \"\";\n this.clone = function() {\n var newObj = new JSZip();\n for (var i in this) {\n if (typeof this[i] !== \"function\") {\n newObj[i] = this[i];\n }\n }\n return newObj;\n };\n}\nJSZip.prototype = __webpack_require__(/*! ./object */ \"./node_modules/jszip/lib/object.js\");\nJSZip.prototype.loadAsync = __webpack_require__(/*! ./load */ \"./node_modules/jszip/lib/load.js\");\nJSZip.support = __webpack_require__(/*! ./support */ \"./node_modules/jszip/lib/support.js\");\nJSZip.defaults = __webpack_require__(/*! ./defaults */ \"./node_modules/jszip/lib/defaults.js\");\n\n// TODO find a better way to handle this version,\n// a require('package.json').version doesn't work with webpack, see #327\nJSZip.version = \"3.10.1\";\n\nJSZip.loadAsync = function (content, options) {\n return new JSZip().loadAsync(content, options);\n};\n\nJSZip.external = __webpack_require__(/*! ./external */ \"./node_modules/jszip/lib/external.js\");\nmodule.exports = JSZip;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/index.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/load.js":
/*!****************************************!*\
!*** ./node_modules/jszip/lib/load.js ***!
\****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\nvar external = __webpack_require__(/*! ./external */ \"./node_modules/jszip/lib/external.js\");\nvar utf8 = __webpack_require__(/*! ./utf8 */ \"./node_modules/jszip/lib/utf8.js\");\nvar ZipEntries = __webpack_require__(/*! ./zipEntries */ \"./node_modules/jszip/lib/zipEntries.js\");\nvar Crc32Probe = __webpack_require__(/*! ./stream/Crc32Probe */ \"./node_modules/jszip/lib/stream/Crc32Probe.js\");\nvar nodejsUtils = __webpack_require__(/*! ./nodejsUtils */ \"./node_modules/jszip/lib/nodejsUtils.js\");\n\n/**\n * Check the CRC32 of an entry.\n * @param {ZipEntry} zipEntry the zip entry to check.\n * @return {Promise} the result.\n */\nfunction checkEntryCRC32(zipEntry) {\n return new external.Promise(function (resolve, reject) {\n var worker = zipEntry.decompressed.getContentWorker().pipe(new Crc32Probe());\n worker.on(\"error\", function (e) {\n reject(e);\n })\n .on(\"end\", function () {\n if (worker.streamInfo.crc32 !== zipEntry.decompressed.crc32) {\n reject(new Error(\"Corrupted zip : CRC32 mismatch\"));\n } else {\n resolve();\n }\n })\n .resume();\n });\n}\n\nmodule.exports = function (data, options) {\n var zip = this;\n options = utils.extend(options || {}, {\n base64: false,\n checkCRC32: false,\n optimizedBinaryString: false,\n createFolders: false,\n decodeFileName: utf8.utf8decode\n });\n\n if (nodejsUtils.isNode && nodejsUtils.isStream(data)) {\n return external.Promise.reject(new Error(\"JSZip can't accept a stream when loading a zip file.\"));\n }\n\n return utils.prepareContent(\"the loaded zip file\", data, true, options.optimizedBinaryString, options.base64)\n .then(function (data) {\n var zipEntries = new ZipEntries(options);\n zipEntries.load(data);\n return zipEntries;\n }).then(function checkCRC32(zipEntries) {\n var promises = [external.Promise.resolve(zipEntries)];\n var files = zipEntries.files;\n if (options.checkCRC32) {\n for (var i = 0; i < files.length; i++) {\n promises.push(checkEntryCRC32(files[i]));\n }\n }\n return external.Promise.all(promises);\n }).then(function addFiles(results) {\n var zipEntries = results.shift();\n var files = zipEntries.files;\n for (var i = 0; i < files.length; i++) {\n var input = files[i];\n\n var unsafeName = input.fileNameStr;\n var safeName = utils.resolve(input.fileNameStr);\n\n zip.file(safeName, input.decompressed, {\n binary: true,\n optimizedBinaryString: true,\n date: input.date,\n dir: input.dir,\n comment: input.fileCommentStr.length ? input.fileCommentStr : null,\n unixPermissions: input.unixPermissions,\n dosPermissions: input.dosPermissions,\n createFolders: options.createFolders\n });\n if (!input.dir) {\n zip.file(safeName).unsafeOriginalName = unsafeName;\n }\n }\n if (zipEntries.zipComment.length) {\n zip.comment = zipEntries.zipComment;\n }\n\n return zip;\n });\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/load.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/nodejs/NodejsStreamInputAdapter.js":
/*!*******************************************************************!*\
!*** ./node_modules/jszip/lib/nodejs/NodejsStreamInputAdapter.js ***!
\*******************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\nvar GenericWorker = __webpack_require__(/*! ../stream/GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\n\n/**\n * A worker that use a nodejs stream as source.\n * @constructor\n * @param {String} filename the name of the file entry for this stream.\n * @param {Readable} stream the nodejs stream.\n */\nfunction NodejsStreamInputAdapter(filename, stream) {\n GenericWorker.call(this, \"Nodejs stream input adapter for \" + filename);\n this._upstreamEnded = false;\n this._bindStream(stream);\n}\n\nutils.inherits(NodejsStreamInputAdapter, GenericWorker);\n\n/**\n * Prepare the stream and bind the callbacks on it.\n * Do this ASAP on node 0.10 ! A lazy binding doesn't always work.\n * @param {Stream} stream the nodejs stream to use.\n */\nNodejsStreamInputAdapter.prototype._bindStream = function (stream) {\n var self = this;\n this._stream = stream;\n stream.pause();\n stream\n .on(\"data\", function (chunk) {\n self.push({\n data: chunk,\n meta : {\n percent : 0\n }\n });\n })\n .on(\"error\", function (e) {\n if(self.isPaused) {\n this.generatedError = e;\n } else {\n self.error(e);\n }\n })\n .on(\"end\", function () {\n if(self.isPaused) {\n self._upstreamEnded = true;\n } else {\n self.end();\n }\n });\n};\nNodejsStreamInputAdapter.prototype.pause = function () {\n if(!GenericWorker.prototype.pause.call(this)) {\n return false;\n }\n this._stream.pause();\n return true;\n};\nNodejsStreamInputAdapter.prototype.resume = function () {\n if(!GenericWorker.prototype.resume.call(this)) {\n return false;\n }\n\n if(this._upstreamEnded) {\n this.end();\n } else {\n this._stream.resume();\n }\n\n return true;\n};\n\nmodule.exports = NodejsStreamInputAdapter;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/nodejs/NodejsStreamInputAdapter.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/nodejs/NodejsStreamOutputAdapter.js":
/*!********************************************************************!*\
!*** ./node_modules/jszip/lib/nodejs/NodejsStreamOutputAdapter.js ***!
\********************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar Readable = __webpack_require__(/*! readable-stream */ \"./node_modules/readable-stream/readable.js\").Readable;\n\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\nutils.inherits(NodejsStreamOutputAdapter, Readable);\n\n/**\n* A nodejs stream using a worker as source.\n* @see the SourceWrapper in http://nodejs.org/api/stream.html\n* @constructor\n* @param {StreamHelper} helper the helper wrapping the worker\n* @param {Object} options the nodejs stream options\n* @param {Function} updateCb the update callback.\n*/\nfunction NodejsStreamOutputAdapter(helper, options, updateCb) {\n Readable.call(this, options);\n this._helper = helper;\n\n var self = this;\n helper.on(\"data\", function (data, meta) {\n if (!self.push(data)) {\n self._helper.pause();\n }\n if(updateCb) {\n updateCb(meta);\n }\n })\n .on(\"error\", function(e) {\n self.emit(\"error\", e);\n })\n .on(\"end\", function () {\n self.push(null);\n });\n}\n\n\nNodejsStreamOutputAdapter.prototype._read = function() {\n this._helper.resume();\n};\n\nmodule.exports = NodejsStreamOutputAdapter;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/nodejs/NodejsStreamOutputAdapter.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/nodejsUtils.js":
/*!***********************************************!*\
!*** ./node_modules/jszip/lib/nodejsUtils.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nmodule.exports = {\n /**\n * True if this is running in Nodejs, will be undefined in a browser.\n * In a browser, browserify won't include this file and the whole module\n * will be resolved an empty object.\n */\n isNode : typeof Buffer !== \"undefined\",\n /**\n * Create a new nodejs Buffer from an existing content.\n * @param {Object} data the data to pass to the constructor.\n * @param {String} encoding the encoding to use.\n * @return {Buffer} a new Buffer.\n */\n newBufferFrom: function(data, encoding) {\n if (Buffer.from && Buffer.from !== Uint8Array.from) {\n return Buffer.from(data, encoding);\n } else {\n if (typeof data === \"number\") {\n // Safeguard for old Node.js versions. On newer versions,\n // Buffer.from(number) / Buffer(number, encoding) already throw.\n throw new Error(\"The \\\"data\\\" argument must not be a number\");\n }\n return new Buffer(data, encoding);\n }\n },\n /**\n * Create a new nodejs Buffer with the specified size.\n * @param {Integer} size the size of the buffer.\n * @return {Buffer} a new Buffer.\n */\n allocBuffer: function (size) {\n if (Buffer.alloc) {\n return Buffer.alloc(size);\n } else {\n var buf = new Buffer(size);\n buf.fill(0);\n return buf;\n }\n },\n /**\n * Find out if an object is a Buffer.\n * @param {Object} b the object to test.\n * @return {Boolean} true if the object is a Buffer, false otherwise.\n */\n isBuffer : function(b){\n return Buffer.isBuffer(b);\n },\n\n isStream : function (obj) {\n return obj &&\n typeof obj.on === \"function\" &&\n typeof obj.pause === \"function\" &&\n typeof obj.resume === \"function\";\n }\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/nodejsUtils.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/object.js":
/*!******************************************!*\
!*** ./node_modules/jszip/lib/object.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar utf8 = __webpack_require__(/*! ./utf8 */ \"./node_modules/jszip/lib/utf8.js\");\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\nvar GenericWorker = __webpack_require__(/*! ./stream/GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\nvar StreamHelper = __webpack_require__(/*! ./stream/StreamHelper */ \"./node_modules/jszip/lib/stream/StreamHelper.js\");\nvar defaults = __webpack_require__(/*! ./defaults */ \"./node_modules/jszip/lib/defaults.js\");\nvar CompressedObject = __webpack_require__(/*! ./compressedObject */ \"./node_modules/jszip/lib/compressedObject.js\");\nvar ZipObject = __webpack_require__(/*! ./zipObject */ \"./node_modules/jszip/lib/zipObject.js\");\nvar generate = __webpack_require__(/*! ./generate */ \"./node_modules/jszip/lib/generate/index.js\");\nvar nodejsUtils = __webpack_require__(/*! ./nodejsUtils */ \"./node_modules/jszip/lib/nodejsUtils.js\");\nvar NodejsStreamInputAdapter = __webpack_require__(/*! ./nodejs/NodejsStreamInputAdapter */ \"./node_modules/jszip/lib/nodejs/NodejsStreamInputAdapter.js\");\n\n\n/**\n * Add a file in the current folder.\n * @private\n * @param {string} name the name of the file\n * @param {String|ArrayBuffer|Uint8Array|Buffer} data the data of the file\n * @param {Object} originalOptions the options of the file\n * @return {Object} the new file.\n */\nvar fileAdd = function(name, data, originalOptions) {\n // be sure sub folders exist\n var dataType = utils.getTypeOf(data),\n parent;\n\n\n /*\n * Correct options.\n */\n\n var o = utils.extend(originalOptions || {}, defaults);\n o.date = o.date || new Date();\n if (o.compression !== null) {\n o.compression = o.compression.toUpperCase();\n }\n\n if (typeof o.unixPermissions === \"string\") {\n o.unixPermissions = parseInt(o.unixPermissions, 8);\n }\n\n // UNX_IFDIR 0040000 see zipinfo.c\n if (o.unixPermissions && (o.unixPermissions & 0x4000)) {\n o.dir = true;\n }\n // Bit 4 Directory\n if (o.dosPermissions && (o.dosPermissions & 0x0010)) {\n o.dir = true;\n }\n\n if (o.dir) {\n name = forceTrailingSlash(name);\n }\n if (o.createFolders && (parent = parentFolder(name))) {\n folderAdd.call(this, parent, true);\n }\n\n var isUnicodeString = dataType === \"string\" && o.binary === false && o.base64 === false;\n if (!originalOptions || typeof originalOptions.binary === \"undefined\") {\n o.binary = !isUnicodeString;\n }\n\n\n var isCompressedEmpty = (data instanceof CompressedObject) && data.uncompressedSize === 0;\n\n if (isCompressedEmpty || o.dir || !data || data.length === 0) {\n o.base64 = false;\n o.binary = true;\n data = \"\";\n o.compression = \"STORE\";\n dataType = \"string\";\n }\n\n /*\n * Convert content to fit.\n */\n\n var zipObjectContent = null;\n if (data instanceof CompressedObject || data instanceof GenericWorker) {\n zipObjectContent = data;\n } else if (nodejsUtils.isNode && nodejsUtils.isStream(data)) {\n zipObjectContent = new NodejsStreamInputAdapter(name, data);\n } else {\n zipObjectContent = utils.prepareContent(name, data, o.binary, o.optimizedBinaryString, o.base64);\n }\n\n var object = new ZipObject(name, zipObjectContent, o);\n this.files[name] = object;\n /*\n TODO: we can't throw an exception because we have async promises\n (we can have a promise of a Date() for example) but returning a\n promise is useless because file(name, data) returns the JSZip\n object for chaining. Should we break that to allow the user\n to catch the error ?\n\n return external.Promise.resolve(zipObjectContent)\n .then(function () {\n return object;\n });\n */\n};\n\n/**\n * Find the parent folder of the path.\n * @private\n * @param {string} path the path to use\n * @return {string} the parent folder, or \"\"\n */\nvar parentFolder = function (path) {\n if (path.slice(-1) === \"/\") {\n path = path.substring(0, path.length - 1);\n }\n var lastSlash = path.lastIndexOf(\"/\");\n return (lastSlash > 0) ? path.substring(0, lastSlash) : \"\";\n};\n\n/**\n * Returns the path with a slash at the end.\n * @private\n * @param {String} path the path to check.\n * @return {String} the path with a trailing slash.\n */\nvar forceTrailingSlash = function(path) {\n // Check the name ends with a /\n if (path.slice(-1) !== \"/\") {\n path += \"/\"; // IE doesn't like substr(-1)\n }\n return path;\n};\n\n/**\n * Add a (sub) folder in the current folder.\n * @private\n * @param {string} name the folder's name\n * @param {boolean=} [createFolders] If true, automatically create sub\n * folders. Defaults to false.\n * @return {Object} the new folder.\n */\nvar folderAdd = function(name, createFolders) {\n createFolders = (typeof createFolders !== \"undefined\") ? createFolders : defaults.createFolders;\n\n name = forceTrailingSlash(name);\n\n // Does this folder already exist?\n if (!this.files[name]) {\n fileAdd.call(this, name, null, {\n dir: true,\n createFolders: createFolders\n });\n }\n return this.files[name];\n};\n\n/**\n* Cross-window, cross-Node-context regular expression detection\n* @param {Object} object Anything\n* @return {Boolean} true if the object is a regular expression,\n* false otherwise\n*/\nfunction isRegExp(object) {\n return Object.prototype.toString.call(object) === \"[object RegExp]\";\n}\n\n// return the actual prototype of JSZip\nvar out = {\n /**\n * @see loadAsync\n */\n load: function() {\n throw new Error(\"This method has been removed in JSZip 3.0, please check the upgrade guide.\");\n },\n\n\n /**\n * Call a callback function for each entry at this folder level.\n * @param {Function} cb the callback function:\n * function (relativePath, file) {...}\n * It takes 2 arguments : the relative path and the file.\n */\n forEach: function(cb) {\n var filename, relativePath, file;\n // ignore warning about unwanted properties because this.files is a null prototype object\n /* eslint-disable-next-line guard-for-in */\n for (filename in this.files) {\n file = this.files[filename];\n relativePath = filename.slice(this.root.length, filename.length);\n if (relativePath && filename.slice(0, this.root.length) === this.root) { // the file is in the current root\n cb(relativePath, file); // TODO reverse the parameters ? need to be clean AND consistent with the filter search fn...\n }\n }\n },\n\n /**\n * Filter nested files/folders with the specified function.\n * @param {Function} search the predicate to use :\n * function (relativePath, file) {...}\n * It takes 2 arguments : the relative path and the file.\n * @return {Array} An array of matching elements.\n */\n filter: function(search) {\n var result = [];\n this.forEach(function (relativePath, entry) {\n if (search(relativePath, entry)) { // the file matches the function\n result.push(entry);\n }\n\n });\n return result;\n },\n\n /**\n * Add a file to the zip file, or search a file.\n * @param {string|RegExp} name The name of the file to add (if data is defined),\n * the name of the file to find (if no data) or a regex to match files.\n * @param {String|ArrayBuffer|Uint8Array|Buffer} data The file data, either raw or base64 encoded\n * @param {Object} o File options\n * @return {JSZip|Object|Array} this JSZip object (when adding a file),\n * a file (when searching by string) or an array of files (when searching by regex).\n */\n file: function(name, data, o) {\n if (arguments.length === 1) {\n if (isRegExp(name)) {\n var regexp = name;\n return this.filter(function(relativePath, file) {\n return !file.dir && regexp.test(relativePath);\n });\n }\n else { // text\n var obj = this.files[this.root + name];\n if (obj && !obj.dir) {\n return obj;\n } else {\n return null;\n }\n }\n }\n else { // more than one argument : we have data !\n name = this.root + name;\n fileAdd.call(this, name, data, o);\n }\n return this;\n },\n\n /**\n * Add a directory to the zip file, or search.\n * @param {String|RegExp} arg The name of the directory to add, or a regex to search folders.\n * @return {JSZip} an object with the new directory as the root, or an array containing matching folders.\n */\n folder: function(arg) {\n if (!arg) {\n return this;\n }\n\n if (isRegExp(arg)) {\n return this.filter(function(relativePath, file) {\n return file.dir && arg.test(relativePath);\n });\n }\n\n // else, name is a new folder\n var name = this.root + arg;\n var newFolder = folderAdd.call(this, name);\n\n // Allow chaining by returning a new object with this folder as the root\n var ret = this.clone();\n ret.root = newFolder.name;\n return ret;\n },\n\n /**\n * Delete a file, or a directory and all sub-files, from the zip\n * @param {string} name the name of the file to delete\n * @return {JSZip} this JSZip object\n */\n remove: function(name) {\n name = this.root + name;\n var file = this.files[name];\n if (!file) {\n // Look for any folders\n if (name.slice(-1) !== \"/\") {\n name += \"/\";\n }\n file = this.files[name];\n }\n\n if (file && !file.dir) {\n // file\n delete this.files[name];\n } else {\n // maybe a folder, delete recursively\n var kids = this.filter(function(relativePath, file) {\n return file.name.slice(0, name.length) === name;\n });\n for (var i = 0; i < kids.length; i++) {\n delete this.files[kids[i].name];\n }\n }\n\n return this;\n },\n\n /**\n * @deprecated This method has been removed in JSZip 3.0, please check the upgrade guide.\n */\n generate: function() {\n throw new Error(\"This method has been removed in JSZip 3.0, please check the upgrade guide.\");\n },\n\n /**\n * Generate the complete zip file as an internal stream.\n * @param {Object} options the options to generate the zip file :\n * - compression, \"STORE\" by default.\n * - type, \"base64\" by default. Values are : string, base64, uint8array, arraybuffer, blob.\n * @return {StreamHelper} the streamed zip file.\n */\n generateInternalStream: function(options) {\n var worker, opts = {};\n try {\n opts = utils.extend(options || {}, {\n streamFiles: false,\n compression: \"STORE\",\n compressionOptions : null,\n type: \"\",\n platform: \"DOS\",\n comment: null,\n mimeType: \"application/zip\",\n encodeFileName: utf8.utf8encode\n });\n\n opts.type = opts.type.toLowerCase();\n opts.compression = opts.compression.toUpperCase();\n\n // \"binarystring\" is preferred but the internals use \"string\".\n if(opts.type === \"binarystring\") {\n opts.type = \"string\";\n }\n\n if (!opts.type) {\n throw new Error(\"No output type specified.\");\n }\n\n utils.checkSupport(opts.type);\n\n // accept nodejs `process.platform`\n if(\n opts.platform === \"darwin\" ||\n opts.platform === \"freebsd\" ||\n opts.platform === \"linux\" ||\n opts.platform === \"sunos\"\n ) {\n opts.platform = \"UNIX\";\n }\n if (opts.platform === \"win32\") {\n opts.platform = \"DOS\";\n }\n\n var comment = opts.comment || this.comment || \"\";\n worker = generate.generateWorker(this, opts, comment);\n } catch (e) {\n worker = new GenericWorker(\"error\");\n worker.error(e);\n }\n return new StreamHelper(worker, opts.type || \"string\", opts.mimeType);\n },\n /**\n * Generate the complete zip file asynchronously.\n * @see generateInternalStream\n */\n generateAsync: function(options, onUpdate) {\n return this.generateInternalStream(options).accumulate(onUpdate);\n },\n /**\n * Generate the complete zip file asynchronously.\n * @see generateInternalStream\n */\n generateNodeStream: function(options, onUpdate) {\n options = options || {};\n if (!options.type) {\n options.type = \"nodebuffer\";\n }\n return this.generateInternalStream(options).toNodejsStream(onUpdate);\n }\n};\nmodule.exports = out;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/object.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/reader/ArrayReader.js":
/*!******************************************************!*\
!*** ./node_modules/jszip/lib/reader/ArrayReader.js ***!
\******************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar DataReader = __webpack_require__(/*! ./DataReader */ \"./node_modules/jszip/lib/reader/DataReader.js\");\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\n\nfunction ArrayReader(data) {\n DataReader.call(this, data);\n for(var i = 0; i < this.data.length; i++) {\n data[i] = data[i] & 0xFF;\n }\n}\nutils.inherits(ArrayReader, DataReader);\n/**\n * @see DataReader.byteAt\n */\nArrayReader.prototype.byteAt = function(i) {\n return this.data[this.zero + i];\n};\n/**\n * @see DataReader.lastIndexOfSignature\n */\nArrayReader.prototype.lastIndexOfSignature = function(sig) {\n var sig0 = sig.charCodeAt(0),\n sig1 = sig.charCodeAt(1),\n sig2 = sig.charCodeAt(2),\n sig3 = sig.charCodeAt(3);\n for (var i = this.length - 4; i >= 0; --i) {\n if (this.data[i] === sig0 && this.data[i + 1] === sig1 && this.data[i + 2] === sig2 && this.data[i + 3] === sig3) {\n return i - this.zero;\n }\n }\n\n return -1;\n};\n/**\n * @see DataReader.readAndCheckSignature\n */\nArrayReader.prototype.readAndCheckSignature = function (sig) {\n var sig0 = sig.charCodeAt(0),\n sig1 = sig.charCodeAt(1),\n sig2 = sig.charCodeAt(2),\n sig3 = sig.charCodeAt(3),\n data = this.readData(4);\n return sig0 === data[0] && sig1 === data[1] && sig2 === data[2] && sig3 === data[3];\n};\n/**\n * @see DataReader.readData\n */\nArrayReader.prototype.readData = function(size) {\n this.checkOffset(size);\n if(size === 0) {\n return [];\n }\n var result = this.data.slice(this.zero + this.index, this.zero + this.index + size);\n this.index += size;\n return result;\n};\nmodule.exports = ArrayReader;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/reader/ArrayReader.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/reader/DataReader.js":
/*!*****************************************************!*\
!*** ./node_modules/jszip/lib/reader/DataReader.js ***!
\*****************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\n\nfunction DataReader(data) {\n this.data = data; // type : see implementation\n this.length = data.length;\n this.index = 0;\n this.zero = 0;\n}\nDataReader.prototype = {\n /**\n * Check that the offset will not go too far.\n * @param {string} offset the additional offset to check.\n * @throws {Error} an Error if the offset is out of bounds.\n */\n checkOffset: function(offset) {\n this.checkIndex(this.index + offset);\n },\n /**\n * Check that the specified index will not be too far.\n * @param {string} newIndex the index to check.\n * @throws {Error} an Error if the index is out of bounds.\n */\n checkIndex: function(newIndex) {\n if (this.length < this.zero + newIndex || newIndex < 0) {\n throw new Error(\"End of data reached (data length = \" + this.length + \", asked index = \" + (newIndex) + \"). Corrupted zip ?\");\n }\n },\n /**\n * Change the index.\n * @param {number} newIndex The new index.\n * @throws {Error} if the new index is out of the data.\n */\n setIndex: function(newIndex) {\n this.checkIndex(newIndex);\n this.index = newIndex;\n },\n /**\n * Skip the next n bytes.\n * @param {number} n the number of bytes to skip.\n * @throws {Error} if the new index is out of the data.\n */\n skip: function(n) {\n this.setIndex(this.index + n);\n },\n /**\n * Get the byte at the specified index.\n * @param {number} i the index to use.\n * @return {number} a byte.\n */\n byteAt: function() {\n // see implementations\n },\n /**\n * Get the next number with a given byte size.\n * @param {number} size the number of bytes to read.\n * @return {number} the corresponding number.\n */\n readInt: function(size) {\n var result = 0,\n i;\n this.checkOffset(size);\n for (i = this.index + size - 1; i >= this.index; i--) {\n result = (result << 8) + this.byteAt(i);\n }\n this.index += size;\n return result;\n },\n /**\n * Get the next string with a given byte size.\n * @param {number} size the number of bytes to read.\n * @return {string} the corresponding string.\n */\n readString: function(size) {\n return utils.transformTo(\"string\", this.readData(size));\n },\n /**\n * Get raw data without conversion, <size> bytes.\n * @param {number} size the number of bytes to read.\n * @return {Object} the raw data, implementation specific.\n */\n readData: function() {\n // see implementations\n },\n /**\n * Find the last occurrence of a zip signature (4 bytes).\n * @param {string} sig the signature to find.\n * @return {number} the index of the last occurrence, -1 if not found.\n */\n lastIndexOfSignature: function() {\n // see implementations\n },\n /**\n * Read the signature (4 bytes) at the current position and compare it with sig.\n * @param {string} sig the expected signature\n * @return {boolean} true if the signature matches, false otherwise.\n */\n readAndCheckSignature: function() {\n // see implementations\n },\n /**\n * Get the next date.\n * @return {Date} the date.\n */\n readDate: function() {\n var dostime = this.readInt(4);\n return new Date(Date.UTC(\n ((dostime >> 25) & 0x7f) + 1980, // year\n ((dostime >> 21) & 0x0f) - 1, // month\n (dostime >> 16) & 0x1f, // day\n (dostime >> 11) & 0x1f, // hour\n (dostime >> 5) & 0x3f, // minute\n (dostime & 0x1f) << 1)); // second\n }\n};\nmodule.exports = DataReader;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/reader/DataReader.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/reader/NodeBufferReader.js":
/*!***********************************************************!*\
!*** ./node_modules/jszip/lib/reader/NodeBufferReader.js ***!
\***********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar Uint8ArrayReader = __webpack_require__(/*! ./Uint8ArrayReader */ \"./node_modules/jszip/lib/reader/Uint8ArrayReader.js\");\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\n\nfunction NodeBufferReader(data) {\n Uint8ArrayReader.call(this, data);\n}\nutils.inherits(NodeBufferReader, Uint8ArrayReader);\n\n/**\n * @see DataReader.readData\n */\nNodeBufferReader.prototype.readData = function(size) {\n this.checkOffset(size);\n var result = this.data.slice(this.zero + this.index, this.zero + this.index + size);\n this.index += size;\n return result;\n};\nmodule.exports = NodeBufferReader;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/reader/NodeBufferReader.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/reader/StringReader.js":
/*!*******************************************************!*\
!*** ./node_modules/jszip/lib/reader/StringReader.js ***!
\*******************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar DataReader = __webpack_require__(/*! ./DataReader */ \"./node_modules/jszip/lib/reader/DataReader.js\");\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\n\nfunction StringReader(data) {\n DataReader.call(this, data);\n}\nutils.inherits(StringReader, DataReader);\n/**\n * @see DataReader.byteAt\n */\nStringReader.prototype.byteAt = function(i) {\n return this.data.charCodeAt(this.zero + i);\n};\n/**\n * @see DataReader.lastIndexOfSignature\n */\nStringReader.prototype.lastIndexOfSignature = function(sig) {\n return this.data.lastIndexOf(sig) - this.zero;\n};\n/**\n * @see DataReader.readAndCheckSignature\n */\nStringReader.prototype.readAndCheckSignature = function (sig) {\n var data = this.readData(4);\n return sig === data;\n};\n/**\n * @see DataReader.readData\n */\nStringReader.prototype.readData = function(size) {\n this.checkOffset(size);\n // this will work because the constructor applied the \"& 0xff\" mask.\n var result = this.data.slice(this.zero + this.index, this.zero + this.index + size);\n this.index += size;\n return result;\n};\nmodule.exports = StringReader;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/reader/StringReader.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/reader/Uint8ArrayReader.js":
/*!***********************************************************!*\
!*** ./node_modules/jszip/lib/reader/Uint8ArrayReader.js ***!
\***********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar ArrayReader = __webpack_require__(/*! ./ArrayReader */ \"./node_modules/jszip/lib/reader/ArrayReader.js\");\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\n\nfunction Uint8ArrayReader(data) {\n ArrayReader.call(this, data);\n}\nutils.inherits(Uint8ArrayReader, ArrayReader);\n/**\n * @see DataReader.readData\n */\nUint8ArrayReader.prototype.readData = function(size) {\n this.checkOffset(size);\n if(size === 0) {\n // in IE10, when using subarray(idx, idx), we get the array [0x00] instead of [].\n return new Uint8Array(0);\n }\n var result = this.data.subarray(this.zero + this.index, this.zero + this.index + size);\n this.index += size;\n return result;\n};\nmodule.exports = Uint8ArrayReader;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/reader/Uint8ArrayReader.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/reader/readerFor.js":
/*!****************************************************!*\
!*** ./node_modules/jszip/lib/reader/readerFor.js ***!
\****************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\nvar support = __webpack_require__(/*! ../support */ \"./node_modules/jszip/lib/support.js\");\nvar ArrayReader = __webpack_require__(/*! ./ArrayReader */ \"./node_modules/jszip/lib/reader/ArrayReader.js\");\nvar StringReader = __webpack_require__(/*! ./StringReader */ \"./node_modules/jszip/lib/reader/StringReader.js\");\nvar NodeBufferReader = __webpack_require__(/*! ./NodeBufferReader */ \"./node_modules/jszip/lib/reader/NodeBufferReader.js\");\nvar Uint8ArrayReader = __webpack_require__(/*! ./Uint8ArrayReader */ \"./node_modules/jszip/lib/reader/Uint8ArrayReader.js\");\n\n/**\n * Create a reader adapted to the data.\n * @param {String|ArrayBuffer|Uint8Array|Buffer} data the data to read.\n * @return {DataReader} the data reader.\n */\nmodule.exports = function (data) {\n var type = utils.getTypeOf(data);\n utils.checkSupport(type);\n if (type === \"string\" && !support.uint8array) {\n return new StringReader(data);\n }\n if (type === \"nodebuffer\") {\n return new NodeBufferReader(data);\n }\n if (support.uint8array) {\n return new Uint8ArrayReader(utils.transformTo(\"uint8array\", data));\n }\n return new ArrayReader(utils.transformTo(\"array\", data));\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/reader/readerFor.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/signature.js":
/*!*********************************************!*\
!*** ./node_modules/jszip/lib/signature.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nexports.LOCAL_FILE_HEADER = \"PK\\x03\\x04\";\nexports.CENTRAL_FILE_HEADER = \"PK\\x01\\x02\";\nexports.CENTRAL_DIRECTORY_END = \"PK\\x05\\x06\";\nexports.ZIP64_CENTRAL_DIRECTORY_LOCATOR = \"PK\\x06\\x07\";\nexports.ZIP64_CENTRAL_DIRECTORY_END = \"PK\\x06\\x06\";\nexports.DATA_DESCRIPTOR = \"PK\\x07\\x08\";\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/signature.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/stream/ConvertWorker.js":
/*!********************************************************!*\
!*** ./node_modules/jszip/lib/stream/ConvertWorker.js ***!
\********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar GenericWorker = __webpack_require__(/*! ./GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\n\n/**\n * A worker which convert chunks to a specified type.\n * @constructor\n * @param {String} destType the destination type.\n */\nfunction ConvertWorker(destType) {\n GenericWorker.call(this, \"ConvertWorker to \" + destType);\n this.destType = destType;\n}\nutils.inherits(ConvertWorker, GenericWorker);\n\n/**\n * @see GenericWorker.processChunk\n */\nConvertWorker.prototype.processChunk = function (chunk) {\n this.push({\n data : utils.transformTo(this.destType, chunk.data),\n meta : chunk.meta\n });\n};\nmodule.exports = ConvertWorker;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/stream/ConvertWorker.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/stream/Crc32Probe.js":
/*!*****************************************************!*\
!*** ./node_modules/jszip/lib/stream/Crc32Probe.js ***!
\*****************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar GenericWorker = __webpack_require__(/*! ./GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\nvar crc32 = __webpack_require__(/*! ../crc32 */ \"./node_modules/jszip/lib/crc32.js\");\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\n\n/**\n * A worker which calculate the crc32 of the data flowing through.\n * @constructor\n */\nfunction Crc32Probe() {\n GenericWorker.call(this, \"Crc32Probe\");\n this.withStreamInfo(\"crc32\", 0);\n}\nutils.inherits(Crc32Probe, GenericWorker);\n\n/**\n * @see GenericWorker.processChunk\n */\nCrc32Probe.prototype.processChunk = function (chunk) {\n this.streamInfo.crc32 = crc32(chunk.data, this.streamInfo.crc32 || 0);\n this.push(chunk);\n};\nmodule.exports = Crc32Probe;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/stream/Crc32Probe.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/stream/DataLengthProbe.js":
/*!**********************************************************!*\
!*** ./node_modules/jszip/lib/stream/DataLengthProbe.js ***!
\**********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\nvar GenericWorker = __webpack_require__(/*! ./GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\n\n/**\n * A worker which calculate the total length of the data flowing through.\n * @constructor\n * @param {String} propName the name used to expose the length\n */\nfunction DataLengthProbe(propName) {\n GenericWorker.call(this, \"DataLengthProbe for \" + propName);\n this.propName = propName;\n this.withStreamInfo(propName, 0);\n}\nutils.inherits(DataLengthProbe, GenericWorker);\n\n/**\n * @see GenericWorker.processChunk\n */\nDataLengthProbe.prototype.processChunk = function (chunk) {\n if(chunk) {\n var length = this.streamInfo[this.propName] || 0;\n this.streamInfo[this.propName] = length + chunk.data.length;\n }\n GenericWorker.prototype.processChunk.call(this, chunk);\n};\nmodule.exports = DataLengthProbe;\n\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/stream/DataLengthProbe.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/stream/DataWorker.js":
/*!*****************************************************!*\
!*** ./node_modules/jszip/lib/stream/DataWorker.js ***!
\*****************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\nvar GenericWorker = __webpack_require__(/*! ./GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\n\n// the size of the generated chunks\n// TODO expose this as a public variable\nvar DEFAULT_BLOCK_SIZE = 16 * 1024;\n\n/**\n * A worker that reads a content and emits chunks.\n * @constructor\n * @param {Promise} dataP the promise of the data to split\n */\nfunction DataWorker(dataP) {\n GenericWorker.call(this, \"DataWorker\");\n var self = this;\n this.dataIsReady = false;\n this.index = 0;\n this.max = 0;\n this.data = null;\n this.type = \"\";\n\n this._tickScheduled = false;\n\n dataP.then(function (data) {\n self.dataIsReady = true;\n self.data = data;\n self.max = data && data.length || 0;\n self.type = utils.getTypeOf(data);\n if(!self.isPaused) {\n self._tickAndRepeat();\n }\n }, function (e) {\n self.error(e);\n });\n}\n\nutils.inherits(DataWorker, GenericWorker);\n\n/**\n * @see GenericWorker.cleanUp\n */\nDataWorker.prototype.cleanUp = function () {\n GenericWorker.prototype.cleanUp.call(this);\n this.data = null;\n};\n\n/**\n * @see GenericWorker.resume\n */\nDataWorker.prototype.resume = function () {\n if(!GenericWorker.prototype.resume.call(this)) {\n return false;\n }\n\n if (!this._tickScheduled && this.dataIsReady) {\n this._tickScheduled = true;\n utils.delay(this._tickAndRepeat, [], this);\n }\n return true;\n};\n\n/**\n * Trigger a tick a schedule an other call to this function.\n */\nDataWorker.prototype._tickAndRepeat = function() {\n this._tickScheduled = false;\n if(this.isPaused || this.isFinished) {\n return;\n }\n this._tick();\n if(!this.isFinished) {\n utils.delay(this._tickAndRepeat, [], this);\n this._tickScheduled = true;\n }\n};\n\n/**\n * Read and push a chunk.\n */\nDataWorker.prototype._tick = function() {\n\n if(this.isPaused || this.isFinished) {\n return false;\n }\n\n var size = DEFAULT_BLOCK_SIZE;\n var data = null, nextIndex = Math.min(this.max, this.index + size);\n if (this.index >= this.max) {\n // EOF\n return this.end();\n } else {\n switch(this.type) {\n case \"string\":\n data = this.data.substring(this.index, nextIndex);\n break;\n case \"uint8array\":\n data = this.data.subarray(this.index, nextIndex);\n break;\n case \"array\":\n case \"nodebuffer\":\n data = this.data.slice(this.index, nextIndex);\n break;\n }\n this.index = nextIndex;\n return this.push({\n data : data,\n meta : {\n percent : this.max ? this.index / this.max * 100 : 0\n }\n });\n }\n};\n\nmodule.exports = DataWorker;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/stream/DataWorker.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/stream/GenericWorker.js":
/*!********************************************************!*\
!*** ./node_modules/jszip/lib/stream/GenericWorker.js ***!
\********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/**\n * A worker that does nothing but passing chunks to the next one. This is like\n * a nodejs stream but with some differences. On the good side :\n * - it works on IE 6-9 without any issue / polyfill\n * - it weights less than the full dependencies bundled with browserify\n * - it forwards errors (no need to declare an error handler EVERYWHERE)\n *\n * A chunk is an object with 2 attributes : `meta` and `data`. The former is an\n * object containing anything (`percent` for example), see each worker for more\n * details. The latter is the real data (String, Uint8Array, etc).\n *\n * @constructor\n * @param {String} name the name of the stream (mainly used for debugging purposes)\n */\nfunction GenericWorker(name) {\n // the name of the worker\n this.name = name || \"default\";\n // an object containing metadata about the workers chain\n this.streamInfo = {};\n // an error which happened when the worker was paused\n this.generatedError = null;\n // an object containing metadata to be merged by this worker into the general metadata\n this.extraStreamInfo = {};\n // true if the stream is paused (and should not do anything), false otherwise\n this.isPaused = true;\n // true if the stream is finished (and should not do anything), false otherwise\n this.isFinished = false;\n // true if the stream is locked to prevent further structure updates (pipe), false otherwise\n this.isLocked = false;\n // the event listeners\n this._listeners = {\n \"data\":[],\n \"end\":[],\n \"error\":[]\n };\n // the previous worker, if any\n this.previous = null;\n}\n\nGenericWorker.prototype = {\n /**\n * Push a chunk to the next workers.\n * @param {Object} chunk the chunk to push\n */\n push : function (chunk) {\n this.emit(\"data\", chunk);\n },\n /**\n * End the stream.\n * @return {Boolean} true if this call ended the worker, false otherwise.\n */\n end : function () {\n if (this.isFinished) {\n return false;\n }\n\n this.flush();\n try {\n this.emit(\"end\");\n this.cleanUp();\n this.isFinished = true;\n } catch (e) {\n this.emit(\"error\", e);\n }\n return true;\n },\n /**\n * End the stream with an error.\n * @param {Error} e the error which caused the premature end.\n * @return {Boolean} true if this call ended the worker with an error, false otherwise.\n */\n error : function (e) {\n if (this.isFinished) {\n return false;\n }\n\n if(this.isPaused) {\n this.generatedError = e;\n } else {\n this.isFinished = true;\n\n this.emit(\"error\", e);\n\n // in the workers chain exploded in the middle of the chain,\n // the error event will go downward but we also need to notify\n // workers upward that there has been an error.\n if(this.previous) {\n this.previous.error(e);\n }\n\n this.cleanUp();\n }\n return true;\n },\n /**\n * Add a callback on an event.\n * @param {String} name the name of the event (data, end, error)\n * @param {Function} listener the function to call when the event is triggered\n * @return {GenericWorker} the current object for chainability\n */\n on : function (name, listener) {\n this._listeners[name].push(listener);\n return this;\n },\n /**\n * Clean any references when a worker is ending.\n */\n cleanUp : function () {\n this.streamInfo = this.generatedError = this.extraStreamInfo = null;\n this._listeners = [];\n },\n /**\n * Trigger an event. This will call registered callback with the provided arg.\n * @param {String} name the name of the event (data, end, error)\n * @param {Object} arg the argument to call the callback with.\n */\n emit : function (name, arg) {\n if (this._listeners[name]) {\n for(var i = 0; i < this._listeners[name].length; i++) {\n this._listeners[name][i].call(this, arg);\n }\n }\n },\n /**\n * Chain a worker with an other.\n * @param {Worker} next the worker receiving events from the current one.\n * @return {worker} the next worker for chainability\n */\n pipe : function (next) {\n return next.registerPrevious(this);\n },\n /**\n * Same as `pipe` in the other direction.\n * Using an API with `pipe(next)` is very easy.\n * Implementing the API with the point of view of the next one registering\n * a source is easier, see the ZipFileWorker.\n * @param {Worker} previous the previous worker, sending events to this one\n * @return {Worker} the current worker for chainability\n */\n registerPrevious : function (previous) {\n if (this.isLocked) {\n throw new Error(\"The stream '\" + this + \"' has already been used.\");\n }\n\n // sharing the streamInfo...\n this.streamInfo = previous.streamInfo;\n // ... and adding our own bits\n this.mergeStreamInfo();\n this.previous = previous;\n var self = this;\n previous.on(\"data\", function (chunk) {\n self.processChunk(chunk);\n });\n previous.on(\"end\", function () {\n self.end();\n });\n previous.on(\"error\", function (e) {\n self.error(e);\n });\n return this;\n },\n /**\n * Pause the stream so it doesn't send events anymore.\n * @return {Boolean} true if this call paused the worker, false otherwise.\n */\n pause : function () {\n if(this.isPaused || this.isFinished) {\n return false;\n }\n this.isPaused = true;\n\n if(this.previous) {\n this.previous.pause();\n }\n return true;\n },\n /**\n * Resume a paused stream.\n * @return {Boolean} true if this call resumed the worker, false otherwise.\n */\n resume : function () {\n if(!this.isPaused || this.isFinished) {\n return false;\n }\n this.isPaused = false;\n\n // if true, the worker tried to resume but failed\n var withError = false;\n if(this.generatedError) {\n this.error(this.generatedError);\n withError = true;\n }\n if(this.previous) {\n this.previous.resume();\n }\n\n return !withError;\n },\n /**\n * Flush any remaining bytes as the stream is ending.\n */\n flush : function () {},\n /**\n * Process a chunk. This is usually the method overridden.\n * @param {Object} chunk the chunk to process.\n */\n processChunk : function(chunk) {\n this.push(chunk);\n },\n /**\n * Add a key/value to be added in the workers chain streamInfo once activated.\n * @param {String} key the key to use\n * @param {Object} value the associated value\n * @return {Worker} the current worker for chainability\n */\n withStreamInfo : function (key, value) {\n this.extraStreamInfo[key] = value;\n this.mergeStreamInfo();\n return this;\n },\n /**\n * Merge this worker's streamInfo into the chain's streamInfo.\n */\n mergeStreamInfo : function () {\n for(var key in this.extraStreamInfo) {\n if (!Object.prototype.hasOwnProperty.call(this.extraStreamInfo, key)) {\n continue;\n }\n this.streamInfo[key] = this.extraStreamInfo[key];\n }\n },\n\n /**\n * Lock the stream to prevent further updates on the workers chain.\n * After calling this method, all calls to pipe will fail.\n */\n lock: function () {\n if (this.isLocked) {\n throw new Error(\"The stream '\" + this + \"' has already been used.\");\n }\n this.isLocked = true;\n if (this.previous) {\n this.previous.lock();\n }\n },\n\n /**\n *\n * Pretty print the workers chain.\n */\n toString : function () {\n var me = \"Worker \" + this.name;\n if (this.previous) {\n return this.previous + \" -> \" + me;\n } else {\n return me;\n }\n }\n};\n\nmodule.exports = GenericWorker;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/stream/GenericWorker.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/stream/StreamHelper.js":
/*!*******************************************************!*\
!*** ./node_modules/jszip/lib/stream/StreamHelper.js ***!
\*******************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ../utils */ \"./node_modules/jszip/lib/utils.js\");\nvar ConvertWorker = __webpack_require__(/*! ./ConvertWorker */ \"./node_modules/jszip/lib/stream/ConvertWorker.js\");\nvar GenericWorker = __webpack_require__(/*! ./GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\nvar base64 = __webpack_require__(/*! ../base64 */ \"./node_modules/jszip/lib/base64.js\");\nvar support = __webpack_require__(/*! ../support */ \"./node_modules/jszip/lib/support.js\");\nvar external = __webpack_require__(/*! ../external */ \"./node_modules/jszip/lib/external.js\");\n\nvar NodejsStreamOutputAdapter = null;\nif (support.nodestream) {\n try {\n NodejsStreamOutputAdapter = __webpack_require__(/*! ../nodejs/NodejsStreamOutputAdapter */ \"./node_modules/jszip/lib/nodejs/NodejsStreamOutputAdapter.js\");\n } catch(e) {\n // ignore\n }\n}\n\n/**\n * Apply the final transformation of the data. If the user wants a Blob for\n * example, it's easier to work with an U8intArray and finally do the\n * ArrayBuffer/Blob conversion.\n * @param {String} type the name of the final type\n * @param {String|Uint8Array|Buffer} content the content to transform\n * @param {String} mimeType the mime type of the content, if applicable.\n * @return {String|Uint8Array|ArrayBuffer|Buffer|Blob} the content in the right format.\n */\nfunction transformZipOutput(type, content, mimeType) {\n switch(type) {\n case \"blob\" :\n return utils.newBlob(utils.transformTo(\"arraybuffer\", content), mimeType);\n case \"base64\" :\n return base64.encode(content);\n default :\n return utils.transformTo(type, content);\n }\n}\n\n/**\n * Concatenate an array of data of the given type.\n * @param {String} type the type of the data in the given array.\n * @param {Array} dataArray the array containing the data chunks to concatenate\n * @return {String|Uint8Array|Buffer} the concatenated data\n * @throws Error if the asked type is unsupported\n */\nfunction concat (type, dataArray) {\n var i, index = 0, res = null, totalLength = 0;\n for(i = 0; i < dataArray.length; i++) {\n totalLength += dataArray[i].length;\n }\n switch(type) {\n case \"string\":\n return dataArray.join(\"\");\n case \"array\":\n return Array.prototype.concat.apply([], dataArray);\n case \"uint8array\":\n res = new Uint8Array(totalLength);\n for(i = 0; i < dataArray.length; i++) {\n res.set(dataArray[i], index);\n index += dataArray[i].length;\n }\n return res;\n case \"nodebuffer\":\n return Buffer.concat(dataArray);\n default:\n throw new Error(\"concat : unsupported type '\" + type + \"'\");\n }\n}\n\n/**\n * Listen a StreamHelper, accumulate its content and concatenate it into a\n * complete block.\n * @param {StreamHelper} helper the helper to use.\n * @param {Function} updateCallback a callback called on each update. Called\n * with one arg :\n * - the metadata linked to the update received.\n * @return Promise the promise for the accumulation.\n */\nfunction accumulate(helper, updateCallback) {\n return new external.Promise(function (resolve, reject){\n var dataArray = [];\n var chunkType = helper._internalType,\n resultType = helper._outputType,\n mimeType = helper._mimeType;\n helper\n .on(\"data\", function (data, meta) {\n dataArray.push(data);\n if(updateCallback) {\n updateCallback(meta);\n }\n })\n .on(\"error\", function(err) {\n dataArray = [];\n reject(err);\n })\n .on(\"end\", function (){\n try {\n var result = transformZipOutput(resultType, concat(chunkType, dataArray), mimeType);\n resolve(result);\n } catch (e) {\n reject(e);\n }\n dataArray = [];\n })\n .resume();\n });\n}\n\n/**\n * An helper to easily use workers outside of JSZip.\n * @constructor\n * @param {Worker} worker the worker to wrap\n * @param {String} outputType the type of data expected by the use\n * @param {String} mimeType the mime type of the content, if applicable.\n */\nfunction StreamHelper(worker, outputType, mimeType) {\n var internalType = outputType;\n switch(outputType) {\n case \"blob\":\n case \"arraybuffer\":\n internalType = \"uint8array\";\n break;\n case \"base64\":\n internalType = \"string\";\n break;\n }\n\n try {\n // the type used internally\n this._internalType = internalType;\n // the type used to output results\n this._outputType = outputType;\n // the mime type\n this._mimeType = mimeType;\n utils.checkSupport(internalType);\n this._worker = worker.pipe(new ConvertWorker(internalType));\n // the last workers can be rewired without issues but we need to\n // prevent any updates on previous workers.\n worker.lock();\n } catch(e) {\n this._worker = new GenericWorker(\"error\");\n this._worker.error(e);\n }\n}\n\nStreamHelper.prototype = {\n /**\n * Listen a StreamHelper, accumulate its content and concatenate it into a\n * complete block.\n * @param {Function} updateCb the update callback.\n * @return Promise the promise for the accumulation.\n */\n accumulate : function (updateCb) {\n return accumulate(this, updateCb);\n },\n /**\n * Add a listener on an event triggered on a stream.\n * @param {String} evt the name of the event\n * @param {Function} fn the listener\n * @return {StreamHelper} the current helper.\n */\n on : function (evt, fn) {\n var self = this;\n\n if(evt === \"data\") {\n this._worker.on(evt, function (chunk) {\n fn.call(self, chunk.data, chunk.meta);\n });\n } else {\n this._worker.on(evt, function () {\n utils.delay(fn, arguments, self);\n });\n }\n return this;\n },\n /**\n * Resume the flow of chunks.\n * @return {StreamHelper} the current helper.\n */\n resume : function () {\n utils.delay(this._worker.resume, [], this._worker);\n return this;\n },\n /**\n * Pause the flow of chunks.\n * @return {StreamHelper} the current helper.\n */\n pause : function () {\n this._worker.pause();\n return this;\n },\n /**\n * Return a nodejs stream for this helper.\n * @param {Function} updateCb the update callback.\n * @return {NodejsStreamOutputAdapter} the nodejs stream.\n */\n toNodejsStream : function (updateCb) {\n utils.checkSupport(\"nodestream\");\n if (this._outputType !== \"nodebuffer\") {\n // an object stream containing blob/arraybuffer/uint8array/string\n // is strange and I don't know if it would be useful.\n // I you find this comment and have a good usecase, please open a\n // bug report !\n throw new Error(this._outputType + \" is not supported by this method\");\n }\n\n return new NodejsStreamOutputAdapter(this, {\n objectMode : this._outputType !== \"nodebuffer\"\n }, updateCb);\n }\n};\n\n\nmodule.exports = StreamHelper;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/stream/StreamHelper.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/support.js":
/*!*******************************************!*\
!*** ./node_modules/jszip/lib/support.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nexports.base64 = true;\nexports.array = true;\nexports.string = true;\nexports.arraybuffer = typeof ArrayBuffer !== \"undefined\" && typeof Uint8Array !== \"undefined\";\nexports.nodebuffer = typeof Buffer !== \"undefined\";\n// contains true if JSZip can read/generate Uint8Array, false otherwise.\nexports.uint8array = typeof Uint8Array !== \"undefined\";\n\nif (typeof ArrayBuffer === \"undefined\") {\n exports.blob = false;\n}\nelse {\n var buffer = new ArrayBuffer(0);\n try {\n exports.blob = new Blob([buffer], {\n type: \"application/zip\"\n }).size === 0;\n }\n catch (e) {\n try {\n var Builder = self.BlobBuilder || self.WebKitBlobBuilder || self.MozBlobBuilder || self.MSBlobBuilder;\n var builder = new Builder();\n builder.append(buffer);\n exports.blob = builder.getBlob(\"application/zip\").size === 0;\n }\n catch (e) {\n exports.blob = false;\n }\n }\n}\n\ntry {\n exports.nodestream = !!__webpack_require__(/*! readable-stream */ \"./node_modules/readable-stream/readable.js\").Readable;\n} catch(e) {\n exports.nodestream = false;\n}\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/support.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/utf8.js":
/*!****************************************!*\
!*** ./node_modules/jszip/lib/utf8.js ***!
\****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\nvar support = __webpack_require__(/*! ./support */ \"./node_modules/jszip/lib/support.js\");\nvar nodejsUtils = __webpack_require__(/*! ./nodejsUtils */ \"./node_modules/jszip/lib/nodejsUtils.js\");\nvar GenericWorker = __webpack_require__(/*! ./stream/GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\n\n/**\n * The following functions come from pako, from pako/lib/utils/strings\n * released under the MIT license, see pako https://github.com/nodeca/pako/\n */\n\n// Table with utf8 lengths (calculated by first byte of sequence)\n// Note, that 5 & 6-byte values and some 4-byte values can not be represented in JS,\n// because max possible codepoint is 0x10ffff\nvar _utf8len = new Array(256);\nfor (var i=0; i<256; i++) {\n _utf8len[i] = (i >= 252 ? 6 : i >= 248 ? 5 : i >= 240 ? 4 : i >= 224 ? 3 : i >= 192 ? 2 : 1);\n}\n_utf8len[254]=_utf8len[254]=1; // Invalid sequence start\n\n// convert string to array (typed, when possible)\nvar string2buf = function (str) {\n var buf, c, c2, m_pos, i, str_len = str.length, buf_len = 0;\n\n // count binary size\n for (m_pos = 0; m_pos < str_len; m_pos++) {\n c = str.charCodeAt(m_pos);\n if ((c & 0xfc00) === 0xd800 && (m_pos+1 < str_len)) {\n c2 = str.charCodeAt(m_pos+1);\n if ((c2 & 0xfc00) === 0xdc00) {\n c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00);\n m_pos++;\n }\n }\n buf_len += c < 0x80 ? 1 : c < 0x800 ? 2 : c < 0x10000 ? 3 : 4;\n }\n\n // allocate buffer\n if (support.uint8array) {\n buf = new Uint8Array(buf_len);\n } else {\n buf = new Array(buf_len);\n }\n\n // convert\n for (i=0, m_pos = 0; i < buf_len; m_pos++) {\n c = str.charCodeAt(m_pos);\n if ((c & 0xfc00) === 0xd800 && (m_pos+1 < str_len)) {\n c2 = str.charCodeAt(m_pos+1);\n if ((c2 & 0xfc00) === 0xdc00) {\n c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00);\n m_pos++;\n }\n }\n if (c < 0x80) {\n /* one byte */\n buf[i++] = c;\n } else if (c < 0x800) {\n /* two bytes */\n buf[i++] = 0xC0 | (c >>> 6);\n buf[i++] = 0x80 | (c & 0x3f);\n } else if (c < 0x10000) {\n /* three bytes */\n buf[i++] = 0xE0 | (c >>> 12);\n buf[i++] = 0x80 | (c >>> 6 & 0x3f);\n buf[i++] = 0x80 | (c & 0x3f);\n } else {\n /* four bytes */\n buf[i++] = 0xf0 | (c >>> 18);\n buf[i++] = 0x80 | (c >>> 12 & 0x3f);\n buf[i++] = 0x80 | (c >>> 6 & 0x3f);\n buf[i++] = 0x80 | (c & 0x3f);\n }\n }\n\n return buf;\n};\n\n// Calculate max possible position in utf8 buffer,\n// that will not break sequence. If that's not possible\n// - (very small limits) return max size as is.\n//\n// buf[] - utf8 bytes array\n// max - length limit (mandatory);\nvar utf8border = function(buf, max) {\n var pos;\n\n max = max || buf.length;\n if (max > buf.length) { max = buf.length; }\n\n // go back from last position, until start of sequence found\n pos = max-1;\n while (pos >= 0 && (buf[pos] & 0xC0) === 0x80) { pos--; }\n\n // Fuckup - very small and broken sequence,\n // return max, because we should return something anyway.\n if (pos < 0) { return max; }\n\n // If we came to start of buffer - that means vuffer is too small,\n // return max too.\n if (pos === 0) { return max; }\n\n return (pos + _utf8len[buf[pos]] > max) ? pos : max;\n};\n\n// convert array to string\nvar buf2string = function (buf) {\n var i, out, c, c_len;\n var len = buf.length;\n\n // Reserve max possible length (2 words per char)\n // NB: by unknown reasons, Array is significantly faster for\n // String.fromCharCode.apply than Uint16Array.\n var utf16buf = new Array(len*2);\n\n for (out=0, i=0; i<len;) {\n c = buf[i++];\n // quick process ascii\n if (c < 0x80) { utf16buf[out++] = c; continue; }\n\n c_len = _utf8len[c];\n // skip 5 & 6 byte codes\n if (c_len > 4) { utf16buf[out++] = 0xfffd; i += c_len-1; continue; }\n\n // apply mask on first byte\n c &= c_len === 2 ? 0x1f : c_len === 3 ? 0x0f : 0x07;\n // join the rest\n while (c_len > 1 && i < len) {\n c = (c << 6) | (buf[i++] & 0x3f);\n c_len--;\n }\n\n // terminated by end of string?\n if (c_len > 1) { utf16buf[out++] = 0xfffd; continue; }\n\n if (c < 0x10000) {\n utf16buf[out++] = c;\n } else {\n c -= 0x10000;\n utf16buf[out++] = 0xd800 | ((c >> 10) & 0x3ff);\n utf16buf[out++] = 0xdc00 | (c & 0x3ff);\n }\n }\n\n // shrinkBuf(utf16buf, out)\n if (utf16buf.length !== out) {\n if(utf16buf.subarray) {\n utf16buf = utf16buf.subarray(0, out);\n } else {\n utf16buf.length = out;\n }\n }\n\n // return String.fromCharCode.apply(null, utf16buf);\n return utils.applyFromCharCode(utf16buf);\n};\n\n\n// That's all for the pako functions.\n\n\n/**\n * Transform a javascript string into an array (typed if possible) of bytes,\n * UTF-8 encoded.\n * @param {String} str the string to encode\n * @return {Array|Uint8Array|Buffer} the UTF-8 encoded string.\n */\nexports.utf8encode = function utf8encode(str) {\n if (support.nodebuffer) {\n return nodejsUtils.newBufferFrom(str, \"utf-8\");\n }\n\n return string2buf(str);\n};\n\n\n/**\n * Transform a bytes array (or a representation) representing an UTF-8 encoded\n * string into a javascript string.\n * @param {Array|Uint8Array|Buffer} buf the data de decode\n * @return {String} the decoded string.\n */\nexports.utf8decode = function utf8decode(buf) {\n if (support.nodebuffer) {\n return utils.transformTo(\"nodebuffer\", buf).toString(\"utf-8\");\n }\n\n buf = utils.transformTo(support.uint8array ? \"uint8array\" : \"array\", buf);\n\n return buf2string(buf);\n};\n\n/**\n * A worker to decode utf8 encoded binary chunks into string chunks.\n * @constructor\n */\nfunction Utf8DecodeWorker() {\n GenericWorker.call(this, \"utf-8 decode\");\n // the last bytes if a chunk didn't end with a complete codepoint.\n this.leftOver = null;\n}\nutils.inherits(Utf8DecodeWorker, GenericWorker);\n\n/**\n * @see GenericWorker.processChunk\n */\nUtf8DecodeWorker.prototype.processChunk = function (chunk) {\n\n var data = utils.transformTo(support.uint8array ? \"uint8array\" : \"array\", chunk.data);\n\n // 1st step, re-use what's left of the previous chunk\n if (this.leftOver && this.leftOver.length) {\n if(support.uint8array) {\n var previousData = data;\n data = new Uint8Array(previousData.length + this.leftOver.length);\n data.set(this.leftOver, 0);\n data.set(previousData, this.leftOver.length);\n } else {\n data = this.leftOver.concat(data);\n }\n this.leftOver = null;\n }\n\n var nextBoundary = utf8border(data);\n var usableData = data;\n if (nextBoundary !== data.length) {\n if (support.uint8array) {\n usableData = data.subarray(0, nextBoundary);\n this.leftOver = data.subarray(nextBoundary, data.length);\n } else {\n usableData = data.slice(0, nextBoundary);\n this.leftOver = data.slice(nextBoundary, data.length);\n }\n }\n\n this.push({\n data : exports.utf8decode(usableData),\n meta : chunk.meta\n });\n};\n\n/**\n * @see GenericWorker.flush\n */\nUtf8DecodeWorker.prototype.flush = function () {\n if(this.leftOver && this.leftOver.length) {\n this.push({\n data : exports.utf8decode(this.leftOver),\n meta : {}\n });\n this.leftOver = null;\n }\n};\nexports.Utf8DecodeWorker = Utf8DecodeWorker;\n\n/**\n * A worker to endcode string chunks into utf8 encoded binary chunks.\n * @constructor\n */\nfunction Utf8EncodeWorker() {\n GenericWorker.call(this, \"utf-8 encode\");\n}\nutils.inherits(Utf8EncodeWorker, GenericWorker);\n\n/**\n * @see GenericWorker.processChunk\n */\nUtf8EncodeWorker.prototype.processChunk = function (chunk) {\n this.push({\n data : exports.utf8encode(chunk.data),\n meta : chunk.meta\n });\n};\nexports.Utf8EncodeWorker = Utf8EncodeWorker;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/utf8.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/utils.js":
/*!*****************************************!*\
!*** ./node_modules/jszip/lib/utils.js ***!
\*****************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar support = __webpack_require__(/*! ./support */ \"./node_modules/jszip/lib/support.js\");\nvar base64 = __webpack_require__(/*! ./base64 */ \"./node_modules/jszip/lib/base64.js\");\nvar nodejsUtils = __webpack_require__(/*! ./nodejsUtils */ \"./node_modules/jszip/lib/nodejsUtils.js\");\nvar external = __webpack_require__(/*! ./external */ \"./node_modules/jszip/lib/external.js\");\n__webpack_require__(/*! setimmediate */ \"./node_modules/setimmediate/setImmediate.js\");\n\n\n/**\n * Convert a string that pass as a \"binary string\": it should represent a byte\n * array but may have > 255 char codes. Be sure to take only the first byte\n * and returns the byte array.\n * @param {String} str the string to transform.\n * @return {Array|Uint8Array} the string in a binary format.\n */\nfunction string2binary(str) {\n var result = null;\n if (support.uint8array) {\n result = new Uint8Array(str.length);\n } else {\n result = new Array(str.length);\n }\n return stringToArrayLike(str, result);\n}\n\n/**\n * Create a new blob with the given content and the given type.\n * @param {String|ArrayBuffer} part the content to put in the blob. DO NOT use\n * an Uint8Array because the stock browser of android 4 won't accept it (it\n * will be silently converted to a string, \"[object Uint8Array]\").\n *\n * Use only ONE part to build the blob to avoid a memory leak in IE11 / Edge:\n * when a large amount of Array is used to create the Blob, the amount of\n * memory consumed is nearly 100 times the original data amount.\n *\n * @param {String} type the mime type of the blob.\n * @return {Blob} the created blob.\n */\nexports.newBlob = function(part, type) {\n exports.checkSupport(\"blob\");\n\n try {\n // Blob constructor\n return new Blob([part], {\n type: type\n });\n }\n catch (e) {\n\n try {\n // deprecated, browser only, old way\n var Builder = self.BlobBuilder || self.WebKitBlobBuilder || self.MozBlobBuilder || self.MSBlobBuilder;\n var builder = new Builder();\n builder.append(part);\n return builder.getBlob(type);\n }\n catch (e) {\n\n // well, fuck ?!\n throw new Error(\"Bug : can't construct the Blob.\");\n }\n }\n\n\n};\n/**\n * The identity function.\n * @param {Object} input the input.\n * @return {Object} the same input.\n */\nfunction identity(input) {\n return input;\n}\n\n/**\n * Fill in an array with a string.\n * @param {String} str the string to use.\n * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to fill in (will be mutated).\n * @return {Array|ArrayBuffer|Uint8Array|Buffer} the updated array.\n */\nfunction stringToArrayLike(str, array) {\n for (var i = 0; i < str.length; ++i) {\n array[i] = str.charCodeAt(i) & 0xFF;\n }\n return array;\n}\n\n/**\n * An helper for the function arrayLikeToString.\n * This contains static information and functions that\n * can be optimized by the browser JIT compiler.\n */\nvar arrayToStringHelper = {\n /**\n * Transform an array of int into a string, chunk by chunk.\n * See the performances notes on arrayLikeToString.\n * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to transform.\n * @param {String} type the type of the array.\n * @param {Integer} chunk the chunk size.\n * @return {String} the resulting string.\n * @throws Error if the chunk is too big for the stack.\n */\n stringifyByChunk: function(array, type, chunk) {\n var result = [], k = 0, len = array.length;\n // shortcut\n if (len <= chunk) {\n return String.fromCharCode.apply(null, array);\n }\n while (k < len) {\n if (type === \"array\" || type === \"nodebuffer\") {\n result.push(String.fromCharCode.apply(null, array.slice(k, Math.min(k + chunk, len))));\n }\n else {\n result.push(String.fromCharCode.apply(null, array.subarray(k, Math.min(k + chunk, len))));\n }\n k += chunk;\n }\n return result.join(\"\");\n },\n /**\n * Call String.fromCharCode on every item in the array.\n * This is the naive implementation, which generate A LOT of intermediate string.\n * This should be used when everything else fail.\n * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to transform.\n * @return {String} the result.\n */\n stringifyByChar: function(array){\n var resultStr = \"\";\n for(var i = 0; i < array.length; i++) {\n resultStr += String.fromCharCode(array[i]);\n }\n return resultStr;\n },\n applyCanBeUsed : {\n /**\n * true if the browser accepts to use String.fromCharCode on Uint8Array\n */\n uint8array : (function () {\n try {\n return support.uint8array && String.fromCharCode.apply(null, new Uint8Array(1)).length === 1;\n } catch (e) {\n return false;\n }\n })(),\n /**\n * true if the browser accepts to use String.fromCharCode on nodejs Buffer.\n */\n nodebuffer : (function () {\n try {\n return support.nodebuffer && String.fromCharCode.apply(null, nodejsUtils.allocBuffer(1)).length === 1;\n } catch (e) {\n return false;\n }\n })()\n }\n};\n\n/**\n * Transform an array-like object to a string.\n * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to transform.\n * @return {String} the result.\n */\nfunction arrayLikeToString(array) {\n // Performances notes :\n // --------------------\n // String.fromCharCode.apply(null, array) is the fastest, see\n // see http://jsperf.com/converting-a-uint8array-to-a-string/2\n // but the stack is limited (and we can get huge arrays !).\n //\n // result += String.fromCharCode(array[i]); generate too many strings !\n //\n // This code is inspired by http://jsperf.com/arraybuffer-to-string-apply-performance/2\n // TODO : we now have workers that split the work. Do we still need that ?\n var chunk = 65536,\n type = exports.getTypeOf(array),\n canUseApply = true;\n if (type === \"uint8array\") {\n canUseApply = arrayToStringHelper.applyCanBeUsed.uint8array;\n } else if (type === \"nodebuffer\") {\n canUseApply = arrayToStringHelper.applyCanBeUsed.nodebuffer;\n }\n\n if (canUseApply) {\n while (chunk > 1) {\n try {\n return arrayToStringHelper.stringifyByChunk(array, type, chunk);\n } catch (e) {\n chunk = Math.floor(chunk / 2);\n }\n }\n }\n\n // no apply or chunk error : slow and painful algorithm\n // default browser on android 4.*\n return arrayToStringHelper.stringifyByChar(array);\n}\n\nexports.applyFromCharCode = arrayLikeToString;\n\n\n/**\n * Copy the data from an array-like to an other array-like.\n * @param {Array|ArrayBuffer|Uint8Array|Buffer} arrayFrom the origin array.\n * @param {Array|ArrayBuffer|Uint8Array|Buffer} arrayTo the destination array which will be mutated.\n * @return {Array|ArrayBuffer|Uint8Array|Buffer} the updated destination array.\n */\nfunction arrayLikeToArrayLike(arrayFrom, arrayTo) {\n for (var i = 0; i < arrayFrom.length; i++) {\n arrayTo[i] = arrayFrom[i];\n }\n return arrayTo;\n}\n\n// a matrix containing functions to transform everything into everything.\nvar transform = {};\n\n// string to ?\ntransform[\"string\"] = {\n \"string\": identity,\n \"array\": function(input) {\n return stringToArrayLike(input, new Array(input.length));\n },\n \"arraybuffer\": function(input) {\n return transform[\"string\"][\"uint8array\"](input).buffer;\n },\n \"uint8array\": function(input) {\n return stringToArrayLike(input, new Uint8Array(input.length));\n },\n \"nodebuffer\": function(input) {\n return stringToArrayLike(input, nodejsUtils.allocBuffer(input.length));\n }\n};\n\n// array to ?\ntransform[\"array\"] = {\n \"string\": arrayLikeToString,\n \"array\": identity,\n \"arraybuffer\": function(input) {\n return (new Uint8Array(input)).buffer;\n },\n \"uint8array\": function(input) {\n return new Uint8Array(input);\n },\n \"nodebuffer\": function(input) {\n return nodejsUtils.newBufferFrom(input);\n }\n};\n\n// arraybuffer to ?\ntransform[\"arraybuffer\"] = {\n \"string\": function(input) {\n return arrayLikeToString(new Uint8Array(input));\n },\n \"array\": function(input) {\n return arrayLikeToArrayLike(new Uint8Array(input), new Array(input.byteLength));\n },\n \"arraybuffer\": identity,\n \"uint8array\": function(input) {\n return new Uint8Array(input);\n },\n \"nodebuffer\": function(input) {\n return nodejsUtils.newBufferFrom(new Uint8Array(input));\n }\n};\n\n// uint8array to ?\ntransform[\"uint8array\"] = {\n \"string\": arrayLikeToString,\n \"array\": function(input) {\n return arrayLikeToArrayLike(input, new Array(input.length));\n },\n \"arraybuffer\": function(input) {\n return input.buffer;\n },\n \"uint8array\": identity,\n \"nodebuffer\": function(input) {\n return nodejsUtils.newBufferFrom(input);\n }\n};\n\n// nodebuffer to ?\ntransform[\"nodebuffer\"] = {\n \"string\": arrayLikeToString,\n \"array\": function(input) {\n return arrayLikeToArrayLike(input, new Array(input.length));\n },\n \"arraybuffer\": function(input) {\n return transform[\"nodebuffer\"][\"uint8array\"](input).buffer;\n },\n \"uint8array\": function(input) {\n return arrayLikeToArrayLike(input, new Uint8Array(input.length));\n },\n \"nodebuffer\": identity\n};\n\n/**\n * Transform an input into any type.\n * The supported output type are : string, array, uint8array, arraybuffer, nodebuffer.\n * If no output type is specified, the unmodified input will be returned.\n * @param {String} outputType the output type.\n * @param {String|Array|ArrayBuffer|Uint8Array|Buffer} input the input to convert.\n * @throws {Error} an Error if the browser doesn't support the requested output type.\n */\nexports.transformTo = function(outputType, input) {\n if (!input) {\n // undefined, null, etc\n // an empty string won't harm.\n input = \"\";\n }\n if (!outputType) {\n return input;\n }\n exports.checkSupport(outputType);\n var inputType = exports.getTypeOf(input);\n var result = transform[inputType][outputType](input);\n return result;\n};\n\n/**\n * Resolve all relative path components, \".\" and \"..\", in a path. If these relative components\n * traverse above the root then the resulting path will only contain the final path component.\n *\n * All empty components, e.g. \"//\", are removed.\n * @param {string} path A path with / or \\ separators\n * @returns {string} The path with all relative path components resolved.\n */\nexports.resolve = function(path) {\n var parts = path.split(\"/\");\n var result = [];\n for (var index = 0; index < parts.length; index++) {\n var part = parts[index];\n // Allow the first and last component to be empty for trailing slashes.\n if (part === \".\" || (part === \"\" && index !== 0 && index !== parts.length - 1)) {\n continue;\n } else if (part === \"..\") {\n result.pop();\n } else {\n result.push(part);\n }\n }\n return result.join(\"/\");\n};\n\n/**\n * Return the type of the input.\n * The type will be in a format valid for JSZip.utils.transformTo : string, array, uint8array, arraybuffer.\n * @param {Object} input the input to identify.\n * @return {String} the (lowercase) type of the input.\n */\nexports.getTypeOf = function(input) {\n if (typeof input === \"string\") {\n return \"string\";\n }\n if (Object.prototype.toString.call(input) === \"[object Array]\") {\n return \"array\";\n }\n if (support.nodebuffer && nodejsUtils.isBuffer(input)) {\n return \"nodebuffer\";\n }\n if (support.uint8array && input instanceof Uint8Array) {\n return \"uint8array\";\n }\n if (support.arraybuffer && input instanceof ArrayBuffer) {\n return \"arraybuffer\";\n }\n};\n\n/**\n * Throw an exception if the type is not supported.\n * @param {String} type the type to check.\n * @throws {Error} an Error if the browser doesn't support the requested type.\n */\nexports.checkSupport = function(type) {\n var supported = support[type.toLowerCase()];\n if (!supported) {\n throw new Error(type + \" is not supported by this platform\");\n }\n};\n\nexports.MAX_VALUE_16BITS = 65535;\nexports.MAX_VALUE_32BITS = -1; // well, \"\\xFF\\xFF\\xFF\\xFF\\xFF\\xFF\\xFF\\xFF\" is parsed as -1\n\n/**\n * Prettify a string read as binary.\n * @param {string} str the string to prettify.\n * @return {string} a pretty string.\n */\nexports.pretty = function(str) {\n var res = \"\",\n code, i;\n for (i = 0; i < (str || \"\").length; i++) {\n code = str.charCodeAt(i);\n res += \"\\\\x\" + (code < 16 ? \"0\" : \"\") + code.toString(16).toUpperCase();\n }\n return res;\n};\n\n/**\n * Defer the call of a function.\n * @param {Function} callback the function to call asynchronously.\n * @param {Array} args the arguments to give to the callback.\n */\nexports.delay = function(callback, args, self) {\n setImmediate(function () {\n callback.apply(self || null, args || []);\n });\n};\n\n/**\n * Extends a prototype with an other, without calling a constructor with\n * side effects. Inspired by nodejs' `utils.inherits`\n * @param {Function} ctor the constructor to augment\n * @param {Function} superCtor the parent constructor to use\n */\nexports.inherits = function (ctor, superCtor) {\n var Obj = function() {};\n Obj.prototype = superCtor.prototype;\n ctor.prototype = new Obj();\n};\n\n/**\n * Merge the objects passed as parameters into a new one.\n * @private\n * @param {...Object} var_args All objects to merge.\n * @return {Object} a new object with the data of the others.\n */\nexports.extend = function() {\n var result = {}, i, attr;\n for (i = 0; i < arguments.length; i++) { // arguments is not enumerable in some browsers\n for (attr in arguments[i]) {\n if (Object.prototype.hasOwnProperty.call(arguments[i], attr) && typeof result[attr] === \"undefined\") {\n result[attr] = arguments[i][attr];\n }\n }\n }\n return result;\n};\n\n/**\n * Transform arbitrary content into a Promise.\n * @param {String} name a name for the content being processed.\n * @param {Object} inputData the content to process.\n * @param {Boolean} isBinary true if the content is not an unicode string\n * @param {Boolean} isOptimizedBinaryString true if the string content only has one byte per character.\n * @param {Boolean} isBase64 true if the string content is encoded with base64.\n * @return {Promise} a promise in a format usable by JSZip.\n */\nexports.prepareContent = function(name, inputData, isBinary, isOptimizedBinaryString, isBase64) {\n\n // if inputData is already a promise, this flatten it.\n var promise = external.Promise.resolve(inputData).then(function(data) {\n\n\n var isBlob = support.blob && (data instanceof Blob || [\"[object File]\", \"[object Blob]\"].indexOf(Object.prototype.toString.call(data)) !== -1);\n\n if (isBlob && typeof FileReader !== \"undefined\") {\n return new external.Promise(function (resolve, reject) {\n var reader = new FileReader();\n\n reader.onload = function(e) {\n resolve(e.target.result);\n };\n reader.onerror = function(e) {\n reject(e.target.error);\n };\n reader.readAsArrayBuffer(data);\n });\n } else {\n return data;\n }\n });\n\n return promise.then(function(data) {\n var dataType = exports.getTypeOf(data);\n\n if (!dataType) {\n return external.Promise.reject(\n new Error(\"Can't read the data of '\" + name + \"'. Is it \" +\n \"in a supported JavaScript type (String, Blob, ArrayBuffer, etc) ?\")\n );\n }\n // special case : it's way easier to work with Uint8Array than with ArrayBuffer\n if (dataType === \"arraybuffer\") {\n data = exports.transformTo(\"uint8array\", data);\n } else if (dataType === \"string\") {\n if (isBase64) {\n data = base64.decode(data);\n }\n else if (isBinary) {\n // optimizedBinaryString === true means that the file has already been filtered with a 0xFF mask\n if (isOptimizedBinaryString !== true) {\n // this is a string, not in a base64 format.\n // Be sure that this is a correct \"binary string\"\n data = string2binary(data);\n }\n }\n }\n return data;\n });\n};\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/utils.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/zipEntries.js":
/*!**********************************************!*\
!*** ./node_modules/jszip/lib/zipEntries.js ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar readerFor = __webpack_require__(/*! ./reader/readerFor */ \"./node_modules/jszip/lib/reader/readerFor.js\");\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\nvar sig = __webpack_require__(/*! ./signature */ \"./node_modules/jszip/lib/signature.js\");\nvar ZipEntry = __webpack_require__(/*! ./zipEntry */ \"./node_modules/jszip/lib/zipEntry.js\");\nvar support = __webpack_require__(/*! ./support */ \"./node_modules/jszip/lib/support.js\");\n// class ZipEntries {{{\n/**\n * All the entries in the zip file.\n * @constructor\n * @param {Object} loadOptions Options for loading the stream.\n */\nfunction ZipEntries(loadOptions) {\n this.files = [];\n this.loadOptions = loadOptions;\n}\nZipEntries.prototype = {\n /**\n * Check that the reader is on the specified signature.\n * @param {string} expectedSignature the expected signature.\n * @throws {Error} if it is an other signature.\n */\n checkSignature: function(expectedSignature) {\n if (!this.reader.readAndCheckSignature(expectedSignature)) {\n this.reader.index -= 4;\n var signature = this.reader.readString(4);\n throw new Error(\"Corrupted zip or bug: unexpected signature \" + \"(\" + utils.pretty(signature) + \", expected \" + utils.pretty(expectedSignature) + \")\");\n }\n },\n /**\n * Check if the given signature is at the given index.\n * @param {number} askedIndex the index to check.\n * @param {string} expectedSignature the signature to expect.\n * @return {boolean} true if the signature is here, false otherwise.\n */\n isSignature: function(askedIndex, expectedSignature) {\n var currentIndex = this.reader.index;\n this.reader.setIndex(askedIndex);\n var signature = this.reader.readString(4);\n var result = signature === expectedSignature;\n this.reader.setIndex(currentIndex);\n return result;\n },\n /**\n * Read the end of the central directory.\n */\n readBlockEndOfCentral: function() {\n this.diskNumber = this.reader.readInt(2);\n this.diskWithCentralDirStart = this.reader.readInt(2);\n this.centralDirRecordsOnThisDisk = this.reader.readInt(2);\n this.centralDirRecords = this.reader.readInt(2);\n this.centralDirSize = this.reader.readInt(4);\n this.centralDirOffset = this.reader.readInt(4);\n\n this.zipCommentLength = this.reader.readInt(2);\n // warning : the encoding depends of the system locale\n // On a linux machine with LANG=en_US.utf8, this field is utf8 encoded.\n // On a windows machine, this field is encoded with the localized windows code page.\n var zipComment = this.reader.readData(this.zipCommentLength);\n var decodeParamType = support.uint8array ? \"uint8array\" : \"array\";\n // To get consistent behavior with the generation part, we will assume that\n // this is utf8 encoded unless specified otherwise.\n var decodeContent = utils.transformTo(decodeParamType, zipComment);\n this.zipComment = this.loadOptions.decodeFileName(decodeContent);\n },\n /**\n * Read the end of the Zip 64 central directory.\n * Not merged with the method readEndOfCentral :\n * The end of central can coexist with its Zip64 brother,\n * I don't want to read the wrong number of bytes !\n */\n readBlockZip64EndOfCentral: function() {\n this.zip64EndOfCentralSize = this.reader.readInt(8);\n this.reader.skip(4);\n // this.versionMadeBy = this.reader.readString(2);\n // this.versionNeeded = this.reader.readInt(2);\n this.diskNumber = this.reader.readInt(4);\n this.diskWithCentralDirStart = this.reader.readInt(4);\n this.centralDirRecordsOnThisDisk = this.reader.readInt(8);\n this.centralDirRecords = this.reader.readInt(8);\n this.centralDirSize = this.reader.readInt(8);\n this.centralDirOffset = this.reader.readInt(8);\n\n this.zip64ExtensibleData = {};\n var extraDataSize = this.zip64EndOfCentralSize - 44,\n index = 0,\n extraFieldId,\n extraFieldLength,\n extraFieldValue;\n while (index < extraDataSize) {\n extraFieldId = this.reader.readInt(2);\n extraFieldLength = this.reader.readInt(4);\n extraFieldValue = this.reader.readData(extraFieldLength);\n this.zip64ExtensibleData[extraFieldId] = {\n id: extraFieldId,\n length: extraFieldLength,\n value: extraFieldValue\n };\n }\n },\n /**\n * Read the end of the Zip 64 central directory locator.\n */\n readBlockZip64EndOfCentralLocator: function() {\n this.diskWithZip64CentralDirStart = this.reader.readInt(4);\n this.relativeOffsetEndOfZip64CentralDir = this.reader.readInt(8);\n this.disksCount = this.reader.readInt(4);\n if (this.disksCount > 1) {\n throw new Error(\"Multi-volumes zip are not supported\");\n }\n },\n /**\n * Read the local files, based on the offset read in the central part.\n */\n readLocalFiles: function() {\n var i, file;\n for (i = 0; i < this.files.length; i++) {\n file = this.files[i];\n this.reader.setIndex(file.localHeaderOffset);\n this.checkSignature(sig.LOCAL_FILE_HEADER);\n file.readLocalPart(this.reader);\n file.handleUTF8();\n file.processAttributes();\n }\n },\n /**\n * Read the central directory.\n */\n readCentralDir: function() {\n var file;\n\n this.reader.setIndex(this.centralDirOffset);\n while (this.reader.readAndCheckSignature(sig.CENTRAL_FILE_HEADER)) {\n file = new ZipEntry({\n zip64: this.zip64\n }, this.loadOptions);\n file.readCentralPart(this.reader);\n this.files.push(file);\n }\n\n if (this.centralDirRecords !== this.files.length) {\n if (this.centralDirRecords !== 0 && this.files.length === 0) {\n // We expected some records but couldn't find ANY.\n // This is really suspicious, as if something went wrong.\n throw new Error(\"Corrupted zip or bug: expected \" + this.centralDirRecords + \" records in central dir, got \" + this.files.length);\n } else {\n // We found some records but not all.\n // Something is wrong but we got something for the user: no error here.\n // console.warn(\"expected\", this.centralDirRecords, \"records in central dir, got\", this.files.length);\n }\n }\n },\n /**\n * Read the end of central directory.\n */\n readEndOfCentral: function() {\n var offset = this.reader.lastIndexOfSignature(sig.CENTRAL_DIRECTORY_END);\n if (offset < 0) {\n // Check if the content is a truncated zip or complete garbage.\n // A \"LOCAL_FILE_HEADER\" is not required at the beginning (auto\n // extractible zip for example) but it can give a good hint.\n // If an ajax request was used without responseType, we will also\n // get unreadable data.\n var isGarbage = !this.isSignature(0, sig.LOCAL_FILE_HEADER);\n\n if (isGarbage) {\n throw new Error(\"Can't find end of central directory : is this a zip file ? \" +\n \"If it is, see https://stuk.github.io/jszip/documentation/howto/read_zip.html\");\n } else {\n throw new Error(\"Corrupted zip: can't find end of central directory\");\n }\n\n }\n this.reader.setIndex(offset);\n var endOfCentralDirOffset = offset;\n this.checkSignature(sig.CENTRAL_DIRECTORY_END);\n this.readBlockEndOfCentral();\n\n\n /* extract from the zip spec :\n 4) If one of the fields in the end of central directory\n record is too small to hold required data, the field\n should be set to -1 (0xFFFF or 0xFFFFFFFF) and the\n ZIP64 format record should be created.\n 5) The end of central directory record and the\n Zip64 end of central directory locator record must\n reside on the same disk when splitting or spanning\n an archive.\n */\n if (this.diskNumber === utils.MAX_VALUE_16BITS || this.diskWithCentralDirStart === utils.MAX_VALUE_16BITS || this.centralDirRecordsOnThisDisk === utils.MAX_VALUE_16BITS || this.centralDirRecords === utils.MAX_VALUE_16BITS || this.centralDirSize === utils.MAX_VALUE_32BITS || this.centralDirOffset === utils.MAX_VALUE_32BITS) {\n this.zip64 = true;\n\n /*\n Warning : the zip64 extension is supported, but ONLY if the 64bits integer read from\n the zip file can fit into a 32bits integer. This cannot be solved : JavaScript represents\n all numbers as 64-bit double precision IEEE 754 floating point numbers.\n So, we have 53bits for integers and bitwise operations treat everything as 32bits.\n see https://developer.mozilla.org/en-US/docs/JavaScript/Reference/Operators/Bitwise_Operators\n and http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-262.pdf section 8.5\n */\n\n // should look for a zip64 EOCD locator\n offset = this.reader.lastIndexOfSignature(sig.ZIP64_CENTRAL_DIRECTORY_LOCATOR);\n if (offset < 0) {\n throw new Error(\"Corrupted zip: can't find the ZIP64 end of central directory locator\");\n }\n this.reader.setIndex(offset);\n this.checkSignature(sig.ZIP64_CENTRAL_DIRECTORY_LOCATOR);\n this.readBlockZip64EndOfCentralLocator();\n\n // now the zip64 EOCD record\n if (!this.isSignature(this.relativeOffsetEndOfZip64CentralDir, sig.ZIP64_CENTRAL_DIRECTORY_END)) {\n // console.warn(\"ZIP64 end of central directory not where expected.\");\n this.relativeOffsetEndOfZip64CentralDir = this.reader.lastIndexOfSignature(sig.ZIP64_CENTRAL_DIRECTORY_END);\n if (this.relativeOffsetEndOfZip64CentralDir < 0) {\n throw new Error(\"Corrupted zip: can't find the ZIP64 end of central directory\");\n }\n }\n this.reader.setIndex(this.relativeOffsetEndOfZip64CentralDir);\n this.checkSignature(sig.ZIP64_CENTRAL_DIRECTORY_END);\n this.readBlockZip64EndOfCentral();\n }\n\n var expectedEndOfCentralDirOffset = this.centralDirOffset + this.centralDirSize;\n if (this.zip64) {\n expectedEndOfCentralDirOffset += 20; // end of central dir 64 locator\n expectedEndOfCentralDirOffset += 12 /* should not include the leading 12 bytes */ + this.zip64EndOfCentralSize;\n }\n\n var extraBytes = endOfCentralDirOffset - expectedEndOfCentralDirOffset;\n\n if (extraBytes > 0) {\n // console.warn(extraBytes, \"extra bytes at beginning or within zipfile\");\n if (this.isSignature(endOfCentralDirOffset, sig.CENTRAL_FILE_HEADER)) {\n // The offsets seem wrong, but we have something at the specified offset.\n // So… we keep it.\n } else {\n // the offset is wrong, update the \"zero\" of the reader\n // this happens if data has been prepended (crx files for example)\n this.reader.zero = extraBytes;\n }\n } else if (extraBytes < 0) {\n throw new Error(\"Corrupted zip: missing \" + Math.abs(extraBytes) + \" bytes.\");\n }\n },\n prepareReader: function(data) {\n this.reader = readerFor(data);\n },\n /**\n * Read a zip file and create ZipEntries.\n * @param {String|ArrayBuffer|Uint8Array|Buffer} data the binary string representing a zip file.\n */\n load: function(data) {\n this.prepareReader(data);\n this.readEndOfCentral();\n this.readCentralDir();\n this.readLocalFiles();\n }\n};\n// }}} end of ZipEntries\nmodule.exports = ZipEntries;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/zipEntries.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/zipEntry.js":
/*!********************************************!*\
!*** ./node_modules/jszip/lib/zipEntry.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar readerFor = __webpack_require__(/*! ./reader/readerFor */ \"./node_modules/jszip/lib/reader/readerFor.js\");\nvar utils = __webpack_require__(/*! ./utils */ \"./node_modules/jszip/lib/utils.js\");\nvar CompressedObject = __webpack_require__(/*! ./compressedObject */ \"./node_modules/jszip/lib/compressedObject.js\");\nvar crc32fn = __webpack_require__(/*! ./crc32 */ \"./node_modules/jszip/lib/crc32.js\");\nvar utf8 = __webpack_require__(/*! ./utf8 */ \"./node_modules/jszip/lib/utf8.js\");\nvar compressions = __webpack_require__(/*! ./compressions */ \"./node_modules/jszip/lib/compressions.js\");\nvar support = __webpack_require__(/*! ./support */ \"./node_modules/jszip/lib/support.js\");\n\nvar MADE_BY_DOS = 0x00;\nvar MADE_BY_UNIX = 0x03;\n\n/**\n * Find a compression registered in JSZip.\n * @param {string} compressionMethod the method magic to find.\n * @return {Object|null} the JSZip compression object, null if none found.\n */\nvar findCompression = function(compressionMethod) {\n for (var method in compressions) {\n if (!Object.prototype.hasOwnProperty.call(compressions, method)) {\n continue;\n }\n if (compressions[method].magic === compressionMethod) {\n return compressions[method];\n }\n }\n return null;\n};\n\n// class ZipEntry {{{\n/**\n * An entry in the zip file.\n * @constructor\n * @param {Object} options Options of the current file.\n * @param {Object} loadOptions Options for loading the stream.\n */\nfunction ZipEntry(options, loadOptions) {\n this.options = options;\n this.loadOptions = loadOptions;\n}\nZipEntry.prototype = {\n /**\n * say if the file is encrypted.\n * @return {boolean} true if the file is encrypted, false otherwise.\n */\n isEncrypted: function() {\n // bit 1 is set\n return (this.bitFlag & 0x0001) === 0x0001;\n },\n /**\n * say if the file has utf-8 filename/comment.\n * @return {boolean} true if the filename/comment is in utf-8, false otherwise.\n */\n useUTF8: function() {\n // bit 11 is set\n return (this.bitFlag & 0x0800) === 0x0800;\n },\n /**\n * Read the local part of a zip file and add the info in this object.\n * @param {DataReader} reader the reader to use.\n */\n readLocalPart: function(reader) {\n var compression, localExtraFieldsLength;\n\n // we already know everything from the central dir !\n // If the central dir data are false, we are doomed.\n // On the bright side, the local part is scary : zip64, data descriptors, both, etc.\n // The less data we get here, the more reliable this should be.\n // Let's skip the whole header and dash to the data !\n reader.skip(22);\n // in some zip created on windows, the filename stored in the central dir contains \\ instead of /.\n // Strangely, the filename here is OK.\n // I would love to treat these zip files as corrupted (see http://www.info-zip.org/FAQ.html#backslashes\n // or APPNOTE#4.4.17.1, \"All slashes MUST be forward slashes '/'\") but there are a lot of bad zip generators...\n // Search \"unzip mismatching \"local\" filename continuing with \"central\" filename version\" on\n // the internet.\n //\n // I think I see the logic here : the central directory is used to display\n // content and the local directory is used to extract the files. Mixing / and \\\n // may be used to display \\ to windows users and use / when extracting the files.\n // Unfortunately, this lead also to some issues : http://seclists.org/fulldisclosure/2009/Sep/394\n this.fileNameLength = reader.readInt(2);\n localExtraFieldsLength = reader.readInt(2); // can't be sure this will be the same as the central dir\n // the fileName is stored as binary data, the handleUTF8 method will take care of the encoding.\n this.fileName = reader.readData(this.fileNameLength);\n reader.skip(localExtraFieldsLength);\n\n if (this.compressedSize === -1 || this.uncompressedSize === -1) {\n throw new Error(\"Bug or corrupted zip : didn't get enough information from the central directory \" + \"(compressedSize === -1 || uncompressedSize === -1)\");\n }\n\n compression = findCompression(this.compressionMethod);\n if (compression === null) { // no compression found\n throw new Error(\"Corrupted zip : compression \" + utils.pretty(this.compressionMethod) + \" unknown (inner file : \" + utils.transformTo(\"string\", this.fileName) + \")\");\n }\n this.decompressed = new CompressedObject(this.compressedSize, this.uncompressedSize, this.crc32, compression, reader.readData(this.compressedSize));\n },\n\n /**\n * Read the central part of a zip file and add the info in this object.\n * @param {DataReader} reader the reader to use.\n */\n readCentralPart: function(reader) {\n this.versionMadeBy = reader.readInt(2);\n reader.skip(2);\n // this.versionNeeded = reader.readInt(2);\n this.bitFlag = reader.readInt(2);\n this.compressionMethod = reader.readString(2);\n this.date = reader.readDate();\n this.crc32 = reader.readInt(4);\n this.compressedSize = reader.readInt(4);\n this.uncompressedSize = reader.readInt(4);\n var fileNameLength = reader.readInt(2);\n this.extraFieldsLength = reader.readInt(2);\n this.fileCommentLength = reader.readInt(2);\n this.diskNumberStart = reader.readInt(2);\n this.internalFileAttributes = reader.readInt(2);\n this.externalFileAttributes = reader.readInt(4);\n this.localHeaderOffset = reader.readInt(4);\n\n if (this.isEncrypted()) {\n throw new Error(\"Encrypted zip are not supported\");\n }\n\n // will be read in the local part, see the comments there\n reader.skip(fileNameLength);\n this.readExtraFields(reader);\n this.parseZIP64ExtraField(reader);\n this.fileComment = reader.readData(this.fileCommentLength);\n },\n\n /**\n * Parse the external file attributes and get the unix/dos permissions.\n */\n processAttributes: function () {\n this.unixPermissions = null;\n this.dosPermissions = null;\n var madeBy = this.versionMadeBy >> 8;\n\n // Check if we have the DOS directory flag set.\n // We look for it in the DOS and UNIX permissions\n // but some unknown platform could set it as a compatibility flag.\n this.dir = this.externalFileAttributes & 0x0010 ? true : false;\n\n if(madeBy === MADE_BY_DOS) {\n // first 6 bits (0 to 5)\n this.dosPermissions = this.externalFileAttributes & 0x3F;\n }\n\n if(madeBy === MADE_BY_UNIX) {\n this.unixPermissions = (this.externalFileAttributes >> 16) & 0xFFFF;\n // the octal permissions are in (this.unixPermissions & 0x01FF).toString(8);\n }\n\n // fail safe : if the name ends with a / it probably means a folder\n if (!this.dir && this.fileNameStr.slice(-1) === \"/\") {\n this.dir = true;\n }\n },\n\n /**\n * Parse the ZIP64 extra field and merge the info in the current ZipEntry.\n * @param {DataReader} reader the reader to use.\n */\n parseZIP64ExtraField: function() {\n if (!this.extraFields[0x0001]) {\n return;\n }\n\n // should be something, preparing the extra reader\n var extraReader = readerFor(this.extraFields[0x0001].value);\n\n // I really hope that these 64bits integer can fit in 32 bits integer, because js\n // won't let us have more.\n if (this.uncompressedSize === utils.MAX_VALUE_32BITS) {\n this.uncompressedSize = extraReader.readInt(8);\n }\n if (this.compressedSize === utils.MAX_VALUE_32BITS) {\n this.compressedSize = extraReader.readInt(8);\n }\n if (this.localHeaderOffset === utils.MAX_VALUE_32BITS) {\n this.localHeaderOffset = extraReader.readInt(8);\n }\n if (this.diskNumberStart === utils.MAX_VALUE_32BITS) {\n this.diskNumberStart = extraReader.readInt(4);\n }\n },\n /**\n * Read the central part of a zip file and add the info in this object.\n * @param {DataReader} reader the reader to use.\n */\n readExtraFields: function(reader) {\n var end = reader.index + this.extraFieldsLength,\n extraFieldId,\n extraFieldLength,\n extraFieldValue;\n\n if (!this.extraFields) {\n this.extraFields = {};\n }\n\n while (reader.index + 4 < end) {\n extraFieldId = reader.readInt(2);\n extraFieldLength = reader.readInt(2);\n extraFieldValue = reader.readData(extraFieldLength);\n\n this.extraFields[extraFieldId] = {\n id: extraFieldId,\n length: extraFieldLength,\n value: extraFieldValue\n };\n }\n\n reader.setIndex(end);\n },\n /**\n * Apply an UTF8 transformation if needed.\n */\n handleUTF8: function() {\n var decodeParamType = support.uint8array ? \"uint8array\" : \"array\";\n if (this.useUTF8()) {\n this.fileNameStr = utf8.utf8decode(this.fileName);\n this.fileCommentStr = utf8.utf8decode(this.fileComment);\n } else {\n var upath = this.findExtraFieldUnicodePath();\n if (upath !== null) {\n this.fileNameStr = upath;\n } else {\n // ASCII text or unsupported code page\n var fileNameByteArray = utils.transformTo(decodeParamType, this.fileName);\n this.fileNameStr = this.loadOptions.decodeFileName(fileNameByteArray);\n }\n\n var ucomment = this.findExtraFieldUnicodeComment();\n if (ucomment !== null) {\n this.fileCommentStr = ucomment;\n } else {\n // ASCII text or unsupported code page\n var commentByteArray = utils.transformTo(decodeParamType, this.fileComment);\n this.fileCommentStr = this.loadOptions.decodeFileName(commentByteArray);\n }\n }\n },\n\n /**\n * Find the unicode path declared in the extra field, if any.\n * @return {String} the unicode path, null otherwise.\n */\n findExtraFieldUnicodePath: function() {\n var upathField = this.extraFields[0x7075];\n if (upathField) {\n var extraReader = readerFor(upathField.value);\n\n // wrong version\n if (extraReader.readInt(1) !== 1) {\n return null;\n }\n\n // the crc of the filename changed, this field is out of date.\n if (crc32fn(this.fileName) !== extraReader.readInt(4)) {\n return null;\n }\n\n return utf8.utf8decode(extraReader.readData(upathField.length - 5));\n }\n return null;\n },\n\n /**\n * Find the unicode comment declared in the extra field, if any.\n * @return {String} the unicode comment, null otherwise.\n */\n findExtraFieldUnicodeComment: function() {\n var ucommentField = this.extraFields[0x6375];\n if (ucommentField) {\n var extraReader = readerFor(ucommentField.value);\n\n // wrong version\n if (extraReader.readInt(1) !== 1) {\n return null;\n }\n\n // the crc of the comment changed, this field is out of date.\n if (crc32fn(this.fileComment) !== extraReader.readInt(4)) {\n return null;\n }\n\n return utf8.utf8decode(extraReader.readData(ucommentField.length - 5));\n }\n return null;\n }\n};\nmodule.exports = ZipEntry;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/zipEntry.js?");
/***/ }),
/***/ "./node_modules/jszip/lib/zipObject.js":
/*!*********************************************!*\
!*** ./node_modules/jszip/lib/zipObject.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar StreamHelper = __webpack_require__(/*! ./stream/StreamHelper */ \"./node_modules/jszip/lib/stream/StreamHelper.js\");\nvar DataWorker = __webpack_require__(/*! ./stream/DataWorker */ \"./node_modules/jszip/lib/stream/DataWorker.js\");\nvar utf8 = __webpack_require__(/*! ./utf8 */ \"./node_modules/jszip/lib/utf8.js\");\nvar CompressedObject = __webpack_require__(/*! ./compressedObject */ \"./node_modules/jszip/lib/compressedObject.js\");\nvar GenericWorker = __webpack_require__(/*! ./stream/GenericWorker */ \"./node_modules/jszip/lib/stream/GenericWorker.js\");\n\n/**\n * A simple object representing a file in the zip file.\n * @constructor\n * @param {string} name the name of the file\n * @param {String|ArrayBuffer|Uint8Array|Buffer} data the data\n * @param {Object} options the options of the file\n */\nvar ZipObject = function(name, data, options) {\n this.name = name;\n this.dir = options.dir;\n this.date = options.date;\n this.comment = options.comment;\n this.unixPermissions = options.unixPermissions;\n this.dosPermissions = options.dosPermissions;\n\n this._data = data;\n this._dataBinary = options.binary;\n // keep only the compression\n this.options = {\n compression : options.compression,\n compressionOptions : options.compressionOptions\n };\n};\n\nZipObject.prototype = {\n /**\n * Create an internal stream for the content of this object.\n * @param {String} type the type of each chunk.\n * @return StreamHelper the stream.\n */\n internalStream: function (type) {\n var result = null, outputType = \"string\";\n try {\n if (!type) {\n throw new Error(\"No output type specified.\");\n }\n outputType = type.toLowerCase();\n var askUnicodeString = outputType === \"string\" || outputType === \"text\";\n if (outputType === \"binarystring\" || outputType === \"text\") {\n outputType = \"string\";\n }\n result = this._decompressWorker();\n\n var isUnicodeString = !this._dataBinary;\n\n if (isUnicodeString && !askUnicodeString) {\n result = result.pipe(new utf8.Utf8EncodeWorker());\n }\n if (!isUnicodeString && askUnicodeString) {\n result = result.pipe(new utf8.Utf8DecodeWorker());\n }\n } catch (e) {\n result = new GenericWorker(\"error\");\n result.error(e);\n }\n\n return new StreamHelper(result, outputType, \"\");\n },\n\n /**\n * Prepare the content in the asked type.\n * @param {String} type the type of the result.\n * @param {Function} onUpdate a function to call on each internal update.\n * @return Promise the promise of the result.\n */\n async: function (type, onUpdate) {\n return this.internalStream(type).accumulate(onUpdate);\n },\n\n /**\n * Prepare the content as a nodejs stream.\n * @param {String} type the type of each chunk.\n * @param {Function} onUpdate a function to call on each internal update.\n * @return Stream the stream.\n */\n nodeStream: function (type, onUpdate) {\n return this.internalStream(type || \"nodebuffer\").toNodejsStream(onUpdate);\n },\n\n /**\n * Return a worker for the compressed content.\n * @private\n * @param {Object} compression the compression object to use.\n * @param {Object} compressionOptions the options to use when compressing.\n * @return Worker the worker.\n */\n _compressWorker: function (compression, compressionOptions) {\n if (\n this._data instanceof CompressedObject &&\n this._data.compression.magic === compression.magic\n ) {\n return this._data.getCompressedWorker();\n } else {\n var result = this._decompressWorker();\n if(!this._dataBinary) {\n result = result.pipe(new utf8.Utf8EncodeWorker());\n }\n return CompressedObject.createWorkerFrom(result, compression, compressionOptions);\n }\n },\n /**\n * Return a worker for the decompressed content.\n * @private\n * @return Worker the worker.\n */\n _decompressWorker : function () {\n if (this._data instanceof CompressedObject) {\n return this._data.getContentWorker();\n } else if (this._data instanceof GenericWorker) {\n return this._data;\n } else {\n return new DataWorker(this._data);\n }\n }\n};\n\nvar removedMethods = [\"asText\", \"asBinary\", \"asNodeBuffer\", \"asUint8Array\", \"asArrayBuffer\"];\nvar removedFn = function () {\n throw new Error(\"This method has been removed in JSZip 3.0, please check the upgrade guide.\");\n};\n\nfor(var i = 0; i < removedMethods.length; i++) {\n ZipObject.prototype[removedMethods[i]] = removedFn;\n}\nmodule.exports = ZipObject;\n\n\n//# sourceURL=webpack:///./node_modules/jszip/lib/zipObject.js?");
/***/ }),
/***/ "./node_modules/lie/lib/index.js":
/*!***************************************!*\
!*** ./node_modules/lie/lib/index.js ***!
\***************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nvar immediate = __webpack_require__(/*! immediate */ \"./node_modules/immediate/lib/index.js\");\n\n/* istanbul ignore next */\nfunction INTERNAL() {}\n\nvar handlers = {};\n\nvar REJECTED = ['REJECTED'];\nvar FULFILLED = ['FULFILLED'];\nvar PENDING = ['PENDING'];\n/* istanbul ignore else */\nif (!process.browser) {\n // in which we actually take advantage of JS scoping\n var UNHANDLED = ['UNHANDLED'];\n}\n\nmodule.exports = Promise;\n\nfunction Promise(resolver) {\n if (typeof resolver !== 'function') {\n throw new TypeError('resolver must be a function');\n }\n this.state = PENDING;\n this.queue = [];\n this.outcome = void 0;\n /* istanbul ignore else */\n if (!process.browser) {\n this.handled = UNHANDLED;\n }\n if (resolver !== INTERNAL) {\n safelyResolveThenable(this, resolver);\n }\n}\n\nPromise.prototype.finally = function (callback) {\n if (typeof callback !== 'function') {\n return this;\n }\n var p = this.constructor;\n return this.then(resolve, reject);\n\n function resolve(value) {\n function yes () {\n return value;\n }\n return p.resolve(callback()).then(yes);\n }\n function reject(reason) {\n function no () {\n throw reason;\n }\n return p.resolve(callback()).then(no);\n }\n};\nPromise.prototype.catch = function (onRejected) {\n return this.then(null, onRejected);\n};\nPromise.prototype.then = function (onFulfilled, onRejected) {\n if (typeof onFulfilled !== 'function' && this.state === FULFILLED ||\n typeof onRejected !== 'function' && this.state === REJECTED) {\n return this;\n }\n var promise = new this.constructor(INTERNAL);\n /* istanbul ignore else */\n if (!process.browser) {\n if (this.handled === UNHANDLED) {\n this.handled = null;\n }\n }\n if (this.state !== PENDING) {\n var resolver = this.state === FULFILLED ? onFulfilled : onRejected;\n unwrap(promise, resolver, this.outcome);\n } else {\n this.queue.push(new QueueItem(promise, onFulfilled, onRejected));\n }\n\n return promise;\n};\nfunction QueueItem(promise, onFulfilled, onRejected) {\n this.promise = promise;\n if (typeof onFulfilled === 'function') {\n this.onFulfilled = onFulfilled;\n this.callFulfilled = this.otherCallFulfilled;\n }\n if (typeof onRejected === 'function') {\n this.onRejected = onRejected;\n this.callRejected = this.otherCallRejected;\n }\n}\nQueueItem.prototype.callFulfilled = function (value) {\n handlers.resolve(this.promise, value);\n};\nQueueItem.prototype.otherCallFulfilled = function (value) {\n unwrap(this.promise, this.onFulfilled, value);\n};\nQueueItem.prototype.callRejected = function (value) {\n handlers.reject(this.promise, value);\n};\nQueueItem.prototype.otherCallRejected = function (value) {\n unwrap(this.promise, this.onRejected, value);\n};\n\nfunction unwrap(promise, func, value) {\n immediate(function () {\n var returnValue;\n try {\n returnValue = func(value);\n } catch (e) {\n return handlers.reject(promise, e);\n }\n if (returnValue === promise) {\n handlers.reject(promise, new TypeError('Cannot resolve promise with itself'));\n } else {\n handlers.resolve(promise, returnValue);\n }\n });\n}\n\nhandlers.resolve = function (self, value) {\n var result = tryCatch(getThen, value);\n if (result.status === 'error') {\n return handlers.reject(self, result.value);\n }\n var thenable = result.value;\n\n if (thenable) {\n safelyResolveThenable(self, thenable);\n } else {\n self.state = FULFILLED;\n self.outcome = value;\n var i = -1;\n var len = self.queue.length;\n while (++i < len) {\n self.queue[i].callFulfilled(value);\n }\n }\n return self;\n};\nhandlers.reject = function (self, error) {\n self.state = REJECTED;\n self.outcome = error;\n /* istanbul ignore else */\n if (!process.browser) {\n if (self.handled === UNHANDLED) {\n immediate(function () {\n if (self.handled === UNHANDLED) {\n process.emit('unhandledRejection', error, self);\n }\n });\n }\n }\n var i = -1;\n var len = self.queue.length;\n while (++i < len) {\n self.queue[i].callRejected(error);\n }\n return self;\n};\n\nfunction getThen(obj) {\n // Make sure we only access the accessor once as required by the spec\n var then = obj && obj.then;\n if (obj && (typeof obj === 'object' || typeof obj === 'function') && typeof then === 'function') {\n return function appyThen() {\n then.apply(obj, arguments);\n };\n }\n}\n\nfunction safelyResolveThenable(self, thenable) {\n // Either fulfill, reject or reject with error\n var called = false;\n function onError(value) {\n if (called) {\n return;\n }\n called = true;\n handlers.reject(self, value);\n }\n\n function onSuccess(value) {\n if (called) {\n return;\n }\n called = true;\n handlers.resolve(self, value);\n }\n\n function tryToUnwrap() {\n thenable(onSuccess, onError);\n }\n\n var result = tryCatch(tryToUnwrap);\n if (result.status === 'error') {\n onError(result.value);\n }\n}\n\nfunction tryCatch(func, value) {\n var out = {};\n try {\n out.value = func(value);\n out.status = 'success';\n } catch (e) {\n out.status = 'error';\n out.value = e;\n }\n return out;\n}\n\nPromise.resolve = resolve;\nfunction resolve(value) {\n if (value instanceof this) {\n return value;\n }\n return handlers.resolve(new this(INTERNAL), value);\n}\n\nPromise.reject = reject;\nfunction reject(reason) {\n var promise = new this(INTERNAL);\n return handlers.reject(promise, reason);\n}\n\nPromise.all = all;\nfunction all(iterable) {\n var self = this;\n if (Object.prototype.toString.call(iterable) !== '[object Array]') {\n return this.reject(new TypeError('must be an array'));\n }\n\n var len = iterable.length;\n var called = false;\n if (!len) {\n return this.resolve([]);\n }\n\n var values = new Array(len);\n var resolved = 0;\n var i = -1;\n var promise = new this(INTERNAL);\n\n while (++i < len) {\n allResolver(iterable[i], i);\n }\n return promise;\n function allResolver(value, i) {\n self.resolve(value).then(resolveFromAll, function (error) {\n if (!called) {\n called = true;\n handlers.reject(promise, error);\n }\n });\n function resolveFromAll(outValue) {\n values[i] = outValue;\n if (++resolved === len && !called) {\n called = true;\n handlers.resolve(promise, values);\n }\n }\n }\n}\n\nPromise.race = race;\nfunction race(iterable) {\n var self = this;\n if (Object.prototype.toString.call(iterable) !== '[object Array]') {\n return this.reject(new TypeError('must be an array'));\n }\n\n var len = iterable.length;\n var called = false;\n if (!len) {\n return this.resolve([]);\n }\n\n var i = -1;\n var promise = new this(INTERNAL);\n\n while (++i < len) {\n resolver(iterable[i]);\n }\n return promise;\n function resolver(value) {\n self.resolve(value).then(function (response) {\n if (!called) {\n called = true;\n handlers.resolve(promise, response);\n }\n }, function (error) {\n if (!called) {\n called = true;\n handlers.reject(promise, error);\n }\n });\n }\n}\n\n\n//# sourceURL=webpack:///./node_modules/lie/lib/index.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/abs.js":
/*!*********************************************!*\
!*** ./node_modules/math-intrinsics/abs.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./abs')} */\nmodule.exports = Math.abs;\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/abs.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/floor.js":
/*!***********************************************!*\
!*** ./node_modules/math-intrinsics/floor.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./floor')} */\nmodule.exports = Math.floor;\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/floor.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/isNaN.js":
/*!***********************************************!*\
!*** ./node_modules/math-intrinsics/isNaN.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./isNaN')} */\nmodule.exports = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/isNaN.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/max.js":
/*!*********************************************!*\
!*** ./node_modules/math-intrinsics/max.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./max')} */\nmodule.exports = Math.max;\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/max.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/min.js":
/*!*********************************************!*\
!*** ./node_modules/math-intrinsics/min.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./min')} */\nmodule.exports = Math.min;\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/min.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/pow.js":
/*!*********************************************!*\
!*** ./node_modules/math-intrinsics/pow.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./pow')} */\nmodule.exports = Math.pow;\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/pow.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/round.js":
/*!***********************************************!*\
!*** ./node_modules/math-intrinsics/round.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/** @type {import('./round')} */\nmodule.exports = Math.round;\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/round.js?");
/***/ }),
/***/ "./node_modules/math-intrinsics/sign.js":
/*!**********************************************!*\
!*** ./node_modules/math-intrinsics/sign.js ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar $isNaN = __webpack_require__(/*! ./isNaN */ \"./node_modules/math-intrinsics/isNaN.js\");\n\n/** @type {import('./sign')} */\nmodule.exports = function sign(number) {\n\tif ($isNaN(number) || number === 0) {\n\t\treturn number;\n\t}\n\treturn number < 0 ? -1 : +1;\n};\n\n\n//# sourceURL=webpack:///./node_modules/math-intrinsics/sign.js?");
/***/ }),
/***/ "./node_modules/mime-db/db.json":
/*!**************************************!*\
!*** ./node_modules/mime-db/db.json ***!
\**************************************/
/*! exports provided: application/1d-interleaved-parityfec, application/3gpdash-qoe-report+xml, application/3gpp-ims+xml, application/3gpphal+json, application/3gpphalforms+json, application/a2l, application/ace+cbor, application/activemessage, application/activity+json, application/alto-costmap+json, application/alto-costmapfilter+json, application/alto-directory+json, application/alto-endpointcost+json, application/alto-endpointcostparams+json, application/alto-endpointprop+json, application/alto-endpointpropparams+json, application/alto-error+json, application/alto-networkmap+json, application/alto-networkmapfilter+json, application/alto-updatestreamcontrol+json, application/alto-updatestreamparams+json, application/aml, application/andrew-inset, application/applefile, application/applixware, application/at+jwt, application/atf, application/atfx, application/atom+xml, application/atomcat+xml, application/atomdeleted+xml, application/atomicmail, application/atomsvc+xml, application/atsc-dwd+xml, application/atsc-dynamic-event-message, application/atsc-held+xml, application/atsc-rdt+json, application/atsc-rsat+xml, application/atxml, application/auth-policy+xml, application/bacnet-xdd+zip, application/batch-smtp, application/bdoc, application/beep+xml, application/calendar+json, application/calendar+xml, application/call-completion, application/cals-1840, application/captive+json, application/cbor, application/cbor-seq, application/cccex, application/ccmp+xml, application/ccxml+xml, application/cdfx+xml, application/cdmi-capability, application/cdmi-container, application/cdmi-domain, application/cdmi-object, application/cdmi-queue, application/cdni, application/cea, application/cea-2018+xml, application/cellml+xml, application/cfw, application/city+json, application/clr, application/clue+xml, application/clue_info+xml, application/cms, application/cnrp+xml, application/coap-group+json, application/coap-payload, application/commonground, application/conference-info+xml, application/cose, application/cose-key, application/cose-key-set, application/cpl+xml, application/csrattrs, application/csta+xml, application/cstadata+xml, application/csvm+json, application/cu-seeme, application/cwt, application/cybercash, application/dart, application/dash+xml, application/dash-patch+xml, application/dashdelta, application/davmount+xml, application/dca-rft, application/dcd, application/dec-dx, application/dialog-info+xml, application/dicom, application/dicom+json, application/dicom+xml, application/dii, application/dit, application/dns, application/dns+json, application/dns-message, application/docbook+xml, application/dots+cbor, application/dskpp+xml, application/dssc+der, application/dssc+xml, application/dvcs, application/ecmascript, application/edi-consent, application/edi-x12, application/edifact, application/efi, application/elm+json, application/elm+xml, application/emergencycalldata.cap+xml, application/emergencycalldata.comment+xml, application/emergencycalldata.control+xml, application/emergencycalldata.deviceinfo+xml, application/emergencycalldata.ecall.msd, application/emergencycalldata.providerinfo+xml, application/emergencycalldata.serviceinfo+xml, application/emergencycalldata.subscriberinfo+xml, application/emergencycalldata.veds+xml, application/emma+xml, application/emotionml+xml, application/encaprtp, application/epp+xml, application/epub+zip, application/eshop, application/exi, application/expect-ct-report+json, application/express, application/fastinfoset, application/fastsoap, application/fdt+xml, application/fhir+json, application/fhir+xml, application/fido.trusted-apps+json, application/fits, application/flexfec, application/font-sfnt, application/font-tdpfr, application/font-woff, application/framework-attributes+xml, application/geo+json, application/geo+json-seq, application/geopackage+sqlite3, application/geoxacml+xml, application/gltf-buffer, application/gml+xml, application/gpx+xml, application/gxf, application/gzip, application/h224, application/held+xml, application/hjson, application/http, application/hyperstudio, application/ibe-key-request+xml, application/ibe-pkg-reply+xml, application/ibe-pp-data, application/iges, application/im-iscomposing+xml, application/index, application/index.cmd, application/index.obj, application/index.response, application/index.vnd, application/inkml+xml, application/iotp, application/ipfix, application/ipp, application/isup, application/its+xml, application/java-archive, application/java-serialized-object, application/java-vm, application/javascript, application/jf2feed+json, application/jose, application/jose+json, application/jrd+json, application/jscalendar+json, application/json, application/json-patch+json, application/json-seq, application/json5, application/jsonml+json, application/jwk+json, application/jwk-set+json, application/jwt, application/kpml-request+xml, application/kpml-response+xml, application/ld+json, application/lgr+xml, application/link-format, application/load-control+xml, application/lost+xml, application/lostsync+xml, application/lpf+zip, application/lxf, application/mac-binhex40, application/mac-compactpro, application/macwriteii, application/mads+xml, application/manifest+json, application/marc, application/marcxml+xml, application/mathematica, application/mathml+xml, application/mathml-content+xml, application/mathml-presentation+xml, application/mbms-associated-procedure-description+xml, application/mbms-deregister+xml, application/mbms-envelope+xml, application/mbms-msk+xml, application/mbms-msk-response+xml, application/mbms-protection-description+xml, application/mbms-reception-report+xml, application/mbms-register+xml, application/mbms-register-response+xml, application/mbms-schedule+xml, application/mbms-user-service-description+xml, application/mbox, application/media-policy-dataset+xml, application/media_control+xml, application/mediaservercontrol+xml, application/merge-patch+json, application/metalink+xml, application/metalink4+xml, application/mets+xml, application/mf4, application/mikey, application/mipc, application/missing-blocks+cbor-seq, application/mmt-aei+xml, application/mmt-usd+xml, application/mods+xml, application/moss-keys, application/moss-signature, application/mosskey-data, application/mosskey-request, application/mp21, application/mp4, application/mpeg4-generic, application/mpeg4-iod, application/mpeg4-iod-xmt, application/mrb-consumer+xml, application/mrb-publish+xml, application/msc-ivr+xml, application/msc-mixer+xml, application/msword, application/mud+json, application/multipart-core, application/mxf, application/n-quads, application/n-triples, application/nasdata, application/news-checkgroups, application/news-groupinfo, application/news-transmission, application/nlsml+xml, application/node, application/nss, application/oauth-authz-req+jwt, application/oblivious-dns-message, application/ocsp-request, application/ocsp-response, application/octet-stream, application/oda, application/odm+xml, application/odx, application/oebps-package+xml, application/ogg, application/omdoc+xml, application/onenote, application/opc-nodeset+xml, application/oscore, application/oxps, application/p21, application/p21+zip, application/p2p-overlay+xml, application/parityfec, application/passport, application/patch-ops-error+xml, application/pdf, application/pdx, application/pem-certificate-chain, application/pgp-encrypted, application/pgp-keys, application/pgp-signature, application/pics-rules, application/pidf+xml, application/pidf-diff+xml, application/pkcs10, application/pkcs12, application/pkcs7-mime, application/pkcs7-signature, application/pkcs8, application/pkcs8-encrypted, application/pkix-attr-cert, application/pkix-cert, application/pkix-crl, application/pkix-pkipath, application/pkixcmp, application/pls+xml, application/poc-settings+xml, application/postscript, application/ppsp-tracker+json, application/problem+json, application/problem+xml, application/provenance+xml, application/prs.alvestrand.titrax-sheet, application/prs.cww, application/prs.cyn, application/prs.hpub+zip, application/prs.nprend, application/prs.plucker, application/prs.rdf-xml-crypt, application/prs.xsf+xml, application/pskc+xml, application/pvd+json, application/qsig, application/raml+yaml, application/raptorfec, application/rdap+json, application/rdf+xml, application/reginfo+xml, application/relax-ng-compact-syntax, application/remote-printing, application/reputon+json, application/resource-lists+xml, application/resource-lists-diff+xml, application/rfc+xml, application/riscos, application/rlmi+xml, application/rls-services+xml, application/route-apd+xml, application/route-s-tsid+xml, application/route-usd+xml, application/rpki-ghostbusters, application/rpki-manifest, application/rpki-publication, application/rpki-roa, application/rpki-updown, application/rsd+xml, application/rss+xml, application/rtf, application/rtploopback, application/rtx, application/samlassertion+xml, application/samlmetadata+xml, application/sarif+json, application/sarif-external-properties+json, application/sbe, application/sbml+xml, application/scaip+xml, application/scim+json, application/scvp-cv-request, application/scvp-cv-response, application/scvp-vp-request, application/scvp-vp-response, application/sdp, application/secevent+jwt, application/senml+cbor, application/senml+json, application/senml+xml, application/senml-etch+cbor, application/senml-etch+json, application/senml-exi, application/sensml+cbor, application/sensml+json, application/sensml+xml, application/sensml-exi, application/sep+xml, application/sep-exi, application/session-info, application/set-payment, application/set-payment-initiation, application/set-registration, application/set-registration-initiation, application/sgml, application/sgml-open-catalog, application/shf+xml, application/sieve, application/simple-filter+xml, application/simple-message-summary, application/simplesymbolcontainer, application/sipc, application/slate, application/smil, application/smil+xml, application/smpte336m, application/soap+fastinfoset, application/soap+xml, application/sparql-query, application/sparql-results+xml, application/spdx+json, application/spirits-event+xml, application/sql, application/srgs, application/srgs+xml, application/sru+xml, application/ssdl+xml, application/ssml+xml, application/stix+json, application/swid+xml, application/tamp-apex-update, application/tamp-apex-update-confirm, application/tamp-community-update, application/tamp-community-update-confirm, application/tamp-error, application/tamp-sequence-adjust, application/tamp-sequence-adjust-confirm, application/tamp-status-query, application/tamp-status-response, application/tamp-update, application/tamp-update-confirm, application/tar, application/taxii+json, application/td+json, application/tei+xml, application/tetra_isi, application/thraud+xml, application/timestamp-query, application/timestamp-reply, application/timestamped-data, application/tlsrpt+gzip, application/tlsrpt+json, application/tnauthlist, application/token-introspection+jwt, application/toml, application/trickle-ice-sdpfrag, application/trig, application/ttml+xml, application/tve-trigger, application/tzif, application/tzif-leap, application/ubjson, application/ulpfec, application/urc-grpsheet+xml, application/urc-ressheet+xml, application/urc-targetdesc+xml, application/urc-uisocketdesc+xml, application/vcard+json, application/vcard+xml, application/vemmi, application/vividence.scriptfile, application/vnd.1000minds.decision-model+xml, application/vnd.3gpp-prose+xml, application/vnd.3gpp-prose-pc3ch+xml, application/vnd.3gpp-v2x-local-service-information, application/vnd.3gpp.5gnas, application/vnd.3gpp.access-transfer-events+xml, application/vnd.3gpp.bsf+xml, application/vnd.3gpp.gmop+xml, application/vnd.3gpp.gtpc, application/vnd.3gpp.interworking-data, application/vnd.3gpp.lpp, application/vnd.3gpp.mc-signalling-ear, application/vnd.3gpp.mcdata-affiliation-command+xml, application/vnd.3gpp.mcdata-info+xml, application/vnd.3gpp.mcdata-payload, application/vnd.3gpp.mcdata-service-config+xml, application/vnd.3gpp.mcdata-signalling, application/vnd.3gpp.mcdata-ue-config+xml, application/vnd.3gpp.mcdata-user-profile+xml, application/vnd.3gpp.mcptt-affiliation-command+xml, application/vnd.3gpp.mcptt-floor-request+xml, application/vnd.3gpp.mcptt-info+xml, application/vnd.3gpp.mcptt-location-info+xml, application/vnd.3gpp.mcptt-mbms-usage-info+xml, application/vnd.3gpp.mcptt-service-config+xml, application/vnd.3gpp.mcptt-signed+xml, application/vnd.3gpp.mcptt-ue-config+xml, application/vnd.3gpp.mcptt-ue-init-config+xml, application/vnd.3gpp.mcptt-user-profile+xml, application/vnd.3gpp.mcvideo-affiliation-command+xml, application/vnd.3gpp.mcvideo-affiliation-info+xml, application/vnd.3gpp.mcvideo-info+xml, application/vnd.3gpp.mcvideo-location-info+xml, application/vnd.3gpp.mcvideo-mbms-usage-info+xml, application/vnd.3gpp.mcvideo-service-config+xml, application/vnd.3gpp.mcvideo-transmission-request+xml, application/vnd.3gpp.mcvideo-ue-config+xml, application/vnd.3gpp.mcvideo-user-profile+xml, application/vnd.3gpp.mid-call+xml, application/vnd.3gpp.ngap, application/vnd.3gpp.pfcp, application/vnd.3gpp.pic-bw-large, application/vnd.3gpp.pic-bw-small, application/vnd.3gpp.pic-bw-var, application/vnd.3gpp.s1ap, application/vnd.3gpp.sms, application/vnd.3gpp.sms+xml, application/vnd.3gpp.srvcc-ext+xml, application/vnd.3gpp.srvcc-info+xml, application/vnd.3gpp.state-and-event-info+xml, application/vnd.3gpp.ussd+xml, application/vnd.3gpp2.bcmcsinfo+xml, application/vnd.3gpp2.sms, application/vnd.3gpp2.tcap, application/vnd.3lightssoftware.imagescal, application/vnd.3m.post-it-notes, application/vnd.accpac.simply.aso, application/vnd.accpac.simply.imp, application/vnd.acucobol, application/vnd.acucorp, application/vnd.adobe.air-application-installer-package+zip, application/vnd.adobe.flash.movie, application/vnd.adobe.formscentral.fcdt, application/vnd.adobe.fxp, application/vnd.adobe.partial-upload, application/vnd.adobe.xdp+xml, application/vnd.adobe.xfdf, application/vnd.aether.imp, application/vnd.afpc.afplinedata, application/vnd.afpc.afplinedata-pagedef, application/vnd.afpc.cmoca-cmresource, application/vnd.afpc.foca-charset, application/vnd.afpc.foca-codedfont, application/vnd.afpc.foca-codepage, application/vnd.afpc.modca, application/vnd.afpc.modca-cmtable, application/vnd.afpc.modca-formdef, application/vnd.afpc.modca-mediummap, application/vnd.afpc.modca-objectcontainer, application/vnd.afpc.modca-overlay, application/vnd.afpc.modca-pagesegment, application/vnd.age, application/vnd.ah-barcode, application/vnd.ahead.space, application/vnd.airzip.filesecure.azf, application/vnd.airzip.filesecure.azs, application/vnd.amadeus+json, application/vnd.amazon.ebook, application/vnd.amazon.mobi8-ebook, application/vnd.americandynamics.acc, application/vnd.amiga.ami, application/vnd.amundsen.maze+xml, application/vnd.android.ota, application/vnd.android.package-archive, application/vnd.anki, application/vnd.anser-web-certificate-issue-initiation, application/vnd.anser-web-funds-transfer-initiation, application/vnd.antix.game-component, application/vnd.apache.arrow.file, application/vnd.apache.arrow.stream, application/vnd.apache.thrift.binary, application/vnd.apache.thrift.compact, application/vnd.apache.thrift.json, application/vnd.api+json, application/vnd.aplextor.warrp+json, application/vnd.apothekende.reservation+json, application/vnd.apple.installer+xml, application/vnd.apple.keynote, application/vnd.apple.mpegurl, application/vnd.apple.numbers, application/vnd.apple.pages, application/vnd.apple.pkpass, application/vnd.arastra.swi, application/vnd.aristanetworks.swi, application/vnd.artisan+json, application/vnd.artsquare, application/vnd.astraea-software.iota, application/vnd.audiograph, application/vnd.autopackage, application/vnd.avalon+json, application/vnd.avistar+xml, application/vnd.balsamiq.bmml+xml, application/vnd.balsamiq.bmpr, application/vnd.banana-accounting, application/vnd.bbf.usp.error, application/vnd.bbf.usp.msg, application/vnd.bbf.usp.msg+json, application/vnd.bekitzur-stech+json, application/vnd.bint.med-content, application/vnd.biopax.rdf+xml, application/vnd.blink-idb-value-wrapper, application/vnd.blueice.multipass, application/vnd.bluetooth.ep.oob, application/vnd.bluetooth.le.oob, application/vnd.bmi, application/vnd.bpf, application/vnd.bpf3, application/vnd.businessobjects, application/vnd.byu.uapi+json, application/vnd.cab-jscript, application/vnd.canon-cpdl, application/vnd.canon-lips, application/vnd.capasystems-pg+json, application/vnd.cendio.thinlinc.clientconf, application/vnd.century-systems.tcp_stream, application/vnd.chemdraw+xml, application/vnd.chess-pgn, application/vnd.chipnuts.karaoke-mmd, application/vnd.ciedi, application/vnd.cinderella, application/vnd.cirpack.isdn-ext, application/vnd.citationstyles.style+xml, application/vnd.claymore, application/vnd.cloanto.rp9, application/vnd.clonk.c4group, application/vnd.cluetrust.cartomobile-config, application/vnd.cluetrust.cartomobile-config-pkg, application/vnd.coffeescript, application/vnd.collabio.xodocuments.document, application/vnd.collabio.xodocuments.document-template, application/vnd.collabio.xodocuments.presentation, application/vnd.collabio.xodocuments.presentation-template, application/vnd.collabio.xodocuments.spreadsheet, application/vnd.collabio.xodocuments.spreadsheet-template, application/vnd.collection+json, application/vnd.collection.doc+json, application/vnd.collection.next+json, application/vnd.comicbook+zip, application/vnd.comicbook-rar, application/vnd.commerce-battelle, application/vnd.commonspace, application/vnd.contact.cmsg, application/vnd.coreos.ignition+json, application/vnd.cosmocaller, application/vnd.crick.clicker, application/vnd.crick.clicker.keyboard, application/vnd.crick.clicker.palette, application/vnd.crick.clicker.template, application/vnd.crick.clicker.wordbank, application/vnd.criticaltools.wbs+xml, application/vnd.cryptii.pipe+json, application/vnd.crypto-shade-file, application/vnd.cryptomator.encrypted, application/vnd.cryptomator.vault, application/vnd.ctc-posml, application/vnd.ctct.ws+xml, application/vnd.cups-pdf, application/vnd.cups-postscript, application/vnd.cups-ppd, application/vnd.cups-raster, application/vnd.cups-raw, application/vnd.curl, application/vnd.curl.car, application/vnd.curl.pcurl, application/vnd.cyan.dean.root+xml, application/vnd.cybank, application/vnd.cyclonedx+json, application/vnd.cyclonedx+xml, application/vnd.d2l.coursepackage1p0+zip, application/vnd.d3m-dataset, application/vnd.d3m-problem, application/vnd.dart, application/vnd.data-vision.rdz, application/vnd.datapackage+json, application/vnd.dataresource+json, application/vnd.dbf, application/vnd.debian.binary-package, application/vnd.dece.data, application/vnd.dece.ttml+xml, application/vnd.dece.unspecified, application/vnd.dece.zip, application/vnd.denovo.fcselayout-link, application/vnd.desmume.movie, application/vnd.dir-bi.plate-dl-nosuffix, application/vnd.dm.delegation+xml, application/vnd.dna, application/vnd.document+json, application/vnd.dolby.mlp, application/vnd.dolby.mobile.1, application/vnd.dolby.mobile.2, application/vnd.doremir.scorecloud-binary-document, application/vnd.dpgraph, application/vnd.dreamfactory, application/vnd.drive+json, application/vnd.ds-keypoint, application/vnd.dtg.local, application/vnd.dtg.local.flash, application/vnd.dtg.local.html, application/vnd.dvb.ait, application/vnd.dvb.dvbisl+xml, application/vnd.dvb.dvbj, application/vnd.dvb.esgcontainer, application/vnd.dvb.ipdcdftnotifaccess, application/vnd.dvb.ipdcesgaccess, application/vnd.dvb.ipdcesgaccess2, application/vnd.dvb.ipdcesgpdd, application/vnd.dvb.ipdcroaming, application/vnd.dvb.iptv.alfec-base, application/vnd.dvb.iptv.alfec-enhancement, application/vnd.dvb.notif-aggregate-root+xml, application/vnd.dvb.notif-container+xml, application/vnd.dvb.notif-generic+xml, application/vnd.dvb.notif-ia-msglist+xml, application/vnd.dvb.notif-ia-registration-request+xml, application/vnd.dvb.notif-ia-registration-response+xml, application/vnd.dvb.notif-init+xml, application/vnd.dvb.pfr, application/vnd.dvb.service, application/vnd.dxr, application/vnd.dynageo, application/vnd.dzr, application/vnd.easykaraoke.cdgdownload, application/vnd.ecdis-update, application/vnd.ecip.rlp, application/vnd.eclipse.ditto+json, application/vnd.ecowin.chart, application/vnd.ecowin.filerequest, application/vnd.ecowin.fileupdate, application/vnd.ecowin.series, application/vnd.ecowin.seriesrequest, application/vnd.ecowin.seriesupdate, application/vnd.efi.img, application/vnd.efi.iso, application/vnd.emclient.accessrequest+xml, application/vnd.enliven, application/vnd.enphase.envoy, application/vnd.eprints.data+xml, application/vnd.epson.esf, application/vnd.epson.msf, application/vnd.epson.quickanime, application/vnd.epson.salt, application/vnd.epson.ssf, application/vnd.ericsson.quickcall, application/vnd.espass-espass+zip, application/vnd.eszigno3+xml, application/vnd.etsi.aoc+xml, application/vnd.etsi.asic-e+zip, application/vnd.etsi.asic-s+zip, application/vnd.etsi.cug+xml, application/vnd.etsi.iptvcommand+xml, application/vnd.etsi.iptvdiscovery+xml, application/vnd.etsi.iptvprofile+xml, application/vnd.etsi.iptvsad-bc+xml, application/vnd.etsi.iptvsad-cod+xml, application/vnd.etsi.iptvsad-npvr+xml, application/vnd.etsi.iptvservice+xml, application/vnd.etsi.iptvsync+xml, application/vnd.etsi.iptvueprofile+xml, application/vnd.etsi.mcid+xml, application/vnd.etsi.mheg5, application/vnd.etsi.overload-control-policy-dataset+xml, application/vnd.etsi.pstn+xml, application/vnd.etsi.sci+xml, application/vnd.etsi.simservs+xml, application/vnd.etsi.timestamp-token, application/vnd.etsi.tsl+xml, application/vnd.etsi.tsl.der, application/vnd.eu.kasparian.car+json, application/vnd.eudora.data, application/vnd.evolv.ecig.profile, application/vnd.evolv.ecig.settings, application/vnd.evolv.ecig.theme, application/vnd.exstream-empower+zip, application/vnd.exstream-package, application/vnd.ezpix-album, application/vnd.ezpix-package, application/vnd.f-secure.mobile, application/vnd.familysearch.gedcom+zip, application/vnd.fastcopy-disk-image, application/vnd.fdf, application/vnd.fdsn.mseed, application/vnd.fdsn.seed, application/vnd.ffsns, application/vnd.ficlab.flb+zip, application/vnd.filmit.zfc, application/vnd.fints, application/vnd.firemonkeys.cloudcell, application/vnd.flographit, application/vnd.fluxtime.clip, application/vnd.font-fontforge-sfd, application/vnd.framemaker, application/vnd.frogans.fnc, application/vnd.frogans.ltf, application/vnd.fsc.weblaunch, application/vnd.fujifilm.fb.docuworks, application/vnd.fujifilm.fb.docuworks.binder, application/vnd.fujifilm.fb.docuworks.container, application/vnd.fujifilm.fb.jfi+xml, application/vnd.fujitsu.oasys, application/vnd.fujitsu.oasys2, application/vnd.fujitsu.oasys3, application/vnd.fujitsu.oasysgp, application/vnd.fujitsu.oasysprs, application/vnd.fujixerox.art-ex, application/vnd.fujixerox.art4, application/vnd.fujixerox.ddd, application/vnd.fujixerox.docuworks, application/vnd.fujixerox.docuworks.binder, application/vnd.fujixerox.docuworks.container, application/vnd.fujixerox.hbpl, application/vnd.fut-misnet, application/vnd.futoin+cbor, application/vnd.futoin+json, application/vnd.fuzzysheet, application/vnd.genomatix.tuxedo, application/vnd.gentics.grd+json, application/vnd.geo+json, application/vnd.geocube+xml, application/vnd.geogebra.file, application/vnd.geogebra.slides, application/vnd.geogebra.tool, application/vnd.geometry-explorer, application/vnd.geonext, application/vnd.geoplan, application/vnd.geospace, application/vnd.gerber, application/vnd.globalplatform.card-content-mgt, application/vnd.globalplatform.card-content-mgt-response, application/vnd.gmx, application/vnd.google-apps.document, application/vnd.google-apps.presentation, application/vnd.google-apps.spreadsheet, application/vnd.google-earth.kml+xml, application/vnd.google-earth.kmz, application/vnd.gov.sk.e-form+xml, application/vnd.gov.sk.e-form+zip, application/vnd.gov.sk.xmldatacontainer+xml, application/vnd.grafeq, application/vnd.gridmp, application/vnd.groove-account, application/vnd.groove-help, application/vnd.groove-identity-message, application/vnd.groove-injector, application/vnd.groove-tool-message, application/vnd.groove-tool-template, application/vnd.groove-vcard, application/vnd.hal+json, application/vnd.hal+xml, application/vnd.handheld-entertainment+xml, application/vnd.hbci, application/vnd.hc+json, application/vnd.hcl-bireports, application/vnd.hdt, application/vnd.heroku+json, application/vnd.hhe.lesson-player, application/vnd.hl7cda+xml, application/vnd.hl7v2+xml, application/vnd.hp-hpgl, application/vnd.hp-hpid, application/vnd.hp-hps, application/vnd.hp-jlyt, application/vnd.hp-pcl, application/vnd.hp-pclxl, application/vnd.httphone, application/vnd.hydrostatix.sof-data, application/vnd.hyper+json, application/vnd.hyper-item+json, application/vnd.hyperdrive+json, application/vnd.hzn-3d-crossword, application/vnd.ibm.afplinedata, application/vnd.ibm.electronic-media, application/vnd.ibm.minipay, application/vnd.ibm.modcap, application/vnd.ibm.rights-management, application/vnd.ibm.secure-container, application/vnd.iccprofile, application/vnd.ieee.1905, application/vnd.igloader, application/vnd.imagemeter.folder+zip, application/vnd.imagemeter.image+zip, application/vnd.immervision-ivp, application/vnd.immervision-ivu, application/vnd.ims.imsccv1p1, application/vnd.ims.imsccv1p2, application/vnd.ims.imsccv1p3, application/vnd.ims.lis.v2.result+json, application/vnd.ims.lti.v2.toolconsumerprofile+json, application/vnd.ims.lti.v2.toolproxy+json, application/vnd.ims.lti.v2.toolproxy.id+json, application/vnd.ims.lti.v2.toolsettings+json, application/vnd.ims.lti.v2.toolsettings.simple+json, application/vnd.informedcontrol.rms+xml, application/vnd.informix-visionary, application/vnd.infotech.project, application/vnd.infotech.project+xml, application/vnd.innopath.wamp.notification, application/vnd.insors.igm, application/vnd.intercon.formnet, application/vnd.intergeo, application/vnd.intertrust.digibox, application/vnd.intertrust.nncp, application/vnd.intu.qbo, application/vnd.intu.qfx, application/vnd.iptc.g2.catalogitem+xml, application/vnd.iptc.g2.conceptitem+xml, application/vnd.iptc.g2.knowledgeitem+xml, application/vnd.iptc.g2.newsitem+xml, application/vnd.iptc.g2.newsmessage+xml, application/vnd.iptc.g2.packageitem+xml, application/vnd.iptc.g2.planningitem+xml, application/vnd.ipunplugged.rcprofile, application/vnd.irepository.package+xml, application/vnd.is-xpr, application/vnd.isac.fcs, application/vnd.iso11783-10+zip, application/vnd.jam, application/vnd.japannet-directory-service, application/vnd.japannet-jpnstore-wakeup, application/vnd.japannet-payment-wakeup, application/vnd.japannet-registration, application/vnd.japannet-registration-wakeup, application/vnd.japannet-setstore-wakeup, application/vnd.japannet-verification, application/vnd.japannet-verification-wakeup, application/vnd.jcp.javame.midlet-rms, application/vnd.jisp, application/vnd.joost.joda-archive, application/vnd.jsk.isdn-ngn, application/vnd.kahootz, application/vnd.kde.karbon, application/vnd.kde.kchart, application/vnd.kde.kformula, application/vnd.kde.kivio, application/vnd.kde.kontour, application/vnd.kde.kpresenter, application/vnd.kde.kspread, application/vnd.kde.kword, application/vnd.kenameaapp, application/vnd.kidspiration, application/vnd.kinar, application/vnd.koan, application/vnd.kodak-descriptor, application/vnd.las, application/vnd.las.las+json, application/vnd.las.las+xml, application/vnd.laszip, application/vnd.leap+json, application/vnd.liberty-request+xml, application/vnd.llamagraphics.life-balance.desktop, application/vnd.llamagraphics.life-balance.exchange+xml, application/vnd.logipipe.circuit+zip, application/vnd.loom, application/vnd.lotus-1-2-3, application/vnd.lotus-approach, application/vnd.lotus-freelance, application/vnd.lotus-notes, application/vnd.lotus-organizer, application/vnd.lotus-screencam, application/vnd.lotus-wordpro, application/vnd.macports.portpkg, application/vnd.mapbox-vector-tile, application/vnd.marlin.drm.actiontoken+xml, application/vnd.marlin.drm.conftoken+xml, application/vnd.marlin.drm.license+xml, application/vnd.marlin.drm.mdcf, application/vnd.mason+json, application/vnd.maxar.archive.3tz+zip, application/vnd.maxmind.maxmind-db, application/vnd.mcd, application/vnd.medcalcdata, application/vnd.mediastation.cdkey, application/vnd.meridian-slingshot, application/vnd.mfer, application/vnd.mfmp, application/vnd.micro+json, application/vnd.micrografx.flo, application/vnd.micrografx.igx, application/vnd.microsoft.portable-executable, application/vnd.microsoft.windows.thumbnail-cache, application/vnd.miele+json, application/vnd.mif, application/vnd.minisoft-hp3000-save, application/vnd.mitsubishi.misty-guard.trustweb, application/vnd.mobius.daf, application/vnd.mobius.dis, application/vnd.mobius.mbk, application/vnd.mobius.mqy, application/vnd.mobius.msl, application/vnd.mobius.plc, application/vnd.mobius.txf, application/vnd.mophun.application, application/vnd.mophun.certificate, application/vnd.motorola.flexsuite, application/vnd.motorola.flexsuite.adsi, application/vnd.motorola.flexsuite.fis, application/vnd.motorola.flexsuite.gotap, application/vnd.motorola.flexsuite.kmr, application/vnd.motorola.flexsuite.ttc, application/vnd.motorola.flexsuite.wem, application/vnd.motorola.iprm, application/vnd.mozilla.xul+xml, application/vnd.ms-3mfdocument, application/vnd.ms-artgalry, application/vnd.ms-asf, application/vnd.ms-cab-compressed, application/vnd.ms-color.iccprofile, application/vnd.ms-excel, application/vnd.ms-excel.addin.macroenabled.12, application/vnd.ms-excel.sheet.binary.macroenabled.12, application/vnd.ms-excel.sheet.macroenabled.12, application/vnd.ms-excel.template.macroenabled.12, application/vnd.ms-fontobject, application/vnd.ms-htmlhelp, application/vnd.ms-ims, application/vnd.ms-lrm, application/vnd.ms-office.activex+xml, application/vnd.ms-officetheme, application/vnd.ms-opentype, application/vnd.ms-outlook, application/vnd.ms-package.obfuscated-opentype, application/vnd.ms-pki.seccat, application/vnd.ms-pki.stl, application/vnd.ms-playready.initiator+xml, application/vnd.ms-powerpoint, application/vnd.ms-powerpoint.addin.macroenabled.12, application/vnd.ms-powerpoint.presentation.macroenabled.12, application/vnd.ms-powerpoint.slide.macroenabled.12, application/vnd.ms-powerpoint.slideshow.macroenabled.12, application/vnd.ms-powerpoint.template.macroenabled.12, application/vnd.ms-printdevicecapabilities+xml, application/vnd.ms-printing.printticket+xml, application/vnd.ms-printschematicket+xml, application/vnd.ms-project, application/vnd.ms-tnef, application/vnd.ms-windows.devicepairing, application/vnd.ms-windows.nwprinting.oob, application/vnd.ms-windows.printerpairing, application/vnd.ms-windows.wsd.oob, application/vnd.ms-wmdrm.lic-chlg-req, application/vnd.ms-wmdrm.lic-resp, application/vnd.ms-wmdrm.meter-chlg-req, application/vnd.ms-wmdrm.meter-resp, application/vnd.ms-word.document.macroenabled.12, application/vnd.ms-word.template.macroenabled.12, application/vnd.ms-works, application/vnd.ms-wpl, application/vnd.ms-xpsdocument, application/vnd.msa-disk-image, application/vnd.mseq, application/vnd.msign, application/vnd.multiad.creator, application/vnd.multiad.creator.cif, application/vnd.music-niff, application/vnd.musician, application/vnd.muvee.style, application/vnd.mynfc, application/vnd.nacamar.ybrid+json, application/vnd.ncd.control, application/vnd.ncd.reference, application/vnd.nearst.inv+json, application/vnd.nebumind.line, application/vnd.nervana, application/vnd.netfpx, application/vnd.neurolanguage.nlu, application/vnd.nimn, application/vnd.nintendo.nitro.rom, application/vnd.nintendo.snes.rom, application/vnd.nitf, application/vnd.noblenet-directory, application/vnd.noblenet-sealer, application/vnd.noblenet-web, application/vnd.nokia.catalogs, application/vnd.nokia.conml+wbxml, application/vnd.nokia.conml+xml, application/vnd.nokia.iptv.config+xml, application/vnd.nokia.isds-radio-presets, application/vnd.nokia.landmark+wbxml, application/vnd.nokia.landmark+xml, application/vnd.nokia.landmarkcollection+xml, application/vnd.nokia.n-gage.ac+xml, application/vnd.nokia.n-gage.data, application/vnd.nokia.n-gage.symbian.install, application/vnd.nokia.ncd, application/vnd.nokia.pcd+wbxml, application/vnd.nokia.pcd+xml, application/vnd.nokia.radio-preset, application/vnd.nokia.radio-presets, application/vnd.novadigm.edm, application/vnd.novadigm.edx, application/vnd.novadigm.ext, application/vnd.ntt-local.content-share, application/vnd.ntt-local.file-transfer, application/vnd.ntt-local.ogw_remote-access, application/vnd.ntt-local.sip-ta_remote, application/vnd.ntt-local.sip-ta_tcp_stream, application/vnd.oasis.opendocument.chart, application/vnd.oasis.opendocument.chart-template, application/vnd.oasis.opendocument.database, application/vnd.oasis.opendocument.formula, application/vnd.oasis.opendocument.formula-template, application/vnd.oasis.opendocument.graphics, application/vnd.oasis.opendocument.graphics-template, application/vnd.oasis.opendocument.image, application/vnd.oasis.opendocument.image-template, application/vnd.oasis.opendocument.presentation, application/vnd.oasis.opendocument.presentation-template, application/vnd.oasis.opendocument.spreadsheet, application/vnd.oasis.opendocument.spreadsheet-template, application/vnd.oasis.opendocument.text, application/vnd.oasis.opendocument.text-master, application/vnd.oasis.opendocument.text-template, application/vnd.oasis.opendocument.text-web, application/vnd.obn, application/vnd.ocf+cbor, application/vnd.oci.image.manifest.v1+json, application/vnd.oftn.l10n+json, application/vnd.oipf.contentaccessdownload+xml, application/vnd.oipf.contentaccessstreaming+xml, application/vnd.oipf.cspg-hexbinary, application/vnd.oipf.dae.svg+xml, application/vnd.oipf.dae.xhtml+xml, application/vnd.oipf.mippvcontrolmessage+xml, application/vnd.oipf.pae.gem, application/vnd.oipf.spdiscovery+xml, application/vnd.oipf.spdlist+xml, application/vnd.oipf.ueprofile+xml, application/vnd.oipf.userprofile+xml, application/vnd.olpc-sugar, application/vnd.oma-scws-config, application/vnd.oma-scws-http-request, application/vnd.oma-scws-http-response, application/vnd.oma.bcast.associated-procedure-parameter+xml, application/vnd.oma.bcast.drm-trigger+xml, application/vnd.oma.bcast.imd+xml, application/vnd.oma.bcast.ltkm, application/vnd.oma.bcast.notification+xml, application/vnd.oma.bcast.provisioningtrigger, application/vnd.oma.bcast.sgboot, application/vnd.oma.bcast.sgdd+xml, application/vnd.oma.bcast.sgdu, application/vnd.oma.bcast.simple-symbol-container, application/vnd.oma.bcast.smartcard-trigger+xml, application/vnd.oma.bcast.sprov+xml, application/vnd.oma.bcast.stkm, application/vnd.oma.cab-address-book+xml, application/vnd.oma.cab-feature-handler+xml, application/vnd.oma.cab-pcc+xml, application/vnd.oma.cab-subs-invite+xml, application/vnd.oma.cab-user-prefs+xml, application/vnd.oma.dcd, application/vnd.oma.dcdc, application/vnd.oma.dd2+xml, application/vnd.oma.drm.risd+xml, application/vnd.oma.group-usage-list+xml, application/vnd.oma.lwm2m+cbor, application/vnd.oma.lwm2m+json, application/vnd.oma.lwm2m+tlv, application/vnd.oma.pal+xml, application/vnd.oma.poc.detailed-progress-report+xml, application/vnd.oma.poc.final-report+xml, application/vnd.oma.poc.groups+xml, application/vnd.oma.poc.invocation-descriptor+xml, application/vnd.oma.poc.optimized-progress-report+xml, application/vnd.oma.push, application/vnd.oma.scidm.messages+xml, application/vnd.oma.xcap-directory+xml, application/vnd.omads-email+xml, application/vnd.omads-file+xml, application/vnd.omads-folder+xml, application/vnd.omaloc-supl-init, application/vnd.onepager, application/vnd.onepagertamp, application/vnd.onepagertamx, application/vnd.onepagertat, application/vnd.onepagertatp, application/vnd.onepagertatx, application/vnd.openblox.game+xml, application/vnd.openblox.game-binary, application/vnd.openeye.oeb, application/vnd.openofficeorg.extension, application/vnd.openstreetmap.data+xml, application/vnd.opentimestamps.ots, application/vnd.openxmlformats-officedocument.custom-properties+xml, application/vnd.openxmlformats-officedocument.customxmlproperties+xml, application/vnd.openxmlformats-officedocument.drawing+xml, application/vnd.openxmlformats-officedocument.drawingml.chart+xml, application/vnd.openxmlformats-officedocument.drawingml.chartshapes+xml, application/vnd.openxmlformats-officedocument.drawingml.diagramcolors+xml, application/vnd.openxmlformats-officedocument.drawingml.diagramdata+xml, application/vnd.openxmlformats-officedocument.drawingml.diagramlayout+xml, application/vnd.openxmlformats-officedocument.drawingml.diagramstyle+xml, application/vnd.openxmlformats-officedocument.extended-properties+xml, application/vnd.openxmlformats-officedocument.presentationml.commentauthors+xml, application/vnd.openxmlformats-officedocument.presentationml.comments+xml, application/vnd.openxmlformats-officedocument.presentationml.handoutmaster+xml, application/vnd.openxmlformats-officedocument.presentationml.notesmaster+xml, application/vnd.openxmlformats-officedocument.presentationml.notesslide+xml, application/vnd.openxmlformats-officedocument.presentationml.presentation, application/vnd.openxmlformats-officedocument.presentationml.presentation.main+xml, application/vnd.openxmlformats-officedocument.presentationml.presprops+xml, application/vnd.openxmlformats-officedocument.presentationml.slide, application/vnd.openxmlformats-officedocument.presentationml.slide+xml, application/vnd.openxmlformats-officedocument.presentationml.slidelayout+xml, application/vnd.openxmlformats-officedocument.presentationml.slidemaster+xml, application/vnd.openxmlformats-officedocument.presentationml.slideshow, application/vnd.openxmlformats-officedocument.presentationml.slideshow.main+xml, application/vnd.openxmlformats-officedocument.presentationml.slideupdateinfo+xml, application/vnd.openxmlformats-officedocument.presentationml.tablestyles+xml, application/vnd.openxmlformats-officedocument.presentationml.tags+xml, application/vnd.openxmlformats-officedocument.presentationml.template, application/vnd.openxmlformats-officedocument.presentationml.template.main+xml, application/vnd.openxmlformats-officedocument.presentationml.viewprops+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.calcchain+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.chartsheet+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.comments+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.connections+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.dialogsheet+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.externallink+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcachedefinition+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcacherecords+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.pivottable+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.querytable+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.revisionheaders+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.revisionlog+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.sharedstrings+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.sheet, application/vnd.openxmlformats-officedocument.spreadsheetml.sheet.main+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.sheetmetadata+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.styles+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.table+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.tablesinglecells+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.template, application/vnd.openxmlformats-officedocument.spreadsheetml.template.main+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.usernames+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.volatiledependencies+xml, application/vnd.openxmlformats-officedocument.spreadsheetml.worksheet+xml, application/vnd.openxmlformats-officedocument.theme+xml, application/vnd.openxmlformats-officedocument.themeoverride+xml, application/vnd.openxmlformats-officedocument.vmldrawing, application/vnd.openxmlformats-officedocument.wordprocessingml.comments+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.document, application/vnd.openxmlformats-officedocument.wordprocessingml.document.glossary+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.document.main+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.endnotes+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.fonttable+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.footer+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.footnotes+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.numbering+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.settings+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.styles+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.template, application/vnd.openxmlformats-officedocument.wordprocessingml.template.main+xml, application/vnd.openxmlformats-officedocument.wordprocessingml.websettings+xml, application/vnd.openxmlformats-package.core-properties+xml, application/vnd.openxmlformats-package.digital-signature-xmlsignature+xml, application/vnd.openxmlformats-package.relationships+xml, application/vnd.oracle.resource+json, application/vnd.orange.indata, application/vnd.osa.netdeploy, application/vnd.osgeo.mapguide.package, application/vnd.osgi.bundle, application/vnd.osgi.dp, application/vnd.osgi.subsystem, application/vnd.otps.ct-kip+xml, application/vnd.oxli.countgraph, application/vnd.pagerduty+json, application/vnd.palm, application/vnd.panoply, application/vnd.paos.xml, application/vnd.patentdive, application/vnd.patientecommsdoc, application/vnd.pawaafile, application/vnd.pcos, application/vnd.pg.format, application/vnd.pg.osasli, application/vnd.piaccess.application-licence, application/vnd.picsel, application/vnd.pmi.widget, application/vnd.poc.group-advertisement+xml, application/vnd.pocketlearn, application/vnd.powerbuilder6, application/vnd.powerbuilder6-s, application/vnd.powerbuilder7, application/vnd.powerbuilder7-s, application/vnd.powerbuilder75, application/vnd.powerbuilder75-s, application/vnd.preminet, application/vnd.previewsystems.box, application/vnd.proteus.magazine, application/vnd.psfs, application/vnd.publishare-delta-tree, application/vnd.pvi.ptid1, application/vnd.pwg-multiplexed, application/vnd.pwg-xhtml-print+xml, application/vnd.qualcomm.brew-app-res, application/vnd.quarantainenet, application/vnd.quark.quarkxpress, application/vnd.quobject-quoxdocument, application/vnd.radisys.moml+xml, application/vnd.radisys.msml+xml, application/vnd.radisys.msml-audit+xml, application/vnd.radisys.msml-audit-conf+xml, application/vnd.radisys.msml-audit-conn+xml, application/vnd.radisys.msml-audit-dialog+xml, application/vnd.radisys.msml-audit-stream+xml, application/vnd.radisys.msml-conf+xml, application/vnd.radisys.msml-dialog+xml, application/vnd.radisys.msml-dialog-base+xml, application/vnd.radisys.msml-dialog-fax-detect+xml, application/vnd.radisys.msml-dialog-fax-sendrecv+xml, application/vnd.radisys.msml-dialog-group+xml, application/vnd.radisys.msml-dialog-speech+xml, application/vnd.radisys.msml-dialog-transform+xml, application/vnd.rainstor.data, application/vnd.rapid, application/vnd.rar, application/vnd.realvnc.bed, application/vnd.recordare.musicxml, application/vnd.recordare.musicxml+xml, application/vnd.renlearn.rlprint, application/vnd.resilient.logic, application/vnd.restful+json, application/vnd.rig.cryptonote, application/vnd.rim.cod, application/vnd.rn-realmedia, application/vnd.rn-realmedia-vbr, application/vnd.route66.link66+xml, application/vnd.rs-274x, application/vnd.ruckus.download, application/vnd.s3sms, application/vnd.sailingtracker.track, application/vnd.sar, application/vnd.sbm.cid, application/vnd.sbm.mid2, application/vnd.scribus, application/vnd.sealed.3df, application/vnd.sealed.csf, application/vnd.sealed.doc, application/vnd.sealed.eml, application/vnd.sealed.mht, application/vnd.sealed.net, application/vnd.sealed.ppt, application/vnd.sealed.tiff, application/vnd.sealed.xls, application/vnd.sealedmedia.softseal.html, application/vnd.sealedmedia.softseal.pdf, application/vnd.seemail, application/vnd.seis+json, application/vnd.sema, application/vnd.semd, application/vnd.semf, application/vnd.shade-save-file, application/vnd.shana.informed.formdata, application/vnd.shana.informed.formtemplate, application/vnd.shana.informed.interchange, application/vnd.shana.informed.package, application/vnd.shootproof+json, application/vnd.shopkick+json, application/vnd.shp, application/vnd.shx, application/vnd.sigrok.session, application/vnd.simtech-mindmapper, application/vnd.siren+json, application/vnd.smaf, application/vnd.smart.notebook, application/vnd.smart.teacher, application/vnd.snesdev-page-table, application/vnd.software602.filler.form+xml, application/vnd.software602.filler.form-xml-zip, application/vnd.solent.sdkm+xml, application/vnd.spotfire.dxp, application/vnd.spotfire.sfs, application/vnd.sqlite3, application/vnd.sss-cod, application/vnd.sss-dtf, application/vnd.sss-ntf, application/vnd.stardivision.calc, application/vnd.stardivision.draw, application/vnd.stardivision.impress, application/vnd.stardivision.math, application/vnd.stardivision.writer, application/vnd.stardivision.writer-global, application/vnd.stepmania.package, application/vnd.stepmania.stepchart, application/vnd.street-stream, application/vnd.sun.wadl+xml, application/vnd.sun.xml.calc, application/vnd.sun.xml.calc.template, application/vnd.sun.xml.draw, application/vnd.sun.xml.draw.template, application/vnd.sun.xml.impress, application/vnd.sun.xml.impress.template, application/vnd.sun.xml.math, application/vnd.sun.xml.writer, application/vnd.sun.xml.writer.global, application/vnd.sun.xml.writer.template, application/vnd.sus-calendar, application/vnd.svd, application/vnd.swiftview-ics, application/vnd.sycle+xml, application/vnd.syft+json, application/vnd.symbian.install, application/vnd.syncml+xml, application/vnd.syncml.dm+wbxml, application/vnd.syncml.dm+xml, application/vnd.syncml.dm.notification, application/vnd.syncml.dmddf+wbxml, application/vnd.syncml.dmddf+xml, application/vnd.syncml.dmtnds+wbxml, application/vnd.syncml.dmtnds+xml, application/vnd.syncml.ds.notification, application/vnd.tableschema+json, application/vnd.tao.intent-module-archive, application/vnd.tcpdump.pcap, application/vnd.think-cell.ppttc+json, application/vnd.tmd.mediaflex.api+xml, application/vnd.tml, application/vnd.tmobile-livetv, application/vnd.tri.onesource, application/vnd.trid.tpt, application/vnd.triscape.mxs, application/vnd.trueapp, application/vnd.truedoc, application/vnd.ubisoft.webplayer, application/vnd.ufdl, application/vnd.uiq.theme, application/vnd.umajin, application/vnd.unity, application/vnd.uoml+xml, application/vnd.uplanet.alert, application/vnd.uplanet.alert-wbxml, application/vnd.uplanet.bearer-choice, application/vnd.uplanet.bearer-choice-wbxml, application/vnd.uplanet.cacheop, application/vnd.uplanet.cacheop-wbxml, application/vnd.uplanet.channel, application/vnd.uplanet.channel-wbxml, application/vnd.uplanet.list, application/vnd.uplanet.list-wbxml, application/vnd.uplanet.listcmd, application/vnd.uplanet.listcmd-wbxml, application/vnd.uplanet.signal, application/vnd.uri-map, application/vnd.valve.source.material, application/vnd.vcx, application/vnd.vd-study, application/vnd.vectorworks, application/vnd.vel+json, application/vnd.verimatrix.vcas, application/vnd.veritone.aion+json, application/vnd.veryant.thin, application/vnd.ves.encrypted, application/vnd.vidsoft.vidconference, application/vnd.visio, application/vnd.visionary, application/vnd.vividence.scriptfile, application/vnd.vsf, application/vnd.wap.sic, application/vnd.wap.slc, application/vnd.wap.wbxml, application/vnd.wap.wmlc, application/vnd.wap.wmlscriptc, application/vnd.webturbo, application/vnd.wfa.dpp, application/vnd.wfa.p2p, application/vnd.wfa.wsc, application/vnd.windows.devicepairing, application/vnd.wmc, application/vnd.wmf.bootstrap, application/vnd.wolfram.mathematica, application/vnd.wolfram.mathematica.package, application/vnd.wolfram.player, application/vnd.wordperfect, application/vnd.wqd, application/vnd.wrq-hp3000-labelled, application/vnd.wt.stf, application/vnd.wv.csp+wbxml, application/vnd.wv.csp+xml, application/vnd.wv.ssp+xml, application/vnd.xacml+json, application/vnd.xara, application/vnd.xfdl, application/vnd.xfdl.webform, application/vnd.xmi+xml, application/vnd.xmpie.cpkg, application/vnd.xmpie.dpkg, application/vnd.xmpie.plan, application/vnd.xmpie.ppkg, application/vnd.xmpie.xlim, application/vnd.yamaha.hv-dic, application/vnd.yamaha.hv-script, application/vnd.yamaha.hv-voice, application/vnd.yamaha.openscoreformat, application/vnd.yamaha.openscoreformat.osfpvg+xml, application/vnd.yamaha.remote-setup, application/vnd.yamaha.smaf-audio, application/vnd.yamaha.smaf-phrase, application/vnd.yamaha.through-ngn, application/vnd.yamaha.tunnel-udpencap, application/vnd.yaoweme, application/vnd.yellowriver-custom-menu, application/vnd.youtube.yt, application/vnd.zul, application/vnd.zzazz.deck+xml, application/voicexml+xml, application/voucher-cms+json, application/vq-rtcpxr, application/wasm, application/watcherinfo+xml, application/webpush-options+json, application/whoispp-query, application/whoispp-response, application/widget, application/winhlp, application/wita, application/wordperfect5.1, application/wsdl+xml, application/wspolicy+xml, application/x-7z-compressed, application/x-abiword, application/x-ace-compressed, application/x-amf, application/x-apple-diskimage, application/x-arj, application/x-authorware-bin, application/x-authorware-map, application/x-authorware-seg, application/x-bcpio, application/x-bdoc, application/x-bittorrent, application/x-blorb, application/x-bzip, application/x-bzip2, application/x-cbr, application/x-cdlink, application/x-cfs-compressed, application/x-chat, application/x-chess-pgn, application/x-chrome-extension, application/x-cocoa, application/x-compress, application/x-conference, application/x-cpio, application/x-csh, application/x-deb, application/x-debian-package, application/x-dgc-compressed, application/x-director, application/x-doom, application/x-dtbncx+xml, application/x-dtbook+xml, application/x-dtbresource+xml, application/x-dvi, application/x-envoy, application/x-eva, application/x-font-bdf, application/x-font-dos, application/x-font-framemaker, application/x-font-ghostscript, application/x-font-libgrx, application/x-font-linux-psf, application/x-font-pcf, application/x-font-snf, application/x-font-speedo, application/x-font-sunos-news, application/x-font-type1, application/x-font-vfont, application/x-freearc, application/x-futuresplash, application/x-gca-compressed, application/x-glulx, application/x-gnumeric, application/x-gramps-xml, application/x-gtar, application/x-gzip, application/x-hdf, application/x-httpd-php, application/x-install-instructions, application/x-iso9660-image, application/x-iwork-keynote-sffkey, application/x-iwork-numbers-sffnumbers, application/x-iwork-pages-sffpages, application/x-java-archive-diff, application/x-java-jnlp-file, application/x-javascript, application/x-keepass2, application/x-latex, application/x-lua-bytecode, application/x-lzh-compressed, application/x-makeself, application/x-mie, application/x-mobipocket-ebook, application/x-mpegurl, application/x-ms-application, application/x-ms-shortcut, application/x-ms-wmd, application/x-ms-wmz, application/x-ms-xbap, application/x-msaccess, application/x-msbinder, application/x-mscardfile, application/x-msclip, application/x-msdos-program, application/x-msdownload, application/x-msmediaview, application/x-msmetafile, application/x-msmoney, application/x-mspublisher, application/x-msschedule, application/x-msterminal, application/x-mswrite, application/x-netcdf, application/x-ns-proxy-autoconfig, application/x-nzb, application/x-perl, application/x-pilot, application/x-pkcs12, application/x-pkcs7-certificates, application/x-pkcs7-certreqresp, application/x-pki-message, application/x-rar-compressed, application/x-redhat-package-manager, application/x-research-info-systems, application/x-sea, application/x-sh, application/x-shar, application/x-shockwave-flash, application/x-silverlight-app, application/x-sql, application/x-stuffit, application/x-stuffitx, application/x-subrip, application/x-sv4cpio, application/x-sv4crc, application/x-t3vm-image, application/x-tads, application/x-tar, application/x-tcl, application/x-tex, application/x-tex-tfm, application/x-texinfo, application/x-tgif, application/x-ustar, application/x-virtualbox-hdd, application/x-virtualbox-ova, application/x-virtualbox-ovf, application/x-virtualbox-vbox, application/x-virtualbox-vbox-extpack, application/x-virtualbox-vdi, application/x-virtualbox-vhd, application/x-virtualbox-vmdk, application/x-wais-source, application/x-web-app-manifest+json, application/x-www-form-urlencoded, application/x-x509-ca-cert, application/x-x509-ca-ra-cert, application/x-x509-next-ca-cert, application/x-xfig, application/x-xliff+xml, application/x-xpinstall, application/x-xz, application/x-zmachine, application/x400-bp, application/xacml+xml, application/xaml+xml, application/xcap-att+xml, application/xcap-caps+xml, application/xcap-diff+xml, application/xcap-el+xml, application/xcap-error+xml, application/xcap-ns+xml, application/xcon-conference-info+xml, application/xcon-conference-info-diff+xml, application/xenc+xml, application/xhtml+xml, application/xhtml-voice+xml, application/xliff+xml, application/xml, application/xml-dtd, application/xml-external-parsed-entity, application/xml-patch+xml, application/xmpp+xml, application/xop+xml, application/xproc+xml, application/xslt+xml, application/xspf+xml, application/xv+xml, application/yang, application/yang-data+json, application/yang-data+xml, application/yang-patch+json, application/yang-patch+xml, application/yin+xml, application/zip, application/zlib, application/zstd, audio/1d-interleaved-parityfec, audio/32kadpcm, audio/3gpp, audio/3gpp2, audio/aac, audio/ac3, audio/adpcm, audio/amr, audio/amr-wb, audio/amr-wb+, audio/aptx, audio/asc, audio/atrac-advanced-lossless, audio/atrac-x, audio/atrac3, audio/basic, audio/bv16, audio/bv32, audio/clearmode, audio/cn, audio/dat12, audio/dls, audio/dsr-es201108, audio/dsr-es202050, audio/dsr-es202211, audio/dsr-es202212, audio/dv, audio/dvi4, audio/eac3, audio/encaprtp, audio/evrc, audio/evrc-qcp, audio/evrc0, audio/evrc1, audio/evrcb, audio/evrcb0, audio/evrcb1, audio/evrcnw, audio/evrcnw0, audio/evrcnw1, audio/evrcwb, audio/evrcwb0, audio/evrcwb1, audio/evs, audio/flexfec, audio/fwdred, audio/g711-0, audio/g719, audio/g722, audio/g7221, audio/g723, audio/g726-16, audio/g726-24, audio/g726-32, audio/g726-40, audio/g728, audio/g729, audio/g7291, audio/g729d, audio/g729e, audio/gsm, audio/gsm-efr, audio/gsm-hr-08, audio/ilbc, audio/ip-mr_v2.5, audio/isac, audio/l16, audio/l20, audio/l24, audio/l8, audio/lpc, audio/melp, audio/melp1200, audio/melp2400, audio/melp600, audio/mhas, audio/midi, audio/mobile-xmf, audio/mp3, audio/mp4, audio/mp4a-latm, audio/mpa, audio/mpa-robust, audio/mpeg, audio/mpeg4-generic, audio/musepack, audio/ogg, audio/opus, audio/parityfec, audio/pcma, audio/pcma-wb, audio/pcmu, audio/pcmu-wb, audio/prs.sid, audio/qcelp, audio/raptorfec, audio/red, audio/rtp-enc-aescm128, audio/rtp-midi, audio/rtploopback, audio/rtx, audio/s3m, audio/scip, audio/silk, audio/smv, audio/smv-qcp, audio/smv0, audio/sofa, audio/sp-midi, audio/speex, audio/t140c, audio/t38, audio/telephone-event, audio/tetra_acelp, audio/tetra_acelp_bb, audio/tone, audio/tsvcis, audio/uemclip, audio/ulpfec, audio/usac, audio/vdvi, audio/vmr-wb, audio/vnd.3gpp.iufp, audio/vnd.4sb, audio/vnd.audiokoz, audio/vnd.celp, audio/vnd.cisco.nse, audio/vnd.cmles.radio-events, audio/vnd.cns.anp1, audio/vnd.cns.inf1, audio/vnd.dece.audio, audio/vnd.digital-winds, audio/vnd.dlna.adts, audio/vnd.dolby.heaac.1, audio/vnd.dolby.heaac.2, audio/vnd.dolby.mlp, audio/vnd.dolby.mps, audio/vnd.dolby.pl2, audio/vnd.dolby.pl2x, audio/vnd.dolby.pl2z, audio/vnd.dolby.pulse.1, audio/vnd.dra, audio/vnd.dts, audio/vnd.dts.hd, audio/vnd.dts.uhd, audio/vnd.dvb.file, audio/vnd.everad.plj, audio/vnd.hns.audio, audio/vnd.lucent.voice, audio/vnd.ms-playready.media.pya, audio/vnd.nokia.mobile-xmf, audio/vnd.nortel.vbk, audio/vnd.nuera.ecelp4800, audio/vnd.nuera.ecelp7470, audio/vnd.nuera.ecelp9600, audio/vnd.octel.sbc, audio/vnd.presonus.multitrack, audio/vnd.qcelp, audio/vnd.rhetorex.32kadpcm, audio/vnd.rip, audio/vnd.rn-realaudio, audio/vnd.sealedmedia.softseal.mpeg, audio/vnd.vmx.cvsd, audio/vnd.wave, audio/vorbis, audio/vorbis-config, audio/wav, audio/wave, audio/webm, audio/x-aac, audio/x-aiff, audio/x-caf, audio/x-flac, audio/x-m4a, audio/x-matroska, audio/x-mpegurl, audio/x-ms-wax, audio/x-ms-wma, audio/x-pn-realaudio, audio/x-pn-realaudio-plugin, audio/x-realaudio, audio/x-tta, audio/x-wav, audio/xm, chemical/x-cdx, chemical/x-cif, chemical/x-cmdf, chemical/x-cml, chemical/x-csml, chemical/x-pdb, chemical/x-xyz, font/collection, font/otf, font/sfnt, font/ttf, font/woff, font/woff2, image/aces, image/apng, image/avci, image/avcs, image/avif, image/bmp, image/cgm, image/dicom-rle, image/emf, image/fits, image/g3fax, image/gif, image/heic, image/heic-sequence, image/heif, image/heif-sequence, image/hej2k, image/hsj2, image/ief, image/jls, image/jp2, image/jpeg, image/jph, image/jphc, image/jpm, image/jpx, image/jxr, image/jxra, image/jxrs, image/jxs, image/jxsc, image/jxsi, image/jxss, image/ktx, image/ktx2, image/naplps, image/pjpeg, image/png, image/prs.btif, image/prs.pti, image/pwg-raster, image/sgi, image/svg+xml, image/t38, image/tiff, image/tiff-fx, image/vnd.adobe.photoshop, image/vnd.airzip.accelerator.azv, image/vnd.cns.inf2, image/vnd.dece.graphic, image/vnd.djvu, image/vnd.dvb.subtitle, image/vnd.dwg, image/vnd.dxf, image/vnd.fastbidsheet, image/vnd.fpx, image/vnd.fst, image/vnd.fujixerox.edmics-mmr, image/vnd.fujixerox.edmics-rlc, image/vnd.globalgraphics.pgb, image/vnd.microsoft.icon, image/vnd.mix, image/vnd.mozilla.apng, image/vnd.ms-dds, image/vnd.ms-modi, image/vnd.ms-photo, image/vnd.net-fpx, image/vnd.pco.b16, image/vnd.radiance, image/vnd.sealed.png, image/vnd.sealedmedia.softseal.gif, image/vnd.sealedmedia.softseal.jpg, image/vnd.svf, image/vnd.tencent.tap, image/vnd.valve.source.texture, image/vnd.wap.wbmp, image/vnd.xiff, image/vnd.zbrush.pcx, image/webp, image/wmf, image/x-3ds, image/x-cmu-raster, image/x-cmx, image/x-freehand, image/x-icon, image/x-jng, image/x-mrsid-image, image/x-ms-bmp, image/x-pcx, image/x-pict, image/x-portable-anymap, image/x-portable-bitmap, image/x-portable-graymap, image/x-portable-pixmap, image/x-rgb, image/x-tga, image/x-xbitmap, image/x-xcf, image/x-xpixmap, image/x-xwindowdump, message/cpim, message/delivery-status, message/disposition-notification, message/external-body, message/feedback-report, message/global, message/global-delivery-status, message/global-disposition-notification, message/global-headers, message/http, message/imdn+xml, message/news, message/partial, message/rfc822, message/s-http, message/sip, message/sipfrag, message/tracking-status, message/vnd.si.simp, message/vnd.wfa.wsc, model/3mf, model/e57, model/gltf+json, model/gltf-binary, model/iges, model/mesh, model/mtl, model/obj, model/step, model/step+xml, model/step+zip, model/step-xml+zip, model/stl, model/vnd.collada+xml, model/vnd.dwf, model/vnd.flatland.3dml, model/vnd.gdl, model/vnd.gs-gdl, model/vnd.gs.gdl, model/vnd.gtw, model/vnd.moml+xml, model/vnd.mts, model/vnd.opengex, model/vnd.parasolid.transmit.binary, model/vnd.parasolid.transmit.text, model/vnd.pytha.pyox, model/vnd.rosette.annotated-data-model, model/vnd.sap.vds, model/vnd.usdz+zip, model/vnd.valve.source.compiled-map, model/vnd.vtu, model/vrml, model/x3d+binary, model/x3d+fastinfoset, model/x3d+vrml, model/x3d+xml, model/x3d-vrml, multipart/alternative, multipart/appledouble, multipart/byteranges, multipart/digest, multipart/encrypted, multipart/form-data, multipart/header-set, multipart/mixed, multipart/multilingual, multipart/parallel, multipart/related, multipart/report, multipart/signed, multipart/vnd.bint.med-plus, multipart/voice-message, multipart/x-mixed-replace, text/1d-interleaved-parityfec, text/cache-manifest, text/calendar, text/calender, text/cmd, text/coffeescript, text/cql, text/cql-expression, text/cql-identifier, text/css, text/csv, text/csv-schema, text/directory, text/dns, text/ecmascript, text/encaprtp, text/enriched, text/fhirpath, text/flexfec, text/fwdred, text/gff3, text/grammar-ref-list, text/html, text/jade, text/javascript, text/jcr-cnd, text/jsx, text/less, text/markdown, text/mathml, text/mdx, text/mizar, text/n3, text/parameters, text/parityfec, text/plain, text/provenance-notation, text/prs.fallenstein.rst, text/prs.lines.tag, text/prs.prop.logic, text/raptorfec, text/red, text/rfc822-headers, text/richtext, text/rtf, text/rtp-enc-aescm128, text/rtploopback, text/rtx, text/sgml, text/shaclc, text/shex, text/slim, text/spdx, text/strings, text/stylus, text/t140, text/tab-separated-values, text/troff, text/turtle, text/ulpfec, text/uri-list, text/vcard, text/vnd.a, text/vnd.abc, text/vnd.ascii-art, text/vnd.curl, text/vnd.curl.dcurl, text/vnd.curl.mcurl, text/vnd.curl.scurl, text/vnd.debian.copyright, text/vnd.dmclientscript, text/vnd.dvb.subtitle, text/vnd.esmertec.theme-descriptor, text/vnd.familysearch.gedcom, text/vnd.ficlab.flt, text/vnd.fly, text/vnd.fmi.flexstor, text/vnd.gml, text/vnd.graphviz, text/vnd.hans, text/vnd.hgl, text/vnd.in3d.3dml, text/vnd.in3d.spot, text/vnd.iptc.newsml, text/vnd.iptc.nitf, text/vnd.latex-z, text/vnd.motorola.reflex, text/vnd.ms-mediapackage, text/vnd.net2phone.commcenter.command, text/vnd.radisys.msml-basic-layout, text/vnd.senx.warpscript, text/vnd.si.uricatalogue, text/vnd.sosi, text/vnd.sun.j2me.app-descriptor, text/vnd.trolltech.linguist, text/vnd.wap.si, text/vnd.wap.sl, text/vnd.wap.wml, text/vnd.wap.wmlscript, text/vtt, text/x-asm, text/x-c, text/x-component, text/x-fortran, text/x-gwt-rpc, text/x-handlebars-template, text/x-java-source, text/x-jquery-tmpl, text/x-lua, text/x-markdown, text/x-nfo, text/x-opml, text/x-org, text/x-pascal, text/x-processing, text/x-sass, text/x-scss, text/x-setext, text/x-sfv, text/x-suse-ymp, text/x-uuencode, text/x-vcalendar, text/x-vcard, text/xml, text/xml-external-parsed-entity, text/yaml, video/1d-interleaved-parityfec, video/3gpp, video/3gpp-tt, video/3gpp2, video/av1, video/bmpeg, video/bt656, video/celb, video/dv, video/encaprtp, video/ffv1, video/flexfec, video/h261, video/h263, video/h263-1998, video/h263-2000, video/h264, video/h264-rcdo, video/h264-svc, video/h265, video/iso.segment, video/jpeg, video/jpeg2000, video/jpm, video/jxsv, video/mj2, video/mp1s, video/mp2p, video/mp2t, video/mp4, video/mp4v-es, video/mpeg, video/mpeg4-generic, video/mpv, video/nv, video/ogg, video/parityfec, video/pointer, video/quicktime, video/raptorfec, video/raw, video/rtp-enc-aescm128, video/rtploopback, video/rtx, video/scip, video/smpte291, video/smpte292m, video/ulpfec, video/vc1, video/vc2, video/vnd.cctv, video/vnd.dece.hd, video/vnd.dece.mobile, video/vnd.dece.mp4, video/vnd.dece.pd, video/vnd.dece.sd, video/vnd.dece.video, video/vnd.directv.mpeg, video/vnd.directv.mpeg-tts, video/vnd.dlna.mpeg-tts, video/vnd.dvb.file, video/vnd.fvt, video/vnd.hns.video, video/vnd.iptvforum.1dparityfec-1010, video/vnd.iptvforum.1dparityfec-2005, video/vnd.iptvforum.2dparityfec-1010, video/vnd.iptvforum.2dparityfec-2005, video/vnd.iptvforum.ttsavc, video/vnd.iptvforum.ttsmpeg2, video/vnd.motorola.video, video/vnd.motorola.videop, video/vnd.mpegurl, video/vnd.ms-playready.media.pyv, video/vnd.nokia.interleaved-multimedia, video/vnd.nokia.mp4vr, video/vnd.nokia.videovoip, video/vnd.objectvideo, video/vnd.radgamettools.bink, video/vnd.radgamettools.smacker, video/vnd.sealed.mpeg1, video/vnd.sealed.mpeg4, video/vnd.sealed.swf, video/vnd.sealedmedia.softseal.mov, video/vnd.uvvu.mp4, video/vnd.vivo, video/vnd.youtube.yt, video/vp8, video/vp9, video/webm, video/x-f4v, video/x-fli, video/x-flv, video/x-m4v, video/x-matroska, video/x-mng, video/x-ms-asf, video/x-ms-vob, video/x-ms-wm, video/x-ms-wmv, video/x-ms-wmx, video/x-ms-wvx, video/x-msvideo, video/x-sgi-movie, video/x-smv, x-conference/x-cooltalk, x-shader/x-fragment, x-shader/x-vertex, default */
/***/ (function(module) {
eval("module.exports = JSON.parse(\"{\\\"application/1d-interleaved-parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/3gpdash-qoe-report+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/3gpp-ims+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/3gpphal+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/3gpphalforms+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/a2l\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/ace+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/activemessage\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/activity+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-costmap+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-costmapfilter+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-directory+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-endpointcost+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-endpointcostparams+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-endpointprop+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-endpointpropparams+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-error+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-networkmap+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-networkmapfilter+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-updatestreamcontrol+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/alto-updatestreamparams+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/aml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/andrew-inset\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ez\\\"]},\\\"application/applefile\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/applixware\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"aw\\\"]},\\\"application/at+jwt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/atf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/atfx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/atom+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"atom\\\"]},\\\"application/atomcat+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"atomcat\\\"]},\\\"application/atomdeleted+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"atomdeleted\\\"]},\\\"application/atomicmail\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/atomsvc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"atomsvc\\\"]},\\\"application/atsc-dwd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dwd\\\"]},\\\"application/atsc-dynamic-event-message\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/atsc-held+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"held\\\"]},\\\"application/atsc-rdt+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/atsc-rsat+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rsat\\\"]},\\\"application/atxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/auth-policy+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/bacnet-xdd+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/batch-smtp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/bdoc\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"bdoc\\\"]},\\\"application/beep+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/calendar+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/calendar+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xcs\\\"]},\\\"application/call-completion\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cals-1840\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/captive+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cbor-seq\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cccex\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/ccmp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/ccxml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ccxml\\\"]},\\\"application/cdfx+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"cdfx\\\"]},\\\"application/cdmi-capability\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdmia\\\"]},\\\"application/cdmi-container\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdmic\\\"]},\\\"application/cdmi-domain\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdmid\\\"]},\\\"application/cdmi-object\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdmio\\\"]},\\\"application/cdmi-queue\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdmiq\\\"]},\\\"application/cdni\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cea\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cea-2018+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/cellml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/cfw\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/city+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/clr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/clue+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/clue_info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/cms\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cnrp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/coap-group+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/coap-payload\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/commonground\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/conference-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/cose\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cose-key\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cose-key-set\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cpl+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"cpl\\\"]},\\\"application/csrattrs\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/csta+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/cstadata+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/csvm+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/cu-seeme\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cu\\\"]},\\\"application/cwt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/cybercash\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dart\\\":{\\\"compressible\\\":true},\\\"application/dash+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mpd\\\"]},\\\"application/dash-patch+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mpp\\\"]},\\\"application/dashdelta\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/davmount+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"davmount\\\"]},\\\"application/dca-rft\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dcd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dec-dx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dialog-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/dicom\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dicom+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/dicom+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/dii\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dit\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dns\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dns+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/dns-message\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/docbook+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dbk\\\"]},\\\"application/dots+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/dskpp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/dssc+der\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dssc\\\"]},\\\"application/dssc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xdssc\\\"]},\\\"application/dvcs\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/ecmascript\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"es\\\",\\\"ecma\\\"]},\\\"application/edi-consent\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/edi-x12\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/edifact\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/efi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/elm+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/elm+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.cap+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.comment+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.control+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.deviceinfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.ecall.msd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/emergencycalldata.providerinfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.serviceinfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.subscriberinfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emergencycalldata.veds+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/emma+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"emma\\\"]},\\\"application/emotionml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"emotionml\\\"]},\\\"application/encaprtp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/epp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/epub+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"epub\\\"]},\\\"application/eshop\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/exi\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"exi\\\"]},\\\"application/expect-ct-report+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/express\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"exp\\\"]},\\\"application/fastinfoset\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/fastsoap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/fdt+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"fdt\\\"]},\\\"application/fhir+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/fhir+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/fido.trusted-apps+json\\\":{\\\"compressible\\\":true},\\\"application/fits\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/flexfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/font-sfnt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/font-tdpfr\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pfr\\\"]},\\\"application/font-woff\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/framework-attributes+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/geo+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"geojson\\\"]},\\\"application/geo+json-seq\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/geopackage+sqlite3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/geoxacml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/gltf-buffer\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/gml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"gml\\\"]},\\\"application/gpx+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"gpx\\\"]},\\\"application/gxf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"gxf\\\"]},\\\"application/gzip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"gz\\\"]},\\\"application/h224\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/held+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/hjson\\\":{\\\"extensions\\\":[\\\"hjson\\\"]},\\\"application/http\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/hyperstudio\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"stk\\\"]},\\\"application/ibe-key-request+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/ibe-pkg-reply+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/ibe-pp-data\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/iges\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/im-iscomposing+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/index\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/index.cmd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/index.obj\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/index.response\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/index.vnd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/inkml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ink\\\",\\\"inkml\\\"]},\\\"application/iotp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/ipfix\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ipfix\\\"]},\\\"application/ipp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/isup\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/its+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"its\\\"]},\\\"application/java-archive\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"jar\\\",\\\"war\\\",\\\"ear\\\"]},\\\"application/java-serialized-object\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"ser\\\"]},\\\"application/java-vm\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"class\\\"]},\\\"application/javascript\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"js\\\",\\\"mjs\\\"]},\\\"application/jf2feed+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/jose\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/jose+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/jrd+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/jscalendar+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/json\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"json\\\",\\\"map\\\"]},\\\"application/json-patch+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/json-seq\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/json5\\\":{\\\"extensions\\\":[\\\"json5\\\"]},\\\"application/jsonml+json\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"jsonml\\\"]},\\\"application/jwk+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/jwk-set+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/jwt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/kpml-request+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/kpml-response+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/ld+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"jsonld\\\"]},\\\"application/lgr+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"lgr\\\"]},\\\"application/link-format\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/load-control+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/lost+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"lostxml\\\"]},\\\"application/lostsync+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/lpf+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/lxf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mac-binhex40\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hqx\\\"]},\\\"application/mac-compactpro\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cpt\\\"]},\\\"application/macwriteii\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mads+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mads\\\"]},\\\"application/manifest+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"webmanifest\\\"]},\\\"application/marc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mrc\\\"]},\\\"application/marcxml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mrcx\\\"]},\\\"application/mathematica\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ma\\\",\\\"nb\\\",\\\"mb\\\"]},\\\"application/mathml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mathml\\\"]},\\\"application/mathml-content+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mathml-presentation+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-associated-procedure-description+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-deregister+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-envelope+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-msk+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-msk-response+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-protection-description+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-reception-report+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-register+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-register-response+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-schedule+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbms-user-service-description+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mbox\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mbox\\\"]},\\\"application/media-policy-dataset+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mpf\\\"]},\\\"application/media_control+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mediaservercontrol+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mscml\\\"]},\\\"application/merge-patch+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/metalink+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"metalink\\\"]},\\\"application/metalink4+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"meta4\\\"]},\\\"application/mets+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mets\\\"]},\\\"application/mf4\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mikey\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mipc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/missing-blocks+cbor-seq\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mmt-aei+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"maei\\\"]},\\\"application/mmt-usd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"musd\\\"]},\\\"application/mods+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mods\\\"]},\\\"application/moss-keys\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/moss-signature\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mosskey-data\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mosskey-request\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mp21\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"m21\\\",\\\"mp21\\\"]},\\\"application/mp4\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mp4s\\\",\\\"m4p\\\"]},\\\"application/mpeg4-generic\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mpeg4-iod\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mpeg4-iod-xmt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mrb-consumer+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/mrb-publish+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/msc-ivr+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/msc-mixer+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/msword\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"doc\\\",\\\"dot\\\"]},\\\"application/mud+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/multipart-core\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/mxf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mxf\\\"]},\\\"application/n-quads\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nq\\\"]},\\\"application/n-triples\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nt\\\"]},\\\"application/nasdata\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/news-checkgroups\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"US-ASCII\\\"},\\\"application/news-groupinfo\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"US-ASCII\\\"},\\\"application/news-transmission\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/nlsml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/node\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cjs\\\"]},\\\"application/nss\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/oauth-authz-req+jwt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/oblivious-dns-message\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/ocsp-request\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/ocsp-response\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/octet-stream\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"bin\\\",\\\"dms\\\",\\\"lrf\\\",\\\"mar\\\",\\\"so\\\",\\\"dist\\\",\\\"distz\\\",\\\"pkg\\\",\\\"bpk\\\",\\\"dump\\\",\\\"elc\\\",\\\"deploy\\\",\\\"exe\\\",\\\"dll\\\",\\\"deb\\\",\\\"dmg\\\",\\\"iso\\\",\\\"img\\\",\\\"msi\\\",\\\"msp\\\",\\\"msm\\\",\\\"buffer\\\"]},\\\"application/oda\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"oda\\\"]},\\\"application/odm+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/odx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/oebps-package+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"opf\\\"]},\\\"application/ogg\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"ogx\\\"]},\\\"application/omdoc+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"omdoc\\\"]},\\\"application/onenote\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"onetoc\\\",\\\"onetoc2\\\",\\\"onetmp\\\",\\\"onepkg\\\"]},\\\"application/opc-nodeset+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/oscore\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/oxps\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"oxps\\\"]},\\\"application/p21\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/p21+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/p2p-overlay+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"relo\\\"]},\\\"application/parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/passport\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/patch-ops-error+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xer\\\"]},\\\"application/pdf\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"pdf\\\"]},\\\"application/pdx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/pem-certificate-chain\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/pgp-encrypted\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"pgp\\\"]},\\\"application/pgp-keys\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"asc\\\"]},\\\"application/pgp-signature\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"asc\\\",\\\"sig\\\"]},\\\"application/pics-rules\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"prf\\\"]},\\\"application/pidf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/pidf-diff+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/pkcs10\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"p10\\\"]},\\\"application/pkcs12\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/pkcs7-mime\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"p7m\\\",\\\"p7c\\\"]},\\\"application/pkcs7-signature\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"p7s\\\"]},\\\"application/pkcs8\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"p8\\\"]},\\\"application/pkcs8-encrypted\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/pkix-attr-cert\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ac\\\"]},\\\"application/pkix-cert\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cer\\\"]},\\\"application/pkix-crl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"crl\\\"]},\\\"application/pkix-pkipath\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pkipath\\\"]},\\\"application/pkixcmp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pki\\\"]},\\\"application/pls+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"pls\\\"]},\\\"application/poc-settings+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/postscript\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ai\\\",\\\"eps\\\",\\\"ps\\\"]},\\\"application/ppsp-tracker+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/problem+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/problem+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/provenance+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"provx\\\"]},\\\"application/prs.alvestrand.titrax-sheet\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/prs.cww\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cww\\\"]},\\\"application/prs.cyn\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"7-BIT\\\"},\\\"application/prs.hpub+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/prs.nprend\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/prs.plucker\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/prs.rdf-xml-crypt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/prs.xsf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/pskc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"pskcxml\\\"]},\\\"application/pvd+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/qsig\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/raml+yaml\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"raml\\\"]},\\\"application/raptorfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/rdap+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/rdf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rdf\\\",\\\"owl\\\"]},\\\"application/reginfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rif\\\"]},\\\"application/relax-ng-compact-syntax\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rnc\\\"]},\\\"application/remote-printing\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/reputon+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/resource-lists+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rl\\\"]},\\\"application/resource-lists-diff+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rld\\\"]},\\\"application/rfc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/riscos\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/rlmi+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/rls-services+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rs\\\"]},\\\"application/route-apd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rapd\\\"]},\\\"application/route-s-tsid+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"sls\\\"]},\\\"application/route-usd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rusd\\\"]},\\\"application/rpki-ghostbusters\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gbr\\\"]},\\\"application/rpki-manifest\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mft\\\"]},\\\"application/rpki-publication\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/rpki-roa\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"roa\\\"]},\\\"application/rpki-updown\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/rsd+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rsd\\\"]},\\\"application/rss+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rss\\\"]},\\\"application/rtf\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rtf\\\"]},\\\"application/rtploopback\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/rtx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/samlassertion+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/samlmetadata+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/sarif+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/sarif-external-properties+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/sbe\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/sbml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"sbml\\\"]},\\\"application/scaip+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/scim+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/scvp-cv-request\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"scq\\\"]},\\\"application/scvp-cv-response\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"scs\\\"]},\\\"application/scvp-vp-request\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"spq\\\"]},\\\"application/scvp-vp-response\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"spp\\\"]},\\\"application/sdp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sdp\\\"]},\\\"application/secevent+jwt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/senml+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/senml+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/senml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"senmlx\\\"]},\\\"application/senml-etch+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/senml-etch+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/senml-exi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/sensml+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/sensml+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/sensml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"sensmlx\\\"]},\\\"application/sensml-exi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/sep+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/sep-exi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/session-info\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/set-payment\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/set-payment-initiation\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"setpay\\\"]},\\\"application/set-registration\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/set-registration-initiation\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"setreg\\\"]},\\\"application/sgml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/sgml-open-catalog\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/shf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"shf\\\"]},\\\"application/sieve\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"siv\\\",\\\"sieve\\\"]},\\\"application/simple-filter+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/simple-message-summary\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/simplesymbolcontainer\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/sipc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/slate\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/smil\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/smil+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"smi\\\",\\\"smil\\\"]},\\\"application/smpte336m\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/soap+fastinfoset\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/soap+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/sparql-query\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rq\\\"]},\\\"application/sparql-results+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"srx\\\"]},\\\"application/spdx+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/spirits-event+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/sql\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/srgs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gram\\\"]},\\\"application/srgs+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"grxml\\\"]},\\\"application/sru+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"sru\\\"]},\\\"application/ssdl+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ssdl\\\"]},\\\"application/ssml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ssml\\\"]},\\\"application/stix+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/swid+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"swidtag\\\"]},\\\"application/tamp-apex-update\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-apex-update-confirm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-community-update\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-community-update-confirm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-error\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-sequence-adjust\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-sequence-adjust-confirm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-status-query\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-status-response\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-update\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tamp-update-confirm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tar\\\":{\\\"compressible\\\":true},\\\"application/taxii+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/td+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/tei+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"tei\\\",\\\"teicorpus\\\"]},\\\"application/tetra_isi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/thraud+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"tfi\\\"]},\\\"application/timestamp-query\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/timestamp-reply\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/timestamped-data\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tsd\\\"]},\\\"application/tlsrpt+gzip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tlsrpt+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/tnauthlist\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/token-introspection+jwt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/toml\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"toml\\\"]},\\\"application/trickle-ice-sdpfrag\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/trig\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"trig\\\"]},\\\"application/ttml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ttml\\\"]},\\\"application/tve-trigger\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tzif\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/tzif-leap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/ubjson\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"ubj\\\"]},\\\"application/ulpfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/urc-grpsheet+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/urc-ressheet+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rsheet\\\"]},\\\"application/urc-targetdesc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"td\\\"]},\\\"application/urc-uisocketdesc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vcard+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vcard+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vemmi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vividence.scriptfile\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/vnd.1000minds.decision-model+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"1km\\\"]},\\\"application/vnd.3gpp-prose+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp-prose-pc3ch+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp-v2x-local-service-information\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.5gnas\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.access-transfer-events+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.bsf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.gmop+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.gtpc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.interworking-data\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.lpp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.mc-signalling-ear\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.mcdata-affiliation-command+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcdata-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcdata-payload\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.mcdata-service-config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcdata-signalling\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.mcdata-ue-config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcdata-user-profile+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-affiliation-command+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-floor-request+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-location-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-mbms-usage-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-service-config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-signed+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-ue-config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-ue-init-config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcptt-user-profile+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-affiliation-command+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-affiliation-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-location-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-mbms-usage-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-service-config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-transmission-request+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-ue-config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mcvideo-user-profile+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.mid-call+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.ngap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.pfcp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.pic-bw-large\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"plb\\\"]},\\\"application/vnd.3gpp.pic-bw-small\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"psb\\\"]},\\\"application/vnd.3gpp.pic-bw-var\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pvb\\\"]},\\\"application/vnd.3gpp.s1ap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.sms\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp.sms+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.srvcc-ext+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.srvcc-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.state-and-event-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp.ussd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp2.bcmcsinfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.3gpp2.sms\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3gpp2.tcap\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tcap\\\"]},\\\"application/vnd.3lightssoftware.imagescal\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.3m.post-it-notes\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pwn\\\"]},\\\"application/vnd.accpac.simply.aso\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"aso\\\"]},\\\"application/vnd.accpac.simply.imp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"imp\\\"]},\\\"application/vnd.acucobol\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"acu\\\"]},\\\"application/vnd.acucorp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"atc\\\",\\\"acutc\\\"]},\\\"application/vnd.adobe.air-application-installer-package+zip\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"air\\\"]},\\\"application/vnd.adobe.flash.movie\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.adobe.formscentral.fcdt\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fcdt\\\"]},\\\"application/vnd.adobe.fxp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fxp\\\",\\\"fxpl\\\"]},\\\"application/vnd.adobe.partial-upload\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.adobe.xdp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xdp\\\"]},\\\"application/vnd.adobe.xfdf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xfdf\\\"]},\\\"application/vnd.aether.imp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.afplinedata\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.afplinedata-pagedef\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.cmoca-cmresource\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.foca-charset\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.foca-codedfont\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.foca-codepage\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.modca\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.modca-cmtable\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.modca-formdef\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.modca-mediummap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.modca-objectcontainer\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.modca-overlay\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.afpc.modca-pagesegment\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.age\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"age\\\"]},\\\"application/vnd.ah-barcode\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ahead.space\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ahead\\\"]},\\\"application/vnd.airzip.filesecure.azf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"azf\\\"]},\\\"application/vnd.airzip.filesecure.azs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"azs\\\"]},\\\"application/vnd.amadeus+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.amazon.ebook\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"azw\\\"]},\\\"application/vnd.amazon.mobi8-ebook\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.americandynamics.acc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"acc\\\"]},\\\"application/vnd.amiga.ami\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ami\\\"]},\\\"application/vnd.amundsen.maze+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.android.ota\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.android.package-archive\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"apk\\\"]},\\\"application/vnd.anki\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.anser-web-certificate-issue-initiation\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cii\\\"]},\\\"application/vnd.anser-web-funds-transfer-initiation\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"fti\\\"]},\\\"application/vnd.antix.game-component\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"atx\\\"]},\\\"application/vnd.apache.arrow.file\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.apache.arrow.stream\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.apache.thrift.binary\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.apache.thrift.compact\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.apache.thrift.json\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.api+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.aplextor.warrp+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.apothekende.reservation+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.apple.installer+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mpkg\\\"]},\\\"application/vnd.apple.keynote\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"key\\\"]},\\\"application/vnd.apple.mpegurl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"m3u8\\\"]},\\\"application/vnd.apple.numbers\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"numbers\\\"]},\\\"application/vnd.apple.pages\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pages\\\"]},\\\"application/vnd.apple.pkpass\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"pkpass\\\"]},\\\"application/vnd.arastra.swi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.aristanetworks.swi\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"swi\\\"]},\\\"application/vnd.artisan+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.artsquare\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.astraea-software.iota\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"iota\\\"]},\\\"application/vnd.audiograph\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"aep\\\"]},\\\"application/vnd.autopackage\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.avalon+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.avistar+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.balsamiq.bmml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"bmml\\\"]},\\\"application/vnd.balsamiq.bmpr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.banana-accounting\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.bbf.usp.error\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.bbf.usp.msg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.bbf.usp.msg+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.bekitzur-stech+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.bint.med-content\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.biopax.rdf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.blink-idb-value-wrapper\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.blueice.multipass\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mpm\\\"]},\\\"application/vnd.bluetooth.ep.oob\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.bluetooth.le.oob\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.bmi\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"bmi\\\"]},\\\"application/vnd.bpf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.bpf3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.businessobjects\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rep\\\"]},\\\"application/vnd.byu.uapi+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.cab-jscript\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.canon-cpdl\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.canon-lips\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.capasystems-pg+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.cendio.thinlinc.clientconf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.century-systems.tcp_stream\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.chemdraw+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"cdxml\\\"]},\\\"application/vnd.chess-pgn\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.chipnuts.karaoke-mmd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mmd\\\"]},\\\"application/vnd.ciedi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.cinderella\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdy\\\"]},\\\"application/vnd.cirpack.isdn-ext\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.citationstyles.style+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"csl\\\"]},\\\"application/vnd.claymore\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cla\\\"]},\\\"application/vnd.cloanto.rp9\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rp9\\\"]},\\\"application/vnd.clonk.c4group\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"c4g\\\",\\\"c4d\\\",\\\"c4f\\\",\\\"c4p\\\",\\\"c4u\\\"]},\\\"application/vnd.cluetrust.cartomobile-config\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"c11amc\\\"]},\\\"application/vnd.cluetrust.cartomobile-config-pkg\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"c11amz\\\"]},\\\"application/vnd.coffeescript\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.collabio.xodocuments.document\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.collabio.xodocuments.document-template\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.collabio.xodocuments.presentation\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.collabio.xodocuments.presentation-template\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.collabio.xodocuments.spreadsheet\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.collabio.xodocuments.spreadsheet-template\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.collection+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.collection.doc+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.collection.next+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.comicbook+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.comicbook-rar\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.commerce-battelle\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.commonspace\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"csp\\\"]},\\\"application/vnd.contact.cmsg\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdbcmsg\\\"]},\\\"application/vnd.coreos.ignition+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.cosmocaller\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cmc\\\"]},\\\"application/vnd.crick.clicker\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"clkx\\\"]},\\\"application/vnd.crick.clicker.keyboard\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"clkk\\\"]},\\\"application/vnd.crick.clicker.palette\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"clkp\\\"]},\\\"application/vnd.crick.clicker.template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"clkt\\\"]},\\\"application/vnd.crick.clicker.wordbank\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"clkw\\\"]},\\\"application/vnd.criticaltools.wbs+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"wbs\\\"]},\\\"application/vnd.cryptii.pipe+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.crypto-shade-file\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.cryptomator.encrypted\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.cryptomator.vault\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ctc-posml\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pml\\\"]},\\\"application/vnd.ctct.ws+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.cups-pdf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.cups-postscript\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.cups-ppd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ppd\\\"]},\\\"application/vnd.cups-raster\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.cups-raw\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.curl\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.curl.car\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"car\\\"]},\\\"application/vnd.curl.pcurl\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pcurl\\\"]},\\\"application/vnd.cyan.dean.root+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.cybank\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.cyclonedx+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.cyclonedx+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.d2l.coursepackage1p0+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.d3m-dataset\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.d3m-problem\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dart\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dart\\\"]},\\\"application/vnd.data-vision.rdz\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rdz\\\"]},\\\"application/vnd.datapackage+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dataresource+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dbf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dbf\\\"]},\\\"application/vnd.debian.binary-package\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dece.data\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvf\\\",\\\"uvvf\\\",\\\"uvd\\\",\\\"uvvd\\\"]},\\\"application/vnd.dece.ttml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"uvt\\\",\\\"uvvt\\\"]},\\\"application/vnd.dece.unspecified\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvx\\\",\\\"uvvx\\\"]},\\\"application/vnd.dece.zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvz\\\",\\\"uvvz\\\"]},\\\"application/vnd.denovo.fcselayout-link\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fe_launch\\\"]},\\\"application/vnd.desmume.movie\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dir-bi.plate-dl-nosuffix\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dm.delegation+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dna\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dna\\\"]},\\\"application/vnd.document+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dolby.mlp\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mlp\\\"]},\\\"application/vnd.dolby.mobile.1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dolby.mobile.2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.doremir.scorecloud-binary-document\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dpgraph\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dpg\\\"]},\\\"application/vnd.dreamfactory\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dfac\\\"]},\\\"application/vnd.drive+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ds-keypoint\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"kpxx\\\"]},\\\"application/vnd.dtg.local\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dtg.local.flash\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dtg.local.html\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.ait\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ait\\\"]},\\\"application/vnd.dvb.dvbisl+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.dvbj\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.esgcontainer\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.ipdcdftnotifaccess\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.ipdcesgaccess\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.ipdcesgaccess2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.ipdcesgpdd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.ipdcroaming\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.iptv.alfec-base\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.iptv.alfec-enhancement\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.notif-aggregate-root+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.notif-container+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.notif-generic+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.notif-ia-msglist+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.notif-ia-registration-request+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.notif-ia-registration-response+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.notif-init+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.dvb.pfr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dvb.service\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"svc\\\"]},\\\"application/vnd.dxr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.dynageo\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"geo\\\"]},\\\"application/vnd.dzr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.easykaraoke.cdgdownload\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ecdis-update\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ecip.rlp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.eclipse.ditto+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ecowin.chart\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mag\\\"]},\\\"application/vnd.ecowin.filerequest\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ecowin.fileupdate\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ecowin.series\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ecowin.seriesrequest\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ecowin.seriesupdate\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.efi.img\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.efi.iso\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.emclient.accessrequest+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.enliven\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nml\\\"]},\\\"application/vnd.enphase.envoy\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.eprints.data+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.epson.esf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"esf\\\"]},\\\"application/vnd.epson.msf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"msf\\\"]},\\\"application/vnd.epson.quickanime\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"qam\\\"]},\\\"application/vnd.epson.salt\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"slt\\\"]},\\\"application/vnd.epson.ssf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ssf\\\"]},\\\"application/vnd.ericsson.quickcall\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.espass-espass+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.eszigno3+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"es3\\\",\\\"et3\\\"]},\\\"application/vnd.etsi.aoc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.asic-e+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.etsi.asic-s+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.etsi.cug+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvcommand+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvdiscovery+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvprofile+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvsad-bc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvsad-cod+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvsad-npvr+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvservice+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvsync+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.iptvueprofile+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.mcid+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.mheg5\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.etsi.overload-control-policy-dataset+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.pstn+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.sci+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.simservs+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.timestamp-token\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.etsi.tsl+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.etsi.tsl.der\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.eu.kasparian.car+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.eudora.data\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.evolv.ecig.profile\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.evolv.ecig.settings\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.evolv.ecig.theme\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.exstream-empower+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.exstream-package\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ezpix-album\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ez2\\\"]},\\\"application/vnd.ezpix-package\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ez3\\\"]},\\\"application/vnd.f-secure.mobile\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.familysearch.gedcom+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.fastcopy-disk-image\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fdf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fdf\\\"]},\\\"application/vnd.fdsn.mseed\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mseed\\\"]},\\\"application/vnd.fdsn.seed\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"seed\\\",\\\"dataless\\\"]},\\\"application/vnd.ffsns\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ficlab.flb+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.filmit.zfc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fints\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.firemonkeys.cloudcell\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.flographit\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gph\\\"]},\\\"application/vnd.fluxtime.clip\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ftc\\\"]},\\\"application/vnd.font-fontforge-sfd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.framemaker\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fm\\\",\\\"frame\\\",\\\"maker\\\",\\\"book\\\"]},\\\"application/vnd.frogans.fnc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fnc\\\"]},\\\"application/vnd.frogans.ltf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ltf\\\"]},\\\"application/vnd.fsc.weblaunch\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fsc\\\"]},\\\"application/vnd.fujifilm.fb.docuworks\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fujifilm.fb.docuworks.binder\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fujifilm.fb.docuworks.container\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fujifilm.fb.jfi+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.fujitsu.oasys\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"oas\\\"]},\\\"application/vnd.fujitsu.oasys2\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"oa2\\\"]},\\\"application/vnd.fujitsu.oasys3\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"oa3\\\"]},\\\"application/vnd.fujitsu.oasysgp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fg5\\\"]},\\\"application/vnd.fujitsu.oasysprs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"bh2\\\"]},\\\"application/vnd.fujixerox.art-ex\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fujixerox.art4\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fujixerox.ddd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ddd\\\"]},\\\"application/vnd.fujixerox.docuworks\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xdw\\\"]},\\\"application/vnd.fujixerox.docuworks.binder\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xbd\\\"]},\\\"application/vnd.fujixerox.docuworks.container\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fujixerox.hbpl\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.fut-misnet\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.futoin+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.futoin+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.fuzzysheet\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fzs\\\"]},\\\"application/vnd.genomatix.tuxedo\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"txd\\\"]},\\\"application/vnd.gentics.grd+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.geo+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.geocube+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.geogebra.file\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ggb\\\"]},\\\"application/vnd.geogebra.slides\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.geogebra.tool\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ggt\\\"]},\\\"application/vnd.geometry-explorer\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gex\\\",\\\"gre\\\"]},\\\"application/vnd.geonext\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gxt\\\"]},\\\"application/vnd.geoplan\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"g2w\\\"]},\\\"application/vnd.geospace\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"g3w\\\"]},\\\"application/vnd.gerber\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.globalplatform.card-content-mgt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.globalplatform.card-content-mgt-response\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.gmx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gmx\\\"]},\\\"application/vnd.google-apps.document\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"gdoc\\\"]},\\\"application/vnd.google-apps.presentation\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"gslides\\\"]},\\\"application/vnd.google-apps.spreadsheet\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"gsheet\\\"]},\\\"application/vnd.google-earth.kml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"kml\\\"]},\\\"application/vnd.google-earth.kmz\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"kmz\\\"]},\\\"application/vnd.gov.sk.e-form+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.gov.sk.e-form+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.gov.sk.xmldatacontainer+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.grafeq\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gqf\\\",\\\"gqs\\\"]},\\\"application/vnd.gridmp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.groove-account\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gac\\\"]},\\\"application/vnd.groove-help\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ghf\\\"]},\\\"application/vnd.groove-identity-message\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gim\\\"]},\\\"application/vnd.groove-injector\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"grv\\\"]},\\\"application/vnd.groove-tool-message\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gtm\\\"]},\\\"application/vnd.groove-tool-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tpl\\\"]},\\\"application/vnd.groove-vcard\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vcg\\\"]},\\\"application/vnd.hal+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.hal+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"hal\\\"]},\\\"application/vnd.handheld-entertainment+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"zmm\\\"]},\\\"application/vnd.hbci\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hbci\\\"]},\\\"application/vnd.hc+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.hcl-bireports\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.hdt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.heroku+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.hhe.lesson-player\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"les\\\"]},\\\"application/vnd.hl7cda+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/vnd.hl7v2+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/vnd.hp-hpgl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hpgl\\\"]},\\\"application/vnd.hp-hpid\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hpid\\\"]},\\\"application/vnd.hp-hps\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hps\\\"]},\\\"application/vnd.hp-jlyt\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jlt\\\"]},\\\"application/vnd.hp-pcl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pcl\\\"]},\\\"application/vnd.hp-pclxl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pclxl\\\"]},\\\"application/vnd.httphone\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.hydrostatix.sof-data\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sfd-hdstx\\\"]},\\\"application/vnd.hyper+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.hyper-item+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.hyperdrive+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.hzn-3d-crossword\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ibm.afplinedata\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ibm.electronic-media\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ibm.minipay\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mpy\\\"]},\\\"application/vnd.ibm.modcap\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"afp\\\",\\\"listafp\\\",\\\"list3820\\\"]},\\\"application/vnd.ibm.rights-management\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"irm\\\"]},\\\"application/vnd.ibm.secure-container\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sc\\\"]},\\\"application/vnd.iccprofile\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"icc\\\",\\\"icm\\\"]},\\\"application/vnd.ieee.1905\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.igloader\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"igl\\\"]},\\\"application/vnd.imagemeter.folder+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.imagemeter.image+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.immervision-ivp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ivp\\\"]},\\\"application/vnd.immervision-ivu\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ivu\\\"]},\\\"application/vnd.ims.imsccv1p1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ims.imsccv1p2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ims.imsccv1p3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ims.lis.v2.result+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ims.lti.v2.toolconsumerprofile+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ims.lti.v2.toolproxy+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ims.lti.v2.toolproxy.id+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ims.lti.v2.toolsettings+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ims.lti.v2.toolsettings.simple+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.informedcontrol.rms+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.informix-visionary\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.infotech.project\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.infotech.project+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.innopath.wamp.notification\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.insors.igm\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"igm\\\"]},\\\"application/vnd.intercon.formnet\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xpw\\\",\\\"xpx\\\"]},\\\"application/vnd.intergeo\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"i2g\\\"]},\\\"application/vnd.intertrust.digibox\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.intertrust.nncp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.intu.qbo\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"qbo\\\"]},\\\"application/vnd.intu.qfx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"qfx\\\"]},\\\"application/vnd.iptc.g2.catalogitem+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.iptc.g2.conceptitem+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.iptc.g2.knowledgeitem+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.iptc.g2.newsitem+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.iptc.g2.newsmessage+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.iptc.g2.packageitem+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.iptc.g2.planningitem+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ipunplugged.rcprofile\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rcprofile\\\"]},\\\"application/vnd.irepository.package+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"irp\\\"]},\\\"application/vnd.is-xpr\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xpr\\\"]},\\\"application/vnd.isac.fcs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fcs\\\"]},\\\"application/vnd.iso11783-10+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.jam\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jam\\\"]},\\\"application/vnd.japannet-directory-service\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.japannet-jpnstore-wakeup\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.japannet-payment-wakeup\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.japannet-registration\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.japannet-registration-wakeup\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.japannet-setstore-wakeup\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.japannet-verification\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.japannet-verification-wakeup\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.jcp.javame.midlet-rms\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rms\\\"]},\\\"application/vnd.jisp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jisp\\\"]},\\\"application/vnd.joost.joda-archive\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"joda\\\"]},\\\"application/vnd.jsk.isdn-ngn\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.kahootz\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ktz\\\",\\\"ktr\\\"]},\\\"application/vnd.kde.karbon\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"karbon\\\"]},\\\"application/vnd.kde.kchart\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"chrt\\\"]},\\\"application/vnd.kde.kformula\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"kfo\\\"]},\\\"application/vnd.kde.kivio\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"flw\\\"]},\\\"application/vnd.kde.kontour\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"kon\\\"]},\\\"application/vnd.kde.kpresenter\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"kpr\\\",\\\"kpt\\\"]},\\\"application/vnd.kde.kspread\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ksp\\\"]},\\\"application/vnd.kde.kword\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"kwd\\\",\\\"kwt\\\"]},\\\"application/vnd.kenameaapp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"htke\\\"]},\\\"application/vnd.kidspiration\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"kia\\\"]},\\\"application/vnd.kinar\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"kne\\\",\\\"knp\\\"]},\\\"application/vnd.koan\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"skp\\\",\\\"skd\\\",\\\"skt\\\",\\\"skm\\\"]},\\\"application/vnd.kodak-descriptor\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sse\\\"]},\\\"application/vnd.las\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.las.las+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.las.las+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"lasxml\\\"]},\\\"application/vnd.laszip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.leap+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.liberty-request+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.llamagraphics.life-balance.desktop\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"lbd\\\"]},\\\"application/vnd.llamagraphics.life-balance.exchange+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"lbe\\\"]},\\\"application/vnd.logipipe.circuit+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.loom\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.lotus-1-2-3\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"123\\\"]},\\\"application/vnd.lotus-approach\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"apr\\\"]},\\\"application/vnd.lotus-freelance\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pre\\\"]},\\\"application/vnd.lotus-notes\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nsf\\\"]},\\\"application/vnd.lotus-organizer\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"org\\\"]},\\\"application/vnd.lotus-screencam\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"scm\\\"]},\\\"application/vnd.lotus-wordpro\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"lwp\\\"]},\\\"application/vnd.macports.portpkg\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"portpkg\\\"]},\\\"application/vnd.mapbox-vector-tile\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mvt\\\"]},\\\"application/vnd.marlin.drm.actiontoken+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.marlin.drm.conftoken+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.marlin.drm.license+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.marlin.drm.mdcf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.mason+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.maxar.archive.3tz+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"application/vnd.maxmind.maxmind-db\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.mcd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mcd\\\"]},\\\"application/vnd.medcalcdata\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mc1\\\"]},\\\"application/vnd.mediastation.cdkey\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cdkey\\\"]},\\\"application/vnd.meridian-slingshot\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.mfer\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mwf\\\"]},\\\"application/vnd.mfmp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mfm\\\"]},\\\"application/vnd.micro+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.micrografx.flo\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"flo\\\"]},\\\"application/vnd.micrografx.igx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"igx\\\"]},\\\"application/vnd.microsoft.portable-executable\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.microsoft.windows.thumbnail-cache\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.miele+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.mif\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mif\\\"]},\\\"application/vnd.minisoft-hp3000-save\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.mitsubishi.misty-guard.trustweb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.mobius.daf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"daf\\\"]},\\\"application/vnd.mobius.dis\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dis\\\"]},\\\"application/vnd.mobius.mbk\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mbk\\\"]},\\\"application/vnd.mobius.mqy\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mqy\\\"]},\\\"application/vnd.mobius.msl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"msl\\\"]},\\\"application/vnd.mobius.plc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"plc\\\"]},\\\"application/vnd.mobius.txf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"txf\\\"]},\\\"application/vnd.mophun.application\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mpn\\\"]},\\\"application/vnd.mophun.certificate\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mpc\\\"]},\\\"application/vnd.motorola.flexsuite\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.motorola.flexsuite.adsi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.motorola.flexsuite.fis\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.motorola.flexsuite.gotap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.motorola.flexsuite.kmr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.motorola.flexsuite.ttc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.motorola.flexsuite.wem\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.motorola.iprm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.mozilla.xul+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xul\\\"]},\\\"application/vnd.ms-3mfdocument\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-artgalry\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cil\\\"]},\\\"application/vnd.ms-asf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-cab-compressed\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cab\\\"]},\\\"application/vnd.ms-color.iccprofile\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/vnd.ms-excel\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"xls\\\",\\\"xlm\\\",\\\"xla\\\",\\\"xlc\\\",\\\"xlt\\\",\\\"xlw\\\"]},\\\"application/vnd.ms-excel.addin.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xlam\\\"]},\\\"application/vnd.ms-excel.sheet.binary.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xlsb\\\"]},\\\"application/vnd.ms-excel.sheet.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xlsm\\\"]},\\\"application/vnd.ms-excel.template.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xltm\\\"]},\\\"application/vnd.ms-fontobject\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"eot\\\"]},\\\"application/vnd.ms-htmlhelp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"chm\\\"]},\\\"application/vnd.ms-ims\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ims\\\"]},\\\"application/vnd.ms-lrm\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"lrm\\\"]},\\\"application/vnd.ms-office.activex+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ms-officetheme\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"thmx\\\"]},\\\"application/vnd.ms-opentype\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true},\\\"application/vnd.ms-outlook\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"msg\\\"]},\\\"application/vnd.ms-package.obfuscated-opentype\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/vnd.ms-pki.seccat\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cat\\\"]},\\\"application/vnd.ms-pki.stl\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"stl\\\"]},\\\"application/vnd.ms-playready.initiator+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ms-powerpoint\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"ppt\\\",\\\"pps\\\",\\\"pot\\\"]},\\\"application/vnd.ms-powerpoint.addin.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ppam\\\"]},\\\"application/vnd.ms-powerpoint.presentation.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pptm\\\"]},\\\"application/vnd.ms-powerpoint.slide.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sldm\\\"]},\\\"application/vnd.ms-powerpoint.slideshow.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ppsm\\\"]},\\\"application/vnd.ms-powerpoint.template.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"potm\\\"]},\\\"application/vnd.ms-printdevicecapabilities+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ms-printing.printticket+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true},\\\"application/vnd.ms-printschematicket+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ms-project\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mpp\\\",\\\"mpt\\\"]},\\\"application/vnd.ms-tnef\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-windows.devicepairing\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-windows.nwprinting.oob\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-windows.printerpairing\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-windows.wsd.oob\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-wmdrm.lic-chlg-req\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-wmdrm.lic-resp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-wmdrm.meter-chlg-req\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-wmdrm.meter-resp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ms-word.document.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"docm\\\"]},\\\"application/vnd.ms-word.template.macroenabled.12\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dotm\\\"]},\\\"application/vnd.ms-works\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wps\\\",\\\"wks\\\",\\\"wcm\\\",\\\"wdb\\\"]},\\\"application/vnd.ms-wpl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wpl\\\"]},\\\"application/vnd.ms-xpsdocument\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"xps\\\"]},\\\"application/vnd.msa-disk-image\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.mseq\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mseq\\\"]},\\\"application/vnd.msign\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.multiad.creator\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.multiad.creator.cif\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.music-niff\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.musician\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mus\\\"]},\\\"application/vnd.muvee.style\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"msty\\\"]},\\\"application/vnd.mynfc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"taglet\\\"]},\\\"application/vnd.nacamar.ybrid+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.ncd.control\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ncd.reference\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nearst.inv+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.nebumind.line\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nervana\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.netfpx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.neurolanguage.nlu\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nlu\\\"]},\\\"application/vnd.nimn\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nintendo.nitro.rom\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nintendo.snes.rom\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nitf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ntf\\\",\\\"nitf\\\"]},\\\"application/vnd.noblenet-directory\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nnd\\\"]},\\\"application/vnd.noblenet-sealer\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nns\\\"]},\\\"application/vnd.noblenet-web\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nnw\\\"]},\\\"application/vnd.nokia.catalogs\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nokia.conml+wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nokia.conml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.nokia.iptv.config+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.nokia.isds-radio-presets\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nokia.landmark+wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nokia.landmark+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.nokia.landmarkcollection+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.nokia.n-gage.ac+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ac\\\"]},\\\"application/vnd.nokia.n-gage.data\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ngdat\\\"]},\\\"application/vnd.nokia.n-gage.symbian.install\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"n-gage\\\"]},\\\"application/vnd.nokia.ncd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nokia.pcd+wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.nokia.pcd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.nokia.radio-preset\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rpst\\\"]},\\\"application/vnd.nokia.radio-presets\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rpss\\\"]},\\\"application/vnd.novadigm.edm\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"edm\\\"]},\\\"application/vnd.novadigm.edx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"edx\\\"]},\\\"application/vnd.novadigm.ext\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ext\\\"]},\\\"application/vnd.ntt-local.content-share\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ntt-local.file-transfer\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ntt-local.ogw_remote-access\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ntt-local.sip-ta_remote\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ntt-local.sip-ta_tcp_stream\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oasis.opendocument.chart\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"odc\\\"]},\\\"application/vnd.oasis.opendocument.chart-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"otc\\\"]},\\\"application/vnd.oasis.opendocument.database\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"odb\\\"]},\\\"application/vnd.oasis.opendocument.formula\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"odf\\\"]},\\\"application/vnd.oasis.opendocument.formula-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"odft\\\"]},\\\"application/vnd.oasis.opendocument.graphics\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"odg\\\"]},\\\"application/vnd.oasis.opendocument.graphics-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"otg\\\"]},\\\"application/vnd.oasis.opendocument.image\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"odi\\\"]},\\\"application/vnd.oasis.opendocument.image-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"oti\\\"]},\\\"application/vnd.oasis.opendocument.presentation\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"odp\\\"]},\\\"application/vnd.oasis.opendocument.presentation-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"otp\\\"]},\\\"application/vnd.oasis.opendocument.spreadsheet\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"ods\\\"]},\\\"application/vnd.oasis.opendocument.spreadsheet-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ots\\\"]},\\\"application/vnd.oasis.opendocument.text\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"odt\\\"]},\\\"application/vnd.oasis.opendocument.text-master\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"odm\\\"]},\\\"application/vnd.oasis.opendocument.text-template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ott\\\"]},\\\"application/vnd.oasis.opendocument.text-web\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"oth\\\"]},\\\"application/vnd.obn\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ocf+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oci.image.manifest.v1+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oftn.l10n+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.contentaccessdownload+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.contentaccessstreaming+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.cspg-hexbinary\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oipf.dae.svg+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.dae.xhtml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.mippvcontrolmessage+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.pae.gem\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oipf.spdiscovery+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.spdlist+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.ueprofile+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oipf.userprofile+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.olpc-sugar\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xo\\\"]},\\\"application/vnd.oma-scws-config\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma-scws-http-request\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma-scws-http-response\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.bcast.associated-procedure-parameter+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.bcast.drm-trigger+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.bcast.imd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.bcast.ltkm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.bcast.notification+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.bcast.provisioningtrigger\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.bcast.sgboot\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.bcast.sgdd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.bcast.sgdu\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.bcast.simple-symbol-container\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.bcast.smartcard-trigger+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.bcast.sprov+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.bcast.stkm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.cab-address-book+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.cab-feature-handler+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.cab-pcc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.cab-subs-invite+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.cab-user-prefs+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.dcd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.dcdc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.dd2+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dd2\\\"]},\\\"application/vnd.oma.drm.risd+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.group-usage-list+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.lwm2m+cbor\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.lwm2m+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.lwm2m+tlv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.pal+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.poc.detailed-progress-report+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.poc.final-report+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.poc.groups+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.poc.invocation-descriptor+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.poc.optimized-progress-report+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.push\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.oma.scidm.messages+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oma.xcap-directory+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.omads-email+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/vnd.omads-file+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/vnd.omads-folder+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/vnd.omaloc-supl-init\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.onepager\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.onepagertamp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.onepagertamx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.onepagertat\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.onepagertatp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.onepagertatx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.openblox.game+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"obgx\\\"]},\\\"application/vnd.openblox.game-binary\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.openeye.oeb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.openofficeorg.extension\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"oxt\\\"]},\\\"application/vnd.openstreetmap.data+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"osm\\\"]},\\\"application/vnd.opentimestamps.ots\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.openxmlformats-officedocument.custom-properties+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.customxmlproperties+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.drawing+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.drawingml.chart+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.drawingml.chartshapes+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.drawingml.diagramcolors+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.drawingml.diagramdata+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.drawingml.diagramlayout+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.drawingml.diagramstyle+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.extended-properties+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.commentauthors+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.comments+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.handoutmaster+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.notesmaster+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.notesslide+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.presentation\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"pptx\\\"]},\\\"application/vnd.openxmlformats-officedocument.presentationml.presentation.main+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.presprops+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.slide\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sldx\\\"]},\\\"application/vnd.openxmlformats-officedocument.presentationml.slide+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.slidelayout+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.slidemaster+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.slideshow\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ppsx\\\"]},\\\"application/vnd.openxmlformats-officedocument.presentationml.slideshow.main+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.slideupdateinfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.tablestyles+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.tags+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"potx\\\"]},\\\"application/vnd.openxmlformats-officedocument.presentationml.template.main+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.presentationml.viewprops+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.calcchain+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.chartsheet+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.comments+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.connections+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.dialogsheet+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.externallink+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcachedefinition+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcacherecords+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.pivottable+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.querytable+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.revisionheaders+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.revisionlog+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.sharedstrings+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"xlsx\\\"]},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet.main+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.sheetmetadata+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.styles+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.table+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.tablesinglecells+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xltx\\\"]},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.template.main+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.usernames+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.volatiledependencies+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.spreadsheetml.worksheet+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.theme+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.themeoverride+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.vmldrawing\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.comments+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.document\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"docx\\\"]},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.document.glossary+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.document.main+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.endnotes+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.fonttable+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.footer+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.footnotes+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.numbering+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.settings+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.styles+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.template\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dotx\\\"]},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.template.main+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-officedocument.wordprocessingml.websettings+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-package.core-properties+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-package.digital-signature-xmlsignature+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.openxmlformats-package.relationships+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oracle.resource+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.orange.indata\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.osa.netdeploy\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.osgeo.mapguide.package\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mgp\\\"]},\\\"application/vnd.osgi.bundle\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.osgi.dp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dp\\\"]},\\\"application/vnd.osgi.subsystem\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"esa\\\"]},\\\"application/vnd.otps.ct-kip+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.oxli.countgraph\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.pagerduty+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.palm\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pdb\\\",\\\"pqa\\\",\\\"oprc\\\"]},\\\"application/vnd.panoply\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.paos.xml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.patentdive\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.patientecommsdoc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.pawaafile\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"paw\\\"]},\\\"application/vnd.pcos\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.pg.format\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"str\\\"]},\\\"application/vnd.pg.osasli\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ei6\\\"]},\\\"application/vnd.piaccess.application-licence\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.picsel\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"efif\\\"]},\\\"application/vnd.pmi.widget\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wg\\\"]},\\\"application/vnd.poc.group-advertisement+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.pocketlearn\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"plf\\\"]},\\\"application/vnd.powerbuilder6\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pbd\\\"]},\\\"application/vnd.powerbuilder6-s\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.powerbuilder7\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.powerbuilder7-s\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.powerbuilder75\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.powerbuilder75-s\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.preminet\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.previewsystems.box\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"box\\\"]},\\\"application/vnd.proteus.magazine\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mgz\\\"]},\\\"application/vnd.psfs\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.publishare-delta-tree\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"qps\\\"]},\\\"application/vnd.pvi.ptid1\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ptid\\\"]},\\\"application/vnd.pwg-multiplexed\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.pwg-xhtml-print+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.qualcomm.brew-app-res\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.quarantainenet\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.quark.quarkxpress\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"qxd\\\",\\\"qxt\\\",\\\"qwd\\\",\\\"qwt\\\",\\\"qxl\\\",\\\"qxb\\\"]},\\\"application/vnd.quobject-quoxdocument\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.radisys.moml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-audit+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-audit-conf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-audit-conn+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-audit-dialog+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-audit-stream+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-conf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-dialog+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-dialog-base+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-dialog-fax-detect+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-dialog-fax-sendrecv+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-dialog-group+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-dialog-speech+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.radisys.msml-dialog-transform+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.rainstor.data\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.rapid\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.rar\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rar\\\"]},\\\"application/vnd.realvnc.bed\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"bed\\\"]},\\\"application/vnd.recordare.musicxml\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mxl\\\"]},\\\"application/vnd.recordare.musicxml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"musicxml\\\"]},\\\"application/vnd.renlearn.rlprint\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.resilient.logic\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.restful+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.rig.cryptonote\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cryptonote\\\"]},\\\"application/vnd.rim.cod\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cod\\\"]},\\\"application/vnd.rn-realmedia\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"rm\\\"]},\\\"application/vnd.rn-realmedia-vbr\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"rmvb\\\"]},\\\"application/vnd.route66.link66+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"link66\\\"]},\\\"application/vnd.rs-274x\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ruckus.download\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.s3sms\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sailingtracker.track\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"st\\\"]},\\\"application/vnd.sar\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sbm.cid\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sbm.mid2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.scribus\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.3df\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.csf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.doc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.eml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.mht\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.net\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.ppt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.tiff\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealed.xls\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealedmedia.softseal.html\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sealedmedia.softseal.pdf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.seemail\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"see\\\"]},\\\"application/vnd.seis+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.sema\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sema\\\"]},\\\"application/vnd.semd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"semd\\\"]},\\\"application/vnd.semf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"semf\\\"]},\\\"application/vnd.shade-save-file\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.shana.informed.formdata\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ifm\\\"]},\\\"application/vnd.shana.informed.formtemplate\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"itp\\\"]},\\\"application/vnd.shana.informed.interchange\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"iif\\\"]},\\\"application/vnd.shana.informed.package\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ipk\\\"]},\\\"application/vnd.shootproof+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.shopkick+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.shp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.shx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sigrok.session\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.simtech-mindmapper\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"twd\\\",\\\"twds\\\"]},\\\"application/vnd.siren+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.smaf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mmf\\\"]},\\\"application/vnd.smart.notebook\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.smart.teacher\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"teacher\\\"]},\\\"application/vnd.snesdev-page-table\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.software602.filler.form+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"fo\\\"]},\\\"application/vnd.software602.filler.form-xml-zip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.solent.sdkm+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"sdkm\\\",\\\"sdkd\\\"]},\\\"application/vnd.spotfire.dxp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dxp\\\"]},\\\"application/vnd.spotfire.sfs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sfs\\\"]},\\\"application/vnd.sqlite3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sss-cod\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sss-dtf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sss-ntf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.stardivision.calc\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sdc\\\"]},\\\"application/vnd.stardivision.draw\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sda\\\"]},\\\"application/vnd.stardivision.impress\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sdd\\\"]},\\\"application/vnd.stardivision.math\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"smf\\\"]},\\\"application/vnd.stardivision.writer\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sdw\\\",\\\"vor\\\"]},\\\"application/vnd.stardivision.writer-global\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sgl\\\"]},\\\"application/vnd.stepmania.package\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"smzip\\\"]},\\\"application/vnd.stepmania.stepchart\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sm\\\"]},\\\"application/vnd.street-stream\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sun.wadl+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"wadl\\\"]},\\\"application/vnd.sun.xml.calc\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sxc\\\"]},\\\"application/vnd.sun.xml.calc.template\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"stc\\\"]},\\\"application/vnd.sun.xml.draw\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sxd\\\"]},\\\"application/vnd.sun.xml.draw.template\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"std\\\"]},\\\"application/vnd.sun.xml.impress\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sxi\\\"]},\\\"application/vnd.sun.xml.impress.template\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sti\\\"]},\\\"application/vnd.sun.xml.math\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sxm\\\"]},\\\"application/vnd.sun.xml.writer\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sxw\\\"]},\\\"application/vnd.sun.xml.writer.global\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sxg\\\"]},\\\"application/vnd.sun.xml.writer.template\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"stw\\\"]},\\\"application/vnd.sus-calendar\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sus\\\",\\\"susp\\\"]},\\\"application/vnd.svd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"svd\\\"]},\\\"application/vnd.swiftview-ics\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.sycle+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.syft+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.symbian.install\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sis\\\",\\\"sisx\\\"]},\\\"application/vnd.syncml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xsm\\\"]},\\\"application/vnd.syncml.dm+wbxml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"extensions\\\":[\\\"bdm\\\"]},\\\"application/vnd.syncml.dm+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xdm\\\"]},\\\"application/vnd.syncml.dm.notification\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.syncml.dmddf+wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.syncml.dmddf+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ddf\\\"]},\\\"application/vnd.syncml.dmtnds+wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.syncml.dmtnds+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true},\\\"application/vnd.syncml.ds.notification\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.tableschema+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.tao.intent-module-archive\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tao\\\"]},\\\"application/vnd.tcpdump.pcap\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pcap\\\",\\\"cap\\\",\\\"dmp\\\"]},\\\"application/vnd.think-cell.ppttc+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.tmd.mediaflex.api+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.tml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.tmobile-livetv\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tmo\\\"]},\\\"application/vnd.tri.onesource\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.trid.tpt\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tpt\\\"]},\\\"application/vnd.triscape.mxs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mxs\\\"]},\\\"application/vnd.trueapp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tra\\\"]},\\\"application/vnd.truedoc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ubisoft.webplayer\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ufdl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ufd\\\",\\\"ufdl\\\"]},\\\"application/vnd.uiq.theme\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"utz\\\"]},\\\"application/vnd.umajin\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"umj\\\"]},\\\"application/vnd.unity\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"unityweb\\\"]},\\\"application/vnd.uoml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"uoml\\\"]},\\\"application/vnd.uplanet.alert\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.alert-wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.bearer-choice\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.bearer-choice-wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.cacheop\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.cacheop-wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.channel\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.channel-wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.list\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.list-wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.listcmd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.listcmd-wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uplanet.signal\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.uri-map\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.valve.source.material\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.vcx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vcx\\\"]},\\\"application/vnd.vd-study\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.vectorworks\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.vel+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.verimatrix.vcas\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.veritone.aion+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.veryant.thin\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.ves.encrypted\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.vidsoft.vidconference\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.visio\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vsd\\\",\\\"vst\\\",\\\"vss\\\",\\\"vsw\\\"]},\\\"application/vnd.visionary\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vis\\\"]},\\\"application/vnd.vividence.scriptfile\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.vsf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vsf\\\"]},\\\"application/vnd.wap.sic\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wap.slc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wap.wbxml\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"extensions\\\":[\\\"wbxml\\\"]},\\\"application/vnd.wap.wmlc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wmlc\\\"]},\\\"application/vnd.wap.wmlscriptc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wmlsc\\\"]},\\\"application/vnd.webturbo\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wtb\\\"]},\\\"application/vnd.wfa.dpp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wfa.p2p\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wfa.wsc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.windows.devicepairing\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wmc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wmf.bootstrap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wolfram.mathematica\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wolfram.mathematica.package\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wolfram.player\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"nbp\\\"]},\\\"application/vnd.wordperfect\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wpd\\\"]},\\\"application/vnd.wqd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wqd\\\"]},\\\"application/vnd.wrq-hp3000-labelled\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wt.stf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"stf\\\"]},\\\"application/vnd.wv.csp+wbxml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.wv.csp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.wv.ssp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.xacml+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.xara\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xar\\\"]},\\\"application/vnd.xfdl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xfdl\\\"]},\\\"application/vnd.xfdl.webform\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.xmi+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vnd.xmpie.cpkg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.xmpie.dpkg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.xmpie.plan\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.xmpie.ppkg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.xmpie.xlim\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.yamaha.hv-dic\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hvd\\\"]},\\\"application/vnd.yamaha.hv-script\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hvs\\\"]},\\\"application/vnd.yamaha.hv-voice\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hvp\\\"]},\\\"application/vnd.yamaha.openscoreformat\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"osf\\\"]},\\\"application/vnd.yamaha.openscoreformat.osfpvg+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"osfpvg\\\"]},\\\"application/vnd.yamaha.remote-setup\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.yamaha.smaf-audio\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"saf\\\"]},\\\"application/vnd.yamaha.smaf-phrase\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"spf\\\"]},\\\"application/vnd.yamaha.through-ngn\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.yamaha.tunnel-udpencap\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.yaoweme\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.yellowriver-custom-menu\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cmp\\\"]},\\\"application/vnd.youtube.yt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/vnd.zul\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"zir\\\",\\\"zirz\\\"]},\\\"application/vnd.zzazz.deck+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"zaz\\\"]},\\\"application/voicexml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"vxml\\\"]},\\\"application/voucher-cms+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/vq-rtcpxr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/wasm\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"wasm\\\"]},\\\"application/watcherinfo+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"wif\\\"]},\\\"application/webpush-options+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/whoispp-query\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/whoispp-response\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/widget\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wgt\\\"]},\\\"application/winhlp\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"hlp\\\"]},\\\"application/wita\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/wordperfect5.1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/wsdl+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"wsdl\\\"]},\\\"application/wspolicy+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"wspolicy\\\"]},\\\"application/x-7z-compressed\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"7z\\\"]},\\\"application/x-abiword\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"abw\\\"]},\\\"application/x-ace-compressed\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ace\\\"]},\\\"application/x-amf\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-apple-diskimage\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"dmg\\\"]},\\\"application/x-arj\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"arj\\\"]},\\\"application/x-authorware-bin\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"aab\\\",\\\"x32\\\",\\\"u32\\\",\\\"vox\\\"]},\\\"application/x-authorware-map\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"aam\\\"]},\\\"application/x-authorware-seg\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"aas\\\"]},\\\"application/x-bcpio\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"bcpio\\\"]},\\\"application/x-bdoc\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"bdoc\\\"]},\\\"application/x-bittorrent\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"torrent\\\"]},\\\"application/x-blorb\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"blb\\\",\\\"blorb\\\"]},\\\"application/x-bzip\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"bz\\\"]},\\\"application/x-bzip2\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"bz2\\\",\\\"boz\\\"]},\\\"application/x-cbr\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cbr\\\",\\\"cba\\\",\\\"cbt\\\",\\\"cbz\\\",\\\"cb7\\\"]},\\\"application/x-cdlink\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"vcd\\\"]},\\\"application/x-cfs-compressed\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cfs\\\"]},\\\"application/x-chat\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"chat\\\"]},\\\"application/x-chess-pgn\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pgn\\\"]},\\\"application/x-chrome-extension\\\":{\\\"extensions\\\":[\\\"crx\\\"]},\\\"application/x-cocoa\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"cco\\\"]},\\\"application/x-compress\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-conference\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"nsc\\\"]},\\\"application/x-cpio\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cpio\\\"]},\\\"application/x-csh\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"csh\\\"]},\\\"application/x-deb\\\":{\\\"compressible\\\":false},\\\"application/x-debian-package\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"deb\\\",\\\"udeb\\\"]},\\\"application/x-dgc-compressed\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"dgc\\\"]},\\\"application/x-director\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"dir\\\",\\\"dcr\\\",\\\"dxr\\\",\\\"cst\\\",\\\"cct\\\",\\\"cxt\\\",\\\"w3d\\\",\\\"fgd\\\",\\\"swa\\\"]},\\\"application/x-doom\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wad\\\"]},\\\"application/x-dtbncx+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ncx\\\"]},\\\"application/x-dtbook+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dtb\\\"]},\\\"application/x-dtbresource+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"res\\\"]},\\\"application/x-dvi\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"dvi\\\"]},\\\"application/x-envoy\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"evy\\\"]},\\\"application/x-eva\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"eva\\\"]},\\\"application/x-font-bdf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"bdf\\\"]},\\\"application/x-font-dos\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-font-framemaker\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-font-ghostscript\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"gsf\\\"]},\\\"application/x-font-libgrx\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-font-linux-psf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"psf\\\"]},\\\"application/x-font-pcf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pcf\\\"]},\\\"application/x-font-snf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"snf\\\"]},\\\"application/x-font-speedo\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-font-sunos-news\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-font-type1\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pfa\\\",\\\"pfb\\\",\\\"pfm\\\",\\\"afm\\\"]},\\\"application/x-font-vfont\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-freearc\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"arc\\\"]},\\\"application/x-futuresplash\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"spl\\\"]},\\\"application/x-gca-compressed\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"gca\\\"]},\\\"application/x-glulx\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ulx\\\"]},\\\"application/x-gnumeric\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"gnumeric\\\"]},\\\"application/x-gramps-xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"gramps\\\"]},\\\"application/x-gtar\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"gtar\\\"]},\\\"application/x-gzip\\\":{\\\"source\\\":\\\"apache\\\"},\\\"application/x-hdf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"hdf\\\"]},\\\"application/x-httpd-php\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"php\\\"]},\\\"application/x-install-instructions\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"install\\\"]},\\\"application/x-iso9660-image\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"iso\\\"]},\\\"application/x-iwork-keynote-sffkey\\\":{\\\"extensions\\\":[\\\"key\\\"]},\\\"application/x-iwork-numbers-sffnumbers\\\":{\\\"extensions\\\":[\\\"numbers\\\"]},\\\"application/x-iwork-pages-sffpages\\\":{\\\"extensions\\\":[\\\"pages\\\"]},\\\"application/x-java-archive-diff\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"jardiff\\\"]},\\\"application/x-java-jnlp-file\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"jnlp\\\"]},\\\"application/x-javascript\\\":{\\\"compressible\\\":true},\\\"application/x-keepass2\\\":{\\\"extensions\\\":[\\\"kdbx\\\"]},\\\"application/x-latex\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"latex\\\"]},\\\"application/x-lua-bytecode\\\":{\\\"extensions\\\":[\\\"luac\\\"]},\\\"application/x-lzh-compressed\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"lzh\\\",\\\"lha\\\"]},\\\"application/x-makeself\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"run\\\"]},\\\"application/x-mie\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mie\\\"]},\\\"application/x-mobipocket-ebook\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"prc\\\",\\\"mobi\\\"]},\\\"application/x-mpegurl\\\":{\\\"compressible\\\":false},\\\"application/x-ms-application\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"application\\\"]},\\\"application/x-ms-shortcut\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"lnk\\\"]},\\\"application/x-ms-wmd\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wmd\\\"]},\\\"application/x-ms-wmz\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wmz\\\"]},\\\"application/x-ms-xbap\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xbap\\\"]},\\\"application/x-msaccess\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mdb\\\"]},\\\"application/x-msbinder\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"obd\\\"]},\\\"application/x-mscardfile\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"crd\\\"]},\\\"application/x-msclip\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"clp\\\"]},\\\"application/x-msdos-program\\\":{\\\"extensions\\\":[\\\"exe\\\"]},\\\"application/x-msdownload\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"exe\\\",\\\"dll\\\",\\\"com\\\",\\\"bat\\\",\\\"msi\\\"]},\\\"application/x-msmediaview\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mvb\\\",\\\"m13\\\",\\\"m14\\\"]},\\\"application/x-msmetafile\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wmf\\\",\\\"wmz\\\",\\\"emf\\\",\\\"emz\\\"]},\\\"application/x-msmoney\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mny\\\"]},\\\"application/x-mspublisher\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pub\\\"]},\\\"application/x-msschedule\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"scd\\\"]},\\\"application/x-msterminal\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"trm\\\"]},\\\"application/x-mswrite\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wri\\\"]},\\\"application/x-netcdf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"nc\\\",\\\"cdf\\\"]},\\\"application/x-ns-proxy-autoconfig\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"pac\\\"]},\\\"application/x-nzb\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"nzb\\\"]},\\\"application/x-perl\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"pl\\\",\\\"pm\\\"]},\\\"application/x-pilot\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"prc\\\",\\\"pdb\\\"]},\\\"application/x-pkcs12\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"p12\\\",\\\"pfx\\\"]},\\\"application/x-pkcs7-certificates\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"p7b\\\",\\\"spc\\\"]},\\\"application/x-pkcs7-certreqresp\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"p7r\\\"]},\\\"application/x-pki-message\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/x-rar-compressed\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"rar\\\"]},\\\"application/x-redhat-package-manager\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"rpm\\\"]},\\\"application/x-research-info-systems\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ris\\\"]},\\\"application/x-sea\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"sea\\\"]},\\\"application/x-sh\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"sh\\\"]},\\\"application/x-shar\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"shar\\\"]},\\\"application/x-shockwave-flash\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"swf\\\"]},\\\"application/x-silverlight-app\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xap\\\"]},\\\"application/x-sql\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sql\\\"]},\\\"application/x-stuffit\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"sit\\\"]},\\\"application/x-stuffitx\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sitx\\\"]},\\\"application/x-subrip\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"srt\\\"]},\\\"application/x-sv4cpio\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sv4cpio\\\"]},\\\"application/x-sv4crc\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sv4crc\\\"]},\\\"application/x-t3vm-image\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"t3\\\"]},\\\"application/x-tads\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"gam\\\"]},\\\"application/x-tar\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"tar\\\"]},\\\"application/x-tcl\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"tcl\\\",\\\"tk\\\"]},\\\"application/x-tex\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"tex\\\"]},\\\"application/x-tex-tfm\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"tfm\\\"]},\\\"application/x-texinfo\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"texinfo\\\",\\\"texi\\\"]},\\\"application/x-tgif\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"obj\\\"]},\\\"application/x-ustar\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ustar\\\"]},\\\"application/x-virtualbox-hdd\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"hdd\\\"]},\\\"application/x-virtualbox-ova\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ova\\\"]},\\\"application/x-virtualbox-ovf\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ovf\\\"]},\\\"application/x-virtualbox-vbox\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"vbox\\\"]},\\\"application/x-virtualbox-vbox-extpack\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"vbox-extpack\\\"]},\\\"application/x-virtualbox-vdi\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"vdi\\\"]},\\\"application/x-virtualbox-vhd\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"vhd\\\"]},\\\"application/x-virtualbox-vmdk\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"vmdk\\\"]},\\\"application/x-wais-source\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"src\\\"]},\\\"application/x-web-app-manifest+json\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"webapp\\\"]},\\\"application/x-www-form-urlencoded\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/x-x509-ca-cert\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"der\\\",\\\"crt\\\",\\\"pem\\\"]},\\\"application/x-x509-ca-ra-cert\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/x-x509-next-ca-cert\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/x-xfig\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"fig\\\"]},\\\"application/x-xliff+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xlf\\\"]},\\\"application/x-xpinstall\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"xpi\\\"]},\\\"application/x-xz\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xz\\\"]},\\\"application/x-zmachine\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"z1\\\",\\\"z2\\\",\\\"z3\\\",\\\"z4\\\",\\\"z5\\\",\\\"z6\\\",\\\"z7\\\",\\\"z8\\\"]},\\\"application/x400-bp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/xacml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/xaml+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xaml\\\"]},\\\"application/xcap-att+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xav\\\"]},\\\"application/xcap-caps+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xca\\\"]},\\\"application/xcap-diff+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xdf\\\"]},\\\"application/xcap-el+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xel\\\"]},\\\"application/xcap-error+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/xcap-ns+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xns\\\"]},\\\"application/xcon-conference-info+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/xcon-conference-info-diff+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/xenc+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xenc\\\"]},\\\"application/xhtml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xhtml\\\",\\\"xht\\\"]},\\\"application/xhtml-voice+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true},\\\"application/xliff+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xlf\\\"]},\\\"application/xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xml\\\",\\\"xsl\\\",\\\"xsd\\\",\\\"rng\\\"]},\\\"application/xml-dtd\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dtd\\\"]},\\\"application/xml-external-parsed-entity\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/xml-patch+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/xmpp+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/xop+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xop\\\"]},\\\"application/xproc+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xpl\\\"]},\\\"application/xslt+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xsl\\\",\\\"xslt\\\"]},\\\"application/xspf+xml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xspf\\\"]},\\\"application/xv+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mxml\\\",\\\"xhvml\\\",\\\"xvml\\\",\\\"xvm\\\"]},\\\"application/yang\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"yang\\\"]},\\\"application/yang-data+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/yang-data+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/yang-patch+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/yang-patch+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"application/yin+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"yin\\\"]},\\\"application/zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"zip\\\"]},\\\"application/zlib\\\":{\\\"source\\\":\\\"iana\\\"},\\\"application/zstd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/1d-interleaved-parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/32kadpcm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/3gpp\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"3gpp\\\"]},\\\"audio/3gpp2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/aac\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/ac3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/adpcm\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"adp\\\"]},\\\"audio/amr\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"amr\\\"]},\\\"audio/amr-wb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/amr-wb+\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/aptx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/asc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/atrac-advanced-lossless\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/atrac-x\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/atrac3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/basic\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"au\\\",\\\"snd\\\"]},\\\"audio/bv16\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/bv32\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/clearmode\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/cn\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dat12\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dls\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dsr-es201108\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dsr-es202050\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dsr-es202211\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dsr-es202212\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/dvi4\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/eac3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/encaprtp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrc-qcp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrc0\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrc1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcb0\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcb1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcnw\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcnw0\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcnw1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcwb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcwb0\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evrcwb1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/evs\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/flexfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/fwdred\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g711-0\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g719\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g722\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g7221\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g723\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g726-16\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g726-24\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g726-32\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g726-40\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g728\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g729\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g7291\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g729d\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/g729e\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/gsm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/gsm-efr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/gsm-hr-08\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/ilbc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/ip-mr_v2.5\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/isac\\\":{\\\"source\\\":\\\"apache\\\"},\\\"audio/l16\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/l20\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/l24\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"audio/l8\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/lpc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/melp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/melp1200\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/melp2400\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/melp600\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/mhas\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/midi\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mid\\\",\\\"midi\\\",\\\"kar\\\",\\\"rmi\\\"]},\\\"audio/mobile-xmf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mxmf\\\"]},\\\"audio/mp3\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"mp3\\\"]},\\\"audio/mp4\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"m4a\\\",\\\"mp4a\\\"]},\\\"audio/mp4a-latm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/mpa\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/mpa-robust\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/mpeg\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"mpga\\\",\\\"mp2\\\",\\\"mp2a\\\",\\\"mp3\\\",\\\"m2a\\\",\\\"m3a\\\"]},\\\"audio/mpeg4-generic\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/musepack\\\":{\\\"source\\\":\\\"apache\\\"},\\\"audio/ogg\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"oga\\\",\\\"ogg\\\",\\\"spx\\\",\\\"opus\\\"]},\\\"audio/opus\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/pcma\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/pcma-wb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/pcmu\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/pcmu-wb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/prs.sid\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/qcelp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/raptorfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/red\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/rtp-enc-aescm128\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/rtp-midi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/rtploopback\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/rtx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/s3m\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"s3m\\\"]},\\\"audio/scip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/silk\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sil\\\"]},\\\"audio/smv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/smv-qcp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/smv0\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/sofa\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/sp-midi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/speex\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/t140c\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/t38\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/telephone-event\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/tetra_acelp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/tetra_acelp_bb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/tone\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/tsvcis\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/uemclip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/ulpfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/usac\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vdvi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vmr-wb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.3gpp.iufp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.4sb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.audiokoz\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.celp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.cisco.nse\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.cmles.radio-events\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.cns.anp1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.cns.inf1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dece.audio\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uva\\\",\\\"uvva\\\"]},\\\"audio/vnd.digital-winds\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"eol\\\"]},\\\"audio/vnd.dlna.adts\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.heaac.1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.heaac.2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.mlp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.mps\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.pl2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.pl2x\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.pl2z\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dolby.pulse.1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dra\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dra\\\"]},\\\"audio/vnd.dts\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dts\\\"]},\\\"audio/vnd.dts.hd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dtshd\\\"]},\\\"audio/vnd.dts.uhd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.dvb.file\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.everad.plj\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.hns.audio\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.lucent.voice\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"lvp\\\"]},\\\"audio/vnd.ms-playready.media.pya\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pya\\\"]},\\\"audio/vnd.nokia.mobile-xmf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.nortel.vbk\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.nuera.ecelp4800\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ecelp4800\\\"]},\\\"audio/vnd.nuera.ecelp7470\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ecelp7470\\\"]},\\\"audio/vnd.nuera.ecelp9600\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ecelp9600\\\"]},\\\"audio/vnd.octel.sbc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.presonus.multitrack\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.qcelp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.rhetorex.32kadpcm\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.rip\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rip\\\"]},\\\"audio/vnd.rn-realaudio\\\":{\\\"compressible\\\":false},\\\"audio/vnd.sealedmedia.softseal.mpeg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.vmx.cvsd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/vnd.wave\\\":{\\\"compressible\\\":false},\\\"audio/vorbis\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"audio/vorbis-config\\\":{\\\"source\\\":\\\"iana\\\"},\\\"audio/wav\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"wav\\\"]},\\\"audio/wave\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"wav\\\"]},\\\"audio/webm\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"weba\\\"]},\\\"audio/x-aac\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"aac\\\"]},\\\"audio/x-aiff\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"aif\\\",\\\"aiff\\\",\\\"aifc\\\"]},\\\"audio/x-caf\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"caf\\\"]},\\\"audio/x-flac\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"flac\\\"]},\\\"audio/x-m4a\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"m4a\\\"]},\\\"audio/x-matroska\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mka\\\"]},\\\"audio/x-mpegurl\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"m3u\\\"]},\\\"audio/x-ms-wax\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wax\\\"]},\\\"audio/x-ms-wma\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wma\\\"]},\\\"audio/x-pn-realaudio\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ram\\\",\\\"ra\\\"]},\\\"audio/x-pn-realaudio-plugin\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"rmp\\\"]},\\\"audio/x-realaudio\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"ra\\\"]},\\\"audio/x-tta\\\":{\\\"source\\\":\\\"apache\\\"},\\\"audio/x-wav\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wav\\\"]},\\\"audio/xm\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xm\\\"]},\\\"chemical/x-cdx\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cdx\\\"]},\\\"chemical/x-cif\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cif\\\"]},\\\"chemical/x-cmdf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cmdf\\\"]},\\\"chemical/x-cml\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cml\\\"]},\\\"chemical/x-csml\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"csml\\\"]},\\\"chemical/x-pdb\\\":{\\\"source\\\":\\\"apache\\\"},\\\"chemical/x-xyz\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xyz\\\"]},\\\"font/collection\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ttc\\\"]},\\\"font/otf\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"otf\\\"]},\\\"font/sfnt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"font/ttf\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ttf\\\"]},\\\"font/woff\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"woff\\\"]},\\\"font/woff2\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"woff2\\\"]},\\\"image/aces\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"exr\\\"]},\\\"image/apng\\\":{\\\"compressible\\\":false,\\\"extensions\\\":[\\\"apng\\\"]},\\\"image/avci\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"avci\\\"]},\\\"image/avcs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"avcs\\\"]},\\\"image/avif\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"avif\\\"]},\\\"image/bmp\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"bmp\\\"]},\\\"image/cgm\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"cgm\\\"]},\\\"image/dicom-rle\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"drle\\\"]},\\\"image/emf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"emf\\\"]},\\\"image/fits\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fits\\\"]},\\\"image/g3fax\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"g3\\\"]},\\\"image/gif\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"gif\\\"]},\\\"image/heic\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"heic\\\"]},\\\"image/heic-sequence\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"heics\\\"]},\\\"image/heif\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"heif\\\"]},\\\"image/heif-sequence\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"heifs\\\"]},\\\"image/hej2k\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hej2\\\"]},\\\"image/hsj2\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"hsj2\\\"]},\\\"image/ief\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ief\\\"]},\\\"image/jls\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jls\\\"]},\\\"image/jp2\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"jp2\\\",\\\"jpg2\\\"]},\\\"image/jpeg\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"jpeg\\\",\\\"jpg\\\",\\\"jpe\\\"]},\\\"image/jph\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jph\\\"]},\\\"image/jphc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jhc\\\"]},\\\"image/jpm\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"jpm\\\"]},\\\"image/jpx\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"jpx\\\",\\\"jpf\\\"]},\\\"image/jxr\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jxr\\\"]},\\\"image/jxra\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jxra\\\"]},\\\"image/jxrs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jxrs\\\"]},\\\"image/jxs\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jxs\\\"]},\\\"image/jxsc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jxsc\\\"]},\\\"image/jxsi\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jxsi\\\"]},\\\"image/jxss\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jxss\\\"]},\\\"image/ktx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ktx\\\"]},\\\"image/ktx2\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ktx2\\\"]},\\\"image/naplps\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/pjpeg\\\":{\\\"compressible\\\":false},\\\"image/png\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"png\\\"]},\\\"image/prs.btif\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"btif\\\"]},\\\"image/prs.pti\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pti\\\"]},\\\"image/pwg-raster\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/sgi\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sgi\\\"]},\\\"image/svg+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"svg\\\",\\\"svgz\\\"]},\\\"image/t38\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"t38\\\"]},\\\"image/tiff\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"tif\\\",\\\"tiff\\\"]},\\\"image/tiff-fx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tfx\\\"]},\\\"image/vnd.adobe.photoshop\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"psd\\\"]},\\\"image/vnd.airzip.accelerator.azv\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"azv\\\"]},\\\"image/vnd.cns.inf2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.dece.graphic\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvi\\\",\\\"uvvi\\\",\\\"uvg\\\",\\\"uvvg\\\"]},\\\"image/vnd.djvu\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"djvu\\\",\\\"djv\\\"]},\\\"image/vnd.dvb.subtitle\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sub\\\"]},\\\"image/vnd.dwg\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dwg\\\"]},\\\"image/vnd.dxf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dxf\\\"]},\\\"image/vnd.fastbidsheet\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fbs\\\"]},\\\"image/vnd.fpx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fpx\\\"]},\\\"image/vnd.fst\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fst\\\"]},\\\"image/vnd.fujixerox.edmics-mmr\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mmr\\\"]},\\\"image/vnd.fujixerox.edmics-rlc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"rlc\\\"]},\\\"image/vnd.globalgraphics.pgb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.microsoft.icon\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ico\\\"]},\\\"image/vnd.mix\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.mozilla.apng\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.ms-dds\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dds\\\"]},\\\"image/vnd.ms-modi\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mdi\\\"]},\\\"image/vnd.ms-photo\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wdp\\\"]},\\\"image/vnd.net-fpx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"npx\\\"]},\\\"image/vnd.pco.b16\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"b16\\\"]},\\\"image/vnd.radiance\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.sealed.png\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.sealedmedia.softseal.gif\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.sealedmedia.softseal.jpg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.svf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"image/vnd.tencent.tap\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"tap\\\"]},\\\"image/vnd.valve.source.texture\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vtf\\\"]},\\\"image/vnd.wap.wbmp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wbmp\\\"]},\\\"image/vnd.xiff\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"xif\\\"]},\\\"image/vnd.zbrush.pcx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pcx\\\"]},\\\"image/webp\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"webp\\\"]},\\\"image/wmf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wmf\\\"]},\\\"image/x-3ds\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"3ds\\\"]},\\\"image/x-cmu-raster\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ras\\\"]},\\\"image/x-cmx\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"cmx\\\"]},\\\"image/x-freehand\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"fh\\\",\\\"fhc\\\",\\\"fh4\\\",\\\"fh5\\\",\\\"fh7\\\"]},\\\"image/x-icon\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ico\\\"]},\\\"image/x-jng\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"jng\\\"]},\\\"image/x-mrsid-image\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sid\\\"]},\\\"image/x-ms-bmp\\\":{\\\"source\\\":\\\"nginx\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"bmp\\\"]},\\\"image/x-pcx\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pcx\\\"]},\\\"image/x-pict\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pic\\\",\\\"pct\\\"]},\\\"image/x-portable-anymap\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pnm\\\"]},\\\"image/x-portable-bitmap\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pbm\\\"]},\\\"image/x-portable-graymap\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"pgm\\\"]},\\\"image/x-portable-pixmap\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ppm\\\"]},\\\"image/x-rgb\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"rgb\\\"]},\\\"image/x-tga\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"tga\\\"]},\\\"image/x-xbitmap\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xbm\\\"]},\\\"image/x-xcf\\\":{\\\"compressible\\\":false},\\\"image/x-xpixmap\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xpm\\\"]},\\\"image/x-xwindowdump\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"xwd\\\"]},\\\"message/cpim\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/delivery-status\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/disposition-notification\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"disposition-notification\\\"]},\\\"message/external-body\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/feedback-report\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/global\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"u8msg\\\"]},\\\"message/global-delivery-status\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"u8dsn\\\"]},\\\"message/global-disposition-notification\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"u8mdn\\\"]},\\\"message/global-headers\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"u8hdr\\\"]},\\\"message/http\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"message/imdn+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"message/news\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/partial\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"message/rfc822\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"eml\\\",\\\"mime\\\"]},\\\"message/s-http\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/sip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/sipfrag\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/tracking-status\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/vnd.si.simp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"message/vnd.wfa.wsc\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wsc\\\"]},\\\"model/3mf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"3mf\\\"]},\\\"model/e57\\\":{\\\"source\\\":\\\"iana\\\"},\\\"model/gltf+json\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"gltf\\\"]},\\\"model/gltf-binary\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"glb\\\"]},\\\"model/iges\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"igs\\\",\\\"iges\\\"]},\\\"model/mesh\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"msh\\\",\\\"mesh\\\",\\\"silo\\\"]},\\\"model/mtl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mtl\\\"]},\\\"model/obj\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"obj\\\"]},\\\"model/step\\\":{\\\"source\\\":\\\"iana\\\"},\\\"model/step+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"stpx\\\"]},\\\"model/step+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"stpz\\\"]},\\\"model/step-xml+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"stpxz\\\"]},\\\"model/stl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"stl\\\"]},\\\"model/vnd.collada+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"dae\\\"]},\\\"model/vnd.dwf\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dwf\\\"]},\\\"model/vnd.flatland.3dml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"model/vnd.gdl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gdl\\\"]},\\\"model/vnd.gs-gdl\\\":{\\\"source\\\":\\\"apache\\\"},\\\"model/vnd.gs.gdl\\\":{\\\"source\\\":\\\"iana\\\"},\\\"model/vnd.gtw\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gtw\\\"]},\\\"model/vnd.moml+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"model/vnd.mts\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mts\\\"]},\\\"model/vnd.opengex\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ogex\\\"]},\\\"model/vnd.parasolid.transmit.binary\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"x_b\\\"]},\\\"model/vnd.parasolid.transmit.text\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"x_t\\\"]},\\\"model/vnd.pytha.pyox\\\":{\\\"source\\\":\\\"iana\\\"},\\\"model/vnd.rosette.annotated-data-model\\\":{\\\"source\\\":\\\"iana\\\"},\\\"model/vnd.sap.vds\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vds\\\"]},\\\"model/vnd.usdz+zip\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"usdz\\\"]},\\\"model/vnd.valve.source.compiled-map\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"bsp\\\"]},\\\"model/vnd.vtu\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"vtu\\\"]},\\\"model/vrml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"wrl\\\",\\\"vrml\\\"]},\\\"model/x3d+binary\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"x3db\\\",\\\"x3dbz\\\"]},\\\"model/x3d+fastinfoset\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"x3db\\\"]},\\\"model/x3d+vrml\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"x3dv\\\",\\\"x3dvz\\\"]},\\\"model/x3d+xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"x3d\\\",\\\"x3dz\\\"]},\\\"model/x3d-vrml\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"x3dv\\\"]},\\\"multipart/alternative\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"multipart/appledouble\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/byteranges\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/digest\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/encrypted\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"multipart/form-data\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"multipart/header-set\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/mixed\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/multilingual\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/parallel\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/related\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"multipart/report\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/signed\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false},\\\"multipart/vnd.bint.med-plus\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/voice-message\\\":{\\\"source\\\":\\\"iana\\\"},\\\"multipart/x-mixed-replace\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/1d-interleaved-parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/cache-manifest\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"appcache\\\",\\\"manifest\\\"]},\\\"text/calendar\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ics\\\",\\\"ifb\\\"]},\\\"text/calender\\\":{\\\"compressible\\\":true},\\\"text/cmd\\\":{\\\"compressible\\\":true},\\\"text/coffeescript\\\":{\\\"extensions\\\":[\\\"coffee\\\",\\\"litcoffee\\\"]},\\\"text/cql\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/cql-expression\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/cql-identifier\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/css\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"css\\\"]},\\\"text/csv\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"csv\\\"]},\\\"text/csv-schema\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/directory\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/dns\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/ecmascript\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/encaprtp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/enriched\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/fhirpath\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/flexfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/fwdred\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/gff3\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/grammar-ref-list\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/html\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"html\\\",\\\"htm\\\",\\\"shtml\\\"]},\\\"text/jade\\\":{\\\"extensions\\\":[\\\"jade\\\"]},\\\"text/javascript\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true},\\\"text/jcr-cnd\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/jsx\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"jsx\\\"]},\\\"text/less\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"less\\\"]},\\\"text/markdown\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"markdown\\\",\\\"md\\\"]},\\\"text/mathml\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"mml\\\"]},\\\"text/mdx\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mdx\\\"]},\\\"text/mizar\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/n3\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"n3\\\"]},\\\"text/parameters\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\"},\\\"text/parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/plain\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"txt\\\",\\\"text\\\",\\\"conf\\\",\\\"def\\\",\\\"list\\\",\\\"log\\\",\\\"in\\\",\\\"ini\\\"]},\\\"text/provenance-notation\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\"},\\\"text/prs.fallenstein.rst\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/prs.lines.tag\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dsc\\\"]},\\\"text/prs.prop.logic\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/raptorfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/red\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/rfc822-headers\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/richtext\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rtx\\\"]},\\\"text/rtf\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"rtf\\\"]},\\\"text/rtp-enc-aescm128\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/rtploopback\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/rtx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/sgml\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sgml\\\",\\\"sgm\\\"]},\\\"text/shaclc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/shex\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"shex\\\"]},\\\"text/slim\\\":{\\\"extensions\\\":[\\\"slim\\\",\\\"slm\\\"]},\\\"text/spdx\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"spdx\\\"]},\\\"text/strings\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/stylus\\\":{\\\"extensions\\\":[\\\"stylus\\\",\\\"styl\\\"]},\\\"text/t140\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/tab-separated-values\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"tsv\\\"]},\\\"text/troff\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"t\\\",\\\"tr\\\",\\\"roff\\\",\\\"man\\\",\\\"me\\\",\\\"ms\\\"]},\\\"text/turtle\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"extensions\\\":[\\\"ttl\\\"]},\\\"text/ulpfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/uri-list\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"uri\\\",\\\"uris\\\",\\\"urls\\\"]},\\\"text/vcard\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"vcard\\\"]},\\\"text/vnd.a\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.abc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.ascii-art\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.curl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"curl\\\"]},\\\"text/vnd.curl.dcurl\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"dcurl\\\"]},\\\"text/vnd.curl.mcurl\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mcurl\\\"]},\\\"text/vnd.curl.scurl\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"scurl\\\"]},\\\"text/vnd.debian.copyright\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\"},\\\"text/vnd.dmclientscript\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.dvb.subtitle\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"sub\\\"]},\\\"text/vnd.esmertec.theme-descriptor\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\"},\\\"text/vnd.familysearch.gedcom\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ged\\\"]},\\\"text/vnd.ficlab.flt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.fly\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fly\\\"]},\\\"text/vnd.fmi.flexstor\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"flx\\\"]},\\\"text/vnd.gml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.graphviz\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"gv\\\"]},\\\"text/vnd.hans\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.hgl\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.in3d.3dml\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"3dml\\\"]},\\\"text/vnd.in3d.spot\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"spot\\\"]},\\\"text/vnd.iptc.newsml\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.iptc.nitf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.latex-z\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.motorola.reflex\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.ms-mediapackage\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.net2phone.commcenter.command\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.radisys.msml-basic-layout\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.senx.warpscript\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.si.uricatalogue\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.sosi\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.sun.j2me.app-descriptor\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"extensions\\\":[\\\"jad\\\"]},\\\"text/vnd.trolltech.linguist\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\"},\\\"text/vnd.wap.si\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.wap.sl\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/vnd.wap.wml\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wml\\\"]},\\\"text/vnd.wap.wmlscript\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"wmls\\\"]},\\\"text/vtt\\\":{\\\"source\\\":\\\"iana\\\",\\\"charset\\\":\\\"UTF-8\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"vtt\\\"]},\\\"text/x-asm\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"s\\\",\\\"asm\\\"]},\\\"text/x-c\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"c\\\",\\\"cc\\\",\\\"cxx\\\",\\\"cpp\\\",\\\"h\\\",\\\"hh\\\",\\\"dic\\\"]},\\\"text/x-component\\\":{\\\"source\\\":\\\"nginx\\\",\\\"extensions\\\":[\\\"htc\\\"]},\\\"text/x-fortran\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"f\\\",\\\"for\\\",\\\"f77\\\",\\\"f90\\\"]},\\\"text/x-gwt-rpc\\\":{\\\"compressible\\\":true},\\\"text/x-handlebars-template\\\":{\\\"extensions\\\":[\\\"hbs\\\"]},\\\"text/x-java-source\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"java\\\"]},\\\"text/x-jquery-tmpl\\\":{\\\"compressible\\\":true},\\\"text/x-lua\\\":{\\\"extensions\\\":[\\\"lua\\\"]},\\\"text/x-markdown\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"mkd\\\"]},\\\"text/x-nfo\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"nfo\\\"]},\\\"text/x-opml\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"opml\\\"]},\\\"text/x-org\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"org\\\"]},\\\"text/x-pascal\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"p\\\",\\\"pas\\\"]},\\\"text/x-processing\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"pde\\\"]},\\\"text/x-sass\\\":{\\\"extensions\\\":[\\\"sass\\\"]},\\\"text/x-scss\\\":{\\\"extensions\\\":[\\\"scss\\\"]},\\\"text/x-setext\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"etx\\\"]},\\\"text/x-sfv\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"sfv\\\"]},\\\"text/x-suse-ymp\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"ymp\\\"]},\\\"text/x-uuencode\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"uu\\\"]},\\\"text/x-vcalendar\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"vcs\\\"]},\\\"text/x-vcard\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"vcf\\\"]},\\\"text/xml\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":true,\\\"extensions\\\":[\\\"xml\\\"]},\\\"text/xml-external-parsed-entity\\\":{\\\"source\\\":\\\"iana\\\"},\\\"text/yaml\\\":{\\\"compressible\\\":true,\\\"extensions\\\":[\\\"yaml\\\",\\\"yml\\\"]},\\\"video/1d-interleaved-parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/3gpp\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"3gp\\\",\\\"3gpp\\\"]},\\\"video/3gpp-tt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/3gpp2\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"3g2\\\"]},\\\"video/av1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/bmpeg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/bt656\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/celb\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/dv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/encaprtp\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/ffv1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/flexfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/h261\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"h261\\\"]},\\\"video/h263\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"h263\\\"]},\\\"video/h263-1998\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/h263-2000\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/h264\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"h264\\\"]},\\\"video/h264-rcdo\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/h264-svc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/h265\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/iso.segment\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"m4s\\\"]},\\\"video/jpeg\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"jpgv\\\"]},\\\"video/jpeg2000\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/jpm\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"jpm\\\",\\\"jpgm\\\"]},\\\"video/jxsv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/mj2\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mj2\\\",\\\"mjp2\\\"]},\\\"video/mp1s\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/mp2p\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/mp2t\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"ts\\\"]},\\\"video/mp4\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"mp4\\\",\\\"mp4v\\\",\\\"mpg4\\\"]},\\\"video/mp4v-es\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/mpeg\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"mpeg\\\",\\\"mpg\\\",\\\"mpe\\\",\\\"m1v\\\",\\\"m2v\\\"]},\\\"video/mpeg4-generic\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/mpv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/nv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/ogg\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"ogv\\\"]},\\\"video/parityfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/pointer\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/quicktime\\\":{\\\"source\\\":\\\"iana\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"qt\\\",\\\"mov\\\"]},\\\"video/raptorfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/raw\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/rtp-enc-aescm128\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/rtploopback\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/rtx\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/scip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/smpte291\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/smpte292m\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/ulpfec\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vc1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vc2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.cctv\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.dece.hd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvh\\\",\\\"uvvh\\\"]},\\\"video/vnd.dece.mobile\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvm\\\",\\\"uvvm\\\"]},\\\"video/vnd.dece.mp4\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.dece.pd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvp\\\",\\\"uvvp\\\"]},\\\"video/vnd.dece.sd\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvs\\\",\\\"uvvs\\\"]},\\\"video/vnd.dece.video\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvv\\\",\\\"uvvv\\\"]},\\\"video/vnd.directv.mpeg\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.directv.mpeg-tts\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.dlna.mpeg-tts\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.dvb.file\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"dvb\\\"]},\\\"video/vnd.fvt\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"fvt\\\"]},\\\"video/vnd.hns.video\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.iptvforum.1dparityfec-1010\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.iptvforum.1dparityfec-2005\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.iptvforum.2dparityfec-1010\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.iptvforum.2dparityfec-2005\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.iptvforum.ttsavc\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.iptvforum.ttsmpeg2\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.motorola.video\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.motorola.videop\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.mpegurl\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"mxu\\\",\\\"m4u\\\"]},\\\"video/vnd.ms-playready.media.pyv\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"pyv\\\"]},\\\"video/vnd.nokia.interleaved-multimedia\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.nokia.mp4vr\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.nokia.videovoip\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.objectvideo\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.radgamettools.bink\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.radgamettools.smacker\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.sealed.mpeg1\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.sealed.mpeg4\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.sealed.swf\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.sealedmedia.softseal.mov\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vnd.uvvu.mp4\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"uvu\\\",\\\"uvvu\\\"]},\\\"video/vnd.vivo\\\":{\\\"source\\\":\\\"iana\\\",\\\"extensions\\\":[\\\"viv\\\"]},\\\"video/vnd.youtube.yt\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vp8\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/vp9\\\":{\\\"source\\\":\\\"iana\\\"},\\\"video/webm\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"webm\\\"]},\\\"video/x-f4v\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"f4v\\\"]},\\\"video/x-fli\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"fli\\\"]},\\\"video/x-flv\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"flv\\\"]},\\\"video/x-m4v\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"m4v\\\"]},\\\"video/x-matroska\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"mkv\\\",\\\"mk3d\\\",\\\"mks\\\"]},\\\"video/x-mng\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"mng\\\"]},\\\"video/x-ms-asf\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"asf\\\",\\\"asx\\\"]},\\\"video/x-ms-vob\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"vob\\\"]},\\\"video/x-ms-wm\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wm\\\"]},\\\"video/x-ms-wmv\\\":{\\\"source\\\":\\\"apache\\\",\\\"compressible\\\":false,\\\"extensions\\\":[\\\"wmv\\\"]},\\\"video/x-ms-wmx\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wmx\\\"]},\\\"video/x-ms-wvx\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"wvx\\\"]},\\\"video/x-msvideo\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"avi\\\"]},\\\"video/x-sgi-movie\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"movie\\\"]},\\\"video/x-smv\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"smv\\\"]},\\\"x-conference/x-cooltalk\\\":{\\\"source\\\":\\\"apache\\\",\\\"extensions\\\":[\\\"ice\\\"]},\\\"x-shader/x-fragment\\\":{\\\"compressible\\\":true},\\\"x-shader/x-vertex\\\":{\\\"compressible\\\":true}}\");\n\n//# sourceURL=webpack:///./node_modules/mime-db/db.json?");
/***/ }),
/***/ "./node_modules/mime-db/index.js":
/*!***************************************!*\
!*** ./node_modules/mime-db/index.js ***!
\***************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("/*!\n * mime-db\n * Copyright(c) 2014 Jonathan Ong\n * Copyright(c) 2015-2022 Douglas Christopher Wilson\n * MIT Licensed\n */\n\n/**\n * Module exports.\n */\n\nmodule.exports = __webpack_require__(/*! ./db.json */ \"./node_modules/mime-db/db.json\")\n\n\n//# sourceURL=webpack:///./node_modules/mime-db/index.js?");
/***/ }),
/***/ "./node_modules/mime-types/index.js":
/*!******************************************!*\
!*** ./node_modules/mime-types/index.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("/*!\n * mime-types\n * Copyright(c) 2014 Jonathan Ong\n * Copyright(c) 2015 Douglas Christopher Wilson\n * MIT Licensed\n */\n\n\n\n/**\n * Module dependencies.\n * @private\n */\n\nvar db = __webpack_require__(/*! mime-db */ \"./node_modules/mime-db/index.js\")\nvar extname = __webpack_require__(/*! path */ \"path\").extname\n\n/**\n * Module variables.\n * @private\n */\n\nvar EXTRACT_TYPE_REGEXP = /^\\s*([^;\\s]*)(?:;|\\s|$)/\nvar TEXT_TYPE_REGEXP = /^text\\//i\n\n/**\n * Module exports.\n * @public\n */\n\nexports.charset = charset\nexports.charsets = { lookup: charset }\nexports.contentType = contentType\nexports.extension = extension\nexports.extensions = Object.create(null)\nexports.lookup = lookup\nexports.types = Object.create(null)\n\n// Populate the extensions/types maps\npopulateMaps(exports.extensions, exports.types)\n\n/**\n * Get the default charset for a MIME type.\n *\n * @param {string} type\n * @return {boolean|string}\n */\n\nfunction charset (type) {\n if (!type || typeof type !== 'string') {\n return false\n }\n\n // TODO: use media-typer\n var match = EXTRACT_TYPE_REGEXP.exec(type)\n var mime = match && db[match[1].toLowerCase()]\n\n if (mime && mime.charset) {\n return mime.charset\n }\n\n // default text/* to utf-8\n if (match && TEXT_TYPE_REGEXP.test(match[1])) {\n return 'UTF-8'\n }\n\n return false\n}\n\n/**\n * Create a full Content-Type header given a MIME type or extension.\n *\n * @param {string} str\n * @return {boolean|string}\n */\n\nfunction contentType (str) {\n // TODO: should this even be in this module?\n if (!str || typeof str !== 'string') {\n return false\n }\n\n var mime = str.indexOf('/') === -1\n ? exports.lookup(str)\n : str\n\n if (!mime) {\n return false\n }\n\n // TODO: use content-type or other module\n if (mime.indexOf('charset') === -1) {\n var charset = exports.charset(mime)\n if (charset) mime += '; charset=' + charset.toLowerCase()\n }\n\n return mime\n}\n\n/**\n * Get the default extension for a MIME type.\n *\n * @param {string} type\n * @return {boolean|string}\n */\n\nfunction extension (type) {\n if (!type || typeof type !== 'string') {\n return false\n }\n\n // TODO: use media-typer\n var match = EXTRACT_TYPE_REGEXP.exec(type)\n\n // get extensions\n var exts = match && exports.extensions[match[1].toLowerCase()]\n\n if (!exts || !exts.length) {\n return false\n }\n\n return exts[0]\n}\n\n/**\n * Lookup the MIME type for a file path/extension.\n *\n * @param {string} path\n * @return {boolean|string}\n */\n\nfunction lookup (path) {\n if (!path || typeof path !== 'string') {\n return false\n }\n\n // get the extension (\"ext\" or \".ext\" or full path)\n var extension = extname('x.' + path)\n .toLowerCase()\n .substr(1)\n\n if (!extension) {\n return false\n }\n\n return exports.types[extension] || false\n}\n\n/**\n * Populate the extensions and types maps.\n * @private\n */\n\nfunction populateMaps (extensions, types) {\n // source preference (least -> most)\n var preference = ['nginx', 'apache', undefined, 'iana']\n\n Object.keys(db).forEach(function forEachMimeType (type) {\n var mime = db[type]\n var exts = mime.extensions\n\n if (!exts || !exts.length) {\n return\n }\n\n // mime -> extensions\n extensions[type] = exts\n\n // extension -> mime\n for (var i = 0; i < exts.length; i++) {\n var extension = exts[i]\n\n if (types[extension]) {\n var from = preference.indexOf(db[types[extension]].source)\n var to = preference.indexOf(mime.source)\n\n if (types[extension] !== 'application/octet-stream' &&\n (from > to || (from === to && types[extension].substr(0, 12) === 'application/'))) {\n // skip the remapping\n continue\n }\n }\n\n // set the extension -> mime\n types[extension] = type\n }\n })\n}\n\n\n//# sourceURL=webpack:///./node_modules/mime-types/index.js?");
/***/ }),
/***/ "./node_modules/minimatch/minimatch.js":
/*!*********************************************!*\
!*** ./node_modules/minimatch/minimatch.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("module.exports = minimatch\nminimatch.Minimatch = Minimatch\n\nvar path = (function () { try { return __webpack_require__(/*! path */ \"path\") } catch (e) {}}()) || {\n sep: '/'\n}\nminimatch.sep = path.sep\n\nvar GLOBSTAR = minimatch.GLOBSTAR = Minimatch.GLOBSTAR = {}\nvar expand = __webpack_require__(/*! brace-expansion */ \"./node_modules/brace-expansion/index.js\")\n\nvar plTypes = {\n '!': { open: '(?:(?!(?:', close: '))[^/]*?)'},\n '?': { open: '(?:', close: ')?' },\n '+': { open: '(?:', close: ')+' },\n '*': { open: '(?:', close: ')*' },\n '@': { open: '(?:', close: ')' }\n}\n\n// any single thing other than /\n// don't need to escape / when using new RegExp()\nvar qmark = '[^/]'\n\n// * => any number of characters\nvar star = qmark + '*?'\n\n// ** when dots are allowed. Anything goes, except .. and .\n// not (^ or / followed by one or two dots followed by $ or /),\n// followed by anything, any number of times.\nvar twoStarDot = '(?:(?!(?:\\\\\\/|^)(?:\\\\.{1,2})($|\\\\\\/)).)*?'\n\n// not a ^ or / followed by a dot,\n// followed by anything, any number of times.\nvar twoStarNoDot = '(?:(?!(?:\\\\\\/|^)\\\\.).)*?'\n\n// characters that need to be escaped in RegExp.\nvar reSpecials = charSet('().*{}+?[]^$\\\\!')\n\n// \"abc\" -> { a:true, b:true, c:true }\nfunction charSet (s) {\n return s.split('').reduce(function (set, c) {\n set[c] = true\n return set\n }, {})\n}\n\n// normalizes slashes.\nvar slashSplit = /\\/+/\n\nminimatch.filter = filter\nfunction filter (pattern, options) {\n options = options || {}\n return function (p, i, list) {\n return minimatch(p, pattern, options)\n }\n}\n\nfunction ext (a, b) {\n b = b || {}\n var t = {}\n Object.keys(a).forEach(function (k) {\n t[k] = a[k]\n })\n Object.keys(b).forEach(function (k) {\n t[k] = b[k]\n })\n return t\n}\n\nminimatch.defaults = function (def) {\n if (!def || typeof def !== 'object' || !Object.keys(def).length) {\n return minimatch\n }\n\n var orig = minimatch\n\n var m = function minimatch (p, pattern, options) {\n return orig(p, pattern, ext(def, options))\n }\n\n m.Minimatch = function Minimatch (pattern, options) {\n return new orig.Minimatch(pattern, ext(def, options))\n }\n m.Minimatch.defaults = function defaults (options) {\n return orig.defaults(ext(def, options)).Minimatch\n }\n\n m.filter = function filter (pattern, options) {\n return orig.filter(pattern, ext(def, options))\n }\n\n m.defaults = function defaults (options) {\n return orig.defaults(ext(def, options))\n }\n\n m.makeRe = function makeRe (pattern, options) {\n return orig.makeRe(pattern, ext(def, options))\n }\n\n m.braceExpand = function braceExpand (pattern, options) {\n return orig.braceExpand(pattern, ext(def, options))\n }\n\n m.match = function (list, pattern, options) {\n return orig.match(list, pattern, ext(def, options))\n }\n\n return m\n}\n\nMinimatch.defaults = function (def) {\n return minimatch.defaults(def).Minimatch\n}\n\nfunction minimatch (p, pattern, options) {\n assertValidPattern(pattern)\n\n if (!options) options = {}\n\n // shortcut: comments match nothing.\n if (!options.nocomment && pattern.charAt(0) === '#') {\n return false\n }\n\n return new Minimatch(pattern, options).match(p)\n}\n\nfunction Minimatch (pattern, options) {\n if (!(this instanceof Minimatch)) {\n return new Minimatch(pattern, options)\n }\n\n assertValidPattern(pattern)\n\n if (!options) options = {}\n\n pattern = pattern.trim()\n\n // windows support: need to use /, not \\\n if (!options.allowWindowsEscape && path.sep !== '/') {\n pattern = pattern.split(path.sep).join('/')\n }\n\n this.options = options\n this.maxGlobstarRecursion = options.maxGlobstarRecursion !== undefined\n ? options.maxGlobstarRecursion : 200\n this.set = []\n this.pattern = pattern\n this.regexp = null\n this.negate = false\n this.comment = false\n this.empty = false\n this.partial = !!options.partial\n\n // make the set of regexps etc.\n this.make()\n}\n\nMinimatch.prototype.debug = function () {}\n\nMinimatch.prototype.make = make\nfunction make () {\n var pattern = this.pattern\n var options = this.options\n\n // empty patterns and comments match nothing.\n if (!options.nocomment && pattern.charAt(0) === '#') {\n this.comment = true\n return\n }\n if (!pattern) {\n this.empty = true\n return\n }\n\n // step 1: figure out negation, etc.\n this.parseNegate()\n\n // step 2: expand braces\n var set = this.globSet = this.braceExpand()\n\n if (options.debug) this.debug = function debug() { console.error.apply(console, arguments) }\n\n this.debug(this.pattern, set)\n\n // step 3: now we have a set, so turn each one into a series of path-portion\n // matching patterns.\n // These will be regexps, except in the case of \"**\", which is\n // set to the GLOBSTAR object for globstar behavior,\n // and will not contain any / characters\n set = this.globParts = set.map(function (s) {\n return s.split(slashSplit)\n })\n\n this.debug(this.pattern, set)\n\n // glob --> regexps\n set = set.map(function (s, si, set) {\n return s.map(this.parse, this)\n }, this)\n\n this.debug(this.pattern, set)\n\n // filter out everything that didn't compile properly.\n set = set.filter(function (s) {\n return s.indexOf(false) === -1\n })\n\n this.debug(this.pattern, set)\n\n this.set = set\n}\n\nMinimatch.prototype.parseNegate = parseNegate\nfunction parseNegate () {\n var pattern = this.pattern\n var negate = false\n var options = this.options\n var negateOffset = 0\n\n if (options.nonegate) return\n\n for (var i = 0, l = pattern.length\n ; i < l && pattern.charAt(i) === '!'\n ; i++) {\n negate = !negate\n negateOffset++\n }\n\n if (negateOffset) this.pattern = pattern.substr(negateOffset)\n this.negate = negate\n}\n\n// Brace expansion:\n// a{b,c}d -> abd acd\n// a{b,}c -> abc ac\n// a{0..3}d -> a0d a1d a2d a3d\n// a{b,c{d,e}f}g -> abg acdfg acefg\n// a{b,c}d{e,f}g -> abdeg acdeg abdeg abdfg\n//\n// Invalid sets are not expanded.\n// a{2..}b -> a{2..}b\n// a{b}c -> a{b}c\nminimatch.braceExpand = function (pattern, options) {\n return braceExpand(pattern, options)\n}\n\nMinimatch.prototype.braceExpand = braceExpand\n\nfunction braceExpand (pattern, options) {\n if (!options) {\n if (this instanceof Minimatch) {\n options = this.options\n } else {\n options = {}\n }\n }\n\n pattern = typeof pattern === 'undefined'\n ? this.pattern : pattern\n\n assertValidPattern(pattern)\n\n // Thanks to Yeting Li <https://github.com/yetingli> for\n // improving this regexp to avoid a ReDOS vulnerability.\n if (options.nobrace || !/\\{(?:(?!\\{).)*\\}/.test(pattern)) {\n // shortcut. no need to expand.\n return [pattern]\n }\n\n return expand(pattern)\n}\n\nvar MAX_PATTERN_LENGTH = 1024 * 64\nvar assertValidPattern = function (pattern) {\n if (typeof pattern !== 'string') {\n throw new TypeError('invalid pattern')\n }\n\n if (pattern.length > MAX_PATTERN_LENGTH) {\n throw new TypeError('pattern is too long')\n }\n}\n\n// parse a component of the expanded set.\n// At this point, no pattern may contain \"/\" in it\n// so we're going to return a 2d array, where each entry is the full\n// pattern, split on '/', and then turned into a regular expression.\n// A regexp is made at the end which joins each array with an\n// escaped /, and another full one which joins each regexp with |.\n//\n// Following the lead of Bash 4.1, note that \"**\" only has special meaning\n// when it is the *only* thing in a path portion. Otherwise, any series\n// of * is equivalent to a single *. Globstar behavior is enabled by\n// default, and can be disabled by setting options.noglobstar.\nMinimatch.prototype.parse = parse\nvar SUBPARSE = {}\nfunction parse (pattern, isSub) {\n assertValidPattern(pattern)\n\n var options = this.options\n\n // shortcuts\n if (pattern === '**') {\n if (!options.noglobstar)\n return GLOBSTAR\n else\n pattern = '*'\n }\n if (pattern === '') return ''\n\n var re = ''\n var hasMagic = !!options.nocase\n var escaping = false\n // ? => one single character\n var patternListStack = []\n var negativeLists = []\n var stateChar\n var inClass = false\n var reClassStart = -1\n var classStart = -1\n // . and .. never match anything that doesn't start with .,\n // even when options.dot is set.\n var patternStart = pattern.charAt(0) === '.' ? '' // anything\n // not (start or / followed by . or .. followed by / or end)\n : options.dot ? '(?!(?:^|\\\\\\/)\\\\.{1,2}(?:$|\\\\\\/))'\n : '(?!\\\\.)'\n var self = this\n\n function clearStateChar () {\n if (stateChar) {\n // we had some state-tracking character\n // that wasn't consumed by this pass.\n switch (stateChar) {\n case '*':\n re += star\n hasMagic = true\n break\n case '?':\n re += qmark\n hasMagic = true\n break\n default:\n re += '\\\\' + stateChar\n break\n }\n self.debug('clearStateChar %j %j', stateChar, re)\n stateChar = false\n }\n }\n\n for (var i = 0, len = pattern.length, c\n ; (i < len) && (c = pattern.charAt(i))\n ; i++) {\n this.debug('%s\\t%s %s %j', pattern, i, re, c)\n\n // skip over any that are escaped.\n if (escaping && reSpecials[c]) {\n re += '\\\\' + c\n escaping = false\n continue\n }\n\n switch (c) {\n /* istanbul ignore next */\n case '/': {\n // completely not allowed, even escaped.\n // Should already be path-split by now.\n return false\n }\n\n case '\\\\':\n clearStateChar()\n escaping = true\n continue\n\n // the various stateChar values\n // for the \"extglob\" stuff.\n case '?':\n case '*':\n case '+':\n case '@':\n case '!':\n this.debug('%s\\t%s %s %j <-- stateChar', pattern, i, re, c)\n\n // all of those are literals inside a class, except that\n // the glob [!a] means [^a] in regexp\n if (inClass) {\n this.debug(' in class')\n if (c === '!' && i === classStart + 1) c = '^'\n re += c\n continue\n }\n\n // coalesce consecutive non-globstar * characters\n if (c === '*' && stateChar === '*') continue\n\n // if we already have a stateChar, then it means\n // that there was something like ** or +? in there.\n // Handle the stateChar, then proceed with this one.\n self.debug('call clearStateChar %j', stateChar)\n clearStateChar()\n stateChar = c\n // if extglob is disabled, then +(asdf|foo) isn't a thing.\n // just clear the statechar *now*, rather than even diving into\n // the patternList stuff.\n if (options.noext) clearStateChar()\n continue\n\n case '(':\n if (inClass) {\n re += '('\n continue\n }\n\n if (!stateChar) {\n re += '\\\\('\n continue\n }\n\n patternListStack.push({\n type: stateChar,\n start: i - 1,\n reStart: re.length,\n open: plTypes[stateChar].open,\n close: plTypes[stateChar].close\n })\n // negation is (?:(?!js)[^/]*)\n re += stateChar === '!' ? '(?:(?!(?:' : '(?:'\n this.debug('plType %j %j', stateChar, re)\n stateChar = false\n continue\n\n case ')':\n if (inClass || !patternListStack.length) {\n re += '\\\\)'\n continue\n }\n\n clearStateChar()\n hasMagic = true\n var pl = patternListStack.pop()\n // negation is (?:(?!js)[^/]*)\n // The others are (?:<pattern>)<type>\n re += pl.close\n if (pl.type === '!') {\n negativeLists.push(pl)\n }\n pl.reEnd = re.length\n continue\n\n case '|':\n if (inClass || !patternListStack.length || escaping) {\n re += '\\\\|'\n escaping = false\n continue\n }\n\n clearStateChar()\n re += '|'\n continue\n\n // these are mostly the same in regexp and glob\n case '[':\n // swallow any state-tracking char before the [\n clearStateChar()\n\n if (inClass) {\n re += '\\\\' + c\n continue\n }\n\n inClass = true\n classStart = i\n reClassStart = re.length\n re += c\n continue\n\n case ']':\n // a right bracket shall lose its special\n // meaning and represent itself in\n // a bracket expression if it occurs\n // first in the list. -- POSIX.2 2.8.3.2\n if (i === classStart + 1 || !inClass) {\n re += '\\\\' + c\n escaping = false\n continue\n }\n\n // handle the case where we left a class open.\n // \"[z-a]\" is valid, equivalent to \"\\[z-a\\]\"\n // split where the last [ was, make sure we don't have\n // an invalid re. if so, re-walk the contents of the\n // would-be class to re-translate any characters that\n // were passed through as-is\n // TODO: It would probably be faster to determine this\n // without a try/catch and a new RegExp, but it's tricky\n // to do safely. For now, this is safe and works.\n var cs = pattern.substring(classStart + 1, i)\n try {\n RegExp('[' + cs + ']')\n } catch (er) {\n // not a valid class!\n var sp = this.parse(cs, SUBPARSE)\n re = re.substr(0, reClassStart) + '\\\\[' + sp[0] + '\\\\]'\n hasMagic = hasMagic || sp[1]\n inClass = false\n continue\n }\n\n // finish up the class.\n hasMagic = true\n inClass = false\n re += c\n continue\n\n default:\n // swallow any state char that wasn't consumed\n clearStateChar()\n\n if (escaping) {\n // no need\n escaping = false\n } else if (reSpecials[c]\n && !(c === '^' && inClass)) {\n re += '\\\\'\n }\n\n re += c\n\n } // switch\n } // for\n\n // handle the case where we left a class open.\n // \"[abc\" is valid, equivalent to \"\\[abc\"\n if (inClass) {\n // split where the last [ was, and escape it\n // this is a huge pita. We now have to re-walk\n // the contents of the would-be class to re-translate\n // any characters that were passed through as-is\n cs = pattern.substr(classStart + 1)\n sp = this.parse(cs, SUBPARSE)\n re = re.substr(0, reClassStart) + '\\\\[' + sp[0]\n hasMagic = hasMagic || sp[1]\n }\n\n // handle the case where we had a +( thing at the *end*\n // of the pattern.\n // each pattern list stack adds 3 chars, and we need to go through\n // and escape any | chars that were passed through as-is for the regexp.\n // Go through and escape them, taking care not to double-escape any\n // | chars that were already escaped.\n for (pl = patternListStack.pop(); pl; pl = patternListStack.pop()) {\n var tail = re.slice(pl.reStart + pl.open.length)\n this.debug('setting tail', re, pl)\n // maybe some even number of \\, then maybe 1 \\, followed by a |\n tail = tail.replace(/((?:\\\\{2}){0,64})(\\\\?)\\|/g, function (_, $1, $2) {\n if (!$2) {\n // the | isn't already escaped, so escape it.\n $2 = '\\\\'\n }\n\n // need to escape all those slashes *again*, without escaping the\n // one that we need for escaping the | character. As it works out,\n // escaping an even number of slashes can be done by simply repeating\n // it exactly after itself. That's why this trick works.\n //\n // I am sorry that you have to see this.\n return $1 + $1 + $2 + '|'\n })\n\n this.debug('tail=%j\\n %s', tail, tail, pl, re)\n var t = pl.type === '*' ? star\n : pl.type === '?' ? qmark\n : '\\\\' + pl.type\n\n hasMagic = true\n re = re.slice(0, pl.reStart) + t + '\\\\(' + tail\n }\n\n // handle trailing things that only matter at the very end.\n clearStateChar()\n if (escaping) {\n // trailing \\\\\n re += '\\\\\\\\'\n }\n\n // only need to apply the nodot start if the re starts with\n // something that could conceivably capture a dot\n var addPatternStart = false\n switch (re.charAt(0)) {\n case '[': case '.': case '(': addPatternStart = true\n }\n\n // Hack to work around lack of negative lookbehind in JS\n // A pattern like: *.!(x).!(y|z) needs to ensure that a name\n // like 'a.xyz.yz' doesn't match. So, the first negative\n // lookahead, has to look ALL the way ahead, to the end of\n // the pattern.\n for (var n = negativeLists.length - 1; n > -1; n--) {\n var nl = negativeLists[n]\n\n var nlBefore = re.slice(0, nl.reStart)\n var nlFirst = re.slice(nl.reStart, nl.reEnd - 8)\n var nlLast = re.slice(nl.reEnd - 8, nl.reEnd)\n var nlAfter = re.slice(nl.reEnd)\n\n nlLast += nlAfter\n\n // Handle nested stuff like *(*.js|!(*.json)), where open parens\n // mean that we should *not* include the ) in the bit that is considered\n // \"after\" the negated section.\n var openParensBefore = nlBefore.split('(').length - 1\n var cleanAfter = nlAfter\n for (i = 0; i < openParensBefore; i++) {\n cleanAfter = cleanAfter.replace(/\\)[+*?]?/, '')\n }\n nlAfter = cleanAfter\n\n var dollar = ''\n if (nlAfter === '' && isSub !== SUBPARSE) {\n dollar = '$'\n }\n var newRe = nlBefore + nlFirst + nlAfter + dollar + nlLast\n re = newRe\n }\n\n // if the re is not \"\" at this point, then we need to make sure\n // it doesn't match against an empty path part.\n // Otherwise a/* will match a/, which it should not.\n if (re !== '' && hasMagic) {\n re = '(?=.)' + re\n }\n\n if (addPatternStart) {\n re = patternStart + re\n }\n\n // parsing just a piece of a larger pattern.\n if (isSub === SUBPARSE) {\n return [re, hasMagic]\n }\n\n // skip the regexp for non-magical patterns\n // unescape anything in it, though, so that it'll be\n // an exact match against a file etc.\n if (!hasMagic) {\n return globUnescape(pattern)\n }\n\n var flags = options.nocase ? 'i' : ''\n try {\n var regExp = new RegExp('^' + re + '$', flags)\n } catch (er) /* istanbul ignore next - should be impossible */ {\n // If it was an invalid regular expression, then it can't match\n // anything. This trick looks for a character after the end of\n // the string, which is of course impossible, except in multi-line\n // mode, but it's not a /m regex.\n return new RegExp('$.')\n }\n\n regExp._glob = pattern\n regExp._src = re\n\n return regExp\n}\n\nminimatch.makeRe = function (pattern, options) {\n return new Minimatch(pattern, options || {}).makeRe()\n}\n\nMinimatch.prototype.makeRe = makeRe\nfunction makeRe () {\n if (this.regexp || this.regexp === false) return this.regexp\n\n // at this point, this.set is a 2d array of partial\n // pattern strings, or \"**\".\n //\n // It's better to use .match(). This function shouldn't\n // be used, really, but it's pretty convenient sometimes,\n // when you just want to work with a regex.\n var set = this.set\n\n if (!set.length) {\n this.regexp = false\n return this.regexp\n }\n var options = this.options\n\n var twoStar = options.noglobstar ? star\n : options.dot ? twoStarDot\n : twoStarNoDot\n var flags = options.nocase ? 'i' : ''\n\n var re = set.map(function (pattern) {\n return pattern.map(function (p) {\n return (p === GLOBSTAR) ? twoStar\n : (typeof p === 'string') ? regExpEscape(p)\n : p._src\n }).join('\\\\\\/')\n }).join('|')\n\n // must match entire pattern\n // ending in a * or ** will make it less strict.\n re = '^(?:' + re + ')$'\n\n // can match anything, as long as it's not this.\n if (this.negate) re = '^(?!' + re + ').*$'\n\n try {\n this.regexp = new RegExp(re, flags)\n } catch (ex) /* istanbul ignore next - should be impossible */ {\n this.regexp = false\n }\n return this.regexp\n}\n\nminimatch.match = function (list, pattern, options) {\n options = options || {}\n var mm = new Minimatch(pattern, options)\n list = list.filter(function (f) {\n return mm.match(f)\n })\n if (mm.options.nonull && !list.length) {\n list.push(pattern)\n }\n return list\n}\n\nMinimatch.prototype.match = function match (f, partial) {\n if (typeof partial === 'undefined') partial = this.partial\n this.debug('match', f, this.pattern)\n // short-circuit in the case of busted things.\n // comments, etc.\n if (this.comment) return false\n if (this.empty) return f === ''\n\n if (f === '/' && partial) return true\n\n var options = this.options\n\n // windows: need to use /, not \\\n if (path.sep !== '/') {\n f = f.split(path.sep).join('/')\n }\n\n // treat the test path as a set of pathparts.\n f = f.split(slashSplit)\n this.debug(this.pattern, 'split', f)\n\n // just ONE of the pattern sets in this.set needs to match\n // in order for it to be valid. If negating, then just one\n // match means that we have failed.\n // Either way, return on the first hit.\n\n var set = this.set\n this.debug(this.pattern, 'set', set)\n\n // Find the basename of the path by looking for the last non-empty segment\n var filename\n var i\n for (i = f.length - 1; i >= 0; i--) {\n filename = f[i]\n if (filename) break\n }\n\n for (i = 0; i < set.length; i++) {\n var pattern = set[i]\n var file = f\n if (options.matchBase && pattern.length === 1) {\n file = [filename]\n }\n var hit = this.matchOne(file, pattern, partial)\n if (hit) {\n if (options.flipNegate) return true\n return !this.negate\n }\n }\n\n // didn't get any hits. this is success if it's a negative\n // pattern, failure otherwise.\n if (options.flipNegate) return false\n return this.negate\n}\n\n// set partial to true to test if, for example,\n// \"/a/b\" matches the start of \"/*/b/*/d\"\n// Partial means, if you run out of file before you run\n// out of pattern, then that's fine, as long as all\n// the parts match.\nMinimatch.prototype.matchOne = function (file, pattern, partial) {\n if (pattern.indexOf(GLOBSTAR) !== -1) {\n return this._matchGlobstar(file, pattern, partial, 0, 0)\n }\n return this._matchOne(file, pattern, partial, 0, 0)\n}\n\nMinimatch.prototype._matchGlobstar = function (file, pattern, partial, fileIndex, patternIndex) {\n var i\n\n // find first globstar from patternIndex\n var firstgs = -1\n for (i = patternIndex; i < pattern.length; i++) {\n if (pattern[i] === GLOBSTAR) { firstgs = i; break }\n }\n\n // find last globstar\n var lastgs = -1\n for (i = pattern.length - 1; i >= 0; i--) {\n if (pattern[i] === GLOBSTAR) { lastgs = i; break }\n }\n\n var head = pattern.slice(patternIndex, firstgs)\n var body = partial ? pattern.slice(firstgs + 1) : pattern.slice(firstgs + 1, lastgs)\n var tail = partial ? [] : pattern.slice(lastgs + 1)\n\n // check the head\n if (head.length) {\n var fileHead = file.slice(fileIndex, fileIndex + head.length)\n if (!this._matchOne(fileHead, head, partial, 0, 0)) {\n return false\n }\n fileIndex += head.length\n }\n\n // check the tail\n var fileTailMatch = 0\n if (tail.length) {\n if (tail.length + fileIndex > file.length) return false\n\n var tailStart = file.length - tail.length\n if (this._matchOne(file, tail, partial, tailStart, 0)) {\n fileTailMatch = tail.length\n } else {\n // affordance for stuff like a/**/* matching a/b/\n if (file[file.length - 1] !== '' ||\n fileIndex + tail.length === file.length) {\n return false\n }\n tailStart--\n if (!this._matchOne(file, tail, partial, tailStart, 0)) {\n return false\n }\n fileTailMatch = tail.length + 1\n }\n }\n\n // if body is empty (single ** between head and tail)\n if (!body.length) {\n var sawSome = !!fileTailMatch\n for (i = fileIndex; i < file.length - fileTailMatch; i++) {\n var f = String(file[i])\n sawSome = true\n if (f === '.' || f === '..' ||\n (!this.options.dot && f.charAt(0) === '.')) {\n return false\n }\n }\n return partial || sawSome\n }\n\n // split body into segments at each GLOBSTAR\n var bodySegments = [[[], 0]]\n var currentBody = bodySegments[0]\n var nonGsParts = 0\n var nonGsPartsSums = [0]\n for (var bi = 0; bi < body.length; bi++) {\n var b = body[bi]\n if (b === GLOBSTAR) {\n nonGsPartsSums.push(nonGsParts)\n currentBody = [[], 0]\n bodySegments.push(currentBody)\n } else {\n currentBody[0].push(b)\n nonGsParts++\n }\n }\n\n var idx = bodySegments.length - 1\n var fileLength = file.length - fileTailMatch\n for (var si = 0; si < bodySegments.length; si++) {\n bodySegments[si][1] = fileLength -\n (nonGsPartsSums[idx--] + bodySegments[si][0].length)\n }\n\n return !!this._matchGlobStarBodySections(\n file, bodySegments, fileIndex, 0, partial, 0, !!fileTailMatch\n )\n}\n\n// return false for \"nope, not matching\"\n// return null for \"not matching, cannot keep trying\"\nMinimatch.prototype._matchGlobStarBodySections = function (\n file, bodySegments, fileIndex, bodyIndex, partial, globStarDepth, sawTail\n) {\n var bs = bodySegments[bodyIndex]\n if (!bs) {\n // just make sure there are no bad dots\n for (var i = fileIndex; i < file.length; i++) {\n sawTail = true\n var f = file[i]\n if (f === '.' || f === '..' ||\n (!this.options.dot && f.charAt(0) === '.')) {\n return false\n }\n }\n return sawTail\n }\n\n var body = bs[0]\n var after = bs[1]\n while (fileIndex <= after) {\n var m = this._matchOne(\n file.slice(0, fileIndex + body.length),\n body,\n partial,\n fileIndex,\n 0\n )\n // if limit exceeded, no match. intentional false negative,\n // acceptable break in correctness for security.\n if (m && globStarDepth < this.maxGlobstarRecursion) {\n var sub = this._matchGlobStarBodySections(\n file, bodySegments,\n fileIndex + body.length, bodyIndex + 1,\n partial, globStarDepth + 1, sawTail\n )\n if (sub !== false) {\n return sub\n }\n }\n var f = file[fileIndex]\n if (f === '.' || f === '..' ||\n (!this.options.dot && f.charAt(0) === '.')) {\n return false\n }\n fileIndex++\n }\n return partial || null\n}\n\nMinimatch.prototype._matchOne = function (file, pattern, partial, fileIndex, patternIndex) {\n var fi, pi, fl, pl\n for (\n fi = fileIndex, pi = patternIndex, fl = file.length, pl = pattern.length\n ; (fi < fl) && (pi < pl)\n ; fi++, pi++\n ) {\n this.debug('matchOne loop')\n var p = pattern[pi]\n var f = file[fi]\n\n this.debug(pattern, p, f)\n\n // should be impossible.\n // some invalid regexp stuff in the set.\n /* istanbul ignore if */\n if (p === false || p === GLOBSTAR) return false\n\n // something other than **\n // non-magic patterns just have to match exactly\n // patterns with magic have been turned into regexps.\n var hit\n if (typeof p === 'string') {\n hit = f === p\n this.debug('string match', p, f, hit)\n } else {\n hit = f.match(p)\n this.debug('pattern match', p, f, hit)\n }\n\n if (!hit) return false\n }\n\n // now either we fell off the end of the pattern, or we're done.\n if (fi === fl && pi === pl) {\n // ran out of pattern and filename at the same time.\n // an exact hit!\n return true\n } else if (fi === fl) {\n // ran out of file, but still had pattern left.\n // this is ok if we're doing the match as part of\n // a glob fs traversal.\n return partial\n } else /* istanbul ignore else */ if (pi === pl) {\n // ran out of pattern, still have file left.\n // this is only acceptable if we're on the very last\n // empty segment of a file with a trailing slash.\n // a/* should match a/b/\n return (fi === fl - 1) && (file[fi] === '')\n }\n\n // should be unreachable.\n /* istanbul ignore next */\n throw new Error('wtf?')\n}\n\n// replace stuff like \\* with *\nfunction globUnescape (s) {\n return s.replace(/\\\\(.)/g, '$1')\n}\n\nfunction regExpEscape (s) {\n return s.replace(/[-[\\]{}()*+?.,\\\\^$|#\\s]/g, '\\\\$&')\n}\n\n\n//# sourceURL=webpack:///./node_modules/minimatch/minimatch.js?");
/***/ }),
/***/ "./node_modules/mkdirp/index.js":
/*!**************************************!*\
!*** ./node_modules/mkdirp/index.js ***!
\**************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var path = __webpack_require__(/*! path */ \"path\");\nvar fs = __webpack_require__(/*! fs */ \"fs\");\nvar _0777 = parseInt('0777', 8);\n\nmodule.exports = mkdirP.mkdirp = mkdirP.mkdirP = mkdirP;\n\nfunction mkdirP (p, opts, f, made) {\n if (typeof opts === 'function') {\n f = opts;\n opts = {};\n }\n else if (!opts || typeof opts !== 'object') {\n opts = { mode: opts };\n }\n \n var mode = opts.mode;\n var xfs = opts.fs || fs;\n \n if (mode === undefined) {\n mode = _0777\n }\n if (!made) made = null;\n \n var cb = f || /* istanbul ignore next */ function () {};\n p = path.resolve(p);\n \n xfs.mkdir(p, mode, function (er) {\n if (!er) {\n made = made || p;\n return cb(null, made);\n }\n switch (er.code) {\n case 'ENOENT':\n /* istanbul ignore if */\n if (path.dirname(p) === p) return cb(er);\n mkdirP(path.dirname(p), opts, function (er, made) {\n /* istanbul ignore if */\n if (er) cb(er, made);\n else mkdirP(p, opts, cb, made);\n });\n break;\n\n // In the case of any other error, just see if there's a dir\n // there already. If so, then hooray! If not, then something\n // is borked.\n default:\n xfs.stat(p, function (er2, stat) {\n // if the stat fails, then that's super weird.\n // let the original error be the failure reason.\n if (er2 || !stat.isDirectory()) cb(er, made)\n else cb(null, made);\n });\n break;\n }\n });\n}\n\nmkdirP.sync = function sync (p, opts, made) {\n if (!opts || typeof opts !== 'object') {\n opts = { mode: opts };\n }\n \n var mode = opts.mode;\n var xfs = opts.fs || fs;\n \n if (mode === undefined) {\n mode = _0777\n }\n if (!made) made = null;\n\n p = path.resolve(p);\n\n try {\n xfs.mkdirSync(p, mode);\n made = made || p;\n }\n catch (err0) {\n switch (err0.code) {\n case 'ENOENT' :\n made = sync(path.dirname(p), opts, made);\n sync(p, opts, made);\n break;\n\n // In the case of any other error, just see if there's a dir\n // there already. If so, then hooray! If not, then something\n // is borked.\n default:\n var stat;\n try {\n stat = xfs.statSync(p);\n }\n catch (err1) /* istanbul ignore next */ {\n throw err0;\n }\n /* istanbul ignore if */\n if (!stat.isDirectory()) throw err0;\n break;\n }\n }\n\n return made;\n};\n\n\n//# sourceURL=webpack:///./node_modules/mkdirp/index.js?");
/***/ }),
/***/ "./node_modules/ms/index.js":
/*!**********************************!*\
!*** ./node_modules/ms/index.js ***!
\**********************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("/**\n * Helpers.\n */\n\nvar s = 1000;\nvar m = s * 60;\nvar h = m * 60;\nvar d = h * 24;\nvar w = d * 7;\nvar y = d * 365.25;\n\n/**\n * Parse or format the given `val`.\n *\n * Options:\n *\n * - `long` verbose formatting [false]\n *\n * @param {String|Number} val\n * @param {Object} [options]\n * @throws {Error} throw an error if val is not a non-empty string or a number\n * @return {String|Number}\n * @api public\n */\n\nmodule.exports = function (val, options) {\n options = options || {};\n var type = typeof val;\n if (type === 'string' && val.length > 0) {\n return parse(val);\n } else if (type === 'number' && isFinite(val)) {\n return options.long ? fmtLong(val) : fmtShort(val);\n }\n throw new Error(\n 'val is not a non-empty string or a valid number. val=' +\n JSON.stringify(val)\n );\n};\n\n/**\n * Parse the given `str` and return milliseconds.\n *\n * @param {String} str\n * @return {Number}\n * @api private\n */\n\nfunction parse(str) {\n str = String(str);\n if (str.length > 100) {\n return;\n }\n var match = /^(-?(?:\\d+)?\\.?\\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|weeks?|w|years?|yrs?|y)?$/i.exec(\n str\n );\n if (!match) {\n return;\n }\n var n = parseFloat(match[1]);\n var type = (match[2] || 'ms').toLowerCase();\n switch (type) {\n case 'years':\n case 'year':\n case 'yrs':\n case 'yr':\n case 'y':\n return n * y;\n case 'weeks':\n case 'week':\n case 'w':\n return n * w;\n case 'days':\n case 'day':\n case 'd':\n return n * d;\n case 'hours':\n case 'hour':\n case 'hrs':\n case 'hr':\n case 'h':\n return n * h;\n case 'minutes':\n case 'minute':\n case 'mins':\n case 'min':\n case 'm':\n return n * m;\n case 'seconds':\n case 'second':\n case 'secs':\n case 'sec':\n case 's':\n return n * s;\n case 'milliseconds':\n case 'millisecond':\n case 'msecs':\n case 'msec':\n case 'ms':\n return n;\n default:\n return undefined;\n }\n}\n\n/**\n * Short format for `ms`.\n *\n * @param {Number} ms\n * @return {String}\n * @api private\n */\n\nfunction fmtShort(ms) {\n var msAbs = Math.abs(ms);\n if (msAbs >= d) {\n return Math.round(ms / d) + 'd';\n }\n if (msAbs >= h) {\n return Math.round(ms / h) + 'h';\n }\n if (msAbs >= m) {\n return Math.round(ms / m) + 'm';\n }\n if (msAbs >= s) {\n return Math.round(ms / s) + 's';\n }\n return ms + 'ms';\n}\n\n/**\n * Long format for `ms`.\n *\n * @param {Number} ms\n * @return {String}\n * @api private\n */\n\nfunction fmtLong(ms) {\n var msAbs = Math.abs(ms);\n if (msAbs >= d) {\n return plural(ms, msAbs, d, 'day');\n }\n if (msAbs >= h) {\n return plural(ms, msAbs, h, 'hour');\n }\n if (msAbs >= m) {\n return plural(ms, msAbs, m, 'minute');\n }\n if (msAbs >= s) {\n return plural(ms, msAbs, s, 'second');\n }\n return ms + ' ms';\n}\n\n/**\n * Pluralization helper.\n */\n\nfunction plural(ms, msAbs, n, name) {\n var isPlural = msAbs >= n * 1.5;\n return Math.round(ms / n) + ' ' + name + (isPlural ? 's' : '');\n}\n\n\n//# sourceURL=webpack:///./node_modules/ms/index.js?");
/***/ }),
/***/ "./node_modules/once/once.js":
/*!***********************************!*\
!*** ./node_modules/once/once.js ***!
\***********************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var wrappy = __webpack_require__(/*! wrappy */ \"./node_modules/wrappy/wrappy.js\")\nmodule.exports = wrappy(once)\nmodule.exports.strict = wrappy(onceStrict)\n\nonce.proto = once(function () {\n Object.defineProperty(Function.prototype, 'once', {\n value: function () {\n return once(this)\n },\n configurable: true\n })\n\n Object.defineProperty(Function.prototype, 'onceStrict', {\n value: function () {\n return onceStrict(this)\n },\n configurable: true\n })\n})\n\nfunction once (fn) {\n var f = function () {\n if (f.called) return f.value\n f.called = true\n return f.value = fn.apply(this, arguments)\n }\n f.called = false\n return f\n}\n\nfunction onceStrict (fn) {\n var f = function () {\n if (f.called)\n throw new Error(f.onceError)\n f.called = true\n return f.value = fn.apply(this, arguments)\n }\n var name = fn.name || 'Function wrapped with `once`'\n f.onceError = name + \" shouldn't be called more than once\"\n f.called = false\n return f\n}\n\n\n//# sourceURL=webpack:///./node_modules/once/once.js?");
/***/ }),
/***/ "./node_modules/pako/index.js":
/*!************************************!*\
!*** ./node_modules/pako/index.js ***!
\************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// Top level file is just a mixin of submodules & constants\n\n\nvar assign = __webpack_require__(/*! ./lib/utils/common */ \"./node_modules/pako/lib/utils/common.js\").assign;\n\nvar deflate = __webpack_require__(/*! ./lib/deflate */ \"./node_modules/pako/lib/deflate.js\");\nvar inflate = __webpack_require__(/*! ./lib/inflate */ \"./node_modules/pako/lib/inflate.js\");\nvar constants = __webpack_require__(/*! ./lib/zlib/constants */ \"./node_modules/pako/lib/zlib/constants.js\");\n\nvar pako = {};\n\nassign(pako, deflate, inflate, constants);\n\nmodule.exports = pako;\n\n\n//# sourceURL=webpack:///./node_modules/pako/index.js?");
/***/ }),
/***/ "./node_modules/pako/lib/deflate.js":
/*!******************************************!*\
!*** ./node_modules/pako/lib/deflate.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n\nvar zlib_deflate = __webpack_require__(/*! ./zlib/deflate */ \"./node_modules/pako/lib/zlib/deflate.js\");\nvar utils = __webpack_require__(/*! ./utils/common */ \"./node_modules/pako/lib/utils/common.js\");\nvar strings = __webpack_require__(/*! ./utils/strings */ \"./node_modules/pako/lib/utils/strings.js\");\nvar msg = __webpack_require__(/*! ./zlib/messages */ \"./node_modules/pako/lib/zlib/messages.js\");\nvar ZStream = __webpack_require__(/*! ./zlib/zstream */ \"./node_modules/pako/lib/zlib/zstream.js\");\n\nvar toString = Object.prototype.toString;\n\n/* Public constants ==========================================================*/\n/* ===========================================================================*/\n\nvar Z_NO_FLUSH = 0;\nvar Z_FINISH = 4;\n\nvar Z_OK = 0;\nvar Z_STREAM_END = 1;\nvar Z_SYNC_FLUSH = 2;\n\nvar Z_DEFAULT_COMPRESSION = -1;\n\nvar Z_DEFAULT_STRATEGY = 0;\n\nvar Z_DEFLATED = 8;\n\n/* ===========================================================================*/\n\n\n/**\n * class Deflate\n *\n * Generic JS-style wrapper for zlib calls. If you don't need\n * streaming behaviour - use more simple functions: [[deflate]],\n * [[deflateRaw]] and [[gzip]].\n **/\n\n/* internal\n * Deflate.chunks -> Array\n *\n * Chunks of output data, if [[Deflate#onData]] not overridden.\n **/\n\n/**\n * Deflate.result -> Uint8Array|Array\n *\n * Compressed result, generated by default [[Deflate#onData]]\n * and [[Deflate#onEnd]] handlers. Filled after you push last chunk\n * (call [[Deflate#push]] with `Z_FINISH` / `true` param) or if you\n * push a chunk with explicit flush (call [[Deflate#push]] with\n * `Z_SYNC_FLUSH` param).\n **/\n\n/**\n * Deflate.err -> Number\n *\n * Error code after deflate finished. 0 (Z_OK) on success.\n * You will not need it in real life, because deflate errors\n * are possible only on wrong options or bad `onData` / `onEnd`\n * custom handlers.\n **/\n\n/**\n * Deflate.msg -> String\n *\n * Error message, if [[Deflate.err]] != 0\n **/\n\n\n/**\n * new Deflate(options)\n * - options (Object): zlib deflate options.\n *\n * Creates new deflator instance with specified params. Throws exception\n * on bad params. Supported options:\n *\n * - `level`\n * - `windowBits`\n * - `memLevel`\n * - `strategy`\n * - `dictionary`\n *\n * [http://zlib.net/manual.html#Advanced](http://zlib.net/manual.html#Advanced)\n * for more information on these.\n *\n * Additional options, for internal needs:\n *\n * - `chunkSize` - size of generated data chunks (16K by default)\n * - `raw` (Boolean) - do raw deflate\n * - `gzip` (Boolean) - create gzip wrapper\n * - `to` (String) - if equal to 'string', then result will be \"binary string\"\n * (each char code [0..255])\n * - `header` (Object) - custom header for gzip\n * - `text` (Boolean) - true if compressed data believed to be text\n * - `time` (Number) - modification time, unix timestamp\n * - `os` (Number) - operation system code\n * - `extra` (Array) - array of bytes with extra data (max 65536)\n * - `name` (String) - file name (binary string)\n * - `comment` (String) - comment (binary string)\n * - `hcrc` (Boolean) - true if header crc should be added\n *\n * ##### Example:\n *\n * ```javascript\n * var pako = require('pako')\n * , chunk1 = Uint8Array([1,2,3,4,5,6,7,8,9])\n * , chunk2 = Uint8Array([10,11,12,13,14,15,16,17,18,19]);\n *\n * var deflate = new pako.Deflate({ level: 3});\n *\n * deflate.push(chunk1, false);\n * deflate.push(chunk2, true); // true -> last chunk\n *\n * if (deflate.err) { throw new Error(deflate.err); }\n *\n * console.log(deflate.result);\n * ```\n **/\nfunction Deflate(options) {\n if (!(this instanceof Deflate)) return new Deflate(options);\n\n this.options = utils.assign({\n level: Z_DEFAULT_COMPRESSION,\n method: Z_DEFLATED,\n chunkSize: 16384,\n windowBits: 15,\n memLevel: 8,\n strategy: Z_DEFAULT_STRATEGY,\n to: ''\n }, options || {});\n\n var opt = this.options;\n\n if (opt.raw && (opt.windowBits > 0)) {\n opt.windowBits = -opt.windowBits;\n }\n\n else if (opt.gzip && (opt.windowBits > 0) && (opt.windowBits < 16)) {\n opt.windowBits += 16;\n }\n\n this.err = 0; // error code, if happens (0 = Z_OK)\n this.msg = ''; // error message\n this.ended = false; // used to avoid multiple onEnd() calls\n this.chunks = []; // chunks of compressed data\n\n this.strm = new ZStream();\n this.strm.avail_out = 0;\n\n var status = zlib_deflate.deflateInit2(\n this.strm,\n opt.level,\n opt.method,\n opt.windowBits,\n opt.memLevel,\n opt.strategy\n );\n\n if (status !== Z_OK) {\n throw new Error(msg[status]);\n }\n\n if (opt.header) {\n zlib_deflate.deflateSetHeader(this.strm, opt.header);\n }\n\n if (opt.dictionary) {\n var dict;\n // Convert data if needed\n if (typeof opt.dictionary === 'string') {\n // If we need to compress text, change encoding to utf8.\n dict = strings.string2buf(opt.dictionary);\n } else if (toString.call(opt.dictionary) === '[object ArrayBuffer]') {\n dict = new Uint8Array(opt.dictionary);\n } else {\n dict = opt.dictionary;\n }\n\n status = zlib_deflate.deflateSetDictionary(this.strm, dict);\n\n if (status !== Z_OK) {\n throw new Error(msg[status]);\n }\n\n this._dict_set = true;\n }\n}\n\n/**\n * Deflate#push(data[, mode]) -> Boolean\n * - data (Uint8Array|Array|ArrayBuffer|String): input data. Strings will be\n * converted to utf8 byte sequence.\n * - mode (Number|Boolean): 0..6 for corresponding Z_NO_FLUSH..Z_TREE modes.\n * See constants. Skipped or `false` means Z_NO_FLUSH, `true` means Z_FINISH.\n *\n * Sends input data to deflate pipe, generating [[Deflate#onData]] calls with\n * new compressed chunks. Returns `true` on success. The last data block must have\n * mode Z_FINISH (or `true`). That will flush internal pending buffers and call\n * [[Deflate#onEnd]]. For interim explicit flushes (without ending the stream) you\n * can use mode Z_SYNC_FLUSH, keeping the compression context.\n *\n * On fail call [[Deflate#onEnd]] with error code and return false.\n *\n * We strongly recommend to use `Uint8Array` on input for best speed (output\n * array format is detected automatically). Also, don't skip last param and always\n * use the same type in your code (boolean or number). That will improve JS speed.\n *\n * For regular `Array`-s make sure all elements are [0..255].\n *\n * ##### Example\n *\n * ```javascript\n * push(chunk, false); // push one of data chunks\n * ...\n * push(chunk, true); // push last chunk\n * ```\n **/\nDeflate.prototype.push = function (data, mode) {\n var strm = this.strm;\n var chunkSize = this.options.chunkSize;\n var status, _mode;\n\n if (this.ended) { return false; }\n\n _mode = (mode === ~~mode) ? mode : ((mode === true) ? Z_FINISH : Z_NO_FLUSH);\n\n // Convert data if needed\n if (typeof data === 'string') {\n // If we need to compress text, change encoding to utf8.\n strm.input = strings.string2buf(data);\n } else if (toString.call(data) === '[object ArrayBuffer]') {\n strm.input = new Uint8Array(data);\n } else {\n strm.input = data;\n }\n\n strm.next_in = 0;\n strm.avail_in = strm.input.length;\n\n do {\n if (strm.avail_out === 0) {\n strm.output = new utils.Buf8(chunkSize);\n strm.next_out = 0;\n strm.avail_out = chunkSize;\n }\n status = zlib_deflate.deflate(strm, _mode); /* no bad return value */\n\n if (status !== Z_STREAM_END && status !== Z_OK) {\n this.onEnd(status);\n this.ended = true;\n return false;\n }\n if (strm.avail_out === 0 || (strm.avail_in === 0 && (_mode === Z_FINISH || _mode === Z_SYNC_FLUSH))) {\n if (this.options.to === 'string') {\n this.onData(strings.buf2binstring(utils.shrinkBuf(strm.output, strm.next_out)));\n } else {\n this.onData(utils.shrinkBuf(strm.output, strm.next_out));\n }\n }\n } while ((strm.avail_in > 0 || strm.avail_out === 0) && status !== Z_STREAM_END);\n\n // Finalize on the last chunk.\n if (_mode === Z_FINISH) {\n status = zlib_deflate.deflateEnd(this.strm);\n this.onEnd(status);\n this.ended = true;\n return status === Z_OK;\n }\n\n // callback interim results if Z_SYNC_FLUSH.\n if (_mode === Z_SYNC_FLUSH) {\n this.onEnd(Z_OK);\n strm.avail_out = 0;\n return true;\n }\n\n return true;\n};\n\n\n/**\n * Deflate#onData(chunk) -> Void\n * - chunk (Uint8Array|Array|String): output data. Type of array depends\n * on js engine support. When string output requested, each chunk\n * will be string.\n *\n * By default, stores data blocks in `chunks[]` property and glue\n * those in `onEnd`. Override this handler, if you need another behaviour.\n **/\nDeflate.prototype.onData = function (chunk) {\n this.chunks.push(chunk);\n};\n\n\n/**\n * Deflate#onEnd(status) -> Void\n * - status (Number): deflate status. 0 (Z_OK) on success,\n * other if not.\n *\n * Called once after you tell deflate that the input stream is\n * complete (Z_FINISH) or should be flushed (Z_SYNC_FLUSH)\n * or if an error happened. By default - join collected chunks,\n * free memory and fill `results` / `err` properties.\n **/\nDeflate.prototype.onEnd = function (status) {\n // On success - join\n if (status === Z_OK) {\n if (this.options.to === 'string') {\n this.result = this.chunks.join('');\n } else {\n this.result = utils.flattenChunks(this.chunks);\n }\n }\n this.chunks = [];\n this.err = status;\n this.msg = this.strm.msg;\n};\n\n\n/**\n * deflate(data[, options]) -> Uint8Array|Array|String\n * - data (Uint8Array|Array|String): input data to compress.\n * - options (Object): zlib deflate options.\n *\n * Compress `data` with deflate algorithm and `options`.\n *\n * Supported options are:\n *\n * - level\n * - windowBits\n * - memLevel\n * - strategy\n * - dictionary\n *\n * [http://zlib.net/manual.html#Advanced](http://zlib.net/manual.html#Advanced)\n * for more information on these.\n *\n * Sugar (options):\n *\n * - `raw` (Boolean) - say that we work with raw stream, if you don't wish to specify\n * negative windowBits implicitly.\n * - `to` (String) - if equal to 'string', then result will be \"binary string\"\n * (each char code [0..255])\n *\n * ##### Example:\n *\n * ```javascript\n * var pako = require('pako')\n * , data = Uint8Array([1,2,3,4,5,6,7,8,9]);\n *\n * console.log(pako.deflate(data));\n * ```\n **/\nfunction deflate(input, options) {\n var deflator = new Deflate(options);\n\n deflator.push(input, true);\n\n // That will never happens, if you don't cheat with options :)\n if (deflator.err) { throw deflator.msg || msg[deflator.err]; }\n\n return deflator.result;\n}\n\n\n/**\n * deflateRaw(data[, options]) -> Uint8Array|Array|String\n * - data (Uint8Array|Array|String): input data to compress.\n * - options (Object): zlib deflate options.\n *\n * The same as [[deflate]], but creates raw data, without wrapper\n * (header and adler32 crc).\n **/\nfunction deflateRaw(input, options) {\n options = options || {};\n options.raw = true;\n return deflate(input, options);\n}\n\n\n/**\n * gzip(data[, options]) -> Uint8Array|Array|String\n * - data (Uint8Array|Array|String): input data to compress.\n * - options (Object): zlib deflate options.\n *\n * The same as [[deflate]], but create gzip wrapper instead of\n * deflate one.\n **/\nfunction gzip(input, options) {\n options = options || {};\n options.gzip = true;\n return deflate(input, options);\n}\n\n\nexports.Deflate = Deflate;\nexports.deflate = deflate;\nexports.deflateRaw = deflateRaw;\nexports.gzip = gzip;\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/deflate.js?");
/***/ }),
/***/ "./node_modules/pako/lib/inflate.js":
/*!******************************************!*\
!*** ./node_modules/pako/lib/inflate.js ***!
\******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n\nvar zlib_inflate = __webpack_require__(/*! ./zlib/inflate */ \"./node_modules/pako/lib/zlib/inflate.js\");\nvar utils = __webpack_require__(/*! ./utils/common */ \"./node_modules/pako/lib/utils/common.js\");\nvar strings = __webpack_require__(/*! ./utils/strings */ \"./node_modules/pako/lib/utils/strings.js\");\nvar c = __webpack_require__(/*! ./zlib/constants */ \"./node_modules/pako/lib/zlib/constants.js\");\nvar msg = __webpack_require__(/*! ./zlib/messages */ \"./node_modules/pako/lib/zlib/messages.js\");\nvar ZStream = __webpack_require__(/*! ./zlib/zstream */ \"./node_modules/pako/lib/zlib/zstream.js\");\nvar GZheader = __webpack_require__(/*! ./zlib/gzheader */ \"./node_modules/pako/lib/zlib/gzheader.js\");\n\nvar toString = Object.prototype.toString;\n\n/**\n * class Inflate\n *\n * Generic JS-style wrapper for zlib calls. If you don't need\n * streaming behaviour - use more simple functions: [[inflate]]\n * and [[inflateRaw]].\n **/\n\n/* internal\n * inflate.chunks -> Array\n *\n * Chunks of output data, if [[Inflate#onData]] not overridden.\n **/\n\n/**\n * Inflate.result -> Uint8Array|Array|String\n *\n * Uncompressed result, generated by default [[Inflate#onData]]\n * and [[Inflate#onEnd]] handlers. Filled after you push last chunk\n * (call [[Inflate#push]] with `Z_FINISH` / `true` param) or if you\n * push a chunk with explicit flush (call [[Inflate#push]] with\n * `Z_SYNC_FLUSH` param).\n **/\n\n/**\n * Inflate.err -> Number\n *\n * Error code after inflate finished. 0 (Z_OK) on success.\n * Should be checked if broken data possible.\n **/\n\n/**\n * Inflate.msg -> String\n *\n * Error message, if [[Inflate.err]] != 0\n **/\n\n\n/**\n * new Inflate(options)\n * - options (Object): zlib inflate options.\n *\n * Creates new inflator instance with specified params. Throws exception\n * on bad params. Supported options:\n *\n * - `windowBits`\n * - `dictionary`\n *\n * [http://zlib.net/manual.html#Advanced](http://zlib.net/manual.html#Advanced)\n * for more information on these.\n *\n * Additional options, for internal needs:\n *\n * - `chunkSize` - size of generated data chunks (16K by default)\n * - `raw` (Boolean) - do raw inflate\n * - `to` (String) - if equal to 'string', then result will be converted\n * from utf8 to utf16 (javascript) string. When string output requested,\n * chunk length can differ from `chunkSize`, depending on content.\n *\n * By default, when no options set, autodetect deflate/gzip data format via\n * wrapper header.\n *\n * ##### Example:\n *\n * ```javascript\n * var pako = require('pako')\n * , chunk1 = Uint8Array([1,2,3,4,5,6,7,8,9])\n * , chunk2 = Uint8Array([10,11,12,13,14,15,16,17,18,19]);\n *\n * var inflate = new pako.Inflate({ level: 3});\n *\n * inflate.push(chunk1, false);\n * inflate.push(chunk2, true); // true -> last chunk\n *\n * if (inflate.err) { throw new Error(inflate.err); }\n *\n * console.log(inflate.result);\n * ```\n **/\nfunction Inflate(options) {\n if (!(this instanceof Inflate)) return new Inflate(options);\n\n this.options = utils.assign({\n chunkSize: 16384,\n windowBits: 0,\n to: ''\n }, options || {});\n\n var opt = this.options;\n\n // Force window size for `raw` data, if not set directly,\n // because we have no header for autodetect.\n if (opt.raw && (opt.windowBits >= 0) && (opt.windowBits < 16)) {\n opt.windowBits = -opt.windowBits;\n if (opt.windowBits === 0) { opt.windowBits = -15; }\n }\n\n // If `windowBits` not defined (and mode not raw) - set autodetect flag for gzip/deflate\n if ((opt.windowBits >= 0) && (opt.windowBits < 16) &&\n !(options && options.windowBits)) {\n opt.windowBits += 32;\n }\n\n // Gzip header has no info about windows size, we can do autodetect only\n // for deflate. So, if window size not set, force it to max when gzip possible\n if ((opt.windowBits > 15) && (opt.windowBits < 48)) {\n // bit 3 (16) -> gzipped data\n // bit 4 (32) -> autodetect gzip/deflate\n if ((opt.windowBits & 15) === 0) {\n opt.windowBits |= 15;\n }\n }\n\n this.err = 0; // error code, if happens (0 = Z_OK)\n this.msg = ''; // error message\n this.ended = false; // used to avoid multiple onEnd() calls\n this.chunks = []; // chunks of compressed data\n\n this.strm = new ZStream();\n this.strm.avail_out = 0;\n\n var status = zlib_inflate.inflateInit2(\n this.strm,\n opt.windowBits\n );\n\n if (status !== c.Z_OK) {\n throw new Error(msg[status]);\n }\n\n this.header = new GZheader();\n\n zlib_inflate.inflateGetHeader(this.strm, this.header);\n\n // Setup dictionary\n if (opt.dictionary) {\n // Convert data if needed\n if (typeof opt.dictionary === 'string') {\n opt.dictionary = strings.string2buf(opt.dictionary);\n } else if (toString.call(opt.dictionary) === '[object ArrayBuffer]') {\n opt.dictionary = new Uint8Array(opt.dictionary);\n }\n if (opt.raw) { //In raw mode we need to set the dictionary early\n status = zlib_inflate.inflateSetDictionary(this.strm, opt.dictionary);\n if (status !== c.Z_OK) {\n throw new Error(msg[status]);\n }\n }\n }\n}\n\n/**\n * Inflate#push(data[, mode]) -> Boolean\n * - data (Uint8Array|Array|ArrayBuffer|String): input data\n * - mode (Number|Boolean): 0..6 for corresponding Z_NO_FLUSH..Z_TREE modes.\n * See constants. Skipped or `false` means Z_NO_FLUSH, `true` means Z_FINISH.\n *\n * Sends input data to inflate pipe, generating [[Inflate#onData]] calls with\n * new output chunks. Returns `true` on success. The last data block must have\n * mode Z_FINISH (or `true`). That will flush internal pending buffers and call\n * [[Inflate#onEnd]]. For interim explicit flushes (without ending the stream) you\n * can use mode Z_SYNC_FLUSH, keeping the decompression context.\n *\n * On fail call [[Inflate#onEnd]] with error code and return false.\n *\n * We strongly recommend to use `Uint8Array` on input for best speed (output\n * format is detected automatically). Also, don't skip last param and always\n * use the same type in your code (boolean or number). That will improve JS speed.\n *\n * For regular `Array`-s make sure all elements are [0..255].\n *\n * ##### Example\n *\n * ```javascript\n * push(chunk, false); // push one of data chunks\n * ...\n * push(chunk, true); // push last chunk\n * ```\n **/\nInflate.prototype.push = function (data, mode) {\n var strm = this.strm;\n var chunkSize = this.options.chunkSize;\n var dictionary = this.options.dictionary;\n var status, _mode;\n var next_out_utf8, tail, utf8str;\n\n // Flag to properly process Z_BUF_ERROR on testing inflate call\n // when we check that all output data was flushed.\n var allowBufError = false;\n\n if (this.ended) { return false; }\n _mode = (mode === ~~mode) ? mode : ((mode === true) ? c.Z_FINISH : c.Z_NO_FLUSH);\n\n // Convert data if needed\n if (typeof data === 'string') {\n // Only binary strings can be decompressed on practice\n strm.input = strings.binstring2buf(data);\n } else if (toString.call(data) === '[object ArrayBuffer]') {\n strm.input = new Uint8Array(data);\n } else {\n strm.input = data;\n }\n\n strm.next_in = 0;\n strm.avail_in = strm.input.length;\n\n do {\n if (strm.avail_out === 0) {\n strm.output = new utils.Buf8(chunkSize);\n strm.next_out = 0;\n strm.avail_out = chunkSize;\n }\n\n status = zlib_inflate.inflate(strm, c.Z_NO_FLUSH); /* no bad return value */\n\n if (status === c.Z_NEED_DICT && dictionary) {\n status = zlib_inflate.inflateSetDictionary(this.strm, dictionary);\n }\n\n if (status === c.Z_BUF_ERROR && allowBufError === true) {\n status = c.Z_OK;\n allowBufError = false;\n }\n\n if (status !== c.Z_STREAM_END && status !== c.Z_OK) {\n this.onEnd(status);\n this.ended = true;\n return false;\n }\n\n if (strm.next_out) {\n if (strm.avail_out === 0 || status === c.Z_STREAM_END || (strm.avail_in === 0 && (_mode === c.Z_FINISH || _mode === c.Z_SYNC_FLUSH))) {\n\n if (this.options.to === 'string') {\n\n next_out_utf8 = strings.utf8border(strm.output, strm.next_out);\n\n tail = strm.next_out - next_out_utf8;\n utf8str = strings.buf2string(strm.output, next_out_utf8);\n\n // move tail\n strm.next_out = tail;\n strm.avail_out = chunkSize - tail;\n if (tail) { utils.arraySet(strm.output, strm.output, next_out_utf8, tail, 0); }\n\n this.onData(utf8str);\n\n } else {\n this.onData(utils.shrinkBuf(strm.output, strm.next_out));\n }\n }\n }\n\n // When no more input data, we should check that internal inflate buffers\n // are flushed. The only way to do it when avail_out = 0 - run one more\n // inflate pass. But if output data not exists, inflate return Z_BUF_ERROR.\n // Here we set flag to process this error properly.\n //\n // NOTE. Deflate does not return error in this case and does not needs such\n // logic.\n if (strm.avail_in === 0 && strm.avail_out === 0) {\n allowBufError = true;\n }\n\n } while ((strm.avail_in > 0 || strm.avail_out === 0) && status !== c.Z_STREAM_END);\n\n if (status === c.Z_STREAM_END) {\n _mode = c.Z_FINISH;\n }\n\n // Finalize on the last chunk.\n if (_mode === c.Z_FINISH) {\n status = zlib_inflate.inflateEnd(this.strm);\n this.onEnd(status);\n this.ended = true;\n return status === c.Z_OK;\n }\n\n // callback interim results if Z_SYNC_FLUSH.\n if (_mode === c.Z_SYNC_FLUSH) {\n this.onEnd(c.Z_OK);\n strm.avail_out = 0;\n return true;\n }\n\n return true;\n};\n\n\n/**\n * Inflate#onData(chunk) -> Void\n * - chunk (Uint8Array|Array|String): output data. Type of array depends\n * on js engine support. When string output requested, each chunk\n * will be string.\n *\n * By default, stores data blocks in `chunks[]` property and glue\n * those in `onEnd`. Override this handler, if you need another behaviour.\n **/\nInflate.prototype.onData = function (chunk) {\n this.chunks.push(chunk);\n};\n\n\n/**\n * Inflate#onEnd(status) -> Void\n * - status (Number): inflate status. 0 (Z_OK) on success,\n * other if not.\n *\n * Called either after you tell inflate that the input stream is\n * complete (Z_FINISH) or should be flushed (Z_SYNC_FLUSH)\n * or if an error happened. By default - join collected chunks,\n * free memory and fill `results` / `err` properties.\n **/\nInflate.prototype.onEnd = function (status) {\n // On success - join\n if (status === c.Z_OK) {\n if (this.options.to === 'string') {\n // Glue & convert here, until we teach pako to send\n // utf8 aligned strings to onData\n this.result = this.chunks.join('');\n } else {\n this.result = utils.flattenChunks(this.chunks);\n }\n }\n this.chunks = [];\n this.err = status;\n this.msg = this.strm.msg;\n};\n\n\n/**\n * inflate(data[, options]) -> Uint8Array|Array|String\n * - data (Uint8Array|Array|String): input data to decompress.\n * - options (Object): zlib inflate options.\n *\n * Decompress `data` with inflate/ungzip and `options`. Autodetect\n * format via wrapper header by default. That's why we don't provide\n * separate `ungzip` method.\n *\n * Supported options are:\n *\n * - windowBits\n *\n * [http://zlib.net/manual.html#Advanced](http://zlib.net/manual.html#Advanced)\n * for more information.\n *\n * Sugar (options):\n *\n * - `raw` (Boolean) - say that we work with raw stream, if you don't wish to specify\n * negative windowBits implicitly.\n * - `to` (String) - if equal to 'string', then result will be converted\n * from utf8 to utf16 (javascript) string. When string output requested,\n * chunk length can differ from `chunkSize`, depending on content.\n *\n *\n * ##### Example:\n *\n * ```javascript\n * var pako = require('pako')\n * , input = pako.deflate([1,2,3,4,5,6,7,8,9])\n * , output;\n *\n * try {\n * output = pako.inflate(input);\n * } catch (err)\n * console.log(err);\n * }\n * ```\n **/\nfunction inflate(input, options) {\n var inflator = new Inflate(options);\n\n inflator.push(input, true);\n\n // That will never happens, if you don't cheat with options :)\n if (inflator.err) { throw inflator.msg || msg[inflator.err]; }\n\n return inflator.result;\n}\n\n\n/**\n * inflateRaw(data[, options]) -> Uint8Array|Array|String\n * - data (Uint8Array|Array|String): input data to decompress.\n * - options (Object): zlib inflate options.\n *\n * The same as [[inflate]], but creates raw data, without wrapper\n * (header and adler32 crc).\n **/\nfunction inflateRaw(input, options) {\n options = options || {};\n options.raw = true;\n return inflate(input, options);\n}\n\n\n/**\n * ungzip(data[, options]) -> Uint8Array|Array|String\n * - data (Uint8Array|Array|String): input data to decompress.\n * - options (Object): zlib inflate options.\n *\n * Just shortcut to [[inflate]], because it autodetects format\n * by header.content. Done for convenience.\n **/\n\n\nexports.Inflate = Inflate;\nexports.inflate = inflate;\nexports.inflateRaw = inflateRaw;\nexports.ungzip = inflate;\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/inflate.js?");
/***/ }),
/***/ "./node_modules/pako/lib/utils/common.js":
/*!***********************************************!*\
!*** ./node_modules/pako/lib/utils/common.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n\nvar TYPED_OK = (typeof Uint8Array !== 'undefined') &&\n (typeof Uint16Array !== 'undefined') &&\n (typeof Int32Array !== 'undefined');\n\nfunction _has(obj, key) {\n return Object.prototype.hasOwnProperty.call(obj, key);\n}\n\nexports.assign = function (obj /*from1, from2, from3, ...*/) {\n var sources = Array.prototype.slice.call(arguments, 1);\n while (sources.length) {\n var source = sources.shift();\n if (!source) { continue; }\n\n if (typeof source !== 'object') {\n throw new TypeError(source + 'must be non-object');\n }\n\n for (var p in source) {\n if (_has(source, p)) {\n obj[p] = source[p];\n }\n }\n }\n\n return obj;\n};\n\n\n// reduce buffer size, avoiding mem copy\nexports.shrinkBuf = function (buf, size) {\n if (buf.length === size) { return buf; }\n if (buf.subarray) { return buf.subarray(0, size); }\n buf.length = size;\n return buf;\n};\n\n\nvar fnTyped = {\n arraySet: function (dest, src, src_offs, len, dest_offs) {\n if (src.subarray && dest.subarray) {\n dest.set(src.subarray(src_offs, src_offs + len), dest_offs);\n return;\n }\n // Fallback to ordinary array\n for (var i = 0; i < len; i++) {\n dest[dest_offs + i] = src[src_offs + i];\n }\n },\n // Join array of chunks to single array.\n flattenChunks: function (chunks) {\n var i, l, len, pos, chunk, result;\n\n // calculate data length\n len = 0;\n for (i = 0, l = chunks.length; i < l; i++) {\n len += chunks[i].length;\n }\n\n // join chunks\n result = new Uint8Array(len);\n pos = 0;\n for (i = 0, l = chunks.length; i < l; i++) {\n chunk = chunks[i];\n result.set(chunk, pos);\n pos += chunk.length;\n }\n\n return result;\n }\n};\n\nvar fnUntyped = {\n arraySet: function (dest, src, src_offs, len, dest_offs) {\n for (var i = 0; i < len; i++) {\n dest[dest_offs + i] = src[src_offs + i];\n }\n },\n // Join array of chunks to single array.\n flattenChunks: function (chunks) {\n return [].concat.apply([], chunks);\n }\n};\n\n\n// Enable/Disable typed arrays use, for testing\n//\nexports.setTyped = function (on) {\n if (on) {\n exports.Buf8 = Uint8Array;\n exports.Buf16 = Uint16Array;\n exports.Buf32 = Int32Array;\n exports.assign(exports, fnTyped);\n } else {\n exports.Buf8 = Array;\n exports.Buf16 = Array;\n exports.Buf32 = Array;\n exports.assign(exports, fnUntyped);\n }\n};\n\nexports.setTyped(TYPED_OK);\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/utils/common.js?");
/***/ }),
/***/ "./node_modules/pako/lib/utils/strings.js":
/*!************************************************!*\
!*** ./node_modules/pako/lib/utils/strings.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// String encode/decode helpers\n\n\n\nvar utils = __webpack_require__(/*! ./common */ \"./node_modules/pako/lib/utils/common.js\");\n\n\n// Quick check if we can use fast array to bin string conversion\n//\n// - apply(Array) can fail on Android 2.2\n// - apply(Uint8Array) can fail on iOS 5.1 Safari\n//\nvar STR_APPLY_OK = true;\nvar STR_APPLY_UIA_OK = true;\n\ntry { String.fromCharCode.apply(null, [ 0 ]); } catch (__) { STR_APPLY_OK = false; }\ntry { String.fromCharCode.apply(null, new Uint8Array(1)); } catch (__) { STR_APPLY_UIA_OK = false; }\n\n\n// Table with utf8 lengths (calculated by first byte of sequence)\n// Note, that 5 & 6-byte values and some 4-byte values can not be represented in JS,\n// because max possible codepoint is 0x10ffff\nvar _utf8len = new utils.Buf8(256);\nfor (var q = 0; q < 256; q++) {\n _utf8len[q] = (q >= 252 ? 6 : q >= 248 ? 5 : q >= 240 ? 4 : q >= 224 ? 3 : q >= 192 ? 2 : 1);\n}\n_utf8len[254] = _utf8len[254] = 1; // Invalid sequence start\n\n\n// convert string to array (typed, when possible)\nexports.string2buf = function (str) {\n var buf, c, c2, m_pos, i, str_len = str.length, buf_len = 0;\n\n // count binary size\n for (m_pos = 0; m_pos < str_len; m_pos++) {\n c = str.charCodeAt(m_pos);\n if ((c & 0xfc00) === 0xd800 && (m_pos + 1 < str_len)) {\n c2 = str.charCodeAt(m_pos + 1);\n if ((c2 & 0xfc00) === 0xdc00) {\n c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00);\n m_pos++;\n }\n }\n buf_len += c < 0x80 ? 1 : c < 0x800 ? 2 : c < 0x10000 ? 3 : 4;\n }\n\n // allocate buffer\n buf = new utils.Buf8(buf_len);\n\n // convert\n for (i = 0, m_pos = 0; i < buf_len; m_pos++) {\n c = str.charCodeAt(m_pos);\n if ((c & 0xfc00) === 0xd800 && (m_pos + 1 < str_len)) {\n c2 = str.charCodeAt(m_pos + 1);\n if ((c2 & 0xfc00) === 0xdc00) {\n c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00);\n m_pos++;\n }\n }\n if (c < 0x80) {\n /* one byte */\n buf[i++] = c;\n } else if (c < 0x800) {\n /* two bytes */\n buf[i++] = 0xC0 | (c >>> 6);\n buf[i++] = 0x80 | (c & 0x3f);\n } else if (c < 0x10000) {\n /* three bytes */\n buf[i++] = 0xE0 | (c >>> 12);\n buf[i++] = 0x80 | (c >>> 6 & 0x3f);\n buf[i++] = 0x80 | (c & 0x3f);\n } else {\n /* four bytes */\n buf[i++] = 0xf0 | (c >>> 18);\n buf[i++] = 0x80 | (c >>> 12 & 0x3f);\n buf[i++] = 0x80 | (c >>> 6 & 0x3f);\n buf[i++] = 0x80 | (c & 0x3f);\n }\n }\n\n return buf;\n};\n\n// Helper (used in 2 places)\nfunction buf2binstring(buf, len) {\n // On Chrome, the arguments in a function call that are allowed is `65534`.\n // If the length of the buffer is smaller than that, we can use this optimization,\n // otherwise we will take a slower path.\n if (len < 65534) {\n if ((buf.subarray && STR_APPLY_UIA_OK) || (!buf.subarray && STR_APPLY_OK)) {\n return String.fromCharCode.apply(null, utils.shrinkBuf(buf, len));\n }\n }\n\n var result = '';\n for (var i = 0; i < len; i++) {\n result += String.fromCharCode(buf[i]);\n }\n return result;\n}\n\n\n// Convert byte array to binary string\nexports.buf2binstring = function (buf) {\n return buf2binstring(buf, buf.length);\n};\n\n\n// Convert binary string (typed, when possible)\nexports.binstring2buf = function (str) {\n var buf = new utils.Buf8(str.length);\n for (var i = 0, len = buf.length; i < len; i++) {\n buf[i] = str.charCodeAt(i);\n }\n return buf;\n};\n\n\n// convert array to string\nexports.buf2string = function (buf, max) {\n var i, out, c, c_len;\n var len = max || buf.length;\n\n // Reserve max possible length (2 words per char)\n // NB: by unknown reasons, Array is significantly faster for\n // String.fromCharCode.apply than Uint16Array.\n var utf16buf = new Array(len * 2);\n\n for (out = 0, i = 0; i < len;) {\n c = buf[i++];\n // quick process ascii\n if (c < 0x80) { utf16buf[out++] = c; continue; }\n\n c_len = _utf8len[c];\n // skip 5 & 6 byte codes\n if (c_len > 4) { utf16buf[out++] = 0xfffd; i += c_len - 1; continue; }\n\n // apply mask on first byte\n c &= c_len === 2 ? 0x1f : c_len === 3 ? 0x0f : 0x07;\n // join the rest\n while (c_len > 1 && i < len) {\n c = (c << 6) | (buf[i++] & 0x3f);\n c_len--;\n }\n\n // terminated by end of string?\n if (c_len > 1) { utf16buf[out++] = 0xfffd; continue; }\n\n if (c < 0x10000) {\n utf16buf[out++] = c;\n } else {\n c -= 0x10000;\n utf16buf[out++] = 0xd800 | ((c >> 10) & 0x3ff);\n utf16buf[out++] = 0xdc00 | (c & 0x3ff);\n }\n }\n\n return buf2binstring(utf16buf, out);\n};\n\n\n// Calculate max possible position in utf8 buffer,\n// that will not break sequence. If that's not possible\n// - (very small limits) return max size as is.\n//\n// buf[] - utf8 bytes array\n// max - length limit (mandatory);\nexports.utf8border = function (buf, max) {\n var pos;\n\n max = max || buf.length;\n if (max > buf.length) { max = buf.length; }\n\n // go back from last position, until start of sequence found\n pos = max - 1;\n while (pos >= 0 && (buf[pos] & 0xC0) === 0x80) { pos--; }\n\n // Very small and broken sequence,\n // return max, because we should return something anyway.\n if (pos < 0) { return max; }\n\n // If we came to start of buffer - that means buffer is too small,\n // return max too.\n if (pos === 0) { return max; }\n\n return (pos + _utf8len[buf[pos]] > max) ? pos : max;\n};\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/utils/strings.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/adler32.js":
/*!***********************************************!*\
!*** ./node_modules/pako/lib/zlib/adler32.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// Note: adler32 takes 12% for level 0 and 2% for level 6.\n// It isn't worth it to make additional optimizations as in original.\n// Small size is preferable.\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nfunction adler32(adler, buf, len, pos) {\n var s1 = (adler & 0xffff) |0,\n s2 = ((adler >>> 16) & 0xffff) |0,\n n = 0;\n\n while (len !== 0) {\n // Set limit ~ twice less than 5552, to keep\n // s2 in 31-bits, because we force signed ints.\n // in other case %= will fail.\n n = len > 2000 ? 2000 : len;\n len -= n;\n\n do {\n s1 = (s1 + buf[pos++]) |0;\n s2 = (s2 + s1) |0;\n } while (--n);\n\n s1 %= 65521;\n s2 %= 65521;\n }\n\n return (s1 | (s2 << 16)) |0;\n}\n\n\nmodule.exports = adler32;\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/adler32.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/constants.js":
/*!*************************************************!*\
!*** ./node_modules/pako/lib/zlib/constants.js ***!
\*************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nmodule.exports = {\n\n /* Allowed flush values; see deflate() and inflate() below for details */\n Z_NO_FLUSH: 0,\n Z_PARTIAL_FLUSH: 1,\n Z_SYNC_FLUSH: 2,\n Z_FULL_FLUSH: 3,\n Z_FINISH: 4,\n Z_BLOCK: 5,\n Z_TREES: 6,\n\n /* Return codes for the compression/decompression functions. Negative values\n * are errors, positive values are used for special but normal events.\n */\n Z_OK: 0,\n Z_STREAM_END: 1,\n Z_NEED_DICT: 2,\n Z_ERRNO: -1,\n Z_STREAM_ERROR: -2,\n Z_DATA_ERROR: -3,\n //Z_MEM_ERROR: -4,\n Z_BUF_ERROR: -5,\n //Z_VERSION_ERROR: -6,\n\n /* compression levels */\n Z_NO_COMPRESSION: 0,\n Z_BEST_SPEED: 1,\n Z_BEST_COMPRESSION: 9,\n Z_DEFAULT_COMPRESSION: -1,\n\n\n Z_FILTERED: 1,\n Z_HUFFMAN_ONLY: 2,\n Z_RLE: 3,\n Z_FIXED: 4,\n Z_DEFAULT_STRATEGY: 0,\n\n /* Possible values of the data_type field (though see inflate()) */\n Z_BINARY: 0,\n Z_TEXT: 1,\n //Z_ASCII: 1, // = Z_TEXT (deprecated)\n Z_UNKNOWN: 2,\n\n /* The deflate compression method */\n Z_DEFLATED: 8\n //Z_NULL: null // Use -1 or null inline, depending on var type\n};\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/constants.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/crc32.js":
/*!*********************************************!*\
!*** ./node_modules/pako/lib/zlib/crc32.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// Note: we can't get significant speed boost here.\n// So write code to minimize size - no pregenerated tables\n// and array tools dependencies.\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\n// Use ordinary array, since untyped makes no boost here\nfunction makeTable() {\n var c, table = [];\n\n for (var n = 0; n < 256; n++) {\n c = n;\n for (var k = 0; k < 8; k++) {\n c = ((c & 1) ? (0xEDB88320 ^ (c >>> 1)) : (c >>> 1));\n }\n table[n] = c;\n }\n\n return table;\n}\n\n// Create table on load. Just 255 signed longs. Not a problem.\nvar crcTable = makeTable();\n\n\nfunction crc32(crc, buf, len, pos) {\n var t = crcTable,\n end = pos + len;\n\n crc ^= -1;\n\n for (var i = pos; i < end; i++) {\n crc = (crc >>> 8) ^ t[(crc ^ buf[i]) & 0xFF];\n }\n\n return (crc ^ (-1)); // >>> 0;\n}\n\n\nmodule.exports = crc32;\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/crc32.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/deflate.js":
/*!***********************************************!*\
!*** ./node_modules/pako/lib/zlib/deflate.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nvar utils = __webpack_require__(/*! ../utils/common */ \"./node_modules/pako/lib/utils/common.js\");\nvar trees = __webpack_require__(/*! ./trees */ \"./node_modules/pako/lib/zlib/trees.js\");\nvar adler32 = __webpack_require__(/*! ./adler32 */ \"./node_modules/pako/lib/zlib/adler32.js\");\nvar crc32 = __webpack_require__(/*! ./crc32 */ \"./node_modules/pako/lib/zlib/crc32.js\");\nvar msg = __webpack_require__(/*! ./messages */ \"./node_modules/pako/lib/zlib/messages.js\");\n\n/* Public constants ==========================================================*/\n/* ===========================================================================*/\n\n\n/* Allowed flush values; see deflate() and inflate() below for details */\nvar Z_NO_FLUSH = 0;\nvar Z_PARTIAL_FLUSH = 1;\n//var Z_SYNC_FLUSH = 2;\nvar Z_FULL_FLUSH = 3;\nvar Z_FINISH = 4;\nvar Z_BLOCK = 5;\n//var Z_TREES = 6;\n\n\n/* Return codes for the compression/decompression functions. Negative values\n * are errors, positive values are used for special but normal events.\n */\nvar Z_OK = 0;\nvar Z_STREAM_END = 1;\n//var Z_NEED_DICT = 2;\n//var Z_ERRNO = -1;\nvar Z_STREAM_ERROR = -2;\nvar Z_DATA_ERROR = -3;\n//var Z_MEM_ERROR = -4;\nvar Z_BUF_ERROR = -5;\n//var Z_VERSION_ERROR = -6;\n\n\n/* compression levels */\n//var Z_NO_COMPRESSION = 0;\n//var Z_BEST_SPEED = 1;\n//var Z_BEST_COMPRESSION = 9;\nvar Z_DEFAULT_COMPRESSION = -1;\n\n\nvar Z_FILTERED = 1;\nvar Z_HUFFMAN_ONLY = 2;\nvar Z_RLE = 3;\nvar Z_FIXED = 4;\nvar Z_DEFAULT_STRATEGY = 0;\n\n/* Possible values of the data_type field (though see inflate()) */\n//var Z_BINARY = 0;\n//var Z_TEXT = 1;\n//var Z_ASCII = 1; // = Z_TEXT\nvar Z_UNKNOWN = 2;\n\n\n/* The deflate compression method */\nvar Z_DEFLATED = 8;\n\n/*============================================================================*/\n\n\nvar MAX_MEM_LEVEL = 9;\n/* Maximum value for memLevel in deflateInit2 */\nvar MAX_WBITS = 15;\n/* 32K LZ77 window */\nvar DEF_MEM_LEVEL = 8;\n\n\nvar LENGTH_CODES = 29;\n/* number of length codes, not counting the special END_BLOCK code */\nvar LITERALS = 256;\n/* number of literal bytes 0..255 */\nvar L_CODES = LITERALS + 1 + LENGTH_CODES;\n/* number of Literal or Length codes, including the END_BLOCK code */\nvar D_CODES = 30;\n/* number of distance codes */\nvar BL_CODES = 19;\n/* number of codes used to transfer the bit lengths */\nvar HEAP_SIZE = 2 * L_CODES + 1;\n/* maximum heap size */\nvar MAX_BITS = 15;\n/* All codes must not exceed MAX_BITS bits */\n\nvar MIN_MATCH = 3;\nvar MAX_MATCH = 258;\nvar MIN_LOOKAHEAD = (MAX_MATCH + MIN_MATCH + 1);\n\nvar PRESET_DICT = 0x20;\n\nvar INIT_STATE = 42;\nvar EXTRA_STATE = 69;\nvar NAME_STATE = 73;\nvar COMMENT_STATE = 91;\nvar HCRC_STATE = 103;\nvar BUSY_STATE = 113;\nvar FINISH_STATE = 666;\n\nvar BS_NEED_MORE = 1; /* block not completed, need more input or more output */\nvar BS_BLOCK_DONE = 2; /* block flush performed */\nvar BS_FINISH_STARTED = 3; /* finish started, need only more output at next deflate */\nvar BS_FINISH_DONE = 4; /* finish done, accept no more input or output */\n\nvar OS_CODE = 0x03; // Unix :) . Don't detect, use this default.\n\nfunction err(strm, errorCode) {\n strm.msg = msg[errorCode];\n return errorCode;\n}\n\nfunction rank(f) {\n return ((f) << 1) - ((f) > 4 ? 9 : 0);\n}\n\nfunction zero(buf) { var len = buf.length; while (--len >= 0) { buf[len] = 0; } }\n\n\n/* =========================================================================\n * Flush as much pending output as possible. All deflate() output goes\n * through this function so some applications may wish to modify it\n * to avoid allocating a large strm->output buffer and copying into it.\n * (See also read_buf()).\n */\nfunction flush_pending(strm) {\n var s = strm.state;\n\n //_tr_flush_bits(s);\n var len = s.pending;\n if (len > strm.avail_out) {\n len = strm.avail_out;\n }\n if (len === 0) { return; }\n\n utils.arraySet(strm.output, s.pending_buf, s.pending_out, len, strm.next_out);\n strm.next_out += len;\n s.pending_out += len;\n strm.total_out += len;\n strm.avail_out -= len;\n s.pending -= len;\n if (s.pending === 0) {\n s.pending_out = 0;\n }\n}\n\n\nfunction flush_block_only(s, last) {\n trees._tr_flush_block(s, (s.block_start >= 0 ? s.block_start : -1), s.strstart - s.block_start, last);\n s.block_start = s.strstart;\n flush_pending(s.strm);\n}\n\n\nfunction put_byte(s, b) {\n s.pending_buf[s.pending++] = b;\n}\n\n\n/* =========================================================================\n * Put a short in the pending buffer. The 16-bit value is put in MSB order.\n * IN assertion: the stream state is correct and there is enough room in\n * pending_buf.\n */\nfunction putShortMSB(s, b) {\n// put_byte(s, (Byte)(b >> 8));\n// put_byte(s, (Byte)(b & 0xff));\n s.pending_buf[s.pending++] = (b >>> 8) & 0xff;\n s.pending_buf[s.pending++] = b & 0xff;\n}\n\n\n/* ===========================================================================\n * Read a new buffer from the current input stream, update the adler32\n * and total number of bytes read. All deflate() input goes through\n * this function so some applications may wish to modify it to avoid\n * allocating a large strm->input buffer and copying from it.\n * (See also flush_pending()).\n */\nfunction read_buf(strm, buf, start, size) {\n var len = strm.avail_in;\n\n if (len > size) { len = size; }\n if (len === 0) { return 0; }\n\n strm.avail_in -= len;\n\n // zmemcpy(buf, strm->next_in, len);\n utils.arraySet(buf, strm.input, strm.next_in, len, start);\n if (strm.state.wrap === 1) {\n strm.adler = adler32(strm.adler, buf, len, start);\n }\n\n else if (strm.state.wrap === 2) {\n strm.adler = crc32(strm.adler, buf, len, start);\n }\n\n strm.next_in += len;\n strm.total_in += len;\n\n return len;\n}\n\n\n/* ===========================================================================\n * Set match_start to the longest match starting at the given string and\n * return its length. Matches shorter or equal to prev_length are discarded,\n * in which case the result is equal to prev_length and match_start is\n * garbage.\n * IN assertions: cur_match is the head of the hash chain for the current\n * string (strstart) and its distance is <= MAX_DIST, and prev_length >= 1\n * OUT assertion: the match length is not greater than s->lookahead.\n */\nfunction longest_match(s, cur_match) {\n var chain_length = s.max_chain_length; /* max hash chain length */\n var scan = s.strstart; /* current string */\n var match; /* matched string */\n var len; /* length of current match */\n var best_len = s.prev_length; /* best match length so far */\n var nice_match = s.nice_match; /* stop if match long enough */\n var limit = (s.strstart > (s.w_size - MIN_LOOKAHEAD)) ?\n s.strstart - (s.w_size - MIN_LOOKAHEAD) : 0/*NIL*/;\n\n var _win = s.window; // shortcut\n\n var wmask = s.w_mask;\n var prev = s.prev;\n\n /* Stop when cur_match becomes <= limit. To simplify the code,\n * we prevent matches with the string of window index 0.\n */\n\n var strend = s.strstart + MAX_MATCH;\n var scan_end1 = _win[scan + best_len - 1];\n var scan_end = _win[scan + best_len];\n\n /* The code is optimized for HASH_BITS >= 8 and MAX_MATCH-2 multiple of 16.\n * It is easy to get rid of this optimization if necessary.\n */\n // Assert(s->hash_bits >= 8 && MAX_MATCH == 258, \"Code too clever\");\n\n /* Do not waste too much time if we already have a good match: */\n if (s.prev_length >= s.good_match) {\n chain_length >>= 2;\n }\n /* Do not look for matches beyond the end of the input. This is necessary\n * to make deflate deterministic.\n */\n if (nice_match > s.lookahead) { nice_match = s.lookahead; }\n\n // Assert((ulg)s->strstart <= s->window_size-MIN_LOOKAHEAD, \"need lookahead\");\n\n do {\n // Assert(cur_match < s->strstart, \"no future\");\n match = cur_match;\n\n /* Skip to next match if the match length cannot increase\n * or if the match length is less than 2. Note that the checks below\n * for insufficient lookahead only occur occasionally for performance\n * reasons. Therefore uninitialized memory will be accessed, and\n * conditional jumps will be made that depend on those values.\n * However the length of the match is limited to the lookahead, so\n * the output of deflate is not affected by the uninitialized values.\n */\n\n if (_win[match + best_len] !== scan_end ||\n _win[match + best_len - 1] !== scan_end1 ||\n _win[match] !== _win[scan] ||\n _win[++match] !== _win[scan + 1]) {\n continue;\n }\n\n /* The check at best_len-1 can be removed because it will be made\n * again later. (This heuristic is not always a win.)\n * It is not necessary to compare scan[2] and match[2] since they\n * are always equal when the other bytes match, given that\n * the hash keys are equal and that HASH_BITS >= 8.\n */\n scan += 2;\n match++;\n // Assert(*scan == *match, \"match[2]?\");\n\n /* We check for insufficient lookahead only every 8th comparison;\n * the 256th check will be made at strstart+258.\n */\n do {\n /*jshint noempty:false*/\n } while (_win[++scan] === _win[++match] && _win[++scan] === _win[++match] &&\n _win[++scan] === _win[++match] && _win[++scan] === _win[++match] &&\n _win[++scan] === _win[++match] && _win[++scan] === _win[++match] &&\n _win[++scan] === _win[++match] && _win[++scan] === _win[++match] &&\n scan < strend);\n\n // Assert(scan <= s->window+(unsigned)(s->window_size-1), \"wild scan\");\n\n len = MAX_MATCH - (strend - scan);\n scan = strend - MAX_MATCH;\n\n if (len > best_len) {\n s.match_start = cur_match;\n best_len = len;\n if (len >= nice_match) {\n break;\n }\n scan_end1 = _win[scan + best_len - 1];\n scan_end = _win[scan + best_len];\n }\n } while ((cur_match = prev[cur_match & wmask]) > limit && --chain_length !== 0);\n\n if (best_len <= s.lookahead) {\n return best_len;\n }\n return s.lookahead;\n}\n\n\n/* ===========================================================================\n * Fill the window when the lookahead becomes insufficient.\n * Updates strstart and lookahead.\n *\n * IN assertion: lookahead < MIN_LOOKAHEAD\n * OUT assertions: strstart <= window_size-MIN_LOOKAHEAD\n * At least one byte has been read, or avail_in == 0; reads are\n * performed for at least two bytes (required for the zip translate_eol\n * option -- not supported here).\n */\nfunction fill_window(s) {\n var _w_size = s.w_size;\n var p, n, m, more, str;\n\n //Assert(s->lookahead < MIN_LOOKAHEAD, \"already enough lookahead\");\n\n do {\n more = s.window_size - s.lookahead - s.strstart;\n\n // JS ints have 32 bit, block below not needed\n /* Deal with !@#$% 64K limit: */\n //if (sizeof(int) <= 2) {\n // if (more == 0 && s->strstart == 0 && s->lookahead == 0) {\n // more = wsize;\n //\n // } else if (more == (unsigned)(-1)) {\n // /* Very unlikely, but possible on 16 bit machine if\n // * strstart == 0 && lookahead == 1 (input done a byte at time)\n // */\n // more--;\n // }\n //}\n\n\n /* If the window is almost full and there is insufficient lookahead,\n * move the upper half to the lower one to make room in the upper half.\n */\n if (s.strstart >= _w_size + (_w_size - MIN_LOOKAHEAD)) {\n\n utils.arraySet(s.window, s.window, _w_size, _w_size, 0);\n s.match_start -= _w_size;\n s.strstart -= _w_size;\n /* we now have strstart >= MAX_DIST */\n s.block_start -= _w_size;\n\n /* Slide the hash table (could be avoided with 32 bit values\n at the expense of memory usage). We slide even when level == 0\n to keep the hash table consistent if we switch back to level > 0\n later. (Using level 0 permanently is not an optimal usage of\n zlib, so we don't care about this pathological case.)\n */\n\n n = s.hash_size;\n p = n;\n do {\n m = s.head[--p];\n s.head[p] = (m >= _w_size ? m - _w_size : 0);\n } while (--n);\n\n n = _w_size;\n p = n;\n do {\n m = s.prev[--p];\n s.prev[p] = (m >= _w_size ? m - _w_size : 0);\n /* If n is not on any hash chain, prev[n] is garbage but\n * its value will never be used.\n */\n } while (--n);\n\n more += _w_size;\n }\n if (s.strm.avail_in === 0) {\n break;\n }\n\n /* If there was no sliding:\n * strstart <= WSIZE+MAX_DIST-1 && lookahead <= MIN_LOOKAHEAD - 1 &&\n * more == window_size - lookahead - strstart\n * => more >= window_size - (MIN_LOOKAHEAD-1 + WSIZE + MAX_DIST-1)\n * => more >= window_size - 2*WSIZE + 2\n * In the BIG_MEM or MMAP case (not yet supported),\n * window_size == input_size + MIN_LOOKAHEAD &&\n * strstart + s->lookahead <= input_size => more >= MIN_LOOKAHEAD.\n * Otherwise, window_size == 2*WSIZE so more >= 2.\n * If there was sliding, more >= WSIZE. So in all cases, more >= 2.\n */\n //Assert(more >= 2, \"more < 2\");\n n = read_buf(s.strm, s.window, s.strstart + s.lookahead, more);\n s.lookahead += n;\n\n /* Initialize the hash value now that we have some input: */\n if (s.lookahead + s.insert >= MIN_MATCH) {\n str = s.strstart - s.insert;\n s.ins_h = s.window[str];\n\n /* UPDATE_HASH(s, s->ins_h, s->window[str + 1]); */\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[str + 1]) & s.hash_mask;\n//#if MIN_MATCH != 3\n// Call update_hash() MIN_MATCH-3 more times\n//#endif\n while (s.insert) {\n /* UPDATE_HASH(s, s->ins_h, s->window[str + MIN_MATCH-1]); */\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[str + MIN_MATCH - 1]) & s.hash_mask;\n\n s.prev[str & s.w_mask] = s.head[s.ins_h];\n s.head[s.ins_h] = str;\n str++;\n s.insert--;\n if (s.lookahead + s.insert < MIN_MATCH) {\n break;\n }\n }\n }\n /* If the whole input has less than MIN_MATCH bytes, ins_h is garbage,\n * but this is not important since only literal bytes will be emitted.\n */\n\n } while (s.lookahead < MIN_LOOKAHEAD && s.strm.avail_in !== 0);\n\n /* If the WIN_INIT bytes after the end of the current data have never been\n * written, then zero those bytes in order to avoid memory check reports of\n * the use of uninitialized (or uninitialised as Julian writes) bytes by\n * the longest match routines. Update the high water mark for the next\n * time through here. WIN_INIT is set to MAX_MATCH since the longest match\n * routines allow scanning to strstart + MAX_MATCH, ignoring lookahead.\n */\n// if (s.high_water < s.window_size) {\n// var curr = s.strstart + s.lookahead;\n// var init = 0;\n//\n// if (s.high_water < curr) {\n// /* Previous high water mark below current data -- zero WIN_INIT\n// * bytes or up to end of window, whichever is less.\n// */\n// init = s.window_size - curr;\n// if (init > WIN_INIT)\n// init = WIN_INIT;\n// zmemzero(s->window + curr, (unsigned)init);\n// s->high_water = curr + init;\n// }\n// else if (s->high_water < (ulg)curr + WIN_INIT) {\n// /* High water mark at or above current data, but below current data\n// * plus WIN_INIT -- zero out to current data plus WIN_INIT, or up\n// * to end of window, whichever is less.\n// */\n// init = (ulg)curr + WIN_INIT - s->high_water;\n// if (init > s->window_size - s->high_water)\n// init = s->window_size - s->high_water;\n// zmemzero(s->window + s->high_water, (unsigned)init);\n// s->high_water += init;\n// }\n// }\n//\n// Assert((ulg)s->strstart <= s->window_size - MIN_LOOKAHEAD,\n// \"not enough room for search\");\n}\n\n/* ===========================================================================\n * Copy without compression as much as possible from the input stream, return\n * the current block state.\n * This function does not insert new strings in the dictionary since\n * uncompressible data is probably not useful. This function is used\n * only for the level=0 compression option.\n * NOTE: this function should be optimized to avoid extra copying from\n * window to pending_buf.\n */\nfunction deflate_stored(s, flush) {\n /* Stored blocks are limited to 0xffff bytes, pending_buf is limited\n * to pending_buf_size, and each stored block has a 5 byte header:\n */\n var max_block_size = 0xffff;\n\n if (max_block_size > s.pending_buf_size - 5) {\n max_block_size = s.pending_buf_size - 5;\n }\n\n /* Copy as much as possible from input to output: */\n for (;;) {\n /* Fill the window as much as possible: */\n if (s.lookahead <= 1) {\n\n //Assert(s->strstart < s->w_size+MAX_DIST(s) ||\n // s->block_start >= (long)s->w_size, \"slide too late\");\n// if (!(s.strstart < s.w_size + (s.w_size - MIN_LOOKAHEAD) ||\n// s.block_start >= s.w_size)) {\n// throw new Error(\"slide too late\");\n// }\n\n fill_window(s);\n if (s.lookahead === 0 && flush === Z_NO_FLUSH) {\n return BS_NEED_MORE;\n }\n\n if (s.lookahead === 0) {\n break;\n }\n /* flush the current block */\n }\n //Assert(s->block_start >= 0L, \"block gone\");\n// if (s.block_start < 0) throw new Error(\"block gone\");\n\n s.strstart += s.lookahead;\n s.lookahead = 0;\n\n /* Emit a stored block if pending_buf will be full: */\n var max_start = s.block_start + max_block_size;\n\n if (s.strstart === 0 || s.strstart >= max_start) {\n /* strstart == 0 is possible when wraparound on 16-bit machine */\n s.lookahead = s.strstart - max_start;\n s.strstart = max_start;\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n\n\n }\n /* Flush if we may have to slide, otherwise block_start may become\n * negative and the data will be gone:\n */\n if (s.strstart - s.block_start >= (s.w_size - MIN_LOOKAHEAD)) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n }\n\n s.insert = 0;\n\n if (flush === Z_FINISH) {\n /*** FLUSH_BLOCK(s, 1); ***/\n flush_block_only(s, true);\n if (s.strm.avail_out === 0) {\n return BS_FINISH_STARTED;\n }\n /***/\n return BS_FINISH_DONE;\n }\n\n if (s.strstart > s.block_start) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n\n return BS_NEED_MORE;\n}\n\n/* ===========================================================================\n * Compress as much as possible from the input stream, return the current\n * block state.\n * This function does not perform lazy evaluation of matches and inserts\n * new strings in the dictionary only for unmatched strings or for short\n * matches. It is used only for the fast compression options.\n */\nfunction deflate_fast(s, flush) {\n var hash_head; /* head of the hash chain */\n var bflush; /* set if current block must be flushed */\n\n for (;;) {\n /* Make sure that we always have enough lookahead, except\n * at the end of the input file. We need MAX_MATCH bytes\n * for the next match, plus MIN_MATCH bytes to insert the\n * string following the next match.\n */\n if (s.lookahead < MIN_LOOKAHEAD) {\n fill_window(s);\n if (s.lookahead < MIN_LOOKAHEAD && flush === Z_NO_FLUSH) {\n return BS_NEED_MORE;\n }\n if (s.lookahead === 0) {\n break; /* flush the current block */\n }\n }\n\n /* Insert the string window[strstart .. strstart+2] in the\n * dictionary, and set hash_head to the head of the hash chain:\n */\n hash_head = 0/*NIL*/;\n if (s.lookahead >= MIN_MATCH) {\n /*** INSERT_STRING(s, s.strstart, hash_head); ***/\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[s.strstart + MIN_MATCH - 1]) & s.hash_mask;\n hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h];\n s.head[s.ins_h] = s.strstart;\n /***/\n }\n\n /* Find the longest match, discarding those <= prev_length.\n * At this point we have always match_length < MIN_MATCH\n */\n if (hash_head !== 0/*NIL*/ && ((s.strstart - hash_head) <= (s.w_size - MIN_LOOKAHEAD))) {\n /* To simplify the code, we prevent matches with the string\n * of window index 0 (in particular we have to avoid a match\n * of the string with itself at the start of the input file).\n */\n s.match_length = longest_match(s, hash_head);\n /* longest_match() sets match_start */\n }\n if (s.match_length >= MIN_MATCH) {\n // check_match(s, s.strstart, s.match_start, s.match_length); // for debug only\n\n /*** _tr_tally_dist(s, s.strstart - s.match_start,\n s.match_length - MIN_MATCH, bflush); ***/\n bflush = trees._tr_tally(s, s.strstart - s.match_start, s.match_length - MIN_MATCH);\n\n s.lookahead -= s.match_length;\n\n /* Insert new strings in the hash table only if the match length\n * is not too large. This saves time but degrades compression.\n */\n if (s.match_length <= s.max_lazy_match/*max_insert_length*/ && s.lookahead >= MIN_MATCH) {\n s.match_length--; /* string at strstart already in table */\n do {\n s.strstart++;\n /*** INSERT_STRING(s, s.strstart, hash_head); ***/\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[s.strstart + MIN_MATCH - 1]) & s.hash_mask;\n hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h];\n s.head[s.ins_h] = s.strstart;\n /***/\n /* strstart never exceeds WSIZE-MAX_MATCH, so there are\n * always MIN_MATCH bytes ahead.\n */\n } while (--s.match_length !== 0);\n s.strstart++;\n } else\n {\n s.strstart += s.match_length;\n s.match_length = 0;\n s.ins_h = s.window[s.strstart];\n /* UPDATE_HASH(s, s.ins_h, s.window[s.strstart+1]); */\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[s.strstart + 1]) & s.hash_mask;\n\n//#if MIN_MATCH != 3\n// Call UPDATE_HASH() MIN_MATCH-3 more times\n//#endif\n /* If lookahead < MIN_MATCH, ins_h is garbage, but it does not\n * matter since it will be recomputed at next deflate call.\n */\n }\n } else {\n /* No match, output a literal byte */\n //Tracevv((stderr,\"%c\", s.window[s.strstart]));\n /*** _tr_tally_lit(s, s.window[s.strstart], bflush); ***/\n bflush = trees._tr_tally(s, 0, s.window[s.strstart]);\n\n s.lookahead--;\n s.strstart++;\n }\n if (bflush) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n }\n s.insert = ((s.strstart < (MIN_MATCH - 1)) ? s.strstart : MIN_MATCH - 1);\n if (flush === Z_FINISH) {\n /*** FLUSH_BLOCK(s, 1); ***/\n flush_block_only(s, true);\n if (s.strm.avail_out === 0) {\n return BS_FINISH_STARTED;\n }\n /***/\n return BS_FINISH_DONE;\n }\n if (s.last_lit) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n return BS_BLOCK_DONE;\n}\n\n/* ===========================================================================\n * Same as above, but achieves better compression. We use a lazy\n * evaluation for matches: a match is finally adopted only if there is\n * no better match at the next window position.\n */\nfunction deflate_slow(s, flush) {\n var hash_head; /* head of hash chain */\n var bflush; /* set if current block must be flushed */\n\n var max_insert;\n\n /* Process the input block. */\n for (;;) {\n /* Make sure that we always have enough lookahead, except\n * at the end of the input file. We need MAX_MATCH bytes\n * for the next match, plus MIN_MATCH bytes to insert the\n * string following the next match.\n */\n if (s.lookahead < MIN_LOOKAHEAD) {\n fill_window(s);\n if (s.lookahead < MIN_LOOKAHEAD && flush === Z_NO_FLUSH) {\n return BS_NEED_MORE;\n }\n if (s.lookahead === 0) { break; } /* flush the current block */\n }\n\n /* Insert the string window[strstart .. strstart+2] in the\n * dictionary, and set hash_head to the head of the hash chain:\n */\n hash_head = 0/*NIL*/;\n if (s.lookahead >= MIN_MATCH) {\n /*** INSERT_STRING(s, s.strstart, hash_head); ***/\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[s.strstart + MIN_MATCH - 1]) & s.hash_mask;\n hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h];\n s.head[s.ins_h] = s.strstart;\n /***/\n }\n\n /* Find the longest match, discarding those <= prev_length.\n */\n s.prev_length = s.match_length;\n s.prev_match = s.match_start;\n s.match_length = MIN_MATCH - 1;\n\n if (hash_head !== 0/*NIL*/ && s.prev_length < s.max_lazy_match &&\n s.strstart - hash_head <= (s.w_size - MIN_LOOKAHEAD)/*MAX_DIST(s)*/) {\n /* To simplify the code, we prevent matches with the string\n * of window index 0 (in particular we have to avoid a match\n * of the string with itself at the start of the input file).\n */\n s.match_length = longest_match(s, hash_head);\n /* longest_match() sets match_start */\n\n if (s.match_length <= 5 &&\n (s.strategy === Z_FILTERED || (s.match_length === MIN_MATCH && s.strstart - s.match_start > 4096/*TOO_FAR*/))) {\n\n /* If prev_match is also MIN_MATCH, match_start is garbage\n * but we will ignore the current match anyway.\n */\n s.match_length = MIN_MATCH - 1;\n }\n }\n /* If there was a match at the previous step and the current\n * match is not better, output the previous match:\n */\n if (s.prev_length >= MIN_MATCH && s.match_length <= s.prev_length) {\n max_insert = s.strstart + s.lookahead - MIN_MATCH;\n /* Do not insert strings in hash table beyond this. */\n\n //check_match(s, s.strstart-1, s.prev_match, s.prev_length);\n\n /***_tr_tally_dist(s, s.strstart - 1 - s.prev_match,\n s.prev_length - MIN_MATCH, bflush);***/\n bflush = trees._tr_tally(s, s.strstart - 1 - s.prev_match, s.prev_length - MIN_MATCH);\n /* Insert in hash table all strings up to the end of the match.\n * strstart-1 and strstart are already inserted. If there is not\n * enough lookahead, the last two strings are not inserted in\n * the hash table.\n */\n s.lookahead -= s.prev_length - 1;\n s.prev_length -= 2;\n do {\n if (++s.strstart <= max_insert) {\n /*** INSERT_STRING(s, s.strstart, hash_head); ***/\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[s.strstart + MIN_MATCH - 1]) & s.hash_mask;\n hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h];\n s.head[s.ins_h] = s.strstart;\n /***/\n }\n } while (--s.prev_length !== 0);\n s.match_available = 0;\n s.match_length = MIN_MATCH - 1;\n s.strstart++;\n\n if (bflush) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n\n } else if (s.match_available) {\n /* If there was no match at the previous position, output a\n * single literal. If there was a match but the current match\n * is longer, truncate the previous match to a single literal.\n */\n //Tracevv((stderr,\"%c\", s->window[s->strstart-1]));\n /*** _tr_tally_lit(s, s.window[s.strstart-1], bflush); ***/\n bflush = trees._tr_tally(s, 0, s.window[s.strstart - 1]);\n\n if (bflush) {\n /*** FLUSH_BLOCK_ONLY(s, 0) ***/\n flush_block_only(s, false);\n /***/\n }\n s.strstart++;\n s.lookahead--;\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n } else {\n /* There is no previous match to compare with, wait for\n * the next step to decide.\n */\n s.match_available = 1;\n s.strstart++;\n s.lookahead--;\n }\n }\n //Assert (flush != Z_NO_FLUSH, \"no flush?\");\n if (s.match_available) {\n //Tracevv((stderr,\"%c\", s->window[s->strstart-1]));\n /*** _tr_tally_lit(s, s.window[s.strstart-1], bflush); ***/\n bflush = trees._tr_tally(s, 0, s.window[s.strstart - 1]);\n\n s.match_available = 0;\n }\n s.insert = s.strstart < MIN_MATCH - 1 ? s.strstart : MIN_MATCH - 1;\n if (flush === Z_FINISH) {\n /*** FLUSH_BLOCK(s, 1); ***/\n flush_block_only(s, true);\n if (s.strm.avail_out === 0) {\n return BS_FINISH_STARTED;\n }\n /***/\n return BS_FINISH_DONE;\n }\n if (s.last_lit) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n\n return BS_BLOCK_DONE;\n}\n\n\n/* ===========================================================================\n * For Z_RLE, simply look for runs of bytes, generate matches only of distance\n * one. Do not maintain a hash table. (It will be regenerated if this run of\n * deflate switches away from Z_RLE.)\n */\nfunction deflate_rle(s, flush) {\n var bflush; /* set if current block must be flushed */\n var prev; /* byte at distance one to match */\n var scan, strend; /* scan goes up to strend for length of run */\n\n var _win = s.window;\n\n for (;;) {\n /* Make sure that we always have enough lookahead, except\n * at the end of the input file. We need MAX_MATCH bytes\n * for the longest run, plus one for the unrolled loop.\n */\n if (s.lookahead <= MAX_MATCH) {\n fill_window(s);\n if (s.lookahead <= MAX_MATCH && flush === Z_NO_FLUSH) {\n return BS_NEED_MORE;\n }\n if (s.lookahead === 0) { break; } /* flush the current block */\n }\n\n /* See how many times the previous byte repeats */\n s.match_length = 0;\n if (s.lookahead >= MIN_MATCH && s.strstart > 0) {\n scan = s.strstart - 1;\n prev = _win[scan];\n if (prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan]) {\n strend = s.strstart + MAX_MATCH;\n do {\n /*jshint noempty:false*/\n } while (prev === _win[++scan] && prev === _win[++scan] &&\n prev === _win[++scan] && prev === _win[++scan] &&\n prev === _win[++scan] && prev === _win[++scan] &&\n prev === _win[++scan] && prev === _win[++scan] &&\n scan < strend);\n s.match_length = MAX_MATCH - (strend - scan);\n if (s.match_length > s.lookahead) {\n s.match_length = s.lookahead;\n }\n }\n //Assert(scan <= s->window+(uInt)(s->window_size-1), \"wild scan\");\n }\n\n /* Emit match if have run of MIN_MATCH or longer, else emit literal */\n if (s.match_length >= MIN_MATCH) {\n //check_match(s, s.strstart, s.strstart - 1, s.match_length);\n\n /*** _tr_tally_dist(s, 1, s.match_length - MIN_MATCH, bflush); ***/\n bflush = trees._tr_tally(s, 1, s.match_length - MIN_MATCH);\n\n s.lookahead -= s.match_length;\n s.strstart += s.match_length;\n s.match_length = 0;\n } else {\n /* No match, output a literal byte */\n //Tracevv((stderr,\"%c\", s->window[s->strstart]));\n /*** _tr_tally_lit(s, s.window[s.strstart], bflush); ***/\n bflush = trees._tr_tally(s, 0, s.window[s.strstart]);\n\n s.lookahead--;\n s.strstart++;\n }\n if (bflush) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n }\n s.insert = 0;\n if (flush === Z_FINISH) {\n /*** FLUSH_BLOCK(s, 1); ***/\n flush_block_only(s, true);\n if (s.strm.avail_out === 0) {\n return BS_FINISH_STARTED;\n }\n /***/\n return BS_FINISH_DONE;\n }\n if (s.last_lit) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n return BS_BLOCK_DONE;\n}\n\n/* ===========================================================================\n * For Z_HUFFMAN_ONLY, do not look for matches. Do not maintain a hash table.\n * (It will be regenerated if this run of deflate switches away from Huffman.)\n */\nfunction deflate_huff(s, flush) {\n var bflush; /* set if current block must be flushed */\n\n for (;;) {\n /* Make sure that we have a literal to write. */\n if (s.lookahead === 0) {\n fill_window(s);\n if (s.lookahead === 0) {\n if (flush === Z_NO_FLUSH) {\n return BS_NEED_MORE;\n }\n break; /* flush the current block */\n }\n }\n\n /* Output a literal byte */\n s.match_length = 0;\n //Tracevv((stderr,\"%c\", s->window[s->strstart]));\n /*** _tr_tally_lit(s, s.window[s.strstart], bflush); ***/\n bflush = trees._tr_tally(s, 0, s.window[s.strstart]);\n s.lookahead--;\n s.strstart++;\n if (bflush) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n }\n s.insert = 0;\n if (flush === Z_FINISH) {\n /*** FLUSH_BLOCK(s, 1); ***/\n flush_block_only(s, true);\n if (s.strm.avail_out === 0) {\n return BS_FINISH_STARTED;\n }\n /***/\n return BS_FINISH_DONE;\n }\n if (s.last_lit) {\n /*** FLUSH_BLOCK(s, 0); ***/\n flush_block_only(s, false);\n if (s.strm.avail_out === 0) {\n return BS_NEED_MORE;\n }\n /***/\n }\n return BS_BLOCK_DONE;\n}\n\n/* Values for max_lazy_match, good_match and max_chain_length, depending on\n * the desired pack level (0..9). The values given below have been tuned to\n * exclude worst case performance for pathological files. Better values may be\n * found for specific files.\n */\nfunction Config(good_length, max_lazy, nice_length, max_chain, func) {\n this.good_length = good_length;\n this.max_lazy = max_lazy;\n this.nice_length = nice_length;\n this.max_chain = max_chain;\n this.func = func;\n}\n\nvar configuration_table;\n\nconfiguration_table = [\n /* good lazy nice chain */\n new Config(0, 0, 0, 0, deflate_stored), /* 0 store only */\n new Config(4, 4, 8, 4, deflate_fast), /* 1 max speed, no lazy matches */\n new Config(4, 5, 16, 8, deflate_fast), /* 2 */\n new Config(4, 6, 32, 32, deflate_fast), /* 3 */\n\n new Config(4, 4, 16, 16, deflate_slow), /* 4 lazy matches */\n new Config(8, 16, 32, 32, deflate_slow), /* 5 */\n new Config(8, 16, 128, 128, deflate_slow), /* 6 */\n new Config(8, 32, 128, 256, deflate_slow), /* 7 */\n new Config(32, 128, 258, 1024, deflate_slow), /* 8 */\n new Config(32, 258, 258, 4096, deflate_slow) /* 9 max compression */\n];\n\n\n/* ===========================================================================\n * Initialize the \"longest match\" routines for a new zlib stream\n */\nfunction lm_init(s) {\n s.window_size = 2 * s.w_size;\n\n /*** CLEAR_HASH(s); ***/\n zero(s.head); // Fill with NIL (= 0);\n\n /* Set the default configuration parameters:\n */\n s.max_lazy_match = configuration_table[s.level].max_lazy;\n s.good_match = configuration_table[s.level].good_length;\n s.nice_match = configuration_table[s.level].nice_length;\n s.max_chain_length = configuration_table[s.level].max_chain;\n\n s.strstart = 0;\n s.block_start = 0;\n s.lookahead = 0;\n s.insert = 0;\n s.match_length = s.prev_length = MIN_MATCH - 1;\n s.match_available = 0;\n s.ins_h = 0;\n}\n\n\nfunction DeflateState() {\n this.strm = null; /* pointer back to this zlib stream */\n this.status = 0; /* as the name implies */\n this.pending_buf = null; /* output still pending */\n this.pending_buf_size = 0; /* size of pending_buf */\n this.pending_out = 0; /* next pending byte to output to the stream */\n this.pending = 0; /* nb of bytes in the pending buffer */\n this.wrap = 0; /* bit 0 true for zlib, bit 1 true for gzip */\n this.gzhead = null; /* gzip header information to write */\n this.gzindex = 0; /* where in extra, name, or comment */\n this.method = Z_DEFLATED; /* can only be DEFLATED */\n this.last_flush = -1; /* value of flush param for previous deflate call */\n\n this.w_size = 0; /* LZ77 window size (32K by default) */\n this.w_bits = 0; /* log2(w_size) (8..16) */\n this.w_mask = 0; /* w_size - 1 */\n\n this.window = null;\n /* Sliding window. Input bytes are read into the second half of the window,\n * and move to the first half later to keep a dictionary of at least wSize\n * bytes. With this organization, matches are limited to a distance of\n * wSize-MAX_MATCH bytes, but this ensures that IO is always\n * performed with a length multiple of the block size.\n */\n\n this.window_size = 0;\n /* Actual size of window: 2*wSize, except when the user input buffer\n * is directly used as sliding window.\n */\n\n this.prev = null;\n /* Link to older string with same hash index. To limit the size of this\n * array to 64K, this link is maintained only for the last 32K strings.\n * An index in this array is thus a window index modulo 32K.\n */\n\n this.head = null; /* Heads of the hash chains or NIL. */\n\n this.ins_h = 0; /* hash index of string to be inserted */\n this.hash_size = 0; /* number of elements in hash table */\n this.hash_bits = 0; /* log2(hash_size) */\n this.hash_mask = 0; /* hash_size-1 */\n\n this.hash_shift = 0;\n /* Number of bits by which ins_h must be shifted at each input\n * step. It must be such that after MIN_MATCH steps, the oldest\n * byte no longer takes part in the hash key, that is:\n * hash_shift * MIN_MATCH >= hash_bits\n */\n\n this.block_start = 0;\n /* Window position at the beginning of the current output block. Gets\n * negative when the window is moved backwards.\n */\n\n this.match_length = 0; /* length of best match */\n this.prev_match = 0; /* previous match */\n this.match_available = 0; /* set if previous match exists */\n this.strstart = 0; /* start of string to insert */\n this.match_start = 0; /* start of matching string */\n this.lookahead = 0; /* number of valid bytes ahead in window */\n\n this.prev_length = 0;\n /* Length of the best match at previous step. Matches not greater than this\n * are discarded. This is used in the lazy match evaluation.\n */\n\n this.max_chain_length = 0;\n /* To speed up deflation, hash chains are never searched beyond this\n * length. A higher limit improves compression ratio but degrades the\n * speed.\n */\n\n this.max_lazy_match = 0;\n /* Attempt to find a better match only when the current match is strictly\n * smaller than this value. This mechanism is used only for compression\n * levels >= 4.\n */\n // That's alias to max_lazy_match, don't use directly\n //this.max_insert_length = 0;\n /* Insert new strings in the hash table only if the match length is not\n * greater than this length. This saves time but degrades compression.\n * max_insert_length is used only for compression levels <= 3.\n */\n\n this.level = 0; /* compression level (1..9) */\n this.strategy = 0; /* favor or force Huffman coding*/\n\n this.good_match = 0;\n /* Use a faster search when the previous match is longer than this */\n\n this.nice_match = 0; /* Stop searching when current match exceeds this */\n\n /* used by trees.c: */\n\n /* Didn't use ct_data typedef below to suppress compiler warning */\n\n // struct ct_data_s dyn_ltree[HEAP_SIZE]; /* literal and length tree */\n // struct ct_data_s dyn_dtree[2*D_CODES+1]; /* distance tree */\n // struct ct_data_s bl_tree[2*BL_CODES+1]; /* Huffman tree for bit lengths */\n\n // Use flat array of DOUBLE size, with interleaved fata,\n // because JS does not support effective\n this.dyn_ltree = new utils.Buf16(HEAP_SIZE * 2);\n this.dyn_dtree = new utils.Buf16((2 * D_CODES + 1) * 2);\n this.bl_tree = new utils.Buf16((2 * BL_CODES + 1) * 2);\n zero(this.dyn_ltree);\n zero(this.dyn_dtree);\n zero(this.bl_tree);\n\n this.l_desc = null; /* desc. for literal tree */\n this.d_desc = null; /* desc. for distance tree */\n this.bl_desc = null; /* desc. for bit length tree */\n\n //ush bl_count[MAX_BITS+1];\n this.bl_count = new utils.Buf16(MAX_BITS + 1);\n /* number of codes at each bit length for an optimal tree */\n\n //int heap[2*L_CODES+1]; /* heap used to build the Huffman trees */\n this.heap = new utils.Buf16(2 * L_CODES + 1); /* heap used to build the Huffman trees */\n zero(this.heap);\n\n this.heap_len = 0; /* number of elements in the heap */\n this.heap_max = 0; /* element of largest frequency */\n /* The sons of heap[n] are heap[2*n] and heap[2*n+1]. heap[0] is not used.\n * The same heap array is used to build all trees.\n */\n\n this.depth = new utils.Buf16(2 * L_CODES + 1); //uch depth[2*L_CODES+1];\n zero(this.depth);\n /* Depth of each subtree used as tie breaker for trees of equal frequency\n */\n\n this.l_buf = 0; /* buffer index for literals or lengths */\n\n this.lit_bufsize = 0;\n /* Size of match buffer for literals/lengths. There are 4 reasons for\n * limiting lit_bufsize to 64K:\n * - frequencies can be kept in 16 bit counters\n * - if compression is not successful for the first block, all input\n * data is still in the window so we can still emit a stored block even\n * when input comes from standard input. (This can also be done for\n * all blocks if lit_bufsize is not greater than 32K.)\n * - if compression is not successful for a file smaller than 64K, we can\n * even emit a stored file instead of a stored block (saving 5 bytes).\n * This is applicable only for zip (not gzip or zlib).\n * - creating new Huffman trees less frequently may not provide fast\n * adaptation to changes in the input data statistics. (Take for\n * example a binary file with poorly compressible code followed by\n * a highly compressible string table.) Smaller buffer sizes give\n * fast adaptation but have of course the overhead of transmitting\n * trees more frequently.\n * - I can't count above 4\n */\n\n this.last_lit = 0; /* running index in l_buf */\n\n this.d_buf = 0;\n /* Buffer index for distances. To simplify the code, d_buf and l_buf have\n * the same number of elements. To use different lengths, an extra flag\n * array would be necessary.\n */\n\n this.opt_len = 0; /* bit length of current block with optimal trees */\n this.static_len = 0; /* bit length of current block with static trees */\n this.matches = 0; /* number of string matches in current block */\n this.insert = 0; /* bytes at end of window left to insert */\n\n\n this.bi_buf = 0;\n /* Output buffer. bits are inserted starting at the bottom (least\n * significant bits).\n */\n this.bi_valid = 0;\n /* Number of valid bits in bi_buf. All bits above the last valid bit\n * are always zero.\n */\n\n // Used for window memory init. We safely ignore it for JS. That makes\n // sense only for pointers and memory check tools.\n //this.high_water = 0;\n /* High water mark offset in window for initialized bytes -- bytes above\n * this are set to zero in order to avoid memory check warnings when\n * longest match routines access bytes past the input. This is then\n * updated to the new high water mark.\n */\n}\n\n\nfunction deflateResetKeep(strm) {\n var s;\n\n if (!strm || !strm.state) {\n return err(strm, Z_STREAM_ERROR);\n }\n\n strm.total_in = strm.total_out = 0;\n strm.data_type = Z_UNKNOWN;\n\n s = strm.state;\n s.pending = 0;\n s.pending_out = 0;\n\n if (s.wrap < 0) {\n s.wrap = -s.wrap;\n /* was made negative by deflate(..., Z_FINISH); */\n }\n s.status = (s.wrap ? INIT_STATE : BUSY_STATE);\n strm.adler = (s.wrap === 2) ?\n 0 // crc32(0, Z_NULL, 0)\n :\n 1; // adler32(0, Z_NULL, 0)\n s.last_flush = Z_NO_FLUSH;\n trees._tr_init(s);\n return Z_OK;\n}\n\n\nfunction deflateReset(strm) {\n var ret = deflateResetKeep(strm);\n if (ret === Z_OK) {\n lm_init(strm.state);\n }\n return ret;\n}\n\n\nfunction deflateSetHeader(strm, head) {\n if (!strm || !strm.state) { return Z_STREAM_ERROR; }\n if (strm.state.wrap !== 2) { return Z_STREAM_ERROR; }\n strm.state.gzhead = head;\n return Z_OK;\n}\n\n\nfunction deflateInit2(strm, level, method, windowBits, memLevel, strategy) {\n if (!strm) { // === Z_NULL\n return Z_STREAM_ERROR;\n }\n var wrap = 1;\n\n if (level === Z_DEFAULT_COMPRESSION) {\n level = 6;\n }\n\n if (windowBits < 0) { /* suppress zlib wrapper */\n wrap = 0;\n windowBits = -windowBits;\n }\n\n else if (windowBits > 15) {\n wrap = 2; /* write gzip wrapper instead */\n windowBits -= 16;\n }\n\n\n if (memLevel < 1 || memLevel > MAX_MEM_LEVEL || method !== Z_DEFLATED ||\n windowBits < 8 || windowBits > 15 || level < 0 || level > 9 ||\n strategy < 0 || strategy > Z_FIXED) {\n return err(strm, Z_STREAM_ERROR);\n }\n\n\n if (windowBits === 8) {\n windowBits = 9;\n }\n /* until 256-byte window bug fixed */\n\n var s = new DeflateState();\n\n strm.state = s;\n s.strm = strm;\n\n s.wrap = wrap;\n s.gzhead = null;\n s.w_bits = windowBits;\n s.w_size = 1 << s.w_bits;\n s.w_mask = s.w_size - 1;\n\n s.hash_bits = memLevel + 7;\n s.hash_size = 1 << s.hash_bits;\n s.hash_mask = s.hash_size - 1;\n s.hash_shift = ~~((s.hash_bits + MIN_MATCH - 1) / MIN_MATCH);\n\n s.window = new utils.Buf8(s.w_size * 2);\n s.head = new utils.Buf16(s.hash_size);\n s.prev = new utils.Buf16(s.w_size);\n\n // Don't need mem init magic for JS.\n //s.high_water = 0; /* nothing written to s->window yet */\n\n s.lit_bufsize = 1 << (memLevel + 6); /* 16K elements by default */\n\n s.pending_buf_size = s.lit_bufsize * 4;\n\n //overlay = (ushf *) ZALLOC(strm, s->lit_bufsize, sizeof(ush)+2);\n //s->pending_buf = (uchf *) overlay;\n s.pending_buf = new utils.Buf8(s.pending_buf_size);\n\n // It is offset from `s.pending_buf` (size is `s.lit_bufsize * 2`)\n //s->d_buf = overlay + s->lit_bufsize/sizeof(ush);\n s.d_buf = 1 * s.lit_bufsize;\n\n //s->l_buf = s->pending_buf + (1+sizeof(ush))*s->lit_bufsize;\n s.l_buf = (1 + 2) * s.lit_bufsize;\n\n s.level = level;\n s.strategy = strategy;\n s.method = method;\n\n return deflateReset(strm);\n}\n\nfunction deflateInit(strm, level) {\n return deflateInit2(strm, level, Z_DEFLATED, MAX_WBITS, DEF_MEM_LEVEL, Z_DEFAULT_STRATEGY);\n}\n\n\nfunction deflate(strm, flush) {\n var old_flush, s;\n var beg, val; // for gzip header write only\n\n if (!strm || !strm.state ||\n flush > Z_BLOCK || flush < 0) {\n return strm ? err(strm, Z_STREAM_ERROR) : Z_STREAM_ERROR;\n }\n\n s = strm.state;\n\n if (!strm.output ||\n (!strm.input && strm.avail_in !== 0) ||\n (s.status === FINISH_STATE && flush !== Z_FINISH)) {\n return err(strm, (strm.avail_out === 0) ? Z_BUF_ERROR : Z_STREAM_ERROR);\n }\n\n s.strm = strm; /* just in case */\n old_flush = s.last_flush;\n s.last_flush = flush;\n\n /* Write the header */\n if (s.status === INIT_STATE) {\n\n if (s.wrap === 2) { // GZIP header\n strm.adler = 0; //crc32(0L, Z_NULL, 0);\n put_byte(s, 31);\n put_byte(s, 139);\n put_byte(s, 8);\n if (!s.gzhead) { // s->gzhead == Z_NULL\n put_byte(s, 0);\n put_byte(s, 0);\n put_byte(s, 0);\n put_byte(s, 0);\n put_byte(s, 0);\n put_byte(s, s.level === 9 ? 2 :\n (s.strategy >= Z_HUFFMAN_ONLY || s.level < 2 ?\n 4 : 0));\n put_byte(s, OS_CODE);\n s.status = BUSY_STATE;\n }\n else {\n put_byte(s, (s.gzhead.text ? 1 : 0) +\n (s.gzhead.hcrc ? 2 : 0) +\n (!s.gzhead.extra ? 0 : 4) +\n (!s.gzhead.name ? 0 : 8) +\n (!s.gzhead.comment ? 0 : 16)\n );\n put_byte(s, s.gzhead.time & 0xff);\n put_byte(s, (s.gzhead.time >> 8) & 0xff);\n put_byte(s, (s.gzhead.time >> 16) & 0xff);\n put_byte(s, (s.gzhead.time >> 24) & 0xff);\n put_byte(s, s.level === 9 ? 2 :\n (s.strategy >= Z_HUFFMAN_ONLY || s.level < 2 ?\n 4 : 0));\n put_byte(s, s.gzhead.os & 0xff);\n if (s.gzhead.extra && s.gzhead.extra.length) {\n put_byte(s, s.gzhead.extra.length & 0xff);\n put_byte(s, (s.gzhead.extra.length >> 8) & 0xff);\n }\n if (s.gzhead.hcrc) {\n strm.adler = crc32(strm.adler, s.pending_buf, s.pending, 0);\n }\n s.gzindex = 0;\n s.status = EXTRA_STATE;\n }\n }\n else // DEFLATE header\n {\n var header = (Z_DEFLATED + ((s.w_bits - 8) << 4)) << 8;\n var level_flags = -1;\n\n if (s.strategy >= Z_HUFFMAN_ONLY || s.level < 2) {\n level_flags = 0;\n } else if (s.level < 6) {\n level_flags = 1;\n } else if (s.level === 6) {\n level_flags = 2;\n } else {\n level_flags = 3;\n }\n header |= (level_flags << 6);\n if (s.strstart !== 0) { header |= PRESET_DICT; }\n header += 31 - (header % 31);\n\n s.status = BUSY_STATE;\n putShortMSB(s, header);\n\n /* Save the adler32 of the preset dictionary: */\n if (s.strstart !== 0) {\n putShortMSB(s, strm.adler >>> 16);\n putShortMSB(s, strm.adler & 0xffff);\n }\n strm.adler = 1; // adler32(0L, Z_NULL, 0);\n }\n }\n\n//#ifdef GZIP\n if (s.status === EXTRA_STATE) {\n if (s.gzhead.extra/* != Z_NULL*/) {\n beg = s.pending; /* start of bytes to update crc */\n\n while (s.gzindex < (s.gzhead.extra.length & 0xffff)) {\n if (s.pending === s.pending_buf_size) {\n if (s.gzhead.hcrc && s.pending > beg) {\n strm.adler = crc32(strm.adler, s.pending_buf, s.pending - beg, beg);\n }\n flush_pending(strm);\n beg = s.pending;\n if (s.pending === s.pending_buf_size) {\n break;\n }\n }\n put_byte(s, s.gzhead.extra[s.gzindex] & 0xff);\n s.gzindex++;\n }\n if (s.gzhead.hcrc && s.pending > beg) {\n strm.adler = crc32(strm.adler, s.pending_buf, s.pending - beg, beg);\n }\n if (s.gzindex === s.gzhead.extra.length) {\n s.gzindex = 0;\n s.status = NAME_STATE;\n }\n }\n else {\n s.status = NAME_STATE;\n }\n }\n if (s.status === NAME_STATE) {\n if (s.gzhead.name/* != Z_NULL*/) {\n beg = s.pending; /* start of bytes to update crc */\n //int val;\n\n do {\n if (s.pending === s.pending_buf_size) {\n if (s.gzhead.hcrc && s.pending > beg) {\n strm.adler = crc32(strm.adler, s.pending_buf, s.pending - beg, beg);\n }\n flush_pending(strm);\n beg = s.pending;\n if (s.pending === s.pending_buf_size) {\n val = 1;\n break;\n }\n }\n // JS specific: little magic to add zero terminator to end of string\n if (s.gzindex < s.gzhead.name.length) {\n val = s.gzhead.name.charCodeAt(s.gzindex++) & 0xff;\n } else {\n val = 0;\n }\n put_byte(s, val);\n } while (val !== 0);\n\n if (s.gzhead.hcrc && s.pending > beg) {\n strm.adler = crc32(strm.adler, s.pending_buf, s.pending - beg, beg);\n }\n if (val === 0) {\n s.gzindex = 0;\n s.status = COMMENT_STATE;\n }\n }\n else {\n s.status = COMMENT_STATE;\n }\n }\n if (s.status === COMMENT_STATE) {\n if (s.gzhead.comment/* != Z_NULL*/) {\n beg = s.pending; /* start of bytes to update crc */\n //int val;\n\n do {\n if (s.pending === s.pending_buf_size) {\n if (s.gzhead.hcrc && s.pending > beg) {\n strm.adler = crc32(strm.adler, s.pending_buf, s.pending - beg, beg);\n }\n flush_pending(strm);\n beg = s.pending;\n if (s.pending === s.pending_buf_size) {\n val = 1;\n break;\n }\n }\n // JS specific: little magic to add zero terminator to end of string\n if (s.gzindex < s.gzhead.comment.length) {\n val = s.gzhead.comment.charCodeAt(s.gzindex++) & 0xff;\n } else {\n val = 0;\n }\n put_byte(s, val);\n } while (val !== 0);\n\n if (s.gzhead.hcrc && s.pending > beg) {\n strm.adler = crc32(strm.adler, s.pending_buf, s.pending - beg, beg);\n }\n if (val === 0) {\n s.status = HCRC_STATE;\n }\n }\n else {\n s.status = HCRC_STATE;\n }\n }\n if (s.status === HCRC_STATE) {\n if (s.gzhead.hcrc) {\n if (s.pending + 2 > s.pending_buf_size) {\n flush_pending(strm);\n }\n if (s.pending + 2 <= s.pending_buf_size) {\n put_byte(s, strm.adler & 0xff);\n put_byte(s, (strm.adler >> 8) & 0xff);\n strm.adler = 0; //crc32(0L, Z_NULL, 0);\n s.status = BUSY_STATE;\n }\n }\n else {\n s.status = BUSY_STATE;\n }\n }\n//#endif\n\n /* Flush as much pending output as possible */\n if (s.pending !== 0) {\n flush_pending(strm);\n if (strm.avail_out === 0) {\n /* Since avail_out is 0, deflate will be called again with\n * more output space, but possibly with both pending and\n * avail_in equal to zero. There won't be anything to do,\n * but this is not an error situation so make sure we\n * return OK instead of BUF_ERROR at next call of deflate:\n */\n s.last_flush = -1;\n return Z_OK;\n }\n\n /* Make sure there is something to do and avoid duplicate consecutive\n * flushes. For repeated and useless calls with Z_FINISH, we keep\n * returning Z_STREAM_END instead of Z_BUF_ERROR.\n */\n } else if (strm.avail_in === 0 && rank(flush) <= rank(old_flush) &&\n flush !== Z_FINISH) {\n return err(strm, Z_BUF_ERROR);\n }\n\n /* User must not provide more input after the first FINISH: */\n if (s.status === FINISH_STATE && strm.avail_in !== 0) {\n return err(strm, Z_BUF_ERROR);\n }\n\n /* Start a new block or continue the current one.\n */\n if (strm.avail_in !== 0 || s.lookahead !== 0 ||\n (flush !== Z_NO_FLUSH && s.status !== FINISH_STATE)) {\n var bstate = (s.strategy === Z_HUFFMAN_ONLY) ? deflate_huff(s, flush) :\n (s.strategy === Z_RLE ? deflate_rle(s, flush) :\n configuration_table[s.level].func(s, flush));\n\n if (bstate === BS_FINISH_STARTED || bstate === BS_FINISH_DONE) {\n s.status = FINISH_STATE;\n }\n if (bstate === BS_NEED_MORE || bstate === BS_FINISH_STARTED) {\n if (strm.avail_out === 0) {\n s.last_flush = -1;\n /* avoid BUF_ERROR next call, see above */\n }\n return Z_OK;\n /* If flush != Z_NO_FLUSH && avail_out == 0, the next call\n * of deflate should use the same flush parameter to make sure\n * that the flush is complete. So we don't have to output an\n * empty block here, this will be done at next call. This also\n * ensures that for a very small output buffer, we emit at most\n * one empty block.\n */\n }\n if (bstate === BS_BLOCK_DONE) {\n if (flush === Z_PARTIAL_FLUSH) {\n trees._tr_align(s);\n }\n else if (flush !== Z_BLOCK) { /* FULL_FLUSH or SYNC_FLUSH */\n\n trees._tr_stored_block(s, 0, 0, false);\n /* For a full flush, this empty block will be recognized\n * as a special marker by inflate_sync().\n */\n if (flush === Z_FULL_FLUSH) {\n /*** CLEAR_HASH(s); ***/ /* forget history */\n zero(s.head); // Fill with NIL (= 0);\n\n if (s.lookahead === 0) {\n s.strstart = 0;\n s.block_start = 0;\n s.insert = 0;\n }\n }\n }\n flush_pending(strm);\n if (strm.avail_out === 0) {\n s.last_flush = -1; /* avoid BUF_ERROR at next call, see above */\n return Z_OK;\n }\n }\n }\n //Assert(strm->avail_out > 0, \"bug2\");\n //if (strm.avail_out <= 0) { throw new Error(\"bug2\");}\n\n if (flush !== Z_FINISH) { return Z_OK; }\n if (s.wrap <= 0) { return Z_STREAM_END; }\n\n /* Write the trailer */\n if (s.wrap === 2) {\n put_byte(s, strm.adler & 0xff);\n put_byte(s, (strm.adler >> 8) & 0xff);\n put_byte(s, (strm.adler >> 16) & 0xff);\n put_byte(s, (strm.adler >> 24) & 0xff);\n put_byte(s, strm.total_in & 0xff);\n put_byte(s, (strm.total_in >> 8) & 0xff);\n put_byte(s, (strm.total_in >> 16) & 0xff);\n put_byte(s, (strm.total_in >> 24) & 0xff);\n }\n else\n {\n putShortMSB(s, strm.adler >>> 16);\n putShortMSB(s, strm.adler & 0xffff);\n }\n\n flush_pending(strm);\n /* If avail_out is zero, the application will call deflate again\n * to flush the rest.\n */\n if (s.wrap > 0) { s.wrap = -s.wrap; }\n /* write the trailer only once! */\n return s.pending !== 0 ? Z_OK : Z_STREAM_END;\n}\n\nfunction deflateEnd(strm) {\n var status;\n\n if (!strm/*== Z_NULL*/ || !strm.state/*== Z_NULL*/) {\n return Z_STREAM_ERROR;\n }\n\n status = strm.state.status;\n if (status !== INIT_STATE &&\n status !== EXTRA_STATE &&\n status !== NAME_STATE &&\n status !== COMMENT_STATE &&\n status !== HCRC_STATE &&\n status !== BUSY_STATE &&\n status !== FINISH_STATE\n ) {\n return err(strm, Z_STREAM_ERROR);\n }\n\n strm.state = null;\n\n return status === BUSY_STATE ? err(strm, Z_DATA_ERROR) : Z_OK;\n}\n\n\n/* =========================================================================\n * Initializes the compression dictionary from the given byte\n * sequence without producing any compressed output.\n */\nfunction deflateSetDictionary(strm, dictionary) {\n var dictLength = dictionary.length;\n\n var s;\n var str, n;\n var wrap;\n var avail;\n var next;\n var input;\n var tmpDict;\n\n if (!strm/*== Z_NULL*/ || !strm.state/*== Z_NULL*/) {\n return Z_STREAM_ERROR;\n }\n\n s = strm.state;\n wrap = s.wrap;\n\n if (wrap === 2 || (wrap === 1 && s.status !== INIT_STATE) || s.lookahead) {\n return Z_STREAM_ERROR;\n }\n\n /* when using zlib wrappers, compute Adler-32 for provided dictionary */\n if (wrap === 1) {\n /* adler32(strm->adler, dictionary, dictLength); */\n strm.adler = adler32(strm.adler, dictionary, dictLength, 0);\n }\n\n s.wrap = 0; /* avoid computing Adler-32 in read_buf */\n\n /* if dictionary would fill window, just replace the history */\n if (dictLength >= s.w_size) {\n if (wrap === 0) { /* already empty otherwise */\n /*** CLEAR_HASH(s); ***/\n zero(s.head); // Fill with NIL (= 0);\n s.strstart = 0;\n s.block_start = 0;\n s.insert = 0;\n }\n /* use the tail */\n // dictionary = dictionary.slice(dictLength - s.w_size);\n tmpDict = new utils.Buf8(s.w_size);\n utils.arraySet(tmpDict, dictionary, dictLength - s.w_size, s.w_size, 0);\n dictionary = tmpDict;\n dictLength = s.w_size;\n }\n /* insert dictionary into window and hash */\n avail = strm.avail_in;\n next = strm.next_in;\n input = strm.input;\n strm.avail_in = dictLength;\n strm.next_in = 0;\n strm.input = dictionary;\n fill_window(s);\n while (s.lookahead >= MIN_MATCH) {\n str = s.strstart;\n n = s.lookahead - (MIN_MATCH - 1);\n do {\n /* UPDATE_HASH(s, s->ins_h, s->window[str + MIN_MATCH-1]); */\n s.ins_h = ((s.ins_h << s.hash_shift) ^ s.window[str + MIN_MATCH - 1]) & s.hash_mask;\n\n s.prev[str & s.w_mask] = s.head[s.ins_h];\n\n s.head[s.ins_h] = str;\n str++;\n } while (--n);\n s.strstart = str;\n s.lookahead = MIN_MATCH - 1;\n fill_window(s);\n }\n s.strstart += s.lookahead;\n s.block_start = s.strstart;\n s.insert = s.lookahead;\n s.lookahead = 0;\n s.match_length = s.prev_length = MIN_MATCH - 1;\n s.match_available = 0;\n strm.next_in = next;\n strm.input = input;\n strm.avail_in = avail;\n s.wrap = wrap;\n return Z_OK;\n}\n\n\nexports.deflateInit = deflateInit;\nexports.deflateInit2 = deflateInit2;\nexports.deflateReset = deflateReset;\nexports.deflateResetKeep = deflateResetKeep;\nexports.deflateSetHeader = deflateSetHeader;\nexports.deflate = deflate;\nexports.deflateEnd = deflateEnd;\nexports.deflateSetDictionary = deflateSetDictionary;\nexports.deflateInfo = 'pako deflate (from Nodeca project)';\n\n/* Not implemented\nexports.deflateBound = deflateBound;\nexports.deflateCopy = deflateCopy;\nexports.deflateParams = deflateParams;\nexports.deflatePending = deflatePending;\nexports.deflatePrime = deflatePrime;\nexports.deflateTune = deflateTune;\n*/\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/deflate.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/gzheader.js":
/*!************************************************!*\
!*** ./node_modules/pako/lib/zlib/gzheader.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nfunction GZheader() {\n /* true if compressed data believed to be text */\n this.text = 0;\n /* modification time */\n this.time = 0;\n /* extra flags (not used when writing a gzip file) */\n this.xflags = 0;\n /* operating system */\n this.os = 0;\n /* pointer to extra field or Z_NULL if none */\n this.extra = null;\n /* extra field length (valid if extra != Z_NULL) */\n this.extra_len = 0; // Actually, we don't need it in JS,\n // but leave for few code modifications\n\n //\n // Setup limits is not necessary because in js we should not preallocate memory\n // for inflate use constant limit in 65536 bytes\n //\n\n /* space at extra (only when reading header) */\n // this.extra_max = 0;\n /* pointer to zero-terminated file name or Z_NULL */\n this.name = '';\n /* space at name (only when reading header) */\n // this.name_max = 0;\n /* pointer to zero-terminated comment or Z_NULL */\n this.comment = '';\n /* space at comment (only when reading header) */\n // this.comm_max = 0;\n /* true if there was or will be a header crc */\n this.hcrc = 0;\n /* true when done reading gzip header (not used when writing a gzip file) */\n this.done = false;\n}\n\nmodule.exports = GZheader;\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/gzheader.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/inffast.js":
/*!***********************************************!*\
!*** ./node_modules/pako/lib/zlib/inffast.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\n// See state defs from inflate.js\nvar BAD = 30; /* got a data error -- remain here until reset */\nvar TYPE = 12; /* i: waiting for type bits, including last-flag bit */\n\n/*\n Decode literal, length, and distance codes and write out the resulting\n literal and match bytes until either not enough input or output is\n available, an end-of-block is encountered, or a data error is encountered.\n When large enough input and output buffers are supplied to inflate(), for\n example, a 16K input buffer and a 64K output buffer, more than 95% of the\n inflate execution time is spent in this routine.\n\n Entry assumptions:\n\n state.mode === LEN\n strm.avail_in >= 6\n strm.avail_out >= 258\n start >= strm.avail_out\n state.bits < 8\n\n On return, state.mode is one of:\n\n LEN -- ran out of enough output space or enough available input\n TYPE -- reached end of block code, inflate() to interpret next block\n BAD -- error in block data\n\n Notes:\n\n - The maximum input bits used by a length/distance pair is 15 bits for the\n length code, 5 bits for the length extra, 15 bits for the distance code,\n and 13 bits for the distance extra. This totals 48 bits, or six bytes.\n Therefore if strm.avail_in >= 6, then there is enough input to avoid\n checking for available input while decoding.\n\n - The maximum bytes that a single length/distance pair can output is 258\n bytes, which is the maximum length that can be coded. inflate_fast()\n requires strm.avail_out >= 258 for each loop to avoid checking for\n output space.\n */\nmodule.exports = function inflate_fast(strm, start) {\n var state;\n var _in; /* local strm.input */\n var last; /* have enough input while in < last */\n var _out; /* local strm.output */\n var beg; /* inflate()'s initial strm.output */\n var end; /* while out < end, enough space available */\n//#ifdef INFLATE_STRICT\n var dmax; /* maximum distance from zlib header */\n//#endif\n var wsize; /* window size or zero if not using window */\n var whave; /* valid bytes in the window */\n var wnext; /* window write index */\n // Use `s_window` instead `window`, avoid conflict with instrumentation tools\n var s_window; /* allocated sliding window, if wsize != 0 */\n var hold; /* local strm.hold */\n var bits; /* local strm.bits */\n var lcode; /* local strm.lencode */\n var dcode; /* local strm.distcode */\n var lmask; /* mask for first level of length codes */\n var dmask; /* mask for first level of distance codes */\n var here; /* retrieved table entry */\n var op; /* code bits, operation, extra bits, or */\n /* window position, window bytes to copy */\n var len; /* match length, unused bytes */\n var dist; /* match distance */\n var from; /* where to copy match from */\n var from_source;\n\n\n var input, output; // JS specific, because we have no pointers\n\n /* copy state to local variables */\n state = strm.state;\n //here = state.here;\n _in = strm.next_in;\n input = strm.input;\n last = _in + (strm.avail_in - 5);\n _out = strm.next_out;\n output = strm.output;\n beg = _out - (start - strm.avail_out);\n end = _out + (strm.avail_out - 257);\n//#ifdef INFLATE_STRICT\n dmax = state.dmax;\n//#endif\n wsize = state.wsize;\n whave = state.whave;\n wnext = state.wnext;\n s_window = state.window;\n hold = state.hold;\n bits = state.bits;\n lcode = state.lencode;\n dcode = state.distcode;\n lmask = (1 << state.lenbits) - 1;\n dmask = (1 << state.distbits) - 1;\n\n\n /* decode literals and length/distances until end-of-block or not enough\n input data or output space */\n\n top:\n do {\n if (bits < 15) {\n hold += input[_in++] << bits;\n bits += 8;\n hold += input[_in++] << bits;\n bits += 8;\n }\n\n here = lcode[hold & lmask];\n\n dolen:\n for (;;) { // Goto emulation\n op = here >>> 24/*here.bits*/;\n hold >>>= op;\n bits -= op;\n op = (here >>> 16) & 0xff/*here.op*/;\n if (op === 0) { /* literal */\n //Tracevv((stderr, here.val >= 0x20 && here.val < 0x7f ?\n // \"inflate: literal '%c'\\n\" :\n // \"inflate: literal 0x%02x\\n\", here.val));\n output[_out++] = here & 0xffff/*here.val*/;\n }\n else if (op & 16) { /* length base */\n len = here & 0xffff/*here.val*/;\n op &= 15; /* number of extra bits */\n if (op) {\n if (bits < op) {\n hold += input[_in++] << bits;\n bits += 8;\n }\n len += hold & ((1 << op) - 1);\n hold >>>= op;\n bits -= op;\n }\n //Tracevv((stderr, \"inflate: length %u\\n\", len));\n if (bits < 15) {\n hold += input[_in++] << bits;\n bits += 8;\n hold += input[_in++] << bits;\n bits += 8;\n }\n here = dcode[hold & dmask];\n\n dodist:\n for (;;) { // goto emulation\n op = here >>> 24/*here.bits*/;\n hold >>>= op;\n bits -= op;\n op = (here >>> 16) & 0xff/*here.op*/;\n\n if (op & 16) { /* distance base */\n dist = here & 0xffff/*here.val*/;\n op &= 15; /* number of extra bits */\n if (bits < op) {\n hold += input[_in++] << bits;\n bits += 8;\n if (bits < op) {\n hold += input[_in++] << bits;\n bits += 8;\n }\n }\n dist += hold & ((1 << op) - 1);\n//#ifdef INFLATE_STRICT\n if (dist > dmax) {\n strm.msg = 'invalid distance too far back';\n state.mode = BAD;\n break top;\n }\n//#endif\n hold >>>= op;\n bits -= op;\n //Tracevv((stderr, \"inflate: distance %u\\n\", dist));\n op = _out - beg; /* max distance in output */\n if (dist > op) { /* see if copy from window */\n op = dist - op; /* distance back in window */\n if (op > whave) {\n if (state.sane) {\n strm.msg = 'invalid distance too far back';\n state.mode = BAD;\n break top;\n }\n\n// (!) This block is disabled in zlib defaults,\n// don't enable it for binary compatibility\n//#ifdef INFLATE_ALLOW_INVALID_DISTANCE_TOOFAR_ARRR\n// if (len <= op - whave) {\n// do {\n// output[_out++] = 0;\n// } while (--len);\n// continue top;\n// }\n// len -= op - whave;\n// do {\n// output[_out++] = 0;\n// } while (--op > whave);\n// if (op === 0) {\n// from = _out - dist;\n// do {\n// output[_out++] = output[from++];\n// } while (--len);\n// continue top;\n// }\n//#endif\n }\n from = 0; // window index\n from_source = s_window;\n if (wnext === 0) { /* very common case */\n from += wsize - op;\n if (op < len) { /* some from window */\n len -= op;\n do {\n output[_out++] = s_window[from++];\n } while (--op);\n from = _out - dist; /* rest from output */\n from_source = output;\n }\n }\n else if (wnext < op) { /* wrap around window */\n from += wsize + wnext - op;\n op -= wnext;\n if (op < len) { /* some from end of window */\n len -= op;\n do {\n output[_out++] = s_window[from++];\n } while (--op);\n from = 0;\n if (wnext < len) { /* some from start of window */\n op = wnext;\n len -= op;\n do {\n output[_out++] = s_window[from++];\n } while (--op);\n from = _out - dist; /* rest from output */\n from_source = output;\n }\n }\n }\n else { /* contiguous in window */\n from += wnext - op;\n if (op < len) { /* some from window */\n len -= op;\n do {\n output[_out++] = s_window[from++];\n } while (--op);\n from = _out - dist; /* rest from output */\n from_source = output;\n }\n }\n while (len > 2) {\n output[_out++] = from_source[from++];\n output[_out++] = from_source[from++];\n output[_out++] = from_source[from++];\n len -= 3;\n }\n if (len) {\n output[_out++] = from_source[from++];\n if (len > 1) {\n output[_out++] = from_source[from++];\n }\n }\n }\n else {\n from = _out - dist; /* copy direct from output */\n do { /* minimum length is three */\n output[_out++] = output[from++];\n output[_out++] = output[from++];\n output[_out++] = output[from++];\n len -= 3;\n } while (len > 2);\n if (len) {\n output[_out++] = output[from++];\n if (len > 1) {\n output[_out++] = output[from++];\n }\n }\n }\n }\n else if ((op & 64) === 0) { /* 2nd level distance code */\n here = dcode[(here & 0xffff)/*here.val*/ + (hold & ((1 << op) - 1))];\n continue dodist;\n }\n else {\n strm.msg = 'invalid distance code';\n state.mode = BAD;\n break top;\n }\n\n break; // need to emulate goto via \"continue\"\n }\n }\n else if ((op & 64) === 0) { /* 2nd level length code */\n here = lcode[(here & 0xffff)/*here.val*/ + (hold & ((1 << op) - 1))];\n continue dolen;\n }\n else if (op & 32) { /* end-of-block */\n //Tracevv((stderr, \"inflate: end of block\\n\"));\n state.mode = TYPE;\n break top;\n }\n else {\n strm.msg = 'invalid literal/length code';\n state.mode = BAD;\n break top;\n }\n\n break; // need to emulate goto via \"continue\"\n }\n } while (_in < last && _out < end);\n\n /* return unused bytes (on entry, bits < 8, so in won't go too far back) */\n len = bits >> 3;\n _in -= len;\n bits -= len << 3;\n hold &= (1 << bits) - 1;\n\n /* update state and return */\n strm.next_in = _in;\n strm.next_out = _out;\n strm.avail_in = (_in < last ? 5 + (last - _in) : 5 - (_in - last));\n strm.avail_out = (_out < end ? 257 + (end - _out) : 257 - (_out - end));\n state.hold = hold;\n state.bits = bits;\n return;\n};\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/inffast.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/inflate.js":
/*!***********************************************!*\
!*** ./node_modules/pako/lib/zlib/inflate.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nvar utils = __webpack_require__(/*! ../utils/common */ \"./node_modules/pako/lib/utils/common.js\");\nvar adler32 = __webpack_require__(/*! ./adler32 */ \"./node_modules/pako/lib/zlib/adler32.js\");\nvar crc32 = __webpack_require__(/*! ./crc32 */ \"./node_modules/pako/lib/zlib/crc32.js\");\nvar inflate_fast = __webpack_require__(/*! ./inffast */ \"./node_modules/pako/lib/zlib/inffast.js\");\nvar inflate_table = __webpack_require__(/*! ./inftrees */ \"./node_modules/pako/lib/zlib/inftrees.js\");\n\nvar CODES = 0;\nvar LENS = 1;\nvar DISTS = 2;\n\n/* Public constants ==========================================================*/\n/* ===========================================================================*/\n\n\n/* Allowed flush values; see deflate() and inflate() below for details */\n//var Z_NO_FLUSH = 0;\n//var Z_PARTIAL_FLUSH = 1;\n//var Z_SYNC_FLUSH = 2;\n//var Z_FULL_FLUSH = 3;\nvar Z_FINISH = 4;\nvar Z_BLOCK = 5;\nvar Z_TREES = 6;\n\n\n/* Return codes for the compression/decompression functions. Negative values\n * are errors, positive values are used for special but normal events.\n */\nvar Z_OK = 0;\nvar Z_STREAM_END = 1;\nvar Z_NEED_DICT = 2;\n//var Z_ERRNO = -1;\nvar Z_STREAM_ERROR = -2;\nvar Z_DATA_ERROR = -3;\nvar Z_MEM_ERROR = -4;\nvar Z_BUF_ERROR = -5;\n//var Z_VERSION_ERROR = -6;\n\n/* The deflate compression method */\nvar Z_DEFLATED = 8;\n\n\n/* STATES ====================================================================*/\n/* ===========================================================================*/\n\n\nvar HEAD = 1; /* i: waiting for magic header */\nvar FLAGS = 2; /* i: waiting for method and flags (gzip) */\nvar TIME = 3; /* i: waiting for modification time (gzip) */\nvar OS = 4; /* i: waiting for extra flags and operating system (gzip) */\nvar EXLEN = 5; /* i: waiting for extra length (gzip) */\nvar EXTRA = 6; /* i: waiting for extra bytes (gzip) */\nvar NAME = 7; /* i: waiting for end of file name (gzip) */\nvar COMMENT = 8; /* i: waiting for end of comment (gzip) */\nvar HCRC = 9; /* i: waiting for header crc (gzip) */\nvar DICTID = 10; /* i: waiting for dictionary check value */\nvar DICT = 11; /* waiting for inflateSetDictionary() call */\nvar TYPE = 12; /* i: waiting for type bits, including last-flag bit */\nvar TYPEDO = 13; /* i: same, but skip check to exit inflate on new block */\nvar STORED = 14; /* i: waiting for stored size (length and complement) */\nvar COPY_ = 15; /* i/o: same as COPY below, but only first time in */\nvar COPY = 16; /* i/o: waiting for input or output to copy stored block */\nvar TABLE = 17; /* i: waiting for dynamic block table lengths */\nvar LENLENS = 18; /* i: waiting for code length code lengths */\nvar CODELENS = 19; /* i: waiting for length/lit and distance code lengths */\nvar LEN_ = 20; /* i: same as LEN below, but only first time in */\nvar LEN = 21; /* i: waiting for length/lit/eob code */\nvar LENEXT = 22; /* i: waiting for length extra bits */\nvar DIST = 23; /* i: waiting for distance code */\nvar DISTEXT = 24; /* i: waiting for distance extra bits */\nvar MATCH = 25; /* o: waiting for output space to copy string */\nvar LIT = 26; /* o: waiting for output space to write literal */\nvar CHECK = 27; /* i: waiting for 32-bit check value */\nvar LENGTH = 28; /* i: waiting for 32-bit length (gzip) */\nvar DONE = 29; /* finished check, done -- remain here until reset */\nvar BAD = 30; /* got a data error -- remain here until reset */\nvar MEM = 31; /* got an inflate() memory error -- remain here until reset */\nvar SYNC = 32; /* looking for synchronization bytes to restart inflate() */\n\n/* ===========================================================================*/\n\n\n\nvar ENOUGH_LENS = 852;\nvar ENOUGH_DISTS = 592;\n//var ENOUGH = (ENOUGH_LENS+ENOUGH_DISTS);\n\nvar MAX_WBITS = 15;\n/* 32K LZ77 window */\nvar DEF_WBITS = MAX_WBITS;\n\n\nfunction zswap32(q) {\n return (((q >>> 24) & 0xff) +\n ((q >>> 8) & 0xff00) +\n ((q & 0xff00) << 8) +\n ((q & 0xff) << 24));\n}\n\n\nfunction InflateState() {\n this.mode = 0; /* current inflate mode */\n this.last = false; /* true if processing last block */\n this.wrap = 0; /* bit 0 true for zlib, bit 1 true for gzip */\n this.havedict = false; /* true if dictionary provided */\n this.flags = 0; /* gzip header method and flags (0 if zlib) */\n this.dmax = 0; /* zlib header max distance (INFLATE_STRICT) */\n this.check = 0; /* protected copy of check value */\n this.total = 0; /* protected copy of output count */\n // TODO: may be {}\n this.head = null; /* where to save gzip header information */\n\n /* sliding window */\n this.wbits = 0; /* log base 2 of requested window size */\n this.wsize = 0; /* window size or zero if not using window */\n this.whave = 0; /* valid bytes in the window */\n this.wnext = 0; /* window write index */\n this.window = null; /* allocated sliding window, if needed */\n\n /* bit accumulator */\n this.hold = 0; /* input bit accumulator */\n this.bits = 0; /* number of bits in \"in\" */\n\n /* for string and stored block copying */\n this.length = 0; /* literal or length of data to copy */\n this.offset = 0; /* distance back to copy string from */\n\n /* for table and code decoding */\n this.extra = 0; /* extra bits needed */\n\n /* fixed and dynamic code tables */\n this.lencode = null; /* starting table for length/literal codes */\n this.distcode = null; /* starting table for distance codes */\n this.lenbits = 0; /* index bits for lencode */\n this.distbits = 0; /* index bits for distcode */\n\n /* dynamic table building */\n this.ncode = 0; /* number of code length code lengths */\n this.nlen = 0; /* number of length code lengths */\n this.ndist = 0; /* number of distance code lengths */\n this.have = 0; /* number of code lengths in lens[] */\n this.next = null; /* next available space in codes[] */\n\n this.lens = new utils.Buf16(320); /* temporary storage for code lengths */\n this.work = new utils.Buf16(288); /* work area for code table building */\n\n /*\n because we don't have pointers in js, we use lencode and distcode directly\n as buffers so we don't need codes\n */\n //this.codes = new utils.Buf32(ENOUGH); /* space for code tables */\n this.lendyn = null; /* dynamic table for length/literal codes (JS specific) */\n this.distdyn = null; /* dynamic table for distance codes (JS specific) */\n this.sane = 0; /* if false, allow invalid distance too far */\n this.back = 0; /* bits back of last unprocessed length/lit */\n this.was = 0; /* initial length of match */\n}\n\nfunction inflateResetKeep(strm) {\n var state;\n\n if (!strm || !strm.state) { return Z_STREAM_ERROR; }\n state = strm.state;\n strm.total_in = strm.total_out = state.total = 0;\n strm.msg = ''; /*Z_NULL*/\n if (state.wrap) { /* to support ill-conceived Java test suite */\n strm.adler = state.wrap & 1;\n }\n state.mode = HEAD;\n state.last = 0;\n state.havedict = 0;\n state.dmax = 32768;\n state.head = null/*Z_NULL*/;\n state.hold = 0;\n state.bits = 0;\n //state.lencode = state.distcode = state.next = state.codes;\n state.lencode = state.lendyn = new utils.Buf32(ENOUGH_LENS);\n state.distcode = state.distdyn = new utils.Buf32(ENOUGH_DISTS);\n\n state.sane = 1;\n state.back = -1;\n //Tracev((stderr, \"inflate: reset\\n\"));\n return Z_OK;\n}\n\nfunction inflateReset(strm) {\n var state;\n\n if (!strm || !strm.state) { return Z_STREAM_ERROR; }\n state = strm.state;\n state.wsize = 0;\n state.whave = 0;\n state.wnext = 0;\n return inflateResetKeep(strm);\n\n}\n\nfunction inflateReset2(strm, windowBits) {\n var wrap;\n var state;\n\n /* get the state */\n if (!strm || !strm.state) { return Z_STREAM_ERROR; }\n state = strm.state;\n\n /* extract wrap request from windowBits parameter */\n if (windowBits < 0) {\n wrap = 0;\n windowBits = -windowBits;\n }\n else {\n wrap = (windowBits >> 4) + 1;\n if (windowBits < 48) {\n windowBits &= 15;\n }\n }\n\n /* set number of window bits, free window if different */\n if (windowBits && (windowBits < 8 || windowBits > 15)) {\n return Z_STREAM_ERROR;\n }\n if (state.window !== null && state.wbits !== windowBits) {\n state.window = null;\n }\n\n /* update state and reset the rest of it */\n state.wrap = wrap;\n state.wbits = windowBits;\n return inflateReset(strm);\n}\n\nfunction inflateInit2(strm, windowBits) {\n var ret;\n var state;\n\n if (!strm) { return Z_STREAM_ERROR; }\n //strm.msg = Z_NULL; /* in case we return an error */\n\n state = new InflateState();\n\n //if (state === Z_NULL) return Z_MEM_ERROR;\n //Tracev((stderr, \"inflate: allocated\\n\"));\n strm.state = state;\n state.window = null/*Z_NULL*/;\n ret = inflateReset2(strm, windowBits);\n if (ret !== Z_OK) {\n strm.state = null/*Z_NULL*/;\n }\n return ret;\n}\n\nfunction inflateInit(strm) {\n return inflateInit2(strm, DEF_WBITS);\n}\n\n\n/*\n Return state with length and distance decoding tables and index sizes set to\n fixed code decoding. Normally this returns fixed tables from inffixed.h.\n If BUILDFIXED is defined, then instead this routine builds the tables the\n first time it's called, and returns those tables the first time and\n thereafter. This reduces the size of the code by about 2K bytes, in\n exchange for a little execution time. However, BUILDFIXED should not be\n used for threaded applications, since the rewriting of the tables and virgin\n may not be thread-safe.\n */\nvar virgin = true;\n\nvar lenfix, distfix; // We have no pointers in JS, so keep tables separate\n\nfunction fixedtables(state) {\n /* build fixed huffman tables if first call (may not be thread safe) */\n if (virgin) {\n var sym;\n\n lenfix = new utils.Buf32(512);\n distfix = new utils.Buf32(32);\n\n /* literal/length table */\n sym = 0;\n while (sym < 144) { state.lens[sym++] = 8; }\n while (sym < 256) { state.lens[sym++] = 9; }\n while (sym < 280) { state.lens[sym++] = 7; }\n while (sym < 288) { state.lens[sym++] = 8; }\n\n inflate_table(LENS, state.lens, 0, 288, lenfix, 0, state.work, { bits: 9 });\n\n /* distance table */\n sym = 0;\n while (sym < 32) { state.lens[sym++] = 5; }\n\n inflate_table(DISTS, state.lens, 0, 32, distfix, 0, state.work, { bits: 5 });\n\n /* do this just once */\n virgin = false;\n }\n\n state.lencode = lenfix;\n state.lenbits = 9;\n state.distcode = distfix;\n state.distbits = 5;\n}\n\n\n/*\n Update the window with the last wsize (normally 32K) bytes written before\n returning. If window does not exist yet, create it. This is only called\n when a window is already in use, or when output has been written during this\n inflate call, but the end of the deflate stream has not been reached yet.\n It is also called to create a window for dictionary data when a dictionary\n is loaded.\n\n Providing output buffers larger than 32K to inflate() should provide a speed\n advantage, since only the last 32K of output is copied to the sliding window\n upon return from inflate(), and since all distances after the first 32K of\n output will fall in the output data, making match copies simpler and faster.\n The advantage may be dependent on the size of the processor's data caches.\n */\nfunction updatewindow(strm, src, end, copy) {\n var dist;\n var state = strm.state;\n\n /* if it hasn't been done already, allocate space for the window */\n if (state.window === null) {\n state.wsize = 1 << state.wbits;\n state.wnext = 0;\n state.whave = 0;\n\n state.window = new utils.Buf8(state.wsize);\n }\n\n /* copy state->wsize or less output bytes into the circular window */\n if (copy >= state.wsize) {\n utils.arraySet(state.window, src, end - state.wsize, state.wsize, 0);\n state.wnext = 0;\n state.whave = state.wsize;\n }\n else {\n dist = state.wsize - state.wnext;\n if (dist > copy) {\n dist = copy;\n }\n //zmemcpy(state->window + state->wnext, end - copy, dist);\n utils.arraySet(state.window, src, end - copy, dist, state.wnext);\n copy -= dist;\n if (copy) {\n //zmemcpy(state->window, end - copy, copy);\n utils.arraySet(state.window, src, end - copy, copy, 0);\n state.wnext = copy;\n state.whave = state.wsize;\n }\n else {\n state.wnext += dist;\n if (state.wnext === state.wsize) { state.wnext = 0; }\n if (state.whave < state.wsize) { state.whave += dist; }\n }\n }\n return 0;\n}\n\nfunction inflate(strm, flush) {\n var state;\n var input, output; // input/output buffers\n var next; /* next input INDEX */\n var put; /* next output INDEX */\n var have, left; /* available input and output */\n var hold; /* bit buffer */\n var bits; /* bits in bit buffer */\n var _in, _out; /* save starting available input and output */\n var copy; /* number of stored or match bytes to copy */\n var from; /* where to copy match bytes from */\n var from_source;\n var here = 0; /* current decoding table entry */\n var here_bits, here_op, here_val; // paked \"here\" denormalized (JS specific)\n //var last; /* parent table entry */\n var last_bits, last_op, last_val; // paked \"last\" denormalized (JS specific)\n var len; /* length to copy for repeats, bits to drop */\n var ret; /* return code */\n var hbuf = new utils.Buf8(4); /* buffer for gzip header crc calculation */\n var opts;\n\n var n; // temporary var for NEED_BITS\n\n var order = /* permutation of code lengths */\n [ 16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15 ];\n\n\n if (!strm || !strm.state || !strm.output ||\n (!strm.input && strm.avail_in !== 0)) {\n return Z_STREAM_ERROR;\n }\n\n state = strm.state;\n if (state.mode === TYPE) { state.mode = TYPEDO; } /* skip check */\n\n\n //--- LOAD() ---\n put = strm.next_out;\n output = strm.output;\n left = strm.avail_out;\n next = strm.next_in;\n input = strm.input;\n have = strm.avail_in;\n hold = state.hold;\n bits = state.bits;\n //---\n\n _in = have;\n _out = left;\n ret = Z_OK;\n\n inf_leave: // goto emulation\n for (;;) {\n switch (state.mode) {\n case HEAD:\n if (state.wrap === 0) {\n state.mode = TYPEDO;\n break;\n }\n //=== NEEDBITS(16);\n while (bits < 16) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n if ((state.wrap & 2) && hold === 0x8b1f) { /* gzip header */\n state.check = 0/*crc32(0L, Z_NULL, 0)*/;\n //=== CRC2(state.check, hold);\n hbuf[0] = hold & 0xff;\n hbuf[1] = (hold >>> 8) & 0xff;\n state.check = crc32(state.check, hbuf, 2, 0);\n //===//\n\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n state.mode = FLAGS;\n break;\n }\n state.flags = 0; /* expect zlib header */\n if (state.head) {\n state.head.done = false;\n }\n if (!(state.wrap & 1) || /* check if zlib header allowed */\n (((hold & 0xff)/*BITS(8)*/ << 8) + (hold >> 8)) % 31) {\n strm.msg = 'incorrect header check';\n state.mode = BAD;\n break;\n }\n if ((hold & 0x0f)/*BITS(4)*/ !== Z_DEFLATED) {\n strm.msg = 'unknown compression method';\n state.mode = BAD;\n break;\n }\n //--- DROPBITS(4) ---//\n hold >>>= 4;\n bits -= 4;\n //---//\n len = (hold & 0x0f)/*BITS(4)*/ + 8;\n if (state.wbits === 0) {\n state.wbits = len;\n }\n else if (len > state.wbits) {\n strm.msg = 'invalid window size';\n state.mode = BAD;\n break;\n }\n state.dmax = 1 << len;\n //Tracev((stderr, \"inflate: zlib header ok\\n\"));\n strm.adler = state.check = 1/*adler32(0L, Z_NULL, 0)*/;\n state.mode = hold & 0x200 ? DICTID : TYPE;\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n break;\n case FLAGS:\n //=== NEEDBITS(16); */\n while (bits < 16) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n state.flags = hold;\n if ((state.flags & 0xff) !== Z_DEFLATED) {\n strm.msg = 'unknown compression method';\n state.mode = BAD;\n break;\n }\n if (state.flags & 0xe000) {\n strm.msg = 'unknown header flags set';\n state.mode = BAD;\n break;\n }\n if (state.head) {\n state.head.text = ((hold >> 8) & 1);\n }\n if (state.flags & 0x0200) {\n //=== CRC2(state.check, hold);\n hbuf[0] = hold & 0xff;\n hbuf[1] = (hold >>> 8) & 0xff;\n state.check = crc32(state.check, hbuf, 2, 0);\n //===//\n }\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n state.mode = TIME;\n /* falls through */\n case TIME:\n //=== NEEDBITS(32); */\n while (bits < 32) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n if (state.head) {\n state.head.time = hold;\n }\n if (state.flags & 0x0200) {\n //=== CRC4(state.check, hold)\n hbuf[0] = hold & 0xff;\n hbuf[1] = (hold >>> 8) & 0xff;\n hbuf[2] = (hold >>> 16) & 0xff;\n hbuf[3] = (hold >>> 24) & 0xff;\n state.check = crc32(state.check, hbuf, 4, 0);\n //===\n }\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n state.mode = OS;\n /* falls through */\n case OS:\n //=== NEEDBITS(16); */\n while (bits < 16) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n if (state.head) {\n state.head.xflags = (hold & 0xff);\n state.head.os = (hold >> 8);\n }\n if (state.flags & 0x0200) {\n //=== CRC2(state.check, hold);\n hbuf[0] = hold & 0xff;\n hbuf[1] = (hold >>> 8) & 0xff;\n state.check = crc32(state.check, hbuf, 2, 0);\n //===//\n }\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n state.mode = EXLEN;\n /* falls through */\n case EXLEN:\n if (state.flags & 0x0400) {\n //=== NEEDBITS(16); */\n while (bits < 16) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n state.length = hold;\n if (state.head) {\n state.head.extra_len = hold;\n }\n if (state.flags & 0x0200) {\n //=== CRC2(state.check, hold);\n hbuf[0] = hold & 0xff;\n hbuf[1] = (hold >>> 8) & 0xff;\n state.check = crc32(state.check, hbuf, 2, 0);\n //===//\n }\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n }\n else if (state.head) {\n state.head.extra = null/*Z_NULL*/;\n }\n state.mode = EXTRA;\n /* falls through */\n case EXTRA:\n if (state.flags & 0x0400) {\n copy = state.length;\n if (copy > have) { copy = have; }\n if (copy) {\n if (state.head) {\n len = state.head.extra_len - state.length;\n if (!state.head.extra) {\n // Use untyped array for more convenient processing later\n state.head.extra = new Array(state.head.extra_len);\n }\n utils.arraySet(\n state.head.extra,\n input,\n next,\n // extra field is limited to 65536 bytes\n // - no need for additional size check\n copy,\n /*len + copy > state.head.extra_max - len ? state.head.extra_max : copy,*/\n len\n );\n //zmemcpy(state.head.extra + len, next,\n // len + copy > state.head.extra_max ?\n // state.head.extra_max - len : copy);\n }\n if (state.flags & 0x0200) {\n state.check = crc32(state.check, input, copy, next);\n }\n have -= copy;\n next += copy;\n state.length -= copy;\n }\n if (state.length) { break inf_leave; }\n }\n state.length = 0;\n state.mode = NAME;\n /* falls through */\n case NAME:\n if (state.flags & 0x0800) {\n if (have === 0) { break inf_leave; }\n copy = 0;\n do {\n // TODO: 2 or 1 bytes?\n len = input[next + copy++];\n /* use constant limit because in js we should not preallocate memory */\n if (state.head && len &&\n (state.length < 65536 /*state.head.name_max*/)) {\n state.head.name += String.fromCharCode(len);\n }\n } while (len && copy < have);\n\n if (state.flags & 0x0200) {\n state.check = crc32(state.check, input, copy, next);\n }\n have -= copy;\n next += copy;\n if (len) { break inf_leave; }\n }\n else if (state.head) {\n state.head.name = null;\n }\n state.length = 0;\n state.mode = COMMENT;\n /* falls through */\n case COMMENT:\n if (state.flags & 0x1000) {\n if (have === 0) { break inf_leave; }\n copy = 0;\n do {\n len = input[next + copy++];\n /* use constant limit because in js we should not preallocate memory */\n if (state.head && len &&\n (state.length < 65536 /*state.head.comm_max*/)) {\n state.head.comment += String.fromCharCode(len);\n }\n } while (len && copy < have);\n if (state.flags & 0x0200) {\n state.check = crc32(state.check, input, copy, next);\n }\n have -= copy;\n next += copy;\n if (len) { break inf_leave; }\n }\n else if (state.head) {\n state.head.comment = null;\n }\n state.mode = HCRC;\n /* falls through */\n case HCRC:\n if (state.flags & 0x0200) {\n //=== NEEDBITS(16); */\n while (bits < 16) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n if (hold !== (state.check & 0xffff)) {\n strm.msg = 'header crc mismatch';\n state.mode = BAD;\n break;\n }\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n }\n if (state.head) {\n state.head.hcrc = ((state.flags >> 9) & 1);\n state.head.done = true;\n }\n strm.adler = state.check = 0;\n state.mode = TYPE;\n break;\n case DICTID:\n //=== NEEDBITS(32); */\n while (bits < 32) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n strm.adler = state.check = zswap32(hold);\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n state.mode = DICT;\n /* falls through */\n case DICT:\n if (state.havedict === 0) {\n //--- RESTORE() ---\n strm.next_out = put;\n strm.avail_out = left;\n strm.next_in = next;\n strm.avail_in = have;\n state.hold = hold;\n state.bits = bits;\n //---\n return Z_NEED_DICT;\n }\n strm.adler = state.check = 1/*adler32(0L, Z_NULL, 0)*/;\n state.mode = TYPE;\n /* falls through */\n case TYPE:\n if (flush === Z_BLOCK || flush === Z_TREES) { break inf_leave; }\n /* falls through */\n case TYPEDO:\n if (state.last) {\n //--- BYTEBITS() ---//\n hold >>>= bits & 7;\n bits -= bits & 7;\n //---//\n state.mode = CHECK;\n break;\n }\n //=== NEEDBITS(3); */\n while (bits < 3) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n state.last = (hold & 0x01)/*BITS(1)*/;\n //--- DROPBITS(1) ---//\n hold >>>= 1;\n bits -= 1;\n //---//\n\n switch ((hold & 0x03)/*BITS(2)*/) {\n case 0: /* stored block */\n //Tracev((stderr, \"inflate: stored block%s\\n\",\n // state.last ? \" (last)\" : \"\"));\n state.mode = STORED;\n break;\n case 1: /* fixed block */\n fixedtables(state);\n //Tracev((stderr, \"inflate: fixed codes block%s\\n\",\n // state.last ? \" (last)\" : \"\"));\n state.mode = LEN_; /* decode codes */\n if (flush === Z_TREES) {\n //--- DROPBITS(2) ---//\n hold >>>= 2;\n bits -= 2;\n //---//\n break inf_leave;\n }\n break;\n case 2: /* dynamic block */\n //Tracev((stderr, \"inflate: dynamic codes block%s\\n\",\n // state.last ? \" (last)\" : \"\"));\n state.mode = TABLE;\n break;\n case 3:\n strm.msg = 'invalid block type';\n state.mode = BAD;\n }\n //--- DROPBITS(2) ---//\n hold >>>= 2;\n bits -= 2;\n //---//\n break;\n case STORED:\n //--- BYTEBITS() ---// /* go to byte boundary */\n hold >>>= bits & 7;\n bits -= bits & 7;\n //---//\n //=== NEEDBITS(32); */\n while (bits < 32) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n if ((hold & 0xffff) !== ((hold >>> 16) ^ 0xffff)) {\n strm.msg = 'invalid stored block lengths';\n state.mode = BAD;\n break;\n }\n state.length = hold & 0xffff;\n //Tracev((stderr, \"inflate: stored length %u\\n\",\n // state.length));\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n state.mode = COPY_;\n if (flush === Z_TREES) { break inf_leave; }\n /* falls through */\n case COPY_:\n state.mode = COPY;\n /* falls through */\n case COPY:\n copy = state.length;\n if (copy) {\n if (copy > have) { copy = have; }\n if (copy > left) { copy = left; }\n if (copy === 0) { break inf_leave; }\n //--- zmemcpy(put, next, copy); ---\n utils.arraySet(output, input, next, copy, put);\n //---//\n have -= copy;\n next += copy;\n left -= copy;\n put += copy;\n state.length -= copy;\n break;\n }\n //Tracev((stderr, \"inflate: stored end\\n\"));\n state.mode = TYPE;\n break;\n case TABLE:\n //=== NEEDBITS(14); */\n while (bits < 14) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n state.nlen = (hold & 0x1f)/*BITS(5)*/ + 257;\n //--- DROPBITS(5) ---//\n hold >>>= 5;\n bits -= 5;\n //---//\n state.ndist = (hold & 0x1f)/*BITS(5)*/ + 1;\n //--- DROPBITS(5) ---//\n hold >>>= 5;\n bits -= 5;\n //---//\n state.ncode = (hold & 0x0f)/*BITS(4)*/ + 4;\n //--- DROPBITS(4) ---//\n hold >>>= 4;\n bits -= 4;\n //---//\n//#ifndef PKZIP_BUG_WORKAROUND\n if (state.nlen > 286 || state.ndist > 30) {\n strm.msg = 'too many length or distance symbols';\n state.mode = BAD;\n break;\n }\n//#endif\n //Tracev((stderr, \"inflate: table sizes ok\\n\"));\n state.have = 0;\n state.mode = LENLENS;\n /* falls through */\n case LENLENS:\n while (state.have < state.ncode) {\n //=== NEEDBITS(3);\n while (bits < 3) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n state.lens[order[state.have++]] = (hold & 0x07);//BITS(3);\n //--- DROPBITS(3) ---//\n hold >>>= 3;\n bits -= 3;\n //---//\n }\n while (state.have < 19) {\n state.lens[order[state.have++]] = 0;\n }\n // We have separate tables & no pointers. 2 commented lines below not needed.\n //state.next = state.codes;\n //state.lencode = state.next;\n // Switch to use dynamic table\n state.lencode = state.lendyn;\n state.lenbits = 7;\n\n opts = { bits: state.lenbits };\n ret = inflate_table(CODES, state.lens, 0, 19, state.lencode, 0, state.work, opts);\n state.lenbits = opts.bits;\n\n if (ret) {\n strm.msg = 'invalid code lengths set';\n state.mode = BAD;\n break;\n }\n //Tracev((stderr, \"inflate: code lengths ok\\n\"));\n state.have = 0;\n state.mode = CODELENS;\n /* falls through */\n case CODELENS:\n while (state.have < state.nlen + state.ndist) {\n for (;;) {\n here = state.lencode[hold & ((1 << state.lenbits) - 1)];/*BITS(state.lenbits)*/\n here_bits = here >>> 24;\n here_op = (here >>> 16) & 0xff;\n here_val = here & 0xffff;\n\n if ((here_bits) <= bits) { break; }\n //--- PULLBYTE() ---//\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n //---//\n }\n if (here_val < 16) {\n //--- DROPBITS(here.bits) ---//\n hold >>>= here_bits;\n bits -= here_bits;\n //---//\n state.lens[state.have++] = here_val;\n }\n else {\n if (here_val === 16) {\n //=== NEEDBITS(here.bits + 2);\n n = here_bits + 2;\n while (bits < n) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n //--- DROPBITS(here.bits) ---//\n hold >>>= here_bits;\n bits -= here_bits;\n //---//\n if (state.have === 0) {\n strm.msg = 'invalid bit length repeat';\n state.mode = BAD;\n break;\n }\n len = state.lens[state.have - 1];\n copy = 3 + (hold & 0x03);//BITS(2);\n //--- DROPBITS(2) ---//\n hold >>>= 2;\n bits -= 2;\n //---//\n }\n else if (here_val === 17) {\n //=== NEEDBITS(here.bits + 3);\n n = here_bits + 3;\n while (bits < n) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n //--- DROPBITS(here.bits) ---//\n hold >>>= here_bits;\n bits -= here_bits;\n //---//\n len = 0;\n copy = 3 + (hold & 0x07);//BITS(3);\n //--- DROPBITS(3) ---//\n hold >>>= 3;\n bits -= 3;\n //---//\n }\n else {\n //=== NEEDBITS(here.bits + 7);\n n = here_bits + 7;\n while (bits < n) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n //--- DROPBITS(here.bits) ---//\n hold >>>= here_bits;\n bits -= here_bits;\n //---//\n len = 0;\n copy = 11 + (hold & 0x7f);//BITS(7);\n //--- DROPBITS(7) ---//\n hold >>>= 7;\n bits -= 7;\n //---//\n }\n if (state.have + copy > state.nlen + state.ndist) {\n strm.msg = 'invalid bit length repeat';\n state.mode = BAD;\n break;\n }\n while (copy--) {\n state.lens[state.have++] = len;\n }\n }\n }\n\n /* handle error breaks in while */\n if (state.mode === BAD) { break; }\n\n /* check for end-of-block code (better have one) */\n if (state.lens[256] === 0) {\n strm.msg = 'invalid code -- missing end-of-block';\n state.mode = BAD;\n break;\n }\n\n /* build code tables -- note: do not change the lenbits or distbits\n values here (9 and 6) without reading the comments in inftrees.h\n concerning the ENOUGH constants, which depend on those values */\n state.lenbits = 9;\n\n opts = { bits: state.lenbits };\n ret = inflate_table(LENS, state.lens, 0, state.nlen, state.lencode, 0, state.work, opts);\n // We have separate tables & no pointers. 2 commented lines below not needed.\n // state.next_index = opts.table_index;\n state.lenbits = opts.bits;\n // state.lencode = state.next;\n\n if (ret) {\n strm.msg = 'invalid literal/lengths set';\n state.mode = BAD;\n break;\n }\n\n state.distbits = 6;\n //state.distcode.copy(state.codes);\n // Switch to use dynamic table\n state.distcode = state.distdyn;\n opts = { bits: state.distbits };\n ret = inflate_table(DISTS, state.lens, state.nlen, state.ndist, state.distcode, 0, state.work, opts);\n // We have separate tables & no pointers. 2 commented lines below not needed.\n // state.next_index = opts.table_index;\n state.distbits = opts.bits;\n // state.distcode = state.next;\n\n if (ret) {\n strm.msg = 'invalid distances set';\n state.mode = BAD;\n break;\n }\n //Tracev((stderr, 'inflate: codes ok\\n'));\n state.mode = LEN_;\n if (flush === Z_TREES) { break inf_leave; }\n /* falls through */\n case LEN_:\n state.mode = LEN;\n /* falls through */\n case LEN:\n if (have >= 6 && left >= 258) {\n //--- RESTORE() ---\n strm.next_out = put;\n strm.avail_out = left;\n strm.next_in = next;\n strm.avail_in = have;\n state.hold = hold;\n state.bits = bits;\n //---\n inflate_fast(strm, _out);\n //--- LOAD() ---\n put = strm.next_out;\n output = strm.output;\n left = strm.avail_out;\n next = strm.next_in;\n input = strm.input;\n have = strm.avail_in;\n hold = state.hold;\n bits = state.bits;\n //---\n\n if (state.mode === TYPE) {\n state.back = -1;\n }\n break;\n }\n state.back = 0;\n for (;;) {\n here = state.lencode[hold & ((1 << state.lenbits) - 1)]; /*BITS(state.lenbits)*/\n here_bits = here >>> 24;\n here_op = (here >>> 16) & 0xff;\n here_val = here & 0xffff;\n\n if (here_bits <= bits) { break; }\n //--- PULLBYTE() ---//\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n //---//\n }\n if (here_op && (here_op & 0xf0) === 0) {\n last_bits = here_bits;\n last_op = here_op;\n last_val = here_val;\n for (;;) {\n here = state.lencode[last_val +\n ((hold & ((1 << (last_bits + last_op)) - 1))/*BITS(last.bits + last.op)*/ >> last_bits)];\n here_bits = here >>> 24;\n here_op = (here >>> 16) & 0xff;\n here_val = here & 0xffff;\n\n if ((last_bits + here_bits) <= bits) { break; }\n //--- PULLBYTE() ---//\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n //---//\n }\n //--- DROPBITS(last.bits) ---//\n hold >>>= last_bits;\n bits -= last_bits;\n //---//\n state.back += last_bits;\n }\n //--- DROPBITS(here.bits) ---//\n hold >>>= here_bits;\n bits -= here_bits;\n //---//\n state.back += here_bits;\n state.length = here_val;\n if (here_op === 0) {\n //Tracevv((stderr, here.val >= 0x20 && here.val < 0x7f ?\n // \"inflate: literal '%c'\\n\" :\n // \"inflate: literal 0x%02x\\n\", here.val));\n state.mode = LIT;\n break;\n }\n if (here_op & 32) {\n //Tracevv((stderr, \"inflate: end of block\\n\"));\n state.back = -1;\n state.mode = TYPE;\n break;\n }\n if (here_op & 64) {\n strm.msg = 'invalid literal/length code';\n state.mode = BAD;\n break;\n }\n state.extra = here_op & 15;\n state.mode = LENEXT;\n /* falls through */\n case LENEXT:\n if (state.extra) {\n //=== NEEDBITS(state.extra);\n n = state.extra;\n while (bits < n) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n state.length += hold & ((1 << state.extra) - 1)/*BITS(state.extra)*/;\n //--- DROPBITS(state.extra) ---//\n hold >>>= state.extra;\n bits -= state.extra;\n //---//\n state.back += state.extra;\n }\n //Tracevv((stderr, \"inflate: length %u\\n\", state.length));\n state.was = state.length;\n state.mode = DIST;\n /* falls through */\n case DIST:\n for (;;) {\n here = state.distcode[hold & ((1 << state.distbits) - 1)];/*BITS(state.distbits)*/\n here_bits = here >>> 24;\n here_op = (here >>> 16) & 0xff;\n here_val = here & 0xffff;\n\n if ((here_bits) <= bits) { break; }\n //--- PULLBYTE() ---//\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n //---//\n }\n if ((here_op & 0xf0) === 0) {\n last_bits = here_bits;\n last_op = here_op;\n last_val = here_val;\n for (;;) {\n here = state.distcode[last_val +\n ((hold & ((1 << (last_bits + last_op)) - 1))/*BITS(last.bits + last.op)*/ >> last_bits)];\n here_bits = here >>> 24;\n here_op = (here >>> 16) & 0xff;\n here_val = here & 0xffff;\n\n if ((last_bits + here_bits) <= bits) { break; }\n //--- PULLBYTE() ---//\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n //---//\n }\n //--- DROPBITS(last.bits) ---//\n hold >>>= last_bits;\n bits -= last_bits;\n //---//\n state.back += last_bits;\n }\n //--- DROPBITS(here.bits) ---//\n hold >>>= here_bits;\n bits -= here_bits;\n //---//\n state.back += here_bits;\n if (here_op & 64) {\n strm.msg = 'invalid distance code';\n state.mode = BAD;\n break;\n }\n state.offset = here_val;\n state.extra = (here_op) & 15;\n state.mode = DISTEXT;\n /* falls through */\n case DISTEXT:\n if (state.extra) {\n //=== NEEDBITS(state.extra);\n n = state.extra;\n while (bits < n) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n state.offset += hold & ((1 << state.extra) - 1)/*BITS(state.extra)*/;\n //--- DROPBITS(state.extra) ---//\n hold >>>= state.extra;\n bits -= state.extra;\n //---//\n state.back += state.extra;\n }\n//#ifdef INFLATE_STRICT\n if (state.offset > state.dmax) {\n strm.msg = 'invalid distance too far back';\n state.mode = BAD;\n break;\n }\n//#endif\n //Tracevv((stderr, \"inflate: distance %u\\n\", state.offset));\n state.mode = MATCH;\n /* falls through */\n case MATCH:\n if (left === 0) { break inf_leave; }\n copy = _out - left;\n if (state.offset > copy) { /* copy from window */\n copy = state.offset - copy;\n if (copy > state.whave) {\n if (state.sane) {\n strm.msg = 'invalid distance too far back';\n state.mode = BAD;\n break;\n }\n// (!) This block is disabled in zlib defaults,\n// don't enable it for binary compatibility\n//#ifdef INFLATE_ALLOW_INVALID_DISTANCE_TOOFAR_ARRR\n// Trace((stderr, \"inflate.c too far\\n\"));\n// copy -= state.whave;\n// if (copy > state.length) { copy = state.length; }\n// if (copy > left) { copy = left; }\n// left -= copy;\n// state.length -= copy;\n// do {\n// output[put++] = 0;\n// } while (--copy);\n// if (state.length === 0) { state.mode = LEN; }\n// break;\n//#endif\n }\n if (copy > state.wnext) {\n copy -= state.wnext;\n from = state.wsize - copy;\n }\n else {\n from = state.wnext - copy;\n }\n if (copy > state.length) { copy = state.length; }\n from_source = state.window;\n }\n else { /* copy from output */\n from_source = output;\n from = put - state.offset;\n copy = state.length;\n }\n if (copy > left) { copy = left; }\n left -= copy;\n state.length -= copy;\n do {\n output[put++] = from_source[from++];\n } while (--copy);\n if (state.length === 0) { state.mode = LEN; }\n break;\n case LIT:\n if (left === 0) { break inf_leave; }\n output[put++] = state.length;\n left--;\n state.mode = LEN;\n break;\n case CHECK:\n if (state.wrap) {\n //=== NEEDBITS(32);\n while (bits < 32) {\n if (have === 0) { break inf_leave; }\n have--;\n // Use '|' instead of '+' to make sure that result is signed\n hold |= input[next++] << bits;\n bits += 8;\n }\n //===//\n _out -= left;\n strm.total_out += _out;\n state.total += _out;\n if (_out) {\n strm.adler = state.check =\n /*UPDATE(state.check, put - _out, _out);*/\n (state.flags ? crc32(state.check, output, _out, put - _out) : adler32(state.check, output, _out, put - _out));\n\n }\n _out = left;\n // NB: crc32 stored as signed 32-bit int, zswap32 returns signed too\n if ((state.flags ? hold : zswap32(hold)) !== state.check) {\n strm.msg = 'incorrect data check';\n state.mode = BAD;\n break;\n }\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n //Tracev((stderr, \"inflate: check matches trailer\\n\"));\n }\n state.mode = LENGTH;\n /* falls through */\n case LENGTH:\n if (state.wrap && state.flags) {\n //=== NEEDBITS(32);\n while (bits < 32) {\n if (have === 0) { break inf_leave; }\n have--;\n hold += input[next++] << bits;\n bits += 8;\n }\n //===//\n if (hold !== (state.total & 0xffffffff)) {\n strm.msg = 'incorrect length check';\n state.mode = BAD;\n break;\n }\n //=== INITBITS();\n hold = 0;\n bits = 0;\n //===//\n //Tracev((stderr, \"inflate: length matches trailer\\n\"));\n }\n state.mode = DONE;\n /* falls through */\n case DONE:\n ret = Z_STREAM_END;\n break inf_leave;\n case BAD:\n ret = Z_DATA_ERROR;\n break inf_leave;\n case MEM:\n return Z_MEM_ERROR;\n case SYNC:\n /* falls through */\n default:\n return Z_STREAM_ERROR;\n }\n }\n\n // inf_leave <- here is real place for \"goto inf_leave\", emulated via \"break inf_leave\"\n\n /*\n Return from inflate(), updating the total counts and the check value.\n If there was no progress during the inflate() call, return a buffer\n error. Call updatewindow() to create and/or update the window state.\n Note: a memory error from inflate() is non-recoverable.\n */\n\n //--- RESTORE() ---\n strm.next_out = put;\n strm.avail_out = left;\n strm.next_in = next;\n strm.avail_in = have;\n state.hold = hold;\n state.bits = bits;\n //---\n\n if (state.wsize || (_out !== strm.avail_out && state.mode < BAD &&\n (state.mode < CHECK || flush !== Z_FINISH))) {\n if (updatewindow(strm, strm.output, strm.next_out, _out - strm.avail_out)) {\n state.mode = MEM;\n return Z_MEM_ERROR;\n }\n }\n _in -= strm.avail_in;\n _out -= strm.avail_out;\n strm.total_in += _in;\n strm.total_out += _out;\n state.total += _out;\n if (state.wrap && _out) {\n strm.adler = state.check = /*UPDATE(state.check, strm.next_out - _out, _out);*/\n (state.flags ? crc32(state.check, output, _out, strm.next_out - _out) : adler32(state.check, output, _out, strm.next_out - _out));\n }\n strm.data_type = state.bits + (state.last ? 64 : 0) +\n (state.mode === TYPE ? 128 : 0) +\n (state.mode === LEN_ || state.mode === COPY_ ? 256 : 0);\n if (((_in === 0 && _out === 0) || flush === Z_FINISH) && ret === Z_OK) {\n ret = Z_BUF_ERROR;\n }\n return ret;\n}\n\nfunction inflateEnd(strm) {\n\n if (!strm || !strm.state /*|| strm->zfree == (free_func)0*/) {\n return Z_STREAM_ERROR;\n }\n\n var state = strm.state;\n if (state.window) {\n state.window = null;\n }\n strm.state = null;\n return Z_OK;\n}\n\nfunction inflateGetHeader(strm, head) {\n var state;\n\n /* check state */\n if (!strm || !strm.state) { return Z_STREAM_ERROR; }\n state = strm.state;\n if ((state.wrap & 2) === 0) { return Z_STREAM_ERROR; }\n\n /* save header structure */\n state.head = head;\n head.done = false;\n return Z_OK;\n}\n\nfunction inflateSetDictionary(strm, dictionary) {\n var dictLength = dictionary.length;\n\n var state;\n var dictid;\n var ret;\n\n /* check state */\n if (!strm /* == Z_NULL */ || !strm.state /* == Z_NULL */) { return Z_STREAM_ERROR; }\n state = strm.state;\n\n if (state.wrap !== 0 && state.mode !== DICT) {\n return Z_STREAM_ERROR;\n }\n\n /* check for correct dictionary identifier */\n if (state.mode === DICT) {\n dictid = 1; /* adler32(0, null, 0)*/\n /* dictid = adler32(dictid, dictionary, dictLength); */\n dictid = adler32(dictid, dictionary, dictLength, 0);\n if (dictid !== state.check) {\n return Z_DATA_ERROR;\n }\n }\n /* copy dictionary to window using updatewindow(), which will amend the\n existing dictionary if appropriate */\n ret = updatewindow(strm, dictionary, dictLength, dictLength);\n if (ret) {\n state.mode = MEM;\n return Z_MEM_ERROR;\n }\n state.havedict = 1;\n // Tracev((stderr, \"inflate: dictionary set\\n\"));\n return Z_OK;\n}\n\nexports.inflateReset = inflateReset;\nexports.inflateReset2 = inflateReset2;\nexports.inflateResetKeep = inflateResetKeep;\nexports.inflateInit = inflateInit;\nexports.inflateInit2 = inflateInit2;\nexports.inflate = inflate;\nexports.inflateEnd = inflateEnd;\nexports.inflateGetHeader = inflateGetHeader;\nexports.inflateSetDictionary = inflateSetDictionary;\nexports.inflateInfo = 'pako inflate (from Nodeca project)';\n\n/* Not implemented\nexports.inflateCopy = inflateCopy;\nexports.inflateGetDictionary = inflateGetDictionary;\nexports.inflateMark = inflateMark;\nexports.inflatePrime = inflatePrime;\nexports.inflateSync = inflateSync;\nexports.inflateSyncPoint = inflateSyncPoint;\nexports.inflateUndermine = inflateUndermine;\n*/\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/inflate.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/inftrees.js":
/*!************************************************!*\
!*** ./node_modules/pako/lib/zlib/inftrees.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nvar utils = __webpack_require__(/*! ../utils/common */ \"./node_modules/pako/lib/utils/common.js\");\n\nvar MAXBITS = 15;\nvar ENOUGH_LENS = 852;\nvar ENOUGH_DISTS = 592;\n//var ENOUGH = (ENOUGH_LENS+ENOUGH_DISTS);\n\nvar CODES = 0;\nvar LENS = 1;\nvar DISTS = 2;\n\nvar lbase = [ /* Length codes 257..285 base */\n 3, 4, 5, 6, 7, 8, 9, 10, 11, 13, 15, 17, 19, 23, 27, 31,\n 35, 43, 51, 59, 67, 83, 99, 115, 131, 163, 195, 227, 258, 0, 0\n];\n\nvar lext = [ /* Length codes 257..285 extra */\n 16, 16, 16, 16, 16, 16, 16, 16, 17, 17, 17, 17, 18, 18, 18, 18,\n 19, 19, 19, 19, 20, 20, 20, 20, 21, 21, 21, 21, 16, 72, 78\n];\n\nvar dbase = [ /* Distance codes 0..29 base */\n 1, 2, 3, 4, 5, 7, 9, 13, 17, 25, 33, 49, 65, 97, 129, 193,\n 257, 385, 513, 769, 1025, 1537, 2049, 3073, 4097, 6145,\n 8193, 12289, 16385, 24577, 0, 0\n];\n\nvar dext = [ /* Distance codes 0..29 extra */\n 16, 16, 16, 16, 17, 17, 18, 18, 19, 19, 20, 20, 21, 21, 22, 22,\n 23, 23, 24, 24, 25, 25, 26, 26, 27, 27,\n 28, 28, 29, 29, 64, 64\n];\n\nmodule.exports = function inflate_table(type, lens, lens_index, codes, table, table_index, work, opts)\n{\n var bits = opts.bits;\n //here = opts.here; /* table entry for duplication */\n\n var len = 0; /* a code's length in bits */\n var sym = 0; /* index of code symbols */\n var min = 0, max = 0; /* minimum and maximum code lengths */\n var root = 0; /* number of index bits for root table */\n var curr = 0; /* number of index bits for current table */\n var drop = 0; /* code bits to drop for sub-table */\n var left = 0; /* number of prefix codes available */\n var used = 0; /* code entries in table used */\n var huff = 0; /* Huffman code */\n var incr; /* for incrementing code, index */\n var fill; /* index for replicating entries */\n var low; /* low bits for current root entry */\n var mask; /* mask for low root bits */\n var next; /* next available space in table */\n var base = null; /* base value table to use */\n var base_index = 0;\n// var shoextra; /* extra bits table to use */\n var end; /* use base and extra for symbol > end */\n var count = new utils.Buf16(MAXBITS + 1); //[MAXBITS+1]; /* number of codes of each length */\n var offs = new utils.Buf16(MAXBITS + 1); //[MAXBITS+1]; /* offsets in table for each length */\n var extra = null;\n var extra_index = 0;\n\n var here_bits, here_op, here_val;\n\n /*\n Process a set of code lengths to create a canonical Huffman code. The\n code lengths are lens[0..codes-1]. Each length corresponds to the\n symbols 0..codes-1. The Huffman code is generated by first sorting the\n symbols by length from short to long, and retaining the symbol order\n for codes with equal lengths. Then the code starts with all zero bits\n for the first code of the shortest length, and the codes are integer\n increments for the same length, and zeros are appended as the length\n increases. For the deflate format, these bits are stored backwards\n from their more natural integer increment ordering, and so when the\n decoding tables are built in the large loop below, the integer codes\n are incremented backwards.\n\n This routine assumes, but does not check, that all of the entries in\n lens[] are in the range 0..MAXBITS. The caller must assure this.\n 1..MAXBITS is interpreted as that code length. zero means that that\n symbol does not occur in this code.\n\n The codes are sorted by computing a count of codes for each length,\n creating from that a table of starting indices for each length in the\n sorted table, and then entering the symbols in order in the sorted\n table. The sorted table is work[], with that space being provided by\n the caller.\n\n The length counts are used for other purposes as well, i.e. finding\n the minimum and maximum length codes, determining if there are any\n codes at all, checking for a valid set of lengths, and looking ahead\n at length counts to determine sub-table sizes when building the\n decoding tables.\n */\n\n /* accumulate lengths for codes (assumes lens[] all in 0..MAXBITS) */\n for (len = 0; len <= MAXBITS; len++) {\n count[len] = 0;\n }\n for (sym = 0; sym < codes; sym++) {\n count[lens[lens_index + sym]]++;\n }\n\n /* bound code lengths, force root to be within code lengths */\n root = bits;\n for (max = MAXBITS; max >= 1; max--) {\n if (count[max] !== 0) { break; }\n }\n if (root > max) {\n root = max;\n }\n if (max === 0) { /* no symbols to code at all */\n //table.op[opts.table_index] = 64; //here.op = (var char)64; /* invalid code marker */\n //table.bits[opts.table_index] = 1; //here.bits = (var char)1;\n //table.val[opts.table_index++] = 0; //here.val = (var short)0;\n table[table_index++] = (1 << 24) | (64 << 16) | 0;\n\n\n //table.op[opts.table_index] = 64;\n //table.bits[opts.table_index] = 1;\n //table.val[opts.table_index++] = 0;\n table[table_index++] = (1 << 24) | (64 << 16) | 0;\n\n opts.bits = 1;\n return 0; /* no symbols, but wait for decoding to report error */\n }\n for (min = 1; min < max; min++) {\n if (count[min] !== 0) { break; }\n }\n if (root < min) {\n root = min;\n }\n\n /* check for an over-subscribed or incomplete set of lengths */\n left = 1;\n for (len = 1; len <= MAXBITS; len++) {\n left <<= 1;\n left -= count[len];\n if (left < 0) {\n return -1;\n } /* over-subscribed */\n }\n if (left > 0 && (type === CODES || max !== 1)) {\n return -1; /* incomplete set */\n }\n\n /* generate offsets into symbol table for each length for sorting */\n offs[1] = 0;\n for (len = 1; len < MAXBITS; len++) {\n offs[len + 1] = offs[len] + count[len];\n }\n\n /* sort symbols by length, by symbol order within each length */\n for (sym = 0; sym < codes; sym++) {\n if (lens[lens_index + sym] !== 0) {\n work[offs[lens[lens_index + sym]]++] = sym;\n }\n }\n\n /*\n Create and fill in decoding tables. In this loop, the table being\n filled is at next and has curr index bits. The code being used is huff\n with length len. That code is converted to an index by dropping drop\n bits off of the bottom. For codes where len is less than drop + curr,\n those top drop + curr - len bits are incremented through all values to\n fill the table with replicated entries.\n\n root is the number of index bits for the root table. When len exceeds\n root, sub-tables are created pointed to by the root entry with an index\n of the low root bits of huff. This is saved in low to check for when a\n new sub-table should be started. drop is zero when the root table is\n being filled, and drop is root when sub-tables are being filled.\n\n When a new sub-table is needed, it is necessary to look ahead in the\n code lengths to determine what size sub-table is needed. The length\n counts are used for this, and so count[] is decremented as codes are\n entered in the tables.\n\n used keeps track of how many table entries have been allocated from the\n provided *table space. It is checked for LENS and DIST tables against\n the constants ENOUGH_LENS and ENOUGH_DISTS to guard against changes in\n the initial root table size constants. See the comments in inftrees.h\n for more information.\n\n sym increments through all symbols, and the loop terminates when\n all codes of length max, i.e. all codes, have been processed. This\n routine permits incomplete codes, so another loop after this one fills\n in the rest of the decoding tables with invalid code markers.\n */\n\n /* set up for code type */\n // poor man optimization - use if-else instead of switch,\n // to avoid deopts in old v8\n if (type === CODES) {\n base = extra = work; /* dummy value--not used */\n end = 19;\n\n } else if (type === LENS) {\n base = lbase;\n base_index -= 257;\n extra = lext;\n extra_index -= 257;\n end = 256;\n\n } else { /* DISTS */\n base = dbase;\n extra = dext;\n end = -1;\n }\n\n /* initialize opts for loop */\n huff = 0; /* starting code */\n sym = 0; /* starting code symbol */\n len = min; /* starting code length */\n next = table_index; /* current table to fill in */\n curr = root; /* current table index bits */\n drop = 0; /* current bits to drop from code for index */\n low = -1; /* trigger new sub-table when len > root */\n used = 1 << root; /* use root table entries */\n mask = used - 1; /* mask for comparing low */\n\n /* check available table space */\n if ((type === LENS && used > ENOUGH_LENS) ||\n (type === DISTS && used > ENOUGH_DISTS)) {\n return 1;\n }\n\n /* process all codes and make table entries */\n for (;;) {\n /* create table entry */\n here_bits = len - drop;\n if (work[sym] < end) {\n here_op = 0;\n here_val = work[sym];\n }\n else if (work[sym] > end) {\n here_op = extra[extra_index + work[sym]];\n here_val = base[base_index + work[sym]];\n }\n else {\n here_op = 32 + 64; /* end of block */\n here_val = 0;\n }\n\n /* replicate for those indices with low len bits equal to huff */\n incr = 1 << (len - drop);\n fill = 1 << curr;\n min = fill; /* save offset to next table */\n do {\n fill -= incr;\n table[next + (huff >> drop) + fill] = (here_bits << 24) | (here_op << 16) | here_val |0;\n } while (fill !== 0);\n\n /* backwards increment the len-bit code huff */\n incr = 1 << (len - 1);\n while (huff & incr) {\n incr >>= 1;\n }\n if (incr !== 0) {\n huff &= incr - 1;\n huff += incr;\n } else {\n huff = 0;\n }\n\n /* go to next symbol, update count, len */\n sym++;\n if (--count[len] === 0) {\n if (len === max) { break; }\n len = lens[lens_index + work[sym]];\n }\n\n /* create new sub-table if needed */\n if (len > root && (huff & mask) !== low) {\n /* if first time, transition to sub-tables */\n if (drop === 0) {\n drop = root;\n }\n\n /* increment past last table */\n next += min; /* here min is 1 << curr */\n\n /* determine length of next table */\n curr = len - drop;\n left = 1 << curr;\n while (curr + drop < max) {\n left -= count[curr + drop];\n if (left <= 0) { break; }\n curr++;\n left <<= 1;\n }\n\n /* check for enough space */\n used += 1 << curr;\n if ((type === LENS && used > ENOUGH_LENS) ||\n (type === DISTS && used > ENOUGH_DISTS)) {\n return 1;\n }\n\n /* point entry in root table to sub-table */\n low = huff & mask;\n /*table.op[low] = curr;\n table.bits[low] = root;\n table.val[low] = next - opts.table_index;*/\n table[low] = (root << 24) | (curr << 16) | (next - table_index) |0;\n }\n }\n\n /* fill in remaining table entry if code is incomplete (guaranteed to have\n at most one remaining entry, since if the code is incomplete, the\n maximum code length that was allowed to get this far is one bit) */\n if (huff !== 0) {\n //table.op[next + huff] = 64; /* invalid code marker */\n //table.bits[next + huff] = len - drop;\n //table.val[next + huff] = 0;\n table[next + huff] = ((len - drop) << 24) | (64 << 16) |0;\n }\n\n /* set return parameters */\n //opts.table_index += used;\n opts.bits = root;\n return 0;\n};\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/inftrees.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/messages.js":
/*!************************************************!*\
!*** ./node_modules/pako/lib/zlib/messages.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nmodule.exports = {\n 2: 'need dictionary', /* Z_NEED_DICT 2 */\n 1: 'stream end', /* Z_STREAM_END 1 */\n 0: '', /* Z_OK 0 */\n '-1': 'file error', /* Z_ERRNO (-1) */\n '-2': 'stream error', /* Z_STREAM_ERROR (-2) */\n '-3': 'data error', /* Z_DATA_ERROR (-3) */\n '-4': 'insufficient memory', /* Z_MEM_ERROR (-4) */\n '-5': 'buffer error', /* Z_BUF_ERROR (-5) */\n '-6': 'incompatible version' /* Z_VERSION_ERROR (-6) */\n};\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/messages.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/trees.js":
/*!*********************************************!*\
!*** ./node_modules/pako/lib/zlib/trees.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\n/* eslint-disable space-unary-ops */\n\nvar utils = __webpack_require__(/*! ../utils/common */ \"./node_modules/pako/lib/utils/common.js\");\n\n/* Public constants ==========================================================*/\n/* ===========================================================================*/\n\n\n//var Z_FILTERED = 1;\n//var Z_HUFFMAN_ONLY = 2;\n//var Z_RLE = 3;\nvar Z_FIXED = 4;\n//var Z_DEFAULT_STRATEGY = 0;\n\n/* Possible values of the data_type field (though see inflate()) */\nvar Z_BINARY = 0;\nvar Z_TEXT = 1;\n//var Z_ASCII = 1; // = Z_TEXT\nvar Z_UNKNOWN = 2;\n\n/*============================================================================*/\n\n\nfunction zero(buf) { var len = buf.length; while (--len >= 0) { buf[len] = 0; } }\n\n// From zutil.h\n\nvar STORED_BLOCK = 0;\nvar STATIC_TREES = 1;\nvar DYN_TREES = 2;\n/* The three kinds of block type */\n\nvar MIN_MATCH = 3;\nvar MAX_MATCH = 258;\n/* The minimum and maximum match lengths */\n\n// From deflate.h\n/* ===========================================================================\n * Internal compression state.\n */\n\nvar LENGTH_CODES = 29;\n/* number of length codes, not counting the special END_BLOCK code */\n\nvar LITERALS = 256;\n/* number of literal bytes 0..255 */\n\nvar L_CODES = LITERALS + 1 + LENGTH_CODES;\n/* number of Literal or Length codes, including the END_BLOCK code */\n\nvar D_CODES = 30;\n/* number of distance codes */\n\nvar BL_CODES = 19;\n/* number of codes used to transfer the bit lengths */\n\nvar HEAP_SIZE = 2 * L_CODES + 1;\n/* maximum heap size */\n\nvar MAX_BITS = 15;\n/* All codes must not exceed MAX_BITS bits */\n\nvar Buf_size = 16;\n/* size of bit buffer in bi_buf */\n\n\n/* ===========================================================================\n * Constants\n */\n\nvar MAX_BL_BITS = 7;\n/* Bit length codes must not exceed MAX_BL_BITS bits */\n\nvar END_BLOCK = 256;\n/* end of block literal code */\n\nvar REP_3_6 = 16;\n/* repeat previous bit length 3-6 times (2 bits of repeat count) */\n\nvar REPZ_3_10 = 17;\n/* repeat a zero length 3-10 times (3 bits of repeat count) */\n\nvar REPZ_11_138 = 18;\n/* repeat a zero length 11-138 times (7 bits of repeat count) */\n\n/* eslint-disable comma-spacing,array-bracket-spacing */\nvar extra_lbits = /* extra bits for each length code */\n [0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0];\n\nvar extra_dbits = /* extra bits for each distance code */\n [0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13];\n\nvar extra_blbits = /* extra bits for each bit length code */\n [0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7];\n\nvar bl_order =\n [16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15];\n/* eslint-enable comma-spacing,array-bracket-spacing */\n\n/* The lengths of the bit length codes are sent in order of decreasing\n * probability, to avoid transmitting the lengths for unused bit length codes.\n */\n\n/* ===========================================================================\n * Local data. These are initialized only once.\n */\n\n// We pre-fill arrays with 0 to avoid uninitialized gaps\n\nvar DIST_CODE_LEN = 512; /* see definition of array dist_code below */\n\n// !!!! Use flat array instead of structure, Freq = i*2, Len = i*2+1\nvar static_ltree = new Array((L_CODES + 2) * 2);\nzero(static_ltree);\n/* The static literal tree. Since the bit lengths are imposed, there is no\n * need for the L_CODES extra codes used during heap construction. However\n * The codes 286 and 287 are needed to build a canonical tree (see _tr_init\n * below).\n */\n\nvar static_dtree = new Array(D_CODES * 2);\nzero(static_dtree);\n/* The static distance tree. (Actually a trivial tree since all codes use\n * 5 bits.)\n */\n\nvar _dist_code = new Array(DIST_CODE_LEN);\nzero(_dist_code);\n/* Distance codes. The first 256 values correspond to the distances\n * 3 .. 258, the last 256 values correspond to the top 8 bits of\n * the 15 bit distances.\n */\n\nvar _length_code = new Array(MAX_MATCH - MIN_MATCH + 1);\nzero(_length_code);\n/* length code for each normalized match length (0 == MIN_MATCH) */\n\nvar base_length = new Array(LENGTH_CODES);\nzero(base_length);\n/* First normalized length for each code (0 = MIN_MATCH) */\n\nvar base_dist = new Array(D_CODES);\nzero(base_dist);\n/* First normalized distance for each code (0 = distance of 1) */\n\n\nfunction StaticTreeDesc(static_tree, extra_bits, extra_base, elems, max_length) {\n\n this.static_tree = static_tree; /* static tree or NULL */\n this.extra_bits = extra_bits; /* extra bits for each code or NULL */\n this.extra_base = extra_base; /* base index for extra_bits */\n this.elems = elems; /* max number of elements in the tree */\n this.max_length = max_length; /* max bit length for the codes */\n\n // show if `static_tree` has data or dummy - needed for monomorphic objects\n this.has_stree = static_tree && static_tree.length;\n}\n\n\nvar static_l_desc;\nvar static_d_desc;\nvar static_bl_desc;\n\n\nfunction TreeDesc(dyn_tree, stat_desc) {\n this.dyn_tree = dyn_tree; /* the dynamic tree */\n this.max_code = 0; /* largest code with non zero frequency */\n this.stat_desc = stat_desc; /* the corresponding static tree */\n}\n\n\n\nfunction d_code(dist) {\n return dist < 256 ? _dist_code[dist] : _dist_code[256 + (dist >>> 7)];\n}\n\n\n/* ===========================================================================\n * Output a short LSB first on the stream.\n * IN assertion: there is enough room in pendingBuf.\n */\nfunction put_short(s, w) {\n// put_byte(s, (uch)((w) & 0xff));\n// put_byte(s, (uch)((ush)(w) >> 8));\n s.pending_buf[s.pending++] = (w) & 0xff;\n s.pending_buf[s.pending++] = (w >>> 8) & 0xff;\n}\n\n\n/* ===========================================================================\n * Send a value on a given number of bits.\n * IN assertion: length <= 16 and value fits in length bits.\n */\nfunction send_bits(s, value, length) {\n if (s.bi_valid > (Buf_size - length)) {\n s.bi_buf |= (value << s.bi_valid) & 0xffff;\n put_short(s, s.bi_buf);\n s.bi_buf = value >> (Buf_size - s.bi_valid);\n s.bi_valid += length - Buf_size;\n } else {\n s.bi_buf |= (value << s.bi_valid) & 0xffff;\n s.bi_valid += length;\n }\n}\n\n\nfunction send_code(s, c, tree) {\n send_bits(s, tree[c * 2]/*.Code*/, tree[c * 2 + 1]/*.Len*/);\n}\n\n\n/* ===========================================================================\n * Reverse the first len bits of a code, using straightforward code (a faster\n * method would use a table)\n * IN assertion: 1 <= len <= 15\n */\nfunction bi_reverse(code, len) {\n var res = 0;\n do {\n res |= code & 1;\n code >>>= 1;\n res <<= 1;\n } while (--len > 0);\n return res >>> 1;\n}\n\n\n/* ===========================================================================\n * Flush the bit buffer, keeping at most 7 bits in it.\n */\nfunction bi_flush(s) {\n if (s.bi_valid === 16) {\n put_short(s, s.bi_buf);\n s.bi_buf = 0;\n s.bi_valid = 0;\n\n } else if (s.bi_valid >= 8) {\n s.pending_buf[s.pending++] = s.bi_buf & 0xff;\n s.bi_buf >>= 8;\n s.bi_valid -= 8;\n }\n}\n\n\n/* ===========================================================================\n * Compute the optimal bit lengths for a tree and update the total bit length\n * for the current block.\n * IN assertion: the fields freq and dad are set, heap[heap_max] and\n * above are the tree nodes sorted by increasing frequency.\n * OUT assertions: the field len is set to the optimal bit length, the\n * array bl_count contains the frequencies for each bit length.\n * The length opt_len is updated; static_len is also updated if stree is\n * not null.\n */\nfunction gen_bitlen(s, desc)\n// deflate_state *s;\n// tree_desc *desc; /* the tree descriptor */\n{\n var tree = desc.dyn_tree;\n var max_code = desc.max_code;\n var stree = desc.stat_desc.static_tree;\n var has_stree = desc.stat_desc.has_stree;\n var extra = desc.stat_desc.extra_bits;\n var base = desc.stat_desc.extra_base;\n var max_length = desc.stat_desc.max_length;\n var h; /* heap index */\n var n, m; /* iterate over the tree elements */\n var bits; /* bit length */\n var xbits; /* extra bits */\n var f; /* frequency */\n var overflow = 0; /* number of elements with bit length too large */\n\n for (bits = 0; bits <= MAX_BITS; bits++) {\n s.bl_count[bits] = 0;\n }\n\n /* In a first pass, compute the optimal bit lengths (which may\n * overflow in the case of the bit length tree).\n */\n tree[s.heap[s.heap_max] * 2 + 1]/*.Len*/ = 0; /* root of the heap */\n\n for (h = s.heap_max + 1; h < HEAP_SIZE; h++) {\n n = s.heap[h];\n bits = tree[tree[n * 2 + 1]/*.Dad*/ * 2 + 1]/*.Len*/ + 1;\n if (bits > max_length) {\n bits = max_length;\n overflow++;\n }\n tree[n * 2 + 1]/*.Len*/ = bits;\n /* We overwrite tree[n].Dad which is no longer needed */\n\n if (n > max_code) { continue; } /* not a leaf node */\n\n s.bl_count[bits]++;\n xbits = 0;\n if (n >= base) {\n xbits = extra[n - base];\n }\n f = tree[n * 2]/*.Freq*/;\n s.opt_len += f * (bits + xbits);\n if (has_stree) {\n s.static_len += f * (stree[n * 2 + 1]/*.Len*/ + xbits);\n }\n }\n if (overflow === 0) { return; }\n\n // Trace((stderr,\"\\nbit length overflow\\n\"));\n /* This happens for example on obj2 and pic of the Calgary corpus */\n\n /* Find the first bit length which could increase: */\n do {\n bits = max_length - 1;\n while (s.bl_count[bits] === 0) { bits--; }\n s.bl_count[bits]--; /* move one leaf down the tree */\n s.bl_count[bits + 1] += 2; /* move one overflow item as its brother */\n s.bl_count[max_length]--;\n /* The brother of the overflow item also moves one step up,\n * but this does not affect bl_count[max_length]\n */\n overflow -= 2;\n } while (overflow > 0);\n\n /* Now recompute all bit lengths, scanning in increasing frequency.\n * h is still equal to HEAP_SIZE. (It is simpler to reconstruct all\n * lengths instead of fixing only the wrong ones. This idea is taken\n * from 'ar' written by Haruhiko Okumura.)\n */\n for (bits = max_length; bits !== 0; bits--) {\n n = s.bl_count[bits];\n while (n !== 0) {\n m = s.heap[--h];\n if (m > max_code) { continue; }\n if (tree[m * 2 + 1]/*.Len*/ !== bits) {\n // Trace((stderr,\"code %d bits %d->%d\\n\", m, tree[m].Len, bits));\n s.opt_len += (bits - tree[m * 2 + 1]/*.Len*/) * tree[m * 2]/*.Freq*/;\n tree[m * 2 + 1]/*.Len*/ = bits;\n }\n n--;\n }\n }\n}\n\n\n/* ===========================================================================\n * Generate the codes for a given tree and bit counts (which need not be\n * optimal).\n * IN assertion: the array bl_count contains the bit length statistics for\n * the given tree and the field len is set for all tree elements.\n * OUT assertion: the field code is set for all tree elements of non\n * zero code length.\n */\nfunction gen_codes(tree, max_code, bl_count)\n// ct_data *tree; /* the tree to decorate */\n// int max_code; /* largest code with non zero frequency */\n// ushf *bl_count; /* number of codes at each bit length */\n{\n var next_code = new Array(MAX_BITS + 1); /* next code value for each bit length */\n var code = 0; /* running code value */\n var bits; /* bit index */\n var n; /* code index */\n\n /* The distribution counts are first used to generate the code values\n * without bit reversal.\n */\n for (bits = 1; bits <= MAX_BITS; bits++) {\n next_code[bits] = code = (code + bl_count[bits - 1]) << 1;\n }\n /* Check that the bit counts in bl_count are consistent. The last code\n * must be all ones.\n */\n //Assert (code + bl_count[MAX_BITS]-1 == (1<<MAX_BITS)-1,\n // \"inconsistent bit counts\");\n //Tracev((stderr,\"\\ngen_codes: max_code %d \", max_code));\n\n for (n = 0; n <= max_code; n++) {\n var len = tree[n * 2 + 1]/*.Len*/;\n if (len === 0) { continue; }\n /* Now reverse the bits */\n tree[n * 2]/*.Code*/ = bi_reverse(next_code[len]++, len);\n\n //Tracecv(tree != static_ltree, (stderr,\"\\nn %3d %c l %2d c %4x (%x) \",\n // n, (isgraph(n) ? n : ' '), len, tree[n].Code, next_code[len]-1));\n }\n}\n\n\n/* ===========================================================================\n * Initialize the various 'constant' tables.\n */\nfunction tr_static_init() {\n var n; /* iterates over tree elements */\n var bits; /* bit counter */\n var length; /* length value */\n var code; /* code value */\n var dist; /* distance index */\n var bl_count = new Array(MAX_BITS + 1);\n /* number of codes at each bit length for an optimal tree */\n\n // do check in _tr_init()\n //if (static_init_done) return;\n\n /* For some embedded targets, global variables are not initialized: */\n/*#ifdef NO_INIT_GLOBAL_POINTERS\n static_l_desc.static_tree = static_ltree;\n static_l_desc.extra_bits = extra_lbits;\n static_d_desc.static_tree = static_dtree;\n static_d_desc.extra_bits = extra_dbits;\n static_bl_desc.extra_bits = extra_blbits;\n#endif*/\n\n /* Initialize the mapping length (0..255) -> length code (0..28) */\n length = 0;\n for (code = 0; code < LENGTH_CODES - 1; code++) {\n base_length[code] = length;\n for (n = 0; n < (1 << extra_lbits[code]); n++) {\n _length_code[length++] = code;\n }\n }\n //Assert (length == 256, \"tr_static_init: length != 256\");\n /* Note that the length 255 (match length 258) can be represented\n * in two different ways: code 284 + 5 bits or code 285, so we\n * overwrite length_code[255] to use the best encoding:\n */\n _length_code[length - 1] = code;\n\n /* Initialize the mapping dist (0..32K) -> dist code (0..29) */\n dist = 0;\n for (code = 0; code < 16; code++) {\n base_dist[code] = dist;\n for (n = 0; n < (1 << extra_dbits[code]); n++) {\n _dist_code[dist++] = code;\n }\n }\n //Assert (dist == 256, \"tr_static_init: dist != 256\");\n dist >>= 7; /* from now on, all distances are divided by 128 */\n for (; code < D_CODES; code++) {\n base_dist[code] = dist << 7;\n for (n = 0; n < (1 << (extra_dbits[code] - 7)); n++) {\n _dist_code[256 + dist++] = code;\n }\n }\n //Assert (dist == 256, \"tr_static_init: 256+dist != 512\");\n\n /* Construct the codes of the static literal tree */\n for (bits = 0; bits <= MAX_BITS; bits++) {\n bl_count[bits] = 0;\n }\n\n n = 0;\n while (n <= 143) {\n static_ltree[n * 2 + 1]/*.Len*/ = 8;\n n++;\n bl_count[8]++;\n }\n while (n <= 255) {\n static_ltree[n * 2 + 1]/*.Len*/ = 9;\n n++;\n bl_count[9]++;\n }\n while (n <= 279) {\n static_ltree[n * 2 + 1]/*.Len*/ = 7;\n n++;\n bl_count[7]++;\n }\n while (n <= 287) {\n static_ltree[n * 2 + 1]/*.Len*/ = 8;\n n++;\n bl_count[8]++;\n }\n /* Codes 286 and 287 do not exist, but we must include them in the\n * tree construction to get a canonical Huffman tree (longest code\n * all ones)\n */\n gen_codes(static_ltree, L_CODES + 1, bl_count);\n\n /* The static distance tree is trivial: */\n for (n = 0; n < D_CODES; n++) {\n static_dtree[n * 2 + 1]/*.Len*/ = 5;\n static_dtree[n * 2]/*.Code*/ = bi_reverse(n, 5);\n }\n\n // Now data ready and we can init static trees\n static_l_desc = new StaticTreeDesc(static_ltree, extra_lbits, LITERALS + 1, L_CODES, MAX_BITS);\n static_d_desc = new StaticTreeDesc(static_dtree, extra_dbits, 0, D_CODES, MAX_BITS);\n static_bl_desc = new StaticTreeDesc(new Array(0), extra_blbits, 0, BL_CODES, MAX_BL_BITS);\n\n //static_init_done = true;\n}\n\n\n/* ===========================================================================\n * Initialize a new block.\n */\nfunction init_block(s) {\n var n; /* iterates over tree elements */\n\n /* Initialize the trees. */\n for (n = 0; n < L_CODES; n++) { s.dyn_ltree[n * 2]/*.Freq*/ = 0; }\n for (n = 0; n < D_CODES; n++) { s.dyn_dtree[n * 2]/*.Freq*/ = 0; }\n for (n = 0; n < BL_CODES; n++) { s.bl_tree[n * 2]/*.Freq*/ = 0; }\n\n s.dyn_ltree[END_BLOCK * 2]/*.Freq*/ = 1;\n s.opt_len = s.static_len = 0;\n s.last_lit = s.matches = 0;\n}\n\n\n/* ===========================================================================\n * Flush the bit buffer and align the output on a byte boundary\n */\nfunction bi_windup(s)\n{\n if (s.bi_valid > 8) {\n put_short(s, s.bi_buf);\n } else if (s.bi_valid > 0) {\n //put_byte(s, (Byte)s->bi_buf);\n s.pending_buf[s.pending++] = s.bi_buf;\n }\n s.bi_buf = 0;\n s.bi_valid = 0;\n}\n\n/* ===========================================================================\n * Copy a stored block, storing first the length and its\n * one's complement if requested.\n */\nfunction copy_block(s, buf, len, header)\n//DeflateState *s;\n//charf *buf; /* the input data */\n//unsigned len; /* its length */\n//int header; /* true if block header must be written */\n{\n bi_windup(s); /* align on byte boundary */\n\n if (header) {\n put_short(s, len);\n put_short(s, ~len);\n }\n// while (len--) {\n// put_byte(s, *buf++);\n// }\n utils.arraySet(s.pending_buf, s.window, buf, len, s.pending);\n s.pending += len;\n}\n\n/* ===========================================================================\n * Compares to subtrees, using the tree depth as tie breaker when\n * the subtrees have equal frequency. This minimizes the worst case length.\n */\nfunction smaller(tree, n, m, depth) {\n var _n2 = n * 2;\n var _m2 = m * 2;\n return (tree[_n2]/*.Freq*/ < tree[_m2]/*.Freq*/ ||\n (tree[_n2]/*.Freq*/ === tree[_m2]/*.Freq*/ && depth[n] <= depth[m]));\n}\n\n/* ===========================================================================\n * Restore the heap property by moving down the tree starting at node k,\n * exchanging a node with the smallest of its two sons if necessary, stopping\n * when the heap property is re-established (each father smaller than its\n * two sons).\n */\nfunction pqdownheap(s, tree, k)\n// deflate_state *s;\n// ct_data *tree; /* the tree to restore */\n// int k; /* node to move down */\n{\n var v = s.heap[k];\n var j = k << 1; /* left son of k */\n while (j <= s.heap_len) {\n /* Set j to the smallest of the two sons: */\n if (j < s.heap_len &&\n smaller(tree, s.heap[j + 1], s.heap[j], s.depth)) {\n j++;\n }\n /* Exit if v is smaller than both sons */\n if (smaller(tree, v, s.heap[j], s.depth)) { break; }\n\n /* Exchange v with the smallest son */\n s.heap[k] = s.heap[j];\n k = j;\n\n /* And continue down the tree, setting j to the left son of k */\n j <<= 1;\n }\n s.heap[k] = v;\n}\n\n\n// inlined manually\n// var SMALLEST = 1;\n\n/* ===========================================================================\n * Send the block data compressed using the given Huffman trees\n */\nfunction compress_block(s, ltree, dtree)\n// deflate_state *s;\n// const ct_data *ltree; /* literal tree */\n// const ct_data *dtree; /* distance tree */\n{\n var dist; /* distance of matched string */\n var lc; /* match length or unmatched char (if dist == 0) */\n var lx = 0; /* running index in l_buf */\n var code; /* the code to send */\n var extra; /* number of extra bits to send */\n\n if (s.last_lit !== 0) {\n do {\n dist = (s.pending_buf[s.d_buf + lx * 2] << 8) | (s.pending_buf[s.d_buf + lx * 2 + 1]);\n lc = s.pending_buf[s.l_buf + lx];\n lx++;\n\n if (dist === 0) {\n send_code(s, lc, ltree); /* send a literal byte */\n //Tracecv(isgraph(lc), (stderr,\" '%c' \", lc));\n } else {\n /* Here, lc is the match length - MIN_MATCH */\n code = _length_code[lc];\n send_code(s, code + LITERALS + 1, ltree); /* send the length code */\n extra = extra_lbits[code];\n if (extra !== 0) {\n lc -= base_length[code];\n send_bits(s, lc, extra); /* send the extra length bits */\n }\n dist--; /* dist is now the match distance - 1 */\n code = d_code(dist);\n //Assert (code < D_CODES, \"bad d_code\");\n\n send_code(s, code, dtree); /* send the distance code */\n extra = extra_dbits[code];\n if (extra !== 0) {\n dist -= base_dist[code];\n send_bits(s, dist, extra); /* send the extra distance bits */\n }\n } /* literal or match pair ? */\n\n /* Check that the overlay between pending_buf and d_buf+l_buf is ok: */\n //Assert((uInt)(s->pending) < s->lit_bufsize + 2*lx,\n // \"pendingBuf overflow\");\n\n } while (lx < s.last_lit);\n }\n\n send_code(s, END_BLOCK, ltree);\n}\n\n\n/* ===========================================================================\n * Construct one Huffman tree and assigns the code bit strings and lengths.\n * Update the total bit length for the current block.\n * IN assertion: the field freq is set for all tree elements.\n * OUT assertions: the fields len and code are set to the optimal bit length\n * and corresponding code. The length opt_len is updated; static_len is\n * also updated if stree is not null. The field max_code is set.\n */\nfunction build_tree(s, desc)\n// deflate_state *s;\n// tree_desc *desc; /* the tree descriptor */\n{\n var tree = desc.dyn_tree;\n var stree = desc.stat_desc.static_tree;\n var has_stree = desc.stat_desc.has_stree;\n var elems = desc.stat_desc.elems;\n var n, m; /* iterate over heap elements */\n var max_code = -1; /* largest code with non zero frequency */\n var node; /* new node being created */\n\n /* Construct the initial heap, with least frequent element in\n * heap[SMALLEST]. The sons of heap[n] are heap[2*n] and heap[2*n+1].\n * heap[0] is not used.\n */\n s.heap_len = 0;\n s.heap_max = HEAP_SIZE;\n\n for (n = 0; n < elems; n++) {\n if (tree[n * 2]/*.Freq*/ !== 0) {\n s.heap[++s.heap_len] = max_code = n;\n s.depth[n] = 0;\n\n } else {\n tree[n * 2 + 1]/*.Len*/ = 0;\n }\n }\n\n /* The pkzip format requires that at least one distance code exists,\n * and that at least one bit should be sent even if there is only one\n * possible code. So to avoid special checks later on we force at least\n * two codes of non zero frequency.\n */\n while (s.heap_len < 2) {\n node = s.heap[++s.heap_len] = (max_code < 2 ? ++max_code : 0);\n tree[node * 2]/*.Freq*/ = 1;\n s.depth[node] = 0;\n s.opt_len--;\n\n if (has_stree) {\n s.static_len -= stree[node * 2 + 1]/*.Len*/;\n }\n /* node is 0 or 1 so it does not have extra bits */\n }\n desc.max_code = max_code;\n\n /* The elements heap[heap_len/2+1 .. heap_len] are leaves of the tree,\n * establish sub-heaps of increasing lengths:\n */\n for (n = (s.heap_len >> 1/*int /2*/); n >= 1; n--) { pqdownheap(s, tree, n); }\n\n /* Construct the Huffman tree by repeatedly combining the least two\n * frequent nodes.\n */\n node = elems; /* next internal node of the tree */\n do {\n //pqremove(s, tree, n); /* n = node of least frequency */\n /*** pqremove ***/\n n = s.heap[1/*SMALLEST*/];\n s.heap[1/*SMALLEST*/] = s.heap[s.heap_len--];\n pqdownheap(s, tree, 1/*SMALLEST*/);\n /***/\n\n m = s.heap[1/*SMALLEST*/]; /* m = node of next least frequency */\n\n s.heap[--s.heap_max] = n; /* keep the nodes sorted by frequency */\n s.heap[--s.heap_max] = m;\n\n /* Create a new node father of n and m */\n tree[node * 2]/*.Freq*/ = tree[n * 2]/*.Freq*/ + tree[m * 2]/*.Freq*/;\n s.depth[node] = (s.depth[n] >= s.depth[m] ? s.depth[n] : s.depth[m]) + 1;\n tree[n * 2 + 1]/*.Dad*/ = tree[m * 2 + 1]/*.Dad*/ = node;\n\n /* and insert the new node in the heap */\n s.heap[1/*SMALLEST*/] = node++;\n pqdownheap(s, tree, 1/*SMALLEST*/);\n\n } while (s.heap_len >= 2);\n\n s.heap[--s.heap_max] = s.heap[1/*SMALLEST*/];\n\n /* At this point, the fields freq and dad are set. We can now\n * generate the bit lengths.\n */\n gen_bitlen(s, desc);\n\n /* The field len is now set, we can generate the bit codes */\n gen_codes(tree, max_code, s.bl_count);\n}\n\n\n/* ===========================================================================\n * Scan a literal or distance tree to determine the frequencies of the codes\n * in the bit length tree.\n */\nfunction scan_tree(s, tree, max_code)\n// deflate_state *s;\n// ct_data *tree; /* the tree to be scanned */\n// int max_code; /* and its largest code of non zero frequency */\n{\n var n; /* iterates over all tree elements */\n var prevlen = -1; /* last emitted length */\n var curlen; /* length of current code */\n\n var nextlen = tree[0 * 2 + 1]/*.Len*/; /* length of next code */\n\n var count = 0; /* repeat count of the current code */\n var max_count = 7; /* max repeat count */\n var min_count = 4; /* min repeat count */\n\n if (nextlen === 0) {\n max_count = 138;\n min_count = 3;\n }\n tree[(max_code + 1) * 2 + 1]/*.Len*/ = 0xffff; /* guard */\n\n for (n = 0; n <= max_code; n++) {\n curlen = nextlen;\n nextlen = tree[(n + 1) * 2 + 1]/*.Len*/;\n\n if (++count < max_count && curlen === nextlen) {\n continue;\n\n } else if (count < min_count) {\n s.bl_tree[curlen * 2]/*.Freq*/ += count;\n\n } else if (curlen !== 0) {\n\n if (curlen !== prevlen) { s.bl_tree[curlen * 2]/*.Freq*/++; }\n s.bl_tree[REP_3_6 * 2]/*.Freq*/++;\n\n } else if (count <= 10) {\n s.bl_tree[REPZ_3_10 * 2]/*.Freq*/++;\n\n } else {\n s.bl_tree[REPZ_11_138 * 2]/*.Freq*/++;\n }\n\n count = 0;\n prevlen = curlen;\n\n if (nextlen === 0) {\n max_count = 138;\n min_count = 3;\n\n } else if (curlen === nextlen) {\n max_count = 6;\n min_count = 3;\n\n } else {\n max_count = 7;\n min_count = 4;\n }\n }\n}\n\n\n/* ===========================================================================\n * Send a literal or distance tree in compressed form, using the codes in\n * bl_tree.\n */\nfunction send_tree(s, tree, max_code)\n// deflate_state *s;\n// ct_data *tree; /* the tree to be scanned */\n// int max_code; /* and its largest code of non zero frequency */\n{\n var n; /* iterates over all tree elements */\n var prevlen = -1; /* last emitted length */\n var curlen; /* length of current code */\n\n var nextlen = tree[0 * 2 + 1]/*.Len*/; /* length of next code */\n\n var count = 0; /* repeat count of the current code */\n var max_count = 7; /* max repeat count */\n var min_count = 4; /* min repeat count */\n\n /* tree[max_code+1].Len = -1; */ /* guard already set */\n if (nextlen === 0) {\n max_count = 138;\n min_count = 3;\n }\n\n for (n = 0; n <= max_code; n++) {\n curlen = nextlen;\n nextlen = tree[(n + 1) * 2 + 1]/*.Len*/;\n\n if (++count < max_count && curlen === nextlen) {\n continue;\n\n } else if (count < min_count) {\n do { send_code(s, curlen, s.bl_tree); } while (--count !== 0);\n\n } else if (curlen !== 0) {\n if (curlen !== prevlen) {\n send_code(s, curlen, s.bl_tree);\n count--;\n }\n //Assert(count >= 3 && count <= 6, \" 3_6?\");\n send_code(s, REP_3_6, s.bl_tree);\n send_bits(s, count - 3, 2);\n\n } else if (count <= 10) {\n send_code(s, REPZ_3_10, s.bl_tree);\n send_bits(s, count - 3, 3);\n\n } else {\n send_code(s, REPZ_11_138, s.bl_tree);\n send_bits(s, count - 11, 7);\n }\n\n count = 0;\n prevlen = curlen;\n if (nextlen === 0) {\n max_count = 138;\n min_count = 3;\n\n } else if (curlen === nextlen) {\n max_count = 6;\n min_count = 3;\n\n } else {\n max_count = 7;\n min_count = 4;\n }\n }\n}\n\n\n/* ===========================================================================\n * Construct the Huffman tree for the bit lengths and return the index in\n * bl_order of the last bit length code to send.\n */\nfunction build_bl_tree(s) {\n var max_blindex; /* index of last bit length code of non zero freq */\n\n /* Determine the bit length frequencies for literal and distance trees */\n scan_tree(s, s.dyn_ltree, s.l_desc.max_code);\n scan_tree(s, s.dyn_dtree, s.d_desc.max_code);\n\n /* Build the bit length tree: */\n build_tree(s, s.bl_desc);\n /* opt_len now includes the length of the tree representations, except\n * the lengths of the bit lengths codes and the 5+5+4 bits for the counts.\n */\n\n /* Determine the number of bit length codes to send. The pkzip format\n * requires that at least 4 bit length codes be sent. (appnote.txt says\n * 3 but the actual value used is 4.)\n */\n for (max_blindex = BL_CODES - 1; max_blindex >= 3; max_blindex--) {\n if (s.bl_tree[bl_order[max_blindex] * 2 + 1]/*.Len*/ !== 0) {\n break;\n }\n }\n /* Update opt_len to include the bit length tree and counts */\n s.opt_len += 3 * (max_blindex + 1) + 5 + 5 + 4;\n //Tracev((stderr, \"\\ndyn trees: dyn %ld, stat %ld\",\n // s->opt_len, s->static_len));\n\n return max_blindex;\n}\n\n\n/* ===========================================================================\n * Send the header for a block using dynamic Huffman trees: the counts, the\n * lengths of the bit length codes, the literal tree and the distance tree.\n * IN assertion: lcodes >= 257, dcodes >= 1, blcodes >= 4.\n */\nfunction send_all_trees(s, lcodes, dcodes, blcodes)\n// deflate_state *s;\n// int lcodes, dcodes, blcodes; /* number of codes for each tree */\n{\n var rank; /* index in bl_order */\n\n //Assert (lcodes >= 257 && dcodes >= 1 && blcodes >= 4, \"not enough codes\");\n //Assert (lcodes <= L_CODES && dcodes <= D_CODES && blcodes <= BL_CODES,\n // \"too many codes\");\n //Tracev((stderr, \"\\nbl counts: \"));\n send_bits(s, lcodes - 257, 5); /* not +255 as stated in appnote.txt */\n send_bits(s, dcodes - 1, 5);\n send_bits(s, blcodes - 4, 4); /* not -3 as stated in appnote.txt */\n for (rank = 0; rank < blcodes; rank++) {\n //Tracev((stderr, \"\\nbl code %2d \", bl_order[rank]));\n send_bits(s, s.bl_tree[bl_order[rank] * 2 + 1]/*.Len*/, 3);\n }\n //Tracev((stderr, \"\\nbl tree: sent %ld\", s->bits_sent));\n\n send_tree(s, s.dyn_ltree, lcodes - 1); /* literal tree */\n //Tracev((stderr, \"\\nlit tree: sent %ld\", s->bits_sent));\n\n send_tree(s, s.dyn_dtree, dcodes - 1); /* distance tree */\n //Tracev((stderr, \"\\ndist tree: sent %ld\", s->bits_sent));\n}\n\n\n/* ===========================================================================\n * Check if the data type is TEXT or BINARY, using the following algorithm:\n * - TEXT if the two conditions below are satisfied:\n * a) There are no non-portable control characters belonging to the\n * \"black list\" (0..6, 14..25, 28..31).\n * b) There is at least one printable character belonging to the\n * \"white list\" (9 {TAB}, 10 {LF}, 13 {CR}, 32..255).\n * - BINARY otherwise.\n * - The following partially-portable control characters form a\n * \"gray list\" that is ignored in this detection algorithm:\n * (7 {BEL}, 8 {BS}, 11 {VT}, 12 {FF}, 26 {SUB}, 27 {ESC}).\n * IN assertion: the fields Freq of dyn_ltree are set.\n */\nfunction detect_data_type(s) {\n /* black_mask is the bit mask of black-listed bytes\n * set bits 0..6, 14..25, and 28..31\n * 0xf3ffc07f = binary 11110011111111111100000001111111\n */\n var black_mask = 0xf3ffc07f;\n var n;\n\n /* Check for non-textual (\"black-listed\") bytes. */\n for (n = 0; n <= 31; n++, black_mask >>>= 1) {\n if ((black_mask & 1) && (s.dyn_ltree[n * 2]/*.Freq*/ !== 0)) {\n return Z_BINARY;\n }\n }\n\n /* Check for textual (\"white-listed\") bytes. */\n if (s.dyn_ltree[9 * 2]/*.Freq*/ !== 0 || s.dyn_ltree[10 * 2]/*.Freq*/ !== 0 ||\n s.dyn_ltree[13 * 2]/*.Freq*/ !== 0) {\n return Z_TEXT;\n }\n for (n = 32; n < LITERALS; n++) {\n if (s.dyn_ltree[n * 2]/*.Freq*/ !== 0) {\n return Z_TEXT;\n }\n }\n\n /* There are no \"black-listed\" or \"white-listed\" bytes:\n * this stream either is empty or has tolerated (\"gray-listed\") bytes only.\n */\n return Z_BINARY;\n}\n\n\nvar static_init_done = false;\n\n/* ===========================================================================\n * Initialize the tree data structures for a new zlib stream.\n */\nfunction _tr_init(s)\n{\n\n if (!static_init_done) {\n tr_static_init();\n static_init_done = true;\n }\n\n s.l_desc = new TreeDesc(s.dyn_ltree, static_l_desc);\n s.d_desc = new TreeDesc(s.dyn_dtree, static_d_desc);\n s.bl_desc = new TreeDesc(s.bl_tree, static_bl_desc);\n\n s.bi_buf = 0;\n s.bi_valid = 0;\n\n /* Initialize the first block of the first file: */\n init_block(s);\n}\n\n\n/* ===========================================================================\n * Send a stored block\n */\nfunction _tr_stored_block(s, buf, stored_len, last)\n//DeflateState *s;\n//charf *buf; /* input block */\n//ulg stored_len; /* length of input block */\n//int last; /* one if this is the last block for a file */\n{\n send_bits(s, (STORED_BLOCK << 1) + (last ? 1 : 0), 3); /* send block type */\n copy_block(s, buf, stored_len, true); /* with header */\n}\n\n\n/* ===========================================================================\n * Send one empty static block to give enough lookahead for inflate.\n * This takes 10 bits, of which 7 may remain in the bit buffer.\n */\nfunction _tr_align(s) {\n send_bits(s, STATIC_TREES << 1, 3);\n send_code(s, END_BLOCK, static_ltree);\n bi_flush(s);\n}\n\n\n/* ===========================================================================\n * Determine the best encoding for the current block: dynamic trees, static\n * trees or store, and output the encoded block to the zip file.\n */\nfunction _tr_flush_block(s, buf, stored_len, last)\n//DeflateState *s;\n//charf *buf; /* input block, or NULL if too old */\n//ulg stored_len; /* length of input block */\n//int last; /* one if this is the last block for a file */\n{\n var opt_lenb, static_lenb; /* opt_len and static_len in bytes */\n var max_blindex = 0; /* index of last bit length code of non zero freq */\n\n /* Build the Huffman trees unless a stored block is forced */\n if (s.level > 0) {\n\n /* Check if the file is binary or text */\n if (s.strm.data_type === Z_UNKNOWN) {\n s.strm.data_type = detect_data_type(s);\n }\n\n /* Construct the literal and distance trees */\n build_tree(s, s.l_desc);\n // Tracev((stderr, \"\\nlit data: dyn %ld, stat %ld\", s->opt_len,\n // s->static_len));\n\n build_tree(s, s.d_desc);\n // Tracev((stderr, \"\\ndist data: dyn %ld, stat %ld\", s->opt_len,\n // s->static_len));\n /* At this point, opt_len and static_len are the total bit lengths of\n * the compressed block data, excluding the tree representations.\n */\n\n /* Build the bit length tree for the above two trees, and get the index\n * in bl_order of the last bit length code to send.\n */\n max_blindex = build_bl_tree(s);\n\n /* Determine the best encoding. Compute the block lengths in bytes. */\n opt_lenb = (s.opt_len + 3 + 7) >>> 3;\n static_lenb = (s.static_len + 3 + 7) >>> 3;\n\n // Tracev((stderr, \"\\nopt %lu(%lu) stat %lu(%lu) stored %lu lit %u \",\n // opt_lenb, s->opt_len, static_lenb, s->static_len, stored_len,\n // s->last_lit));\n\n if (static_lenb <= opt_lenb) { opt_lenb = static_lenb; }\n\n } else {\n // Assert(buf != (char*)0, \"lost buf\");\n opt_lenb = static_lenb = stored_len + 5; /* force a stored block */\n }\n\n if ((stored_len + 4 <= opt_lenb) && (buf !== -1)) {\n /* 4: two words for the lengths */\n\n /* The test buf != NULL is only necessary if LIT_BUFSIZE > WSIZE.\n * Otherwise we can't have processed more than WSIZE input bytes since\n * the last block flush, because compression would have been\n * successful. If LIT_BUFSIZE <= WSIZE, it is never too late to\n * transform a block into a stored block.\n */\n _tr_stored_block(s, buf, stored_len, last);\n\n } else if (s.strategy === Z_FIXED || static_lenb === opt_lenb) {\n\n send_bits(s, (STATIC_TREES << 1) + (last ? 1 : 0), 3);\n compress_block(s, static_ltree, static_dtree);\n\n } else {\n send_bits(s, (DYN_TREES << 1) + (last ? 1 : 0), 3);\n send_all_trees(s, s.l_desc.max_code + 1, s.d_desc.max_code + 1, max_blindex + 1);\n compress_block(s, s.dyn_ltree, s.dyn_dtree);\n }\n // Assert (s->compressed_len == s->bits_sent, \"bad compressed size\");\n /* The above check is made mod 2^32, for files larger than 512 MB\n * and uLong implemented on 32 bits.\n */\n init_block(s);\n\n if (last) {\n bi_windup(s);\n }\n // Tracev((stderr,\"\\ncomprlen %lu(%lu) \", s->compressed_len>>3,\n // s->compressed_len-7*last));\n}\n\n/* ===========================================================================\n * Save the match info and tally the frequency counts. Return true if\n * the current block must be flushed.\n */\nfunction _tr_tally(s, dist, lc)\n// deflate_state *s;\n// unsigned dist; /* distance of matched string */\n// unsigned lc; /* match length-MIN_MATCH or unmatched char (if dist==0) */\n{\n //var out_length, in_length, dcode;\n\n s.pending_buf[s.d_buf + s.last_lit * 2] = (dist >>> 8) & 0xff;\n s.pending_buf[s.d_buf + s.last_lit * 2 + 1] = dist & 0xff;\n\n s.pending_buf[s.l_buf + s.last_lit] = lc & 0xff;\n s.last_lit++;\n\n if (dist === 0) {\n /* lc is the unmatched char */\n s.dyn_ltree[lc * 2]/*.Freq*/++;\n } else {\n s.matches++;\n /* Here, lc is the match length - MIN_MATCH */\n dist--; /* dist = match distance - 1 */\n //Assert((ush)dist < (ush)MAX_DIST(s) &&\n // (ush)lc <= (ush)(MAX_MATCH-MIN_MATCH) &&\n // (ush)d_code(dist) < (ush)D_CODES, \"_tr_tally: bad match\");\n\n s.dyn_ltree[(_length_code[lc] + LITERALS + 1) * 2]/*.Freq*/++;\n s.dyn_dtree[d_code(dist) * 2]/*.Freq*/++;\n }\n\n// (!) This block is disabled in zlib defaults,\n// don't enable it for binary compatibility\n\n//#ifdef TRUNCATE_BLOCK\n// /* Try to guess if it is profitable to stop the current block here */\n// if ((s.last_lit & 0x1fff) === 0 && s.level > 2) {\n// /* Compute an upper bound for the compressed length */\n// out_length = s.last_lit*8;\n// in_length = s.strstart - s.block_start;\n//\n// for (dcode = 0; dcode < D_CODES; dcode++) {\n// out_length += s.dyn_dtree[dcode*2]/*.Freq*/ * (5 + extra_dbits[dcode]);\n// }\n// out_length >>>= 3;\n// //Tracev((stderr,\"\\nlast_lit %u, in %ld, out ~%ld(%ld%%) \",\n// // s->last_lit, in_length, out_length,\n// // 100L - out_length*100L/in_length));\n// if (s.matches < (s.last_lit>>1)/*int /2*/ && out_length < (in_length>>1)/*int /2*/) {\n// return true;\n// }\n// }\n//#endif\n\n return (s.last_lit === s.lit_bufsize - 1);\n /* We avoid equality with lit_bufsize because of wraparound at 64K\n * on 16 bit machines and because stored blocks are restricted to\n * 64K-1 bytes.\n */\n}\n\nexports._tr_init = _tr_init;\nexports._tr_stored_block = _tr_stored_block;\nexports._tr_flush_block = _tr_flush_block;\nexports._tr_tally = _tr_tally;\nexports._tr_align = _tr_align;\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/trees.js?");
/***/ }),
/***/ "./node_modules/pako/lib/zlib/zstream.js":
/*!***********************************************!*\
!*** ./node_modules/pako/lib/zlib/zstream.js ***!
\***********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n// (C) 1995-2013 Jean-loup Gailly and Mark Adler\n// (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin\n//\n// This software is provided 'as-is', without any express or implied\n// warranty. In no event will the authors be held liable for any damages\n// arising from the use of this software.\n//\n// Permission is granted to anyone to use this software for any purpose,\n// including commercial applications, and to alter it and redistribute it\n// freely, subject to the following restrictions:\n//\n// 1. The origin of this software must not be misrepresented; you must not\n// claim that you wrote the original software. If you use this software\n// in a product, an acknowledgment in the product documentation would be\n// appreciated but is not required.\n// 2. Altered source versions must be plainly marked as such, and must not be\n// misrepresented as being the original software.\n// 3. This notice may not be removed or altered from any source distribution.\n\nfunction ZStream() {\n /* next input byte */\n this.input = null; // JS specific, because we have no pointers\n this.next_in = 0;\n /* number of bytes available at input */\n this.avail_in = 0;\n /* total number of input bytes read so far */\n this.total_in = 0;\n /* next output byte should be put there */\n this.output = null; // JS specific, because we have no pointers\n this.next_out = 0;\n /* remaining free space at output */\n this.avail_out = 0;\n /* total number of bytes output so far */\n this.total_out = 0;\n /* last error message, NULL if no error */\n this.msg = ''/*Z_NULL*/;\n /* not visible by applications */\n this.state = null;\n /* best guess about the data type: binary or text */\n this.data_type = 2/*Z_UNKNOWN*/;\n /* adler32 value of the uncompressed data */\n this.adler = 0;\n}\n\nmodule.exports = ZStream;\n\n\n//# sourceURL=webpack:///./node_modules/pako/lib/zlib/zstream.js?");
/***/ }),
/***/ "./node_modules/path-is-absolute/index.js":
/*!************************************************!*\
!*** ./node_modules/path-is-absolute/index.js ***!
\************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nfunction posix(path) {\n\treturn path.charAt(0) === '/';\n}\n\nfunction win32(path) {\n\t// https://github.com/nodejs/node/blob/b3fcc245fb25539909ef1d5eaa01dbf92e168633/lib/path.js#L56\n\tvar splitDeviceRe = /^([a-zA-Z]:|[\\\\\\/]{2}[^\\\\\\/]+[\\\\\\/]+[^\\\\\\/]+)?([\\\\\\/])?([\\s\\S]*?)$/;\n\tvar result = splitDeviceRe.exec(path);\n\tvar device = result[1] || '';\n\tvar isUnc = Boolean(device && device.charAt(1) !== ':');\n\n\t// UNC paths are always absolute\n\treturn Boolean(result[2] || isUnc);\n}\n\nmodule.exports = process.platform === 'win32' ? win32 : posix;\nmodule.exports.posix = posix;\nmodule.exports.win32 = win32;\n\n\n//# sourceURL=webpack:///./node_modules/path-is-absolute/index.js?");
/***/ }),
/***/ "./node_modules/process-nextick-args/index.js":
/*!****************************************************!*\
!*** ./node_modules/process-nextick-args/index.js ***!
\****************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nif (typeof process === 'undefined' ||\n !process.version ||\n process.version.indexOf('v0.') === 0 ||\n process.version.indexOf('v1.') === 0 && process.version.indexOf('v1.8.') !== 0) {\n module.exports = { nextTick: nextTick };\n} else {\n module.exports = process\n}\n\nfunction nextTick(fn, arg1, arg2, arg3) {\n if (typeof fn !== 'function') {\n throw new TypeError('\"callback\" argument must be a function');\n }\n var len = arguments.length;\n var args, i;\n switch (len) {\n case 0:\n case 1:\n return process.nextTick(fn);\n case 2:\n return process.nextTick(function afterTickOne() {\n fn.call(null, arg1);\n });\n case 3:\n return process.nextTick(function afterTickTwo() {\n fn.call(null, arg1, arg2);\n });\n case 4:\n return process.nextTick(function afterTickThree() {\n fn.call(null, arg1, arg2, arg3);\n });\n default:\n args = new Array(len - 1);\n i = 0;\n while (i < args.length) {\n args[i++] = arguments[i];\n }\n return process.nextTick(function afterTick() {\n fn.apply(null, args);\n });\n }\n}\n\n\n\n//# sourceURL=webpack:///./node_modules/process-nextick-args/index.js?");
/***/ }),
/***/ "./node_modules/proxy-from-env/index.js":
/*!**********************************************!*\
!*** ./node_modules/proxy-from-env/index.js ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar parseUrl = __webpack_require__(/*! url */ \"url\").parse;\n\nvar DEFAULT_PORTS = {\n ftp: 21,\n gopher: 70,\n http: 80,\n https: 443,\n ws: 80,\n wss: 443,\n};\n\nvar stringEndsWith = String.prototype.endsWith || function(s) {\n return s.length <= this.length &&\n this.indexOf(s, this.length - s.length) !== -1;\n};\n\n/**\n * @param {string|object} url - The URL, or the result from url.parse.\n * @return {string} The URL of the proxy that should handle the request to the\n * given URL. If no proxy is set, this will be an empty string.\n */\nfunction getProxyForUrl(url) {\n var parsedUrl = typeof url === 'string' ? parseUrl(url) : url || {};\n var proto = parsedUrl.protocol;\n var hostname = parsedUrl.host;\n var port = parsedUrl.port;\n if (typeof hostname !== 'string' || !hostname || typeof proto !== 'string') {\n return ''; // Don't proxy URLs without a valid scheme or host.\n }\n\n proto = proto.split(':', 1)[0];\n // Stripping ports in this way instead of using parsedUrl.hostname to make\n // sure that the brackets around IPv6 addresses are kept.\n hostname = hostname.replace(/:\\d*$/, '');\n port = parseInt(port) || DEFAULT_PORTS[proto] || 0;\n if (!shouldProxy(hostname, port)) {\n return ''; // Don't proxy URLs that match NO_PROXY.\n }\n\n var proxy =\n getEnv('npm_config_' + proto + '_proxy') ||\n getEnv(proto + '_proxy') ||\n getEnv('npm_config_proxy') ||\n getEnv('all_proxy');\n if (proxy && proxy.indexOf('://') === -1) {\n // Missing scheme in proxy, default to the requested URL's scheme.\n proxy = proto + '://' + proxy;\n }\n return proxy;\n}\n\n/**\n * Determines whether a given URL should be proxied.\n *\n * @param {string} hostname - The host name of the URL.\n * @param {number} port - The effective port of the URL.\n * @returns {boolean} Whether the given URL should be proxied.\n * @private\n */\nfunction shouldProxy(hostname, port) {\n var NO_PROXY =\n (getEnv('npm_config_no_proxy') || getEnv('no_proxy')).toLowerCase();\n if (!NO_PROXY) {\n return true; // Always proxy if NO_PROXY is not set.\n }\n if (NO_PROXY === '*') {\n return false; // Never proxy if wildcard is set.\n }\n\n return NO_PROXY.split(/[,\\s]/).every(function(proxy) {\n if (!proxy) {\n return true; // Skip zero-length hosts.\n }\n var parsedProxy = proxy.match(/^(.+):(\\d+)$/);\n var parsedProxyHostname = parsedProxy ? parsedProxy[1] : proxy;\n var parsedProxyPort = parsedProxy ? parseInt(parsedProxy[2]) : 0;\n if (parsedProxyPort && parsedProxyPort !== port) {\n return true; // Skip if ports don't match.\n }\n\n if (!/^[.*]/.test(parsedProxyHostname)) {\n // No wildcards, so stop proxying if there is an exact match.\n return hostname !== parsedProxyHostname;\n }\n\n if (parsedProxyHostname.charAt(0) === '*') {\n // Remove leading wildcard.\n parsedProxyHostname = parsedProxyHostname.slice(1);\n }\n // Stop proxying if the hostname ends with the no_proxy host.\n return !stringEndsWith.call(hostname, parsedProxyHostname);\n });\n}\n\n/**\n * Get the value for an environment variable.\n *\n * @param {string} key - The name of the environment variable.\n * @return {string} The value of the environment variable.\n * @private\n */\nfunction getEnv(key) {\n return process.env[key.toLowerCase()] || process.env[key.toUpperCase()] || '';\n}\n\nexports.getProxyForUrl = getProxyForUrl;\n\n\n//# sourceURL=webpack:///./node_modules/proxy-from-env/index.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/_stream_duplex.js":
/*!************************************************************!*\
!*** ./node_modules/readable-stream/lib/_stream_duplex.js ***!
\************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n// a duplex stream is just a stream that is both readable and writable.\n// Since JS doesn't have multiple prototypal inheritance, this class\n// prototypally inherits from Readable, and then parasitically from\n// Writable.\n\n\n\n/*<replacement>*/\n\nvar pna = __webpack_require__(/*! process-nextick-args */ \"./node_modules/process-nextick-args/index.js\");\n/*</replacement>*/\n\n/*<replacement>*/\nvar objectKeys = Object.keys || function (obj) {\n var keys = [];\n for (var key in obj) {\n keys.push(key);\n }return keys;\n};\n/*</replacement>*/\n\nmodule.exports = Duplex;\n\n/*<replacement>*/\nvar util = Object.create(__webpack_require__(/*! core-util-is */ \"./node_modules/core-util-is/lib/util.js\"));\nutil.inherits = __webpack_require__(/*! inherits */ \"./node_modules/inherits/inherits.js\");\n/*</replacement>*/\n\nvar Readable = __webpack_require__(/*! ./_stream_readable */ \"./node_modules/readable-stream/lib/_stream_readable.js\");\nvar Writable = __webpack_require__(/*! ./_stream_writable */ \"./node_modules/readable-stream/lib/_stream_writable.js\");\n\nutil.inherits(Duplex, Readable);\n\n{\n // avoid scope creep, the keys array can then be collected\n var keys = objectKeys(Writable.prototype);\n for (var v = 0; v < keys.length; v++) {\n var method = keys[v];\n if (!Duplex.prototype[method]) Duplex.prototype[method] = Writable.prototype[method];\n }\n}\n\nfunction Duplex(options) {\n if (!(this instanceof Duplex)) return new Duplex(options);\n\n Readable.call(this, options);\n Writable.call(this, options);\n\n if (options && options.readable === false) this.readable = false;\n\n if (options && options.writable === false) this.writable = false;\n\n this.allowHalfOpen = true;\n if (options && options.allowHalfOpen === false) this.allowHalfOpen = false;\n\n this.once('end', onend);\n}\n\nObject.defineProperty(Duplex.prototype, 'writableHighWaterMark', {\n // making it explicit this property is not enumerable\n // because otherwise some prototype manipulation in\n // userland will fail\n enumerable: false,\n get: function () {\n return this._writableState.highWaterMark;\n }\n});\n\n// the no-half-open enforcer\nfunction onend() {\n // if we allow half-open state, or if the writable side ended,\n // then we're ok.\n if (this.allowHalfOpen || this._writableState.ended) return;\n\n // no more data can be written.\n // But allow more writes to happen in this tick.\n pna.nextTick(onEndNT, this);\n}\n\nfunction onEndNT(self) {\n self.end();\n}\n\nObject.defineProperty(Duplex.prototype, 'destroyed', {\n get: function () {\n if (this._readableState === undefined || this._writableState === undefined) {\n return false;\n }\n return this._readableState.destroyed && this._writableState.destroyed;\n },\n set: function (value) {\n // we ignore the value if the stream\n // has not been initialized yet\n if (this._readableState === undefined || this._writableState === undefined) {\n return;\n }\n\n // backward compatibility, the user is explicitly\n // managing destroyed\n this._readableState.destroyed = value;\n this._writableState.destroyed = value;\n }\n});\n\nDuplex.prototype._destroy = function (err, cb) {\n this.push(null);\n this.end();\n\n pna.nextTick(cb, err);\n};\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/_stream_duplex.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/_stream_passthrough.js":
/*!*****************************************************************!*\
!*** ./node_modules/readable-stream/lib/_stream_passthrough.js ***!
\*****************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n// a passthrough stream.\n// basically just the most minimal sort of Transform stream.\n// Every written chunk gets output as-is.\n\n\n\nmodule.exports = PassThrough;\n\nvar Transform = __webpack_require__(/*! ./_stream_transform */ \"./node_modules/readable-stream/lib/_stream_transform.js\");\n\n/*<replacement>*/\nvar util = Object.create(__webpack_require__(/*! core-util-is */ \"./node_modules/core-util-is/lib/util.js\"));\nutil.inherits = __webpack_require__(/*! inherits */ \"./node_modules/inherits/inherits.js\");\n/*</replacement>*/\n\nutil.inherits(PassThrough, Transform);\n\nfunction PassThrough(options) {\n if (!(this instanceof PassThrough)) return new PassThrough(options);\n\n Transform.call(this, options);\n}\n\nPassThrough.prototype._transform = function (chunk, encoding, cb) {\n cb(null, chunk);\n};\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/_stream_passthrough.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/_stream_readable.js":
/*!**************************************************************!*\
!*** ./node_modules/readable-stream/lib/_stream_readable.js ***!
\**************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n\n\n/*<replacement>*/\n\nvar pna = __webpack_require__(/*! process-nextick-args */ \"./node_modules/process-nextick-args/index.js\");\n/*</replacement>*/\n\nmodule.exports = Readable;\n\n/*<replacement>*/\nvar isArray = __webpack_require__(/*! isarray */ \"./node_modules/isarray/index.js\");\n/*</replacement>*/\n\n/*<replacement>*/\nvar Duplex;\n/*</replacement>*/\n\nReadable.ReadableState = ReadableState;\n\n/*<replacement>*/\nvar EE = __webpack_require__(/*! events */ \"events\").EventEmitter;\n\nvar EElistenerCount = function (emitter, type) {\n return emitter.listeners(type).length;\n};\n/*</replacement>*/\n\n/*<replacement>*/\nvar Stream = __webpack_require__(/*! ./internal/streams/stream */ \"./node_modules/readable-stream/lib/internal/streams/stream.js\");\n/*</replacement>*/\n\n/*<replacement>*/\n\nvar Buffer = __webpack_require__(/*! safe-buffer */ \"./node_modules/safe-buffer/index.js\").Buffer;\nvar OurUint8Array = (typeof global !== 'undefined' ? global : typeof window !== 'undefined' ? window : typeof self !== 'undefined' ? self : {}).Uint8Array || function () {};\nfunction _uint8ArrayToBuffer(chunk) {\n return Buffer.from(chunk);\n}\nfunction _isUint8Array(obj) {\n return Buffer.isBuffer(obj) || obj instanceof OurUint8Array;\n}\n\n/*</replacement>*/\n\n/*<replacement>*/\nvar util = Object.create(__webpack_require__(/*! core-util-is */ \"./node_modules/core-util-is/lib/util.js\"));\nutil.inherits = __webpack_require__(/*! inherits */ \"./node_modules/inherits/inherits.js\");\n/*</replacement>*/\n\n/*<replacement>*/\nvar debugUtil = __webpack_require__(/*! util */ \"util\");\nvar debug = void 0;\nif (debugUtil && debugUtil.debuglog) {\n debug = debugUtil.debuglog('stream');\n} else {\n debug = function () {};\n}\n/*</replacement>*/\n\nvar BufferList = __webpack_require__(/*! ./internal/streams/BufferList */ \"./node_modules/readable-stream/lib/internal/streams/BufferList.js\");\nvar destroyImpl = __webpack_require__(/*! ./internal/streams/destroy */ \"./node_modules/readable-stream/lib/internal/streams/destroy.js\");\nvar StringDecoder;\n\nutil.inherits(Readable, Stream);\n\nvar kProxyEvents = ['error', 'close', 'destroy', 'pause', 'resume'];\n\nfunction prependListener(emitter, event, fn) {\n // Sadly this is not cacheable as some libraries bundle their own\n // event emitter implementation with them.\n if (typeof emitter.prependListener === 'function') return emitter.prependListener(event, fn);\n\n // This is a hack to make sure that our error handler is attached before any\n // userland ones. NEVER DO THIS. This is here only because this code needs\n // to continue to work with older versions of Node.js that do not include\n // the prependListener() method. The goal is to eventually remove this hack.\n if (!emitter._events || !emitter._events[event]) emitter.on(event, fn);else if (isArray(emitter._events[event])) emitter._events[event].unshift(fn);else emitter._events[event] = [fn, emitter._events[event]];\n}\n\nfunction ReadableState(options, stream) {\n Duplex = Duplex || __webpack_require__(/*! ./_stream_duplex */ \"./node_modules/readable-stream/lib/_stream_duplex.js\");\n\n options = options || {};\n\n // Duplex streams are both readable and writable, but share\n // the same options object.\n // However, some cases require setting options to different\n // values for the readable and the writable sides of the duplex stream.\n // These options can be provided separately as readableXXX and writableXXX.\n var isDuplex = stream instanceof Duplex;\n\n // object stream flag. Used to make read(n) ignore n and to\n // make all the buffer merging and length checks go away\n this.objectMode = !!options.objectMode;\n\n if (isDuplex) this.objectMode = this.objectMode || !!options.readableObjectMode;\n\n // the point at which it stops calling _read() to fill the buffer\n // Note: 0 is a valid value, means \"don't call _read preemptively ever\"\n var hwm = options.highWaterMark;\n var readableHwm = options.readableHighWaterMark;\n var defaultHwm = this.objectMode ? 16 : 16 * 1024;\n\n if (hwm || hwm === 0) this.highWaterMark = hwm;else if (isDuplex && (readableHwm || readableHwm === 0)) this.highWaterMark = readableHwm;else this.highWaterMark = defaultHwm;\n\n // cast to ints.\n this.highWaterMark = Math.floor(this.highWaterMark);\n\n // A linked list is used to store data chunks instead of an array because the\n // linked list can remove elements from the beginning faster than\n // array.shift()\n this.buffer = new BufferList();\n this.length = 0;\n this.pipes = null;\n this.pipesCount = 0;\n this.flowing = null;\n this.ended = false;\n this.endEmitted = false;\n this.reading = false;\n\n // a flag to be able to tell if the event 'readable'/'data' is emitted\n // immediately, or on a later tick. We set this to true at first, because\n // any actions that shouldn't happen until \"later\" should generally also\n // not happen before the first read call.\n this.sync = true;\n\n // whenever we return null, then we set a flag to say\n // that we're awaiting a 'readable' event emission.\n this.needReadable = false;\n this.emittedReadable = false;\n this.readableListening = false;\n this.resumeScheduled = false;\n\n // has it been destroyed\n this.destroyed = false;\n\n // Crypto is kind of old and crusty. Historically, its default string\n // encoding is 'binary' so we have to make this configurable.\n // Everything else in the universe uses 'utf8', though.\n this.defaultEncoding = options.defaultEncoding || 'utf8';\n\n // the number of writers that are awaiting a drain event in .pipe()s\n this.awaitDrain = 0;\n\n // if true, a maybeReadMore has been scheduled\n this.readingMore = false;\n\n this.decoder = null;\n this.encoding = null;\n if (options.encoding) {\n if (!StringDecoder) StringDecoder = __webpack_require__(/*! string_decoder/ */ \"./node_modules/string_decoder/lib/string_decoder.js\").StringDecoder;\n this.decoder = new StringDecoder(options.encoding);\n this.encoding = options.encoding;\n }\n}\n\nfunction Readable(options) {\n Duplex = Duplex || __webpack_require__(/*! ./_stream_duplex */ \"./node_modules/readable-stream/lib/_stream_duplex.js\");\n\n if (!(this instanceof Readable)) return new Readable(options);\n\n this._readableState = new ReadableState(options, this);\n\n // legacy\n this.readable = true;\n\n if (options) {\n if (typeof options.read === 'function') this._read = options.read;\n\n if (typeof options.destroy === 'function') this._destroy = options.destroy;\n }\n\n Stream.call(this);\n}\n\nObject.defineProperty(Readable.prototype, 'destroyed', {\n get: function () {\n if (this._readableState === undefined) {\n return false;\n }\n return this._readableState.destroyed;\n },\n set: function (value) {\n // we ignore the value if the stream\n // has not been initialized yet\n if (!this._readableState) {\n return;\n }\n\n // backward compatibility, the user is explicitly\n // managing destroyed\n this._readableState.destroyed = value;\n }\n});\n\nReadable.prototype.destroy = destroyImpl.destroy;\nReadable.prototype._undestroy = destroyImpl.undestroy;\nReadable.prototype._destroy = function (err, cb) {\n this.push(null);\n cb(err);\n};\n\n// Manually shove something into the read() buffer.\n// This returns true if the highWaterMark has not been hit yet,\n// similar to how Writable.write() returns true if you should\n// write() some more.\nReadable.prototype.push = function (chunk, encoding) {\n var state = this._readableState;\n var skipChunkCheck;\n\n if (!state.objectMode) {\n if (typeof chunk === 'string') {\n encoding = encoding || state.defaultEncoding;\n if (encoding !== state.encoding) {\n chunk = Buffer.from(chunk, encoding);\n encoding = '';\n }\n skipChunkCheck = true;\n }\n } else {\n skipChunkCheck = true;\n }\n\n return readableAddChunk(this, chunk, encoding, false, skipChunkCheck);\n};\n\n// Unshift should *always* be something directly out of read()\nReadable.prototype.unshift = function (chunk) {\n return readableAddChunk(this, chunk, null, true, false);\n};\n\nfunction readableAddChunk(stream, chunk, encoding, addToFront, skipChunkCheck) {\n var state = stream._readableState;\n if (chunk === null) {\n state.reading = false;\n onEofChunk(stream, state);\n } else {\n var er;\n if (!skipChunkCheck) er = chunkInvalid(state, chunk);\n if (er) {\n stream.emit('error', er);\n } else if (state.objectMode || chunk && chunk.length > 0) {\n if (typeof chunk !== 'string' && !state.objectMode && Object.getPrototypeOf(chunk) !== Buffer.prototype) {\n chunk = _uint8ArrayToBuffer(chunk);\n }\n\n if (addToFront) {\n if (state.endEmitted) stream.emit('error', new Error('stream.unshift() after end event'));else addChunk(stream, state, chunk, true);\n } else if (state.ended) {\n stream.emit('error', new Error('stream.push() after EOF'));\n } else {\n state.reading = false;\n if (state.decoder && !encoding) {\n chunk = state.decoder.write(chunk);\n if (state.objectMode || chunk.length !== 0) addChunk(stream, state, chunk, false);else maybeReadMore(stream, state);\n } else {\n addChunk(stream, state, chunk, false);\n }\n }\n } else if (!addToFront) {\n state.reading = false;\n }\n }\n\n return needMoreData(state);\n}\n\nfunction addChunk(stream, state, chunk, addToFront) {\n if (state.flowing && state.length === 0 && !state.sync) {\n stream.emit('data', chunk);\n stream.read(0);\n } else {\n // update the buffer info.\n state.length += state.objectMode ? 1 : chunk.length;\n if (addToFront) state.buffer.unshift(chunk);else state.buffer.push(chunk);\n\n if (state.needReadable) emitReadable(stream);\n }\n maybeReadMore(stream, state);\n}\n\nfunction chunkInvalid(state, chunk) {\n var er;\n if (!_isUint8Array(chunk) && typeof chunk !== 'string' && chunk !== undefined && !state.objectMode) {\n er = new TypeError('Invalid non-string/buffer chunk');\n }\n return er;\n}\n\n// if it's past the high water mark, we can push in some more.\n// Also, if we have no data yet, we can stand some\n// more bytes. This is to work around cases where hwm=0,\n// such as the repl. Also, if the push() triggered a\n// readable event, and the user called read(largeNumber) such that\n// needReadable was set, then we ought to push more, so that another\n// 'readable' event will be triggered.\nfunction needMoreData(state) {\n return !state.ended && (state.needReadable || state.length < state.highWaterMark || state.length === 0);\n}\n\nReadable.prototype.isPaused = function () {\n return this._readableState.flowing === false;\n};\n\n// backwards compatibility.\nReadable.prototype.setEncoding = function (enc) {\n if (!StringDecoder) StringDecoder = __webpack_require__(/*! string_decoder/ */ \"./node_modules/string_decoder/lib/string_decoder.js\").StringDecoder;\n this._readableState.decoder = new StringDecoder(enc);\n this._readableState.encoding = enc;\n return this;\n};\n\n// Don't raise the hwm > 8MB\nvar MAX_HWM = 0x800000;\nfunction computeNewHighWaterMark(n) {\n if (n >= MAX_HWM) {\n n = MAX_HWM;\n } else {\n // Get the next highest power of 2 to prevent increasing hwm excessively in\n // tiny amounts\n n--;\n n |= n >>> 1;\n n |= n >>> 2;\n n |= n >>> 4;\n n |= n >>> 8;\n n |= n >>> 16;\n n++;\n }\n return n;\n}\n\n// This function is designed to be inlinable, so please take care when making\n// changes to the function body.\nfunction howMuchToRead(n, state) {\n if (n <= 0 || state.length === 0 && state.ended) return 0;\n if (state.objectMode) return 1;\n if (n !== n) {\n // Only flow one buffer at a time\n if (state.flowing && state.length) return state.buffer.head.data.length;else return state.length;\n }\n // If we're asking for more than the current hwm, then raise the hwm.\n if (n > state.highWaterMark) state.highWaterMark = computeNewHighWaterMark(n);\n if (n <= state.length) return n;\n // Don't have enough\n if (!state.ended) {\n state.needReadable = true;\n return 0;\n }\n return state.length;\n}\n\n// you can override either this method, or the async _read(n) below.\nReadable.prototype.read = function (n) {\n debug('read', n);\n n = parseInt(n, 10);\n var state = this._readableState;\n var nOrig = n;\n\n if (n !== 0) state.emittedReadable = false;\n\n // if we're doing read(0) to trigger a readable event, but we\n // already have a bunch of data in the buffer, then just trigger\n // the 'readable' event and move on.\n if (n === 0 && state.needReadable && (state.length >= state.highWaterMark || state.ended)) {\n debug('read: emitReadable', state.length, state.ended);\n if (state.length === 0 && state.ended) endReadable(this);else emitReadable(this);\n return null;\n }\n\n n = howMuchToRead(n, state);\n\n // if we've ended, and we're now clear, then finish it up.\n if (n === 0 && state.ended) {\n if (state.length === 0) endReadable(this);\n return null;\n }\n\n // All the actual chunk generation logic needs to be\n // *below* the call to _read. The reason is that in certain\n // synthetic stream cases, such as passthrough streams, _read\n // may be a completely synchronous operation which may change\n // the state of the read buffer, providing enough data when\n // before there was *not* enough.\n //\n // So, the steps are:\n // 1. Figure out what the state of things will be after we do\n // a read from the buffer.\n //\n // 2. If that resulting state will trigger a _read, then call _read.\n // Note that this may be asynchronous, or synchronous. Yes, it is\n // deeply ugly to write APIs this way, but that still doesn't mean\n // that the Readable class should behave improperly, as streams are\n // designed to be sync/async agnostic.\n // Take note if the _read call is sync or async (ie, if the read call\n // has returned yet), so that we know whether or not it's safe to emit\n // 'readable' etc.\n //\n // 3. Actually pull the requested chunks out of the buffer and return.\n\n // if we need a readable event, then we need to do some reading.\n var doRead = state.needReadable;\n debug('need readable', doRead);\n\n // if we currently have less than the highWaterMark, then also read some\n if (state.length === 0 || state.length - n < state.highWaterMark) {\n doRead = true;\n debug('length less than watermark', doRead);\n }\n\n // however, if we've ended, then there's no point, and if we're already\n // reading, then it's unnecessary.\n if (state.ended || state.reading) {\n doRead = false;\n debug('reading or ended', doRead);\n } else if (doRead) {\n debug('do read');\n state.reading = true;\n state.sync = true;\n // if the length is currently zero, then we *need* a readable event.\n if (state.length === 0) state.needReadable = true;\n // call internal read method\n this._read(state.highWaterMark);\n state.sync = false;\n // If _read pushed data synchronously, then `reading` will be false,\n // and we need to re-evaluate how much data we can return to the user.\n if (!state.reading) n = howMuchToRead(nOrig, state);\n }\n\n var ret;\n if (n > 0) ret = fromList(n, state);else ret = null;\n\n if (ret === null) {\n state.needReadable = true;\n n = 0;\n } else {\n state.length -= n;\n }\n\n if (state.length === 0) {\n // If we have nothing in the buffer, then we want to know\n // as soon as we *do* get something into the buffer.\n if (!state.ended) state.needReadable = true;\n\n // If we tried to read() past the EOF, then emit end on the next tick.\n if (nOrig !== n && state.ended) endReadable(this);\n }\n\n if (ret !== null) this.emit('data', ret);\n\n return ret;\n};\n\nfunction onEofChunk(stream, state) {\n if (state.ended) return;\n if (state.decoder) {\n var chunk = state.decoder.end();\n if (chunk && chunk.length) {\n state.buffer.push(chunk);\n state.length += state.objectMode ? 1 : chunk.length;\n }\n }\n state.ended = true;\n\n // emit 'readable' now to make sure it gets picked up.\n emitReadable(stream);\n}\n\n// Don't emit readable right away in sync mode, because this can trigger\n// another read() call => stack overflow. This way, it might trigger\n// a nextTick recursion warning, but that's not so bad.\nfunction emitReadable(stream) {\n var state = stream._readableState;\n state.needReadable = false;\n if (!state.emittedReadable) {\n debug('emitReadable', state.flowing);\n state.emittedReadable = true;\n if (state.sync) pna.nextTick(emitReadable_, stream);else emitReadable_(stream);\n }\n}\n\nfunction emitReadable_(stream) {\n debug('emit readable');\n stream.emit('readable');\n flow(stream);\n}\n\n// at this point, the user has presumably seen the 'readable' event,\n// and called read() to consume some data. that may have triggered\n// in turn another _read(n) call, in which case reading = true if\n// it's in progress.\n// However, if we're not ended, or reading, and the length < hwm,\n// then go ahead and try to read some more preemptively.\nfunction maybeReadMore(stream, state) {\n if (!state.readingMore) {\n state.readingMore = true;\n pna.nextTick(maybeReadMore_, stream, state);\n }\n}\n\nfunction maybeReadMore_(stream, state) {\n var len = state.length;\n while (!state.reading && !state.flowing && !state.ended && state.length < state.highWaterMark) {\n debug('maybeReadMore read 0');\n stream.read(0);\n if (len === state.length)\n // didn't get any data, stop spinning.\n break;else len = state.length;\n }\n state.readingMore = false;\n}\n\n// abstract method. to be overridden in specific implementation classes.\n// call cb(er, data) where data is <= n in length.\n// for virtual (non-string, non-buffer) streams, \"length\" is somewhat\n// arbitrary, and perhaps not very meaningful.\nReadable.prototype._read = function (n) {\n this.emit('error', new Error('_read() is not implemented'));\n};\n\nReadable.prototype.pipe = function (dest, pipeOpts) {\n var src = this;\n var state = this._readableState;\n\n switch (state.pipesCount) {\n case 0:\n state.pipes = dest;\n break;\n case 1:\n state.pipes = [state.pipes, dest];\n break;\n default:\n state.pipes.push(dest);\n break;\n }\n state.pipesCount += 1;\n debug('pipe count=%d opts=%j', state.pipesCount, pipeOpts);\n\n var doEnd = (!pipeOpts || pipeOpts.end !== false) && dest !== process.stdout && dest !== process.stderr;\n\n var endFn = doEnd ? onend : unpipe;\n if (state.endEmitted) pna.nextTick(endFn);else src.once('end', endFn);\n\n dest.on('unpipe', onunpipe);\n function onunpipe(readable, unpipeInfo) {\n debug('onunpipe');\n if (readable === src) {\n if (unpipeInfo && unpipeInfo.hasUnpiped === false) {\n unpipeInfo.hasUnpiped = true;\n cleanup();\n }\n }\n }\n\n function onend() {\n debug('onend');\n dest.end();\n }\n\n // when the dest drains, it reduces the awaitDrain counter\n // on the source. This would be more elegant with a .once()\n // handler in flow(), but adding and removing repeatedly is\n // too slow.\n var ondrain = pipeOnDrain(src);\n dest.on('drain', ondrain);\n\n var cleanedUp = false;\n function cleanup() {\n debug('cleanup');\n // cleanup event handlers once the pipe is broken\n dest.removeListener('close', onclose);\n dest.removeListener('finish', onfinish);\n dest.removeListener('drain', ondrain);\n dest.removeListener('error', onerror);\n dest.removeListener('unpipe', onunpipe);\n src.removeListener('end', onend);\n src.removeListener('end', unpipe);\n src.removeListener('data', ondata);\n\n cleanedUp = true;\n\n // if the reader is waiting for a drain event from this\n // specific writer, then it would cause it to never start\n // flowing again.\n // So, if this is awaiting a drain, then we just call it now.\n // If we don't know, then assume that we are waiting for one.\n if (state.awaitDrain && (!dest._writableState || dest._writableState.needDrain)) ondrain();\n }\n\n // If the user pushes more data while we're writing to dest then we'll end up\n // in ondata again. However, we only want to increase awaitDrain once because\n // dest will only emit one 'drain' event for the multiple writes.\n // => Introduce a guard on increasing awaitDrain.\n var increasedAwaitDrain = false;\n src.on('data', ondata);\n function ondata(chunk) {\n debug('ondata');\n increasedAwaitDrain = false;\n var ret = dest.write(chunk);\n if (false === ret && !increasedAwaitDrain) {\n // If the user unpiped during `dest.write()`, it is possible\n // to get stuck in a permanently paused state if that write\n // also returned false.\n // => Check whether `dest` is still a piping destination.\n if ((state.pipesCount === 1 && state.pipes === dest || state.pipesCount > 1 && indexOf(state.pipes, dest) !== -1) && !cleanedUp) {\n debug('false write response, pause', state.awaitDrain);\n state.awaitDrain++;\n increasedAwaitDrain = true;\n }\n src.pause();\n }\n }\n\n // if the dest has an error, then stop piping into it.\n // however, don't suppress the throwing behavior for this.\n function onerror(er) {\n debug('onerror', er);\n unpipe();\n dest.removeListener('error', onerror);\n if (EElistenerCount(dest, 'error') === 0) dest.emit('error', er);\n }\n\n // Make sure our error handler is attached before userland ones.\n prependListener(dest, 'error', onerror);\n\n // Both close and finish should trigger unpipe, but only once.\n function onclose() {\n dest.removeListener('finish', onfinish);\n unpipe();\n }\n dest.once('close', onclose);\n function onfinish() {\n debug('onfinish');\n dest.removeListener('close', onclose);\n unpipe();\n }\n dest.once('finish', onfinish);\n\n function unpipe() {\n debug('unpipe');\n src.unpipe(dest);\n }\n\n // tell the dest that it's being piped to\n dest.emit('pipe', src);\n\n // start the flow if it hasn't been started already.\n if (!state.flowing) {\n debug('pipe resume');\n src.resume();\n }\n\n return dest;\n};\n\nfunction pipeOnDrain(src) {\n return function () {\n var state = src._readableState;\n debug('pipeOnDrain', state.awaitDrain);\n if (state.awaitDrain) state.awaitDrain--;\n if (state.awaitDrain === 0 && EElistenerCount(src, 'data')) {\n state.flowing = true;\n flow(src);\n }\n };\n}\n\nReadable.prototype.unpipe = function (dest) {\n var state = this._readableState;\n var unpipeInfo = { hasUnpiped: false };\n\n // if we're not piping anywhere, then do nothing.\n if (state.pipesCount === 0) return this;\n\n // just one destination. most common case.\n if (state.pipesCount === 1) {\n // passed in one, but it's not the right one.\n if (dest && dest !== state.pipes) return this;\n\n if (!dest) dest = state.pipes;\n\n // got a match.\n state.pipes = null;\n state.pipesCount = 0;\n state.flowing = false;\n if (dest) dest.emit('unpipe', this, unpipeInfo);\n return this;\n }\n\n // slow case. multiple pipe destinations.\n\n if (!dest) {\n // remove all.\n var dests = state.pipes;\n var len = state.pipesCount;\n state.pipes = null;\n state.pipesCount = 0;\n state.flowing = false;\n\n for (var i = 0; i < len; i++) {\n dests[i].emit('unpipe', this, { hasUnpiped: false });\n }return this;\n }\n\n // try to find the right one.\n var index = indexOf(state.pipes, dest);\n if (index === -1) return this;\n\n state.pipes.splice(index, 1);\n state.pipesCount -= 1;\n if (state.pipesCount === 1) state.pipes = state.pipes[0];\n\n dest.emit('unpipe', this, unpipeInfo);\n\n return this;\n};\n\n// set up data events if they are asked for\n// Ensure readable listeners eventually get something\nReadable.prototype.on = function (ev, fn) {\n var res = Stream.prototype.on.call(this, ev, fn);\n\n if (ev === 'data') {\n // Start flowing on next tick if stream isn't explicitly paused\n if (this._readableState.flowing !== false) this.resume();\n } else if (ev === 'readable') {\n var state = this._readableState;\n if (!state.endEmitted && !state.readableListening) {\n state.readableListening = state.needReadable = true;\n state.emittedReadable = false;\n if (!state.reading) {\n pna.nextTick(nReadingNextTick, this);\n } else if (state.length) {\n emitReadable(this);\n }\n }\n }\n\n return res;\n};\nReadable.prototype.addListener = Readable.prototype.on;\n\nfunction nReadingNextTick(self) {\n debug('readable nexttick read 0');\n self.read(0);\n}\n\n// pause() and resume() are remnants of the legacy readable stream API\n// If the user uses them, then switch into old mode.\nReadable.prototype.resume = function () {\n var state = this._readableState;\n if (!state.flowing) {\n debug('resume');\n state.flowing = true;\n resume(this, state);\n }\n return this;\n};\n\nfunction resume(stream, state) {\n if (!state.resumeScheduled) {\n state.resumeScheduled = true;\n pna.nextTick(resume_, stream, state);\n }\n}\n\nfunction resume_(stream, state) {\n if (!state.reading) {\n debug('resume read 0');\n stream.read(0);\n }\n\n state.resumeScheduled = false;\n state.awaitDrain = 0;\n stream.emit('resume');\n flow(stream);\n if (state.flowing && !state.reading) stream.read(0);\n}\n\nReadable.prototype.pause = function () {\n debug('call pause flowing=%j', this._readableState.flowing);\n if (false !== this._readableState.flowing) {\n debug('pause');\n this._readableState.flowing = false;\n this.emit('pause');\n }\n return this;\n};\n\nfunction flow(stream) {\n var state = stream._readableState;\n debug('flow', state.flowing);\n while (state.flowing && stream.read() !== null) {}\n}\n\n// wrap an old-style stream as the async data source.\n// This is *not* part of the readable stream interface.\n// It is an ugly unfortunate mess of history.\nReadable.prototype.wrap = function (stream) {\n var _this = this;\n\n var state = this._readableState;\n var paused = false;\n\n stream.on('end', function () {\n debug('wrapped end');\n if (state.decoder && !state.ended) {\n var chunk = state.decoder.end();\n if (chunk && chunk.length) _this.push(chunk);\n }\n\n _this.push(null);\n });\n\n stream.on('data', function (chunk) {\n debug('wrapped data');\n if (state.decoder) chunk = state.decoder.write(chunk);\n\n // don't skip over falsy values in objectMode\n if (state.objectMode && (chunk === null || chunk === undefined)) return;else if (!state.objectMode && (!chunk || !chunk.length)) return;\n\n var ret = _this.push(chunk);\n if (!ret) {\n paused = true;\n stream.pause();\n }\n });\n\n // proxy all the other methods.\n // important when wrapping filters and duplexes.\n for (var i in stream) {\n if (this[i] === undefined && typeof stream[i] === 'function') {\n this[i] = function (method) {\n return function () {\n return stream[method].apply(stream, arguments);\n };\n }(i);\n }\n }\n\n // proxy certain important events.\n for (var n = 0; n < kProxyEvents.length; n++) {\n stream.on(kProxyEvents[n], this.emit.bind(this, kProxyEvents[n]));\n }\n\n // when we try to consume some more bytes, simply unpause the\n // underlying stream.\n this._read = function (n) {\n debug('wrapped _read', n);\n if (paused) {\n paused = false;\n stream.resume();\n }\n };\n\n return this;\n};\n\nObject.defineProperty(Readable.prototype, 'readableHighWaterMark', {\n // making it explicit this property is not enumerable\n // because otherwise some prototype manipulation in\n // userland will fail\n enumerable: false,\n get: function () {\n return this._readableState.highWaterMark;\n }\n});\n\n// exposed for testing purposes only.\nReadable._fromList = fromList;\n\n// Pluck off n bytes from an array of buffers.\n// Length is the combined lengths of all the buffers in the list.\n// This function is designed to be inlinable, so please take care when making\n// changes to the function body.\nfunction fromList(n, state) {\n // nothing buffered\n if (state.length === 0) return null;\n\n var ret;\n if (state.objectMode) ret = state.buffer.shift();else if (!n || n >= state.length) {\n // read it all, truncate the list\n if (state.decoder) ret = state.buffer.join('');else if (state.buffer.length === 1) ret = state.buffer.head.data;else ret = state.buffer.concat(state.length);\n state.buffer.clear();\n } else {\n // read part of list\n ret = fromListPartial(n, state.buffer, state.decoder);\n }\n\n return ret;\n}\n\n// Extracts only enough buffered data to satisfy the amount requested.\n// This function is designed to be inlinable, so please take care when making\n// changes to the function body.\nfunction fromListPartial(n, list, hasStrings) {\n var ret;\n if (n < list.head.data.length) {\n // slice is the same for buffers and strings\n ret = list.head.data.slice(0, n);\n list.head.data = list.head.data.slice(n);\n } else if (n === list.head.data.length) {\n // first chunk is a perfect match\n ret = list.shift();\n } else {\n // result spans more than one buffer\n ret = hasStrings ? copyFromBufferString(n, list) : copyFromBuffer(n, list);\n }\n return ret;\n}\n\n// Copies a specified amount of characters from the list of buffered data\n// chunks.\n// This function is designed to be inlinable, so please take care when making\n// changes to the function body.\nfunction copyFromBufferString(n, list) {\n var p = list.head;\n var c = 1;\n var ret = p.data;\n n -= ret.length;\n while (p = p.next) {\n var str = p.data;\n var nb = n > str.length ? str.length : n;\n if (nb === str.length) ret += str;else ret += str.slice(0, n);\n n -= nb;\n if (n === 0) {\n if (nb === str.length) {\n ++c;\n if (p.next) list.head = p.next;else list.head = list.tail = null;\n } else {\n list.head = p;\n p.data = str.slice(nb);\n }\n break;\n }\n ++c;\n }\n list.length -= c;\n return ret;\n}\n\n// Copies a specified amount of bytes from the list of buffered data chunks.\n// This function is designed to be inlinable, so please take care when making\n// changes to the function body.\nfunction copyFromBuffer(n, list) {\n var ret = Buffer.allocUnsafe(n);\n var p = list.head;\n var c = 1;\n p.data.copy(ret);\n n -= p.data.length;\n while (p = p.next) {\n var buf = p.data;\n var nb = n > buf.length ? buf.length : n;\n buf.copy(ret, ret.length - n, 0, nb);\n n -= nb;\n if (n === 0) {\n if (nb === buf.length) {\n ++c;\n if (p.next) list.head = p.next;else list.head = list.tail = null;\n } else {\n list.head = p;\n p.data = buf.slice(nb);\n }\n break;\n }\n ++c;\n }\n list.length -= c;\n return ret;\n}\n\nfunction endReadable(stream) {\n var state = stream._readableState;\n\n // If we get here before consuming all the bytes, then that is a\n // bug in node. Should never happen.\n if (state.length > 0) throw new Error('\"endReadable()\" called on non-empty stream');\n\n if (!state.endEmitted) {\n state.ended = true;\n pna.nextTick(endReadableNT, state, stream);\n }\n}\n\nfunction endReadableNT(state, stream) {\n // Check that we didn't get one last unshift.\n if (!state.endEmitted && state.length === 0) {\n state.endEmitted = true;\n stream.readable = false;\n stream.emit('end');\n }\n}\n\nfunction indexOf(xs, x) {\n for (var i = 0, l = xs.length; i < l; i++) {\n if (xs[i] === x) return i;\n }\n return -1;\n}\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/_stream_readable.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/_stream_transform.js":
/*!***************************************************************!*\
!*** ./node_modules/readable-stream/lib/_stream_transform.js ***!
\***************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n// a transform stream is a readable/writable stream where you do\n// something with the data. Sometimes it's called a \"filter\",\n// but that's not a great name for it, since that implies a thing where\n// some bits pass through, and others are simply ignored. (That would\n// be a valid example of a transform, of course.)\n//\n// While the output is causally related to the input, it's not a\n// necessarily symmetric or synchronous transformation. For example,\n// a zlib stream might take multiple plain-text writes(), and then\n// emit a single compressed chunk some time in the future.\n//\n// Here's how this works:\n//\n// The Transform stream has all the aspects of the readable and writable\n// stream classes. When you write(chunk), that calls _write(chunk,cb)\n// internally, and returns false if there's a lot of pending writes\n// buffered up. When you call read(), that calls _read(n) until\n// there's enough pending readable data buffered up.\n//\n// In a transform stream, the written data is placed in a buffer. When\n// _read(n) is called, it transforms the queued up data, calling the\n// buffered _write cb's as it consumes chunks. If consuming a single\n// written chunk would result in multiple output chunks, then the first\n// outputted bit calls the readcb, and subsequent chunks just go into\n// the read buffer, and will cause it to emit 'readable' if necessary.\n//\n// This way, back-pressure is actually determined by the reading side,\n// since _read has to be called to start processing a new chunk. However,\n// a pathological inflate type of transform can cause excessive buffering\n// here. For example, imagine a stream where every byte of input is\n// interpreted as an integer from 0-255, and then results in that many\n// bytes of output. Writing the 4 bytes {ff,ff,ff,ff} would result in\n// 1kb of data being output. In this case, you could write a very small\n// amount of input, and end up with a very large amount of output. In\n// such a pathological inflating mechanism, there'd be no way to tell\n// the system to stop doing the transform. A single 4MB write could\n// cause the system to run out of memory.\n//\n// However, even in such a pathological case, only a single written chunk\n// would be consumed, and then the rest would wait (un-transformed) until\n// the results of the previous transformed chunk were consumed.\n\n\n\nmodule.exports = Transform;\n\nvar Duplex = __webpack_require__(/*! ./_stream_duplex */ \"./node_modules/readable-stream/lib/_stream_duplex.js\");\n\n/*<replacement>*/\nvar util = Object.create(__webpack_require__(/*! core-util-is */ \"./node_modules/core-util-is/lib/util.js\"));\nutil.inherits = __webpack_require__(/*! inherits */ \"./node_modules/inherits/inherits.js\");\n/*</replacement>*/\n\nutil.inherits(Transform, Duplex);\n\nfunction afterTransform(er, data) {\n var ts = this._transformState;\n ts.transforming = false;\n\n var cb = ts.writecb;\n\n if (!cb) {\n return this.emit('error', new Error('write callback called multiple times'));\n }\n\n ts.writechunk = null;\n ts.writecb = null;\n\n if (data != null) // single equals check for both `null` and `undefined`\n this.push(data);\n\n cb(er);\n\n var rs = this._readableState;\n rs.reading = false;\n if (rs.needReadable || rs.length < rs.highWaterMark) {\n this._read(rs.highWaterMark);\n }\n}\n\nfunction Transform(options) {\n if (!(this instanceof Transform)) return new Transform(options);\n\n Duplex.call(this, options);\n\n this._transformState = {\n afterTransform: afterTransform.bind(this),\n needTransform: false,\n transforming: false,\n writecb: null,\n writechunk: null,\n writeencoding: null\n };\n\n // start out asking for a readable event once data is transformed.\n this._readableState.needReadable = true;\n\n // we have implemented the _read method, and done the other things\n // that Readable wants before the first _read call, so unset the\n // sync guard flag.\n this._readableState.sync = false;\n\n if (options) {\n if (typeof options.transform === 'function') this._transform = options.transform;\n\n if (typeof options.flush === 'function') this._flush = options.flush;\n }\n\n // When the writable side finishes, then flush out anything remaining.\n this.on('prefinish', prefinish);\n}\n\nfunction prefinish() {\n var _this = this;\n\n if (typeof this._flush === 'function') {\n this._flush(function (er, data) {\n done(_this, er, data);\n });\n } else {\n done(this, null, null);\n }\n}\n\nTransform.prototype.push = function (chunk, encoding) {\n this._transformState.needTransform = false;\n return Duplex.prototype.push.call(this, chunk, encoding);\n};\n\n// This is the part where you do stuff!\n// override this function in implementation classes.\n// 'chunk' is an input chunk.\n//\n// Call `push(newChunk)` to pass along transformed output\n// to the readable side. You may call 'push' zero or more times.\n//\n// Call `cb(err)` when you are done with this chunk. If you pass\n// an error, then that'll put the hurt on the whole operation. If you\n// never call cb(), then you'll never get another chunk.\nTransform.prototype._transform = function (chunk, encoding, cb) {\n throw new Error('_transform() is not implemented');\n};\n\nTransform.prototype._write = function (chunk, encoding, cb) {\n var ts = this._transformState;\n ts.writecb = cb;\n ts.writechunk = chunk;\n ts.writeencoding = encoding;\n if (!ts.transforming) {\n var rs = this._readableState;\n if (ts.needTransform || rs.needReadable || rs.length < rs.highWaterMark) this._read(rs.highWaterMark);\n }\n};\n\n// Doesn't matter what the args are here.\n// _transform does all the work.\n// That we got here means that the readable side wants more data.\nTransform.prototype._read = function (n) {\n var ts = this._transformState;\n\n if (ts.writechunk !== null && ts.writecb && !ts.transforming) {\n ts.transforming = true;\n this._transform(ts.writechunk, ts.writeencoding, ts.afterTransform);\n } else {\n // mark that we need a transform, so that any data that comes in\n // will get processed, now that we've asked for it.\n ts.needTransform = true;\n }\n};\n\nTransform.prototype._destroy = function (err, cb) {\n var _this2 = this;\n\n Duplex.prototype._destroy.call(this, err, function (err2) {\n cb(err2);\n _this2.emit('close');\n });\n};\n\nfunction done(stream, er, data) {\n if (er) return stream.emit('error', er);\n\n if (data != null) // single equals check for both `null` and `undefined`\n stream.push(data);\n\n // if there's nothing in the write buffer, then that means\n // that nothing more will ever be provided\n if (stream._writableState.length) throw new Error('Calling transform done when ws.length != 0');\n\n if (stream._transformState.transforming) throw new Error('Calling transform done when still transforming');\n\n return stream.push(null);\n}\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/_stream_transform.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/_stream_writable.js":
/*!**************************************************************!*\
!*** ./node_modules/readable-stream/lib/_stream_writable.js ***!
\**************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n// A bit simpler than readable streams.\n// Implement an async ._write(chunk, encoding, cb), and it'll handle all\n// the drain event emission and buffering.\n\n\n\n/*<replacement>*/\n\nvar pna = __webpack_require__(/*! process-nextick-args */ \"./node_modules/process-nextick-args/index.js\");\n/*</replacement>*/\n\nmodule.exports = Writable;\n\n/* <replacement> */\nfunction WriteReq(chunk, encoding, cb) {\n this.chunk = chunk;\n this.encoding = encoding;\n this.callback = cb;\n this.next = null;\n}\n\n// It seems a linked list but it is not\n// there will be only 2 of these for each stream\nfunction CorkedRequest(state) {\n var _this = this;\n\n this.next = null;\n this.entry = null;\n this.finish = function () {\n onCorkedFinish(_this, state);\n };\n}\n/* </replacement> */\n\n/*<replacement>*/\nvar asyncWrite = !process.browser && ['v0.10', 'v0.9.'].indexOf(process.version.slice(0, 5)) > -1 ? setImmediate : pna.nextTick;\n/*</replacement>*/\n\n/*<replacement>*/\nvar Duplex;\n/*</replacement>*/\n\nWritable.WritableState = WritableState;\n\n/*<replacement>*/\nvar util = Object.create(__webpack_require__(/*! core-util-is */ \"./node_modules/core-util-is/lib/util.js\"));\nutil.inherits = __webpack_require__(/*! inherits */ \"./node_modules/inherits/inherits.js\");\n/*</replacement>*/\n\n/*<replacement>*/\nvar internalUtil = {\n deprecate: __webpack_require__(/*! util-deprecate */ \"./node_modules/util-deprecate/node.js\")\n};\n/*</replacement>*/\n\n/*<replacement>*/\nvar Stream = __webpack_require__(/*! ./internal/streams/stream */ \"./node_modules/readable-stream/lib/internal/streams/stream.js\");\n/*</replacement>*/\n\n/*<replacement>*/\n\nvar Buffer = __webpack_require__(/*! safe-buffer */ \"./node_modules/safe-buffer/index.js\").Buffer;\nvar OurUint8Array = (typeof global !== 'undefined' ? global : typeof window !== 'undefined' ? window : typeof self !== 'undefined' ? self : {}).Uint8Array || function () {};\nfunction _uint8ArrayToBuffer(chunk) {\n return Buffer.from(chunk);\n}\nfunction _isUint8Array(obj) {\n return Buffer.isBuffer(obj) || obj instanceof OurUint8Array;\n}\n\n/*</replacement>*/\n\nvar destroyImpl = __webpack_require__(/*! ./internal/streams/destroy */ \"./node_modules/readable-stream/lib/internal/streams/destroy.js\");\n\nutil.inherits(Writable, Stream);\n\nfunction nop() {}\n\nfunction WritableState(options, stream) {\n Duplex = Duplex || __webpack_require__(/*! ./_stream_duplex */ \"./node_modules/readable-stream/lib/_stream_duplex.js\");\n\n options = options || {};\n\n // Duplex streams are both readable and writable, but share\n // the same options object.\n // However, some cases require setting options to different\n // values for the readable and the writable sides of the duplex stream.\n // These options can be provided separately as readableXXX and writableXXX.\n var isDuplex = stream instanceof Duplex;\n\n // object stream flag to indicate whether or not this stream\n // contains buffers or objects.\n this.objectMode = !!options.objectMode;\n\n if (isDuplex) this.objectMode = this.objectMode || !!options.writableObjectMode;\n\n // the point at which write() starts returning false\n // Note: 0 is a valid value, means that we always return false if\n // the entire buffer is not flushed immediately on write()\n var hwm = options.highWaterMark;\n var writableHwm = options.writableHighWaterMark;\n var defaultHwm = this.objectMode ? 16 : 16 * 1024;\n\n if (hwm || hwm === 0) this.highWaterMark = hwm;else if (isDuplex && (writableHwm || writableHwm === 0)) this.highWaterMark = writableHwm;else this.highWaterMark = defaultHwm;\n\n // cast to ints.\n this.highWaterMark = Math.floor(this.highWaterMark);\n\n // if _final has been called\n this.finalCalled = false;\n\n // drain event flag.\n this.needDrain = false;\n // at the start of calling end()\n this.ending = false;\n // when end() has been called, and returned\n this.ended = false;\n // when 'finish' is emitted\n this.finished = false;\n\n // has it been destroyed\n this.destroyed = false;\n\n // should we decode strings into buffers before passing to _write?\n // this is here so that some node-core streams can optimize string\n // handling at a lower level.\n var noDecode = options.decodeStrings === false;\n this.decodeStrings = !noDecode;\n\n // Crypto is kind of old and crusty. Historically, its default string\n // encoding is 'binary' so we have to make this configurable.\n // Everything else in the universe uses 'utf8', though.\n this.defaultEncoding = options.defaultEncoding || 'utf8';\n\n // not an actual buffer we keep track of, but a measurement\n // of how much we're waiting to get pushed to some underlying\n // socket or file.\n this.length = 0;\n\n // a flag to see when we're in the middle of a write.\n this.writing = false;\n\n // when true all writes will be buffered until .uncork() call\n this.corked = 0;\n\n // a flag to be able to tell if the onwrite cb is called immediately,\n // or on a later tick. We set this to true at first, because any\n // actions that shouldn't happen until \"later\" should generally also\n // not happen before the first write call.\n this.sync = true;\n\n // a flag to know if we're processing previously buffered items, which\n // may call the _write() callback in the same tick, so that we don't\n // end up in an overlapped onwrite situation.\n this.bufferProcessing = false;\n\n // the callback that's passed to _write(chunk,cb)\n this.onwrite = function (er) {\n onwrite(stream, er);\n };\n\n // the callback that the user supplies to write(chunk,encoding,cb)\n this.writecb = null;\n\n // the amount that is being written when _write is called.\n this.writelen = 0;\n\n this.bufferedRequest = null;\n this.lastBufferedRequest = null;\n\n // number of pending user-supplied write callbacks\n // this must be 0 before 'finish' can be emitted\n this.pendingcb = 0;\n\n // emit prefinish if the only thing we're waiting for is _write cbs\n // This is relevant for synchronous Transform streams\n this.prefinished = false;\n\n // True if the error was already emitted and should not be thrown again\n this.errorEmitted = false;\n\n // count buffered requests\n this.bufferedRequestCount = 0;\n\n // allocate the first CorkedRequest, there is always\n // one allocated and free to use, and we maintain at most two\n this.corkedRequestsFree = new CorkedRequest(this);\n}\n\nWritableState.prototype.getBuffer = function getBuffer() {\n var current = this.bufferedRequest;\n var out = [];\n while (current) {\n out.push(current);\n current = current.next;\n }\n return out;\n};\n\n(function () {\n try {\n Object.defineProperty(WritableState.prototype, 'buffer', {\n get: internalUtil.deprecate(function () {\n return this.getBuffer();\n }, '_writableState.buffer is deprecated. Use _writableState.getBuffer ' + 'instead.', 'DEP0003')\n });\n } catch (_) {}\n})();\n\n// Test _writableState for inheritance to account for Duplex streams,\n// whose prototype chain only points to Readable.\nvar realHasInstance;\nif (typeof Symbol === 'function' && Symbol.hasInstance && typeof Function.prototype[Symbol.hasInstance] === 'function') {\n realHasInstance = Function.prototype[Symbol.hasInstance];\n Object.defineProperty(Writable, Symbol.hasInstance, {\n value: function (object) {\n if (realHasInstance.call(this, object)) return true;\n if (this !== Writable) return false;\n\n return object && object._writableState instanceof WritableState;\n }\n });\n} else {\n realHasInstance = function (object) {\n return object instanceof this;\n };\n}\n\nfunction Writable(options) {\n Duplex = Duplex || __webpack_require__(/*! ./_stream_duplex */ \"./node_modules/readable-stream/lib/_stream_duplex.js\");\n\n // Writable ctor is applied to Duplexes, too.\n // `realHasInstance` is necessary because using plain `instanceof`\n // would return false, as no `_writableState` property is attached.\n\n // Trying to use the custom `instanceof` for Writable here will also break the\n // Node.js LazyTransform implementation, which has a non-trivial getter for\n // `_writableState` that would lead to infinite recursion.\n if (!realHasInstance.call(Writable, this) && !(this instanceof Duplex)) {\n return new Writable(options);\n }\n\n this._writableState = new WritableState(options, this);\n\n // legacy.\n this.writable = true;\n\n if (options) {\n if (typeof options.write === 'function') this._write = options.write;\n\n if (typeof options.writev === 'function') this._writev = options.writev;\n\n if (typeof options.destroy === 'function') this._destroy = options.destroy;\n\n if (typeof options.final === 'function') this._final = options.final;\n }\n\n Stream.call(this);\n}\n\n// Otherwise people can pipe Writable streams, which is just wrong.\nWritable.prototype.pipe = function () {\n this.emit('error', new Error('Cannot pipe, not readable'));\n};\n\nfunction writeAfterEnd(stream, cb) {\n var er = new Error('write after end');\n // TODO: defer error events consistently everywhere, not just the cb\n stream.emit('error', er);\n pna.nextTick(cb, er);\n}\n\n// Checks that a user-supplied chunk is valid, especially for the particular\n// mode the stream is in. Currently this means that `null` is never accepted\n// and undefined/non-string values are only allowed in object mode.\nfunction validChunk(stream, state, chunk, cb) {\n var valid = true;\n var er = false;\n\n if (chunk === null) {\n er = new TypeError('May not write null values to stream');\n } else if (typeof chunk !== 'string' && chunk !== undefined && !state.objectMode) {\n er = new TypeError('Invalid non-string/buffer chunk');\n }\n if (er) {\n stream.emit('error', er);\n pna.nextTick(cb, er);\n valid = false;\n }\n return valid;\n}\n\nWritable.prototype.write = function (chunk, encoding, cb) {\n var state = this._writableState;\n var ret = false;\n var isBuf = !state.objectMode && _isUint8Array(chunk);\n\n if (isBuf && !Buffer.isBuffer(chunk)) {\n chunk = _uint8ArrayToBuffer(chunk);\n }\n\n if (typeof encoding === 'function') {\n cb = encoding;\n encoding = null;\n }\n\n if (isBuf) encoding = 'buffer';else if (!encoding) encoding = state.defaultEncoding;\n\n if (typeof cb !== 'function') cb = nop;\n\n if (state.ended) writeAfterEnd(this, cb);else if (isBuf || validChunk(this, state, chunk, cb)) {\n state.pendingcb++;\n ret = writeOrBuffer(this, state, isBuf, chunk, encoding, cb);\n }\n\n return ret;\n};\n\nWritable.prototype.cork = function () {\n var state = this._writableState;\n\n state.corked++;\n};\n\nWritable.prototype.uncork = function () {\n var state = this._writableState;\n\n if (state.corked) {\n state.corked--;\n\n if (!state.writing && !state.corked && !state.bufferProcessing && state.bufferedRequest) clearBuffer(this, state);\n }\n};\n\nWritable.prototype.setDefaultEncoding = function setDefaultEncoding(encoding) {\n // node::ParseEncoding() requires lower case.\n if (typeof encoding === 'string') encoding = encoding.toLowerCase();\n if (!(['hex', 'utf8', 'utf-8', 'ascii', 'binary', 'base64', 'ucs2', 'ucs-2', 'utf16le', 'utf-16le', 'raw'].indexOf((encoding + '').toLowerCase()) > -1)) throw new TypeError('Unknown encoding: ' + encoding);\n this._writableState.defaultEncoding = encoding;\n return this;\n};\n\nfunction decodeChunk(state, chunk, encoding) {\n if (!state.objectMode && state.decodeStrings !== false && typeof chunk === 'string') {\n chunk = Buffer.from(chunk, encoding);\n }\n return chunk;\n}\n\nObject.defineProperty(Writable.prototype, 'writableHighWaterMark', {\n // making it explicit this property is not enumerable\n // because otherwise some prototype manipulation in\n // userland will fail\n enumerable: false,\n get: function () {\n return this._writableState.highWaterMark;\n }\n});\n\n// if we're already writing something, then just put this\n// in the queue, and wait our turn. Otherwise, call _write\n// If we return false, then we need a drain event, so set that flag.\nfunction writeOrBuffer(stream, state, isBuf, chunk, encoding, cb) {\n if (!isBuf) {\n var newChunk = decodeChunk(state, chunk, encoding);\n if (chunk !== newChunk) {\n isBuf = true;\n encoding = 'buffer';\n chunk = newChunk;\n }\n }\n var len = state.objectMode ? 1 : chunk.length;\n\n state.length += len;\n\n var ret = state.length < state.highWaterMark;\n // we must ensure that previous needDrain will not be reset to false.\n if (!ret) state.needDrain = true;\n\n if (state.writing || state.corked) {\n var last = state.lastBufferedRequest;\n state.lastBufferedRequest = {\n chunk: chunk,\n encoding: encoding,\n isBuf: isBuf,\n callback: cb,\n next: null\n };\n if (last) {\n last.next = state.lastBufferedRequest;\n } else {\n state.bufferedRequest = state.lastBufferedRequest;\n }\n state.bufferedRequestCount += 1;\n } else {\n doWrite(stream, state, false, len, chunk, encoding, cb);\n }\n\n return ret;\n}\n\nfunction doWrite(stream, state, writev, len, chunk, encoding, cb) {\n state.writelen = len;\n state.writecb = cb;\n state.writing = true;\n state.sync = true;\n if (writev) stream._writev(chunk, state.onwrite);else stream._write(chunk, encoding, state.onwrite);\n state.sync = false;\n}\n\nfunction onwriteError(stream, state, sync, er, cb) {\n --state.pendingcb;\n\n if (sync) {\n // defer the callback if we are being called synchronously\n // to avoid piling up things on the stack\n pna.nextTick(cb, er);\n // this can emit finish, and it will always happen\n // after error\n pna.nextTick(finishMaybe, stream, state);\n stream._writableState.errorEmitted = true;\n stream.emit('error', er);\n } else {\n // the caller expect this to happen before if\n // it is async\n cb(er);\n stream._writableState.errorEmitted = true;\n stream.emit('error', er);\n // this can emit finish, but finish must\n // always follow error\n finishMaybe(stream, state);\n }\n}\n\nfunction onwriteStateUpdate(state) {\n state.writing = false;\n state.writecb = null;\n state.length -= state.writelen;\n state.writelen = 0;\n}\n\nfunction onwrite(stream, er) {\n var state = stream._writableState;\n var sync = state.sync;\n var cb = state.writecb;\n\n onwriteStateUpdate(state);\n\n if (er) onwriteError(stream, state, sync, er, cb);else {\n // Check if we're actually ready to finish, but don't emit yet\n var finished = needFinish(state);\n\n if (!finished && !state.corked && !state.bufferProcessing && state.bufferedRequest) {\n clearBuffer(stream, state);\n }\n\n if (sync) {\n /*<replacement>*/\n asyncWrite(afterWrite, stream, state, finished, cb);\n /*</replacement>*/\n } else {\n afterWrite(stream, state, finished, cb);\n }\n }\n}\n\nfunction afterWrite(stream, state, finished, cb) {\n if (!finished) onwriteDrain(stream, state);\n state.pendingcb--;\n cb();\n finishMaybe(stream, state);\n}\n\n// Must force callback to be called on nextTick, so that we don't\n// emit 'drain' before the write() consumer gets the 'false' return\n// value, and has a chance to attach a 'drain' listener.\nfunction onwriteDrain(stream, state) {\n if (state.length === 0 && state.needDrain) {\n state.needDrain = false;\n stream.emit('drain');\n }\n}\n\n// if there's something in the buffer waiting, then process it\nfunction clearBuffer(stream, state) {\n state.bufferProcessing = true;\n var entry = state.bufferedRequest;\n\n if (stream._writev && entry && entry.next) {\n // Fast case, write everything using _writev()\n var l = state.bufferedRequestCount;\n var buffer = new Array(l);\n var holder = state.corkedRequestsFree;\n holder.entry = entry;\n\n var count = 0;\n var allBuffers = true;\n while (entry) {\n buffer[count] = entry;\n if (!entry.isBuf) allBuffers = false;\n entry = entry.next;\n count += 1;\n }\n buffer.allBuffers = allBuffers;\n\n doWrite(stream, state, true, state.length, buffer, '', holder.finish);\n\n // doWrite is almost always async, defer these to save a bit of time\n // as the hot path ends with doWrite\n state.pendingcb++;\n state.lastBufferedRequest = null;\n if (holder.next) {\n state.corkedRequestsFree = holder.next;\n holder.next = null;\n } else {\n state.corkedRequestsFree = new CorkedRequest(state);\n }\n state.bufferedRequestCount = 0;\n } else {\n // Slow case, write chunks one-by-one\n while (entry) {\n var chunk = entry.chunk;\n var encoding = entry.encoding;\n var cb = entry.callback;\n var len = state.objectMode ? 1 : chunk.length;\n\n doWrite(stream, state, false, len, chunk, encoding, cb);\n entry = entry.next;\n state.bufferedRequestCount--;\n // if we didn't call the onwrite immediately, then\n // it means that we need to wait until it does.\n // also, that means that the chunk and cb are currently\n // being processed, so move the buffer counter past them.\n if (state.writing) {\n break;\n }\n }\n\n if (entry === null) state.lastBufferedRequest = null;\n }\n\n state.bufferedRequest = entry;\n state.bufferProcessing = false;\n}\n\nWritable.prototype._write = function (chunk, encoding, cb) {\n cb(new Error('_write() is not implemented'));\n};\n\nWritable.prototype._writev = null;\n\nWritable.prototype.end = function (chunk, encoding, cb) {\n var state = this._writableState;\n\n if (typeof chunk === 'function') {\n cb = chunk;\n chunk = null;\n encoding = null;\n } else if (typeof encoding === 'function') {\n cb = encoding;\n encoding = null;\n }\n\n if (chunk !== null && chunk !== undefined) this.write(chunk, encoding);\n\n // .end() fully uncorks\n if (state.corked) {\n state.corked = 1;\n this.uncork();\n }\n\n // ignore unnecessary end() calls.\n if (!state.ending) endWritable(this, state, cb);\n};\n\nfunction needFinish(state) {\n return state.ending && state.length === 0 && state.bufferedRequest === null && !state.finished && !state.writing;\n}\nfunction callFinal(stream, state) {\n stream._final(function (err) {\n state.pendingcb--;\n if (err) {\n stream.emit('error', err);\n }\n state.prefinished = true;\n stream.emit('prefinish');\n finishMaybe(stream, state);\n });\n}\nfunction prefinish(stream, state) {\n if (!state.prefinished && !state.finalCalled) {\n if (typeof stream._final === 'function') {\n state.pendingcb++;\n state.finalCalled = true;\n pna.nextTick(callFinal, stream, state);\n } else {\n state.prefinished = true;\n stream.emit('prefinish');\n }\n }\n}\n\nfunction finishMaybe(stream, state) {\n var need = needFinish(state);\n if (need) {\n prefinish(stream, state);\n if (state.pendingcb === 0) {\n state.finished = true;\n stream.emit('finish');\n }\n }\n return need;\n}\n\nfunction endWritable(stream, state, cb) {\n state.ending = true;\n finishMaybe(stream, state);\n if (cb) {\n if (state.finished) pna.nextTick(cb);else stream.once('finish', cb);\n }\n state.ended = true;\n stream.writable = false;\n}\n\nfunction onCorkedFinish(corkReq, state, err) {\n var entry = corkReq.entry;\n corkReq.entry = null;\n while (entry) {\n var cb = entry.callback;\n state.pendingcb--;\n cb(err);\n entry = entry.next;\n }\n\n // reuse the free corkReq.\n state.corkedRequestsFree.next = corkReq;\n}\n\nObject.defineProperty(Writable.prototype, 'destroyed', {\n get: function () {\n if (this._writableState === undefined) {\n return false;\n }\n return this._writableState.destroyed;\n },\n set: function (value) {\n // we ignore the value if the stream\n // has not been initialized yet\n if (!this._writableState) {\n return;\n }\n\n // backward compatibility, the user is explicitly\n // managing destroyed\n this._writableState.destroyed = value;\n }\n});\n\nWritable.prototype.destroy = destroyImpl.destroy;\nWritable.prototype._undestroy = destroyImpl.undestroy;\nWritable.prototype._destroy = function (err, cb) {\n this.end();\n cb(err);\n};\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/_stream_writable.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/internal/streams/BufferList.js":
/*!*************************************************************************!*\
!*** ./node_modules/readable-stream/lib/internal/streams/BufferList.js ***!
\*************************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nvar Buffer = __webpack_require__(/*! safe-buffer */ \"./node_modules/safe-buffer/index.js\").Buffer;\nvar util = __webpack_require__(/*! util */ \"util\");\n\nfunction copyBuffer(src, target, offset) {\n src.copy(target, offset);\n}\n\nmodule.exports = function () {\n function BufferList() {\n _classCallCheck(this, BufferList);\n\n this.head = null;\n this.tail = null;\n this.length = 0;\n }\n\n BufferList.prototype.push = function push(v) {\n var entry = { data: v, next: null };\n if (this.length > 0) this.tail.next = entry;else this.head = entry;\n this.tail = entry;\n ++this.length;\n };\n\n BufferList.prototype.unshift = function unshift(v) {\n var entry = { data: v, next: this.head };\n if (this.length === 0) this.tail = entry;\n this.head = entry;\n ++this.length;\n };\n\n BufferList.prototype.shift = function shift() {\n if (this.length === 0) return;\n var ret = this.head.data;\n if (this.length === 1) this.head = this.tail = null;else this.head = this.head.next;\n --this.length;\n return ret;\n };\n\n BufferList.prototype.clear = function clear() {\n this.head = this.tail = null;\n this.length = 0;\n };\n\n BufferList.prototype.join = function join(s) {\n if (this.length === 0) return '';\n var p = this.head;\n var ret = '' + p.data;\n while (p = p.next) {\n ret += s + p.data;\n }return ret;\n };\n\n BufferList.prototype.concat = function concat(n) {\n if (this.length === 0) return Buffer.alloc(0);\n var ret = Buffer.allocUnsafe(n >>> 0);\n var p = this.head;\n var i = 0;\n while (p) {\n copyBuffer(p.data, ret, i);\n i += p.data.length;\n p = p.next;\n }\n return ret;\n };\n\n return BufferList;\n}();\n\nif (util && util.inspect && util.inspect.custom) {\n module.exports.prototype[util.inspect.custom] = function () {\n var obj = util.inspect({ length: this.length });\n return this.constructor.name + ' ' + obj;\n };\n}\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/internal/streams/BufferList.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/internal/streams/destroy.js":
/*!**********************************************************************!*\
!*** ./node_modules/readable-stream/lib/internal/streams/destroy.js ***!
\**********************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\n/*<replacement>*/\n\nvar pna = __webpack_require__(/*! process-nextick-args */ \"./node_modules/process-nextick-args/index.js\");\n/*</replacement>*/\n\n// undocumented cb() API, needed for core, not for public API\nfunction destroy(err, cb) {\n var _this = this;\n\n var readableDestroyed = this._readableState && this._readableState.destroyed;\n var writableDestroyed = this._writableState && this._writableState.destroyed;\n\n if (readableDestroyed || writableDestroyed) {\n if (cb) {\n cb(err);\n } else if (err) {\n if (!this._writableState) {\n pna.nextTick(emitErrorNT, this, err);\n } else if (!this._writableState.errorEmitted) {\n this._writableState.errorEmitted = true;\n pna.nextTick(emitErrorNT, this, err);\n }\n }\n\n return this;\n }\n\n // we set destroyed to true before firing error callbacks in order\n // to make it re-entrance safe in case destroy() is called within callbacks\n\n if (this._readableState) {\n this._readableState.destroyed = true;\n }\n\n // if this is a duplex stream mark the writable part as destroyed as well\n if (this._writableState) {\n this._writableState.destroyed = true;\n }\n\n this._destroy(err || null, function (err) {\n if (!cb && err) {\n if (!_this._writableState) {\n pna.nextTick(emitErrorNT, _this, err);\n } else if (!_this._writableState.errorEmitted) {\n _this._writableState.errorEmitted = true;\n pna.nextTick(emitErrorNT, _this, err);\n }\n } else if (cb) {\n cb(err);\n }\n });\n\n return this;\n}\n\nfunction undestroy() {\n if (this._readableState) {\n this._readableState.destroyed = false;\n this._readableState.reading = false;\n this._readableState.ended = false;\n this._readableState.endEmitted = false;\n }\n\n if (this._writableState) {\n this._writableState.destroyed = false;\n this._writableState.ended = false;\n this._writableState.ending = false;\n this._writableState.finalCalled = false;\n this._writableState.prefinished = false;\n this._writableState.finished = false;\n this._writableState.errorEmitted = false;\n }\n}\n\nfunction emitErrorNT(self, err) {\n self.emit('error', err);\n}\n\nmodule.exports = {\n destroy: destroy,\n undestroy: undestroy\n};\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/internal/streams/destroy.js?");
/***/ }),
/***/ "./node_modules/readable-stream/lib/internal/streams/stream.js":
/*!*********************************************************************!*\
!*** ./node_modules/readable-stream/lib/internal/streams/stream.js ***!
\*********************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("module.exports = __webpack_require__(/*! stream */ \"stream\");\n\n\n//# sourceURL=webpack:///./node_modules/readable-stream/lib/internal/streams/stream.js?");
/***/ }),
/***/ "./node_modules/readable-stream/readable.js":
/*!**************************************************!*\
!*** ./node_modules/readable-stream/readable.js ***!
\**************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var Stream = __webpack_require__(/*! stream */ \"stream\");\nif (process.env.READABLE_STREAM === 'disable' && Stream) {\n module.exports = Stream;\n exports = module.exports = Stream.Readable;\n exports.Readable = Stream.Readable;\n exports.Writable = Stream.Writable;\n exports.Duplex = Stream.Duplex;\n exports.Transform = Stream.Transform;\n exports.PassThrough = Stream.PassThrough;\n exports.Stream = Stream;\n} else {\n exports = module.exports = __webpack_require__(/*! ./lib/_stream_readable.js */ \"./node_modules/readable-stream/lib/_stream_readable.js\");\n exports.Stream = Stream || exports;\n exports.Readable = exports;\n exports.Writable = __webpack_require__(/*! ./lib/_stream_writable.js */ \"./node_modules/readable-stream/lib/_stream_writable.js\");\n exports.Duplex = __webpack_require__(/*! ./lib/_stream_duplex.js */ \"./node_modules/readable-stream/lib/_stream_duplex.js\");\n exports.Transform = __webpack_require__(/*! ./lib/_stream_transform.js */ \"./node_modules/readable-stream/lib/_stream_transform.js\");\n exports.PassThrough = __webpack_require__(/*! ./lib/_stream_passthrough.js */ \"./node_modules/readable-stream/lib/_stream_passthrough.js\");\n}\n\n\n//# sourceURL=webpack:///./node_modules/readable-stream/readable.js?");
/***/ }),
/***/ "./node_modules/safe-buffer/index.js":
/*!*******************************************!*\
!*** ./node_modules/safe-buffer/index.js ***!
\*******************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("/* eslint-disable node/no-deprecated-api */\nvar buffer = __webpack_require__(/*! buffer */ \"buffer\")\nvar Buffer = buffer.Buffer\n\n// alternative to using Object.keys for old browsers\nfunction copyProps (src, dst) {\n for (var key in src) {\n dst[key] = src[key]\n }\n}\nif (Buffer.from && Buffer.alloc && Buffer.allocUnsafe && Buffer.allocUnsafeSlow) {\n module.exports = buffer\n} else {\n // Copy properties from require('buffer')\n copyProps(buffer, exports)\n exports.Buffer = SafeBuffer\n}\n\nfunction SafeBuffer (arg, encodingOrOffset, length) {\n return Buffer(arg, encodingOrOffset, length)\n}\n\n// Copy static methods from Buffer\ncopyProps(Buffer, SafeBuffer)\n\nSafeBuffer.from = function (arg, encodingOrOffset, length) {\n if (typeof arg === 'number') {\n throw new TypeError('Argument must not be a number')\n }\n return Buffer(arg, encodingOrOffset, length)\n}\n\nSafeBuffer.alloc = function (size, fill, encoding) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n var buf = Buffer(size)\n if (fill !== undefined) {\n if (typeof encoding === 'string') {\n buf.fill(fill, encoding)\n } else {\n buf.fill(fill)\n }\n } else {\n buf.fill(0)\n }\n return buf\n}\n\nSafeBuffer.allocUnsafe = function (size) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n return Buffer(size)\n}\n\nSafeBuffer.allocUnsafeSlow = function (size) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n return buffer.SlowBuffer(size)\n}\n\n\n//# sourceURL=webpack:///./node_modules/safe-buffer/index.js?");
/***/ }),
/***/ "./node_modules/setimmediate/setImmediate.js":
/*!***************************************************!*\
!*** ./node_modules/setimmediate/setImmediate.js ***!
\***************************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("(function (global, undefined) {\n \"use strict\";\n\n if (global.setImmediate) {\n return;\n }\n\n var nextHandle = 1; // Spec says greater than zero\n var tasksByHandle = {};\n var currentlyRunningATask = false;\n var doc = global.document;\n var registerImmediate;\n\n function setImmediate(callback) {\n // Callback can either be a function or a string\n if (typeof callback !== \"function\") {\n callback = new Function(\"\" + callback);\n }\n // Copy function arguments\n var args = new Array(arguments.length - 1);\n for (var i = 0; i < args.length; i++) {\n args[i] = arguments[i + 1];\n }\n // Store and register the task\n var task = { callback: callback, args: args };\n tasksByHandle[nextHandle] = task;\n registerImmediate(nextHandle);\n return nextHandle++;\n }\n\n function clearImmediate(handle) {\n delete tasksByHandle[handle];\n }\n\n function run(task) {\n var callback = task.callback;\n var args = task.args;\n switch (args.length) {\n case 0:\n callback();\n break;\n case 1:\n callback(args[0]);\n break;\n case 2:\n callback(args[0], args[1]);\n break;\n case 3:\n callback(args[0], args[1], args[2]);\n break;\n default:\n callback.apply(undefined, args);\n break;\n }\n }\n\n function runIfPresent(handle) {\n // From the spec: \"Wait until any invocations of this algorithm started before this one have completed.\"\n // So if we're currently running a task, we'll need to delay this invocation.\n if (currentlyRunningATask) {\n // Delay by doing a setTimeout. setImmediate was tried instead, but in Firefox 7 it generated a\n // \"too much recursion\" error.\n setTimeout(runIfPresent, 0, handle);\n } else {\n var task = tasksByHandle[handle];\n if (task) {\n currentlyRunningATask = true;\n try {\n run(task);\n } finally {\n clearImmediate(handle);\n currentlyRunningATask = false;\n }\n }\n }\n }\n\n function installNextTickImplementation() {\n registerImmediate = function(handle) {\n process.nextTick(function () { runIfPresent(handle); });\n };\n }\n\n function canUsePostMessage() {\n // The test against `importScripts` prevents this implementation from being installed inside a web worker,\n // where `global.postMessage` means something completely different and can't be used for this purpose.\n if (global.postMessage && !global.importScripts) {\n var postMessageIsAsynchronous = true;\n var oldOnMessage = global.onmessage;\n global.onmessage = function() {\n postMessageIsAsynchronous = false;\n };\n global.postMessage(\"\", \"*\");\n global.onmessage = oldOnMessage;\n return postMessageIsAsynchronous;\n }\n }\n\n function installPostMessageImplementation() {\n // Installs an event handler on `global` for the `message` event: see\n // * https://developer.mozilla.org/en/DOM/window.postMessage\n // * http://www.whatwg.org/specs/web-apps/current-work/multipage/comms.html#crossDocumentMessages\n\n var messagePrefix = \"setImmediate$\" + Math.random() + \"$\";\n var onGlobalMessage = function(event) {\n if (event.source === global &&\n typeof event.data === \"string\" &&\n event.data.indexOf(messagePrefix) === 0) {\n runIfPresent(+event.data.slice(messagePrefix.length));\n }\n };\n\n if (global.addEventListener) {\n global.addEventListener(\"message\", onGlobalMessage, false);\n } else {\n global.attachEvent(\"onmessage\", onGlobalMessage);\n }\n\n registerImmediate = function(handle) {\n global.postMessage(messagePrefix + handle, \"*\");\n };\n }\n\n function installMessageChannelImplementation() {\n var channel = new MessageChannel();\n channel.port1.onmessage = function(event) {\n var handle = event.data;\n runIfPresent(handle);\n };\n\n registerImmediate = function(handle) {\n channel.port2.postMessage(handle);\n };\n }\n\n function installReadyStateChangeImplementation() {\n var html = doc.documentElement;\n registerImmediate = function(handle) {\n // Create a <script> element; its readystatechange event will be fired asynchronously once it is inserted\n // into the document. Do so, thus queuing up the task. Remember to clean up once it's been called.\n var script = doc.createElement(\"script\");\n script.onreadystatechange = function () {\n runIfPresent(handle);\n script.onreadystatechange = null;\n html.removeChild(script);\n script = null;\n };\n html.appendChild(script);\n };\n }\n\n function installSetTimeoutImplementation() {\n registerImmediate = function(handle) {\n setTimeout(runIfPresent, 0, handle);\n };\n }\n\n // If supported, we should attach to the prototype of global, since that is where setTimeout et al. live.\n var attachTo = Object.getPrototypeOf && Object.getPrototypeOf(global);\n attachTo = attachTo && attachTo.setTimeout ? attachTo : global;\n\n // Don't get fooled by e.g. browserify environments.\n if ({}.toString.call(global.process) === \"[object process]\") {\n // For Node.js before 0.9\n installNextTickImplementation();\n\n } else if (canUsePostMessage()) {\n // For non-IE10 modern browsers\n installPostMessageImplementation();\n\n } else if (global.MessageChannel) {\n // For web workers, where supported\n installMessageChannelImplementation();\n\n } else if (doc && \"onreadystatechange\" in doc.createElement(\"script\")) {\n // For IE 6–8\n installReadyStateChangeImplementation();\n\n } else {\n // For older browsers\n installSetTimeoutImplementation();\n }\n\n attachTo.setImmediate = setImmediate;\n attachTo.clearImmediate = clearImmediate;\n}(typeof self === \"undefined\" ? typeof global === \"undefined\" ? this : global : self));\n\n\n//# sourceURL=webpack:///./node_modules/setimmediate/setImmediate.js?");
/***/ }),
/***/ "./node_modules/string_decoder/lib/string_decoder.js":
/*!***********************************************************!*\
!*** ./node_modules/string_decoder/lib/string_decoder.js ***!
\***********************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// 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 permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n\n\n/*<replacement>*/\n\nvar Buffer = __webpack_require__(/*! safe-buffer */ \"./node_modules/safe-buffer/index.js\").Buffer;\n/*</replacement>*/\n\nvar isEncoding = Buffer.isEncoding || function (encoding) {\n encoding = '' + encoding;\n switch (encoding && encoding.toLowerCase()) {\n case 'hex':case 'utf8':case 'utf-8':case 'ascii':case 'binary':case 'base64':case 'ucs2':case 'ucs-2':case 'utf16le':case 'utf-16le':case 'raw':\n return true;\n default:\n return false;\n }\n};\n\nfunction _normalizeEncoding(enc) {\n if (!enc) return 'utf8';\n var retried;\n while (true) {\n switch (enc) {\n case 'utf8':\n case 'utf-8':\n return 'utf8';\n case 'ucs2':\n case 'ucs-2':\n case 'utf16le':\n case 'utf-16le':\n return 'utf16le';\n case 'latin1':\n case 'binary':\n return 'latin1';\n case 'base64':\n case 'ascii':\n case 'hex':\n return enc;\n default:\n if (retried) return; // undefined\n enc = ('' + enc).toLowerCase();\n retried = true;\n }\n }\n};\n\n// Do not cache `Buffer.isEncoding` when checking encoding names as some\n// modules monkey-patch it to support additional encodings\nfunction normalizeEncoding(enc) {\n var nenc = _normalizeEncoding(enc);\n if (typeof nenc !== 'string' && (Buffer.isEncoding === isEncoding || !isEncoding(enc))) throw new Error('Unknown encoding: ' + enc);\n return nenc || enc;\n}\n\n// StringDecoder provides an interface for efficiently splitting a series of\n// buffers into a series of JS strings without breaking apart multi-byte\n// characters.\nexports.StringDecoder = StringDecoder;\nfunction StringDecoder(encoding) {\n this.encoding = normalizeEncoding(encoding);\n var nb;\n switch (this.encoding) {\n case 'utf16le':\n this.text = utf16Text;\n this.end = utf16End;\n nb = 4;\n break;\n case 'utf8':\n this.fillLast = utf8FillLast;\n nb = 4;\n break;\n case 'base64':\n this.text = base64Text;\n this.end = base64End;\n nb = 3;\n break;\n default:\n this.write = simpleWrite;\n this.end = simpleEnd;\n return;\n }\n this.lastNeed = 0;\n this.lastTotal = 0;\n this.lastChar = Buffer.allocUnsafe(nb);\n}\n\nStringDecoder.prototype.write = function (buf) {\n if (buf.length === 0) return '';\n var r;\n var i;\n if (this.lastNeed) {\n r = this.fillLast(buf);\n if (r === undefined) return '';\n i = this.lastNeed;\n this.lastNeed = 0;\n } else {\n i = 0;\n }\n if (i < buf.length) return r ? r + this.text(buf, i) : this.text(buf, i);\n return r || '';\n};\n\nStringDecoder.prototype.end = utf8End;\n\n// Returns only complete characters in a Buffer\nStringDecoder.prototype.text = utf8Text;\n\n// Attempts to complete a partial non-UTF-8 character using bytes from a Buffer\nStringDecoder.prototype.fillLast = function (buf) {\n if (this.lastNeed <= buf.length) {\n buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, this.lastNeed);\n return this.lastChar.toString(this.encoding, 0, this.lastTotal);\n }\n buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, buf.length);\n this.lastNeed -= buf.length;\n};\n\n// Checks the type of a UTF-8 byte, whether it's ASCII, a leading byte, or a\n// continuation byte. If an invalid byte is detected, -2 is returned.\nfunction utf8CheckByte(byte) {\n if (byte <= 0x7F) return 0;else if (byte >> 5 === 0x06) return 2;else if (byte >> 4 === 0x0E) return 3;else if (byte >> 3 === 0x1E) return 4;\n return byte >> 6 === 0x02 ? -1 : -2;\n}\n\n// Checks at most 3 bytes at the end of a Buffer in order to detect an\n// incomplete multi-byte UTF-8 character. The total number of bytes (2, 3, or 4)\n// needed to complete the UTF-8 character (if applicable) are returned.\nfunction utf8CheckIncomplete(self, buf, i) {\n var j = buf.length - 1;\n if (j < i) return 0;\n var nb = utf8CheckByte(buf[j]);\n if (nb >= 0) {\n if (nb > 0) self.lastNeed = nb - 1;\n return nb;\n }\n if (--j < i || nb === -2) return 0;\n nb = utf8CheckByte(buf[j]);\n if (nb >= 0) {\n if (nb > 0) self.lastNeed = nb - 2;\n return nb;\n }\n if (--j < i || nb === -2) return 0;\n nb = utf8CheckByte(buf[j]);\n if (nb >= 0) {\n if (nb > 0) {\n if (nb === 2) nb = 0;else self.lastNeed = nb - 3;\n }\n return nb;\n }\n return 0;\n}\n\n// Validates as many continuation bytes for a multi-byte UTF-8 character as\n// needed or are available. If we see a non-continuation byte where we expect\n// one, we \"replace\" the validated continuation bytes we've seen so far with\n// a single UTF-8 replacement character ('\\ufffd'), to match v8's UTF-8 decoding\n// behavior. The continuation byte check is included three times in the case\n// where all of the continuation bytes for a character exist in the same buffer.\n// It is also done this way as a slight performance increase instead of using a\n// loop.\nfunction utf8CheckExtraBytes(self, buf, p) {\n if ((buf[0] & 0xC0) !== 0x80) {\n self.lastNeed = 0;\n return '\\ufffd';\n }\n if (self.lastNeed > 1 && buf.length > 1) {\n if ((buf[1] & 0xC0) !== 0x80) {\n self.lastNeed = 1;\n return '\\ufffd';\n }\n if (self.lastNeed > 2 && buf.length > 2) {\n if ((buf[2] & 0xC0) !== 0x80) {\n self.lastNeed = 2;\n return '\\ufffd';\n }\n }\n }\n}\n\n// Attempts to complete a multi-byte UTF-8 character using bytes from a Buffer.\nfunction utf8FillLast(buf) {\n var p = this.lastTotal - this.lastNeed;\n var r = utf8CheckExtraBytes(this, buf, p);\n if (r !== undefined) return r;\n if (this.lastNeed <= buf.length) {\n buf.copy(this.lastChar, p, 0, this.lastNeed);\n return this.lastChar.toString(this.encoding, 0, this.lastTotal);\n }\n buf.copy(this.lastChar, p, 0, buf.length);\n this.lastNeed -= buf.length;\n}\n\n// Returns all complete UTF-8 characters in a Buffer. If the Buffer ended on a\n// partial character, the character's bytes are buffered until the required\n// number of bytes are available.\nfunction utf8Text(buf, i) {\n var total = utf8CheckIncomplete(this, buf, i);\n if (!this.lastNeed) return buf.toString('utf8', i);\n this.lastTotal = total;\n var end = buf.length - (total - this.lastNeed);\n buf.copy(this.lastChar, 0, end);\n return buf.toString('utf8', i, end);\n}\n\n// For UTF-8, a replacement character is added when ending on a partial\n// character.\nfunction utf8End(buf) {\n var r = buf && buf.length ? this.write(buf) : '';\n if (this.lastNeed) return r + '\\ufffd';\n return r;\n}\n\n// UTF-16LE typically needs two bytes per character, but even if we have an even\n// number of bytes available, we need to check if we end on a leading/high\n// surrogate. In that case, we need to wait for the next two bytes in order to\n// decode the last character properly.\nfunction utf16Text(buf, i) {\n if ((buf.length - i) % 2 === 0) {\n var r = buf.toString('utf16le', i);\n if (r) {\n var c = r.charCodeAt(r.length - 1);\n if (c >= 0xD800 && c <= 0xDBFF) {\n this.lastNeed = 2;\n this.lastTotal = 4;\n this.lastChar[0] = buf[buf.length - 2];\n this.lastChar[1] = buf[buf.length - 1];\n return r.slice(0, -1);\n }\n }\n return r;\n }\n this.lastNeed = 1;\n this.lastTotal = 2;\n this.lastChar[0] = buf[buf.length - 1];\n return buf.toString('utf16le', i, buf.length - 1);\n}\n\n// For UTF-16LE we do not explicitly append special replacement characters if we\n// end on a partial character, we simply let v8 handle that.\nfunction utf16End(buf) {\n var r = buf && buf.length ? this.write(buf) : '';\n if (this.lastNeed) {\n var end = this.lastTotal - this.lastNeed;\n return r + this.lastChar.toString('utf16le', 0, end);\n }\n return r;\n}\n\nfunction base64Text(buf, i) {\n var n = (buf.length - i) % 3;\n if (n === 0) return buf.toString('base64', i);\n this.lastNeed = 3 - n;\n this.lastTotal = 3;\n if (n === 1) {\n this.lastChar[0] = buf[buf.length - 1];\n } else {\n this.lastChar[0] = buf[buf.length - 2];\n this.lastChar[1] = buf[buf.length - 1];\n }\n return buf.toString('base64', i, buf.length - n);\n}\n\nfunction base64End(buf) {\n var r = buf && buf.length ? this.write(buf) : '';\n if (this.lastNeed) return r + this.lastChar.toString('base64', 0, 3 - this.lastNeed);\n return r;\n}\n\n// Pass bytes on through for single-byte encodings (e.g. ascii, latin1, hex)\nfunction simpleWrite(buf) {\n return buf.toString(this.encoding);\n}\n\nfunction simpleEnd(buf) {\n return buf && buf.length ? this.write(buf) : '';\n}\n\n//# sourceURL=webpack:///./node_modules/string_decoder/lib/string_decoder.js?");
/***/ }),
/***/ "./node_modules/supports-color/index.js":
/*!**********************************************!*\
!*** ./node_modules/supports-color/index.js ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\nconst os = __webpack_require__(/*! os */ \"os\");\nconst tty = __webpack_require__(/*! tty */ \"tty\");\nconst hasFlag = __webpack_require__(/*! has-flag */ \"./node_modules/has-flag/index.js\");\n\nconst {env} = process;\n\nlet forceColor;\nif (hasFlag('no-color') ||\n\thasFlag('no-colors') ||\n\thasFlag('color=false') ||\n\thasFlag('color=never')) {\n\tforceColor = 0;\n} else if (hasFlag('color') ||\n\thasFlag('colors') ||\n\thasFlag('color=true') ||\n\thasFlag('color=always')) {\n\tforceColor = 1;\n}\n\nif ('FORCE_COLOR' in env) {\n\tif (env.FORCE_COLOR === 'true') {\n\t\tforceColor = 1;\n\t} else if (env.FORCE_COLOR === 'false') {\n\t\tforceColor = 0;\n\t} else {\n\t\tforceColor = env.FORCE_COLOR.length === 0 ? 1 : Math.min(parseInt(env.FORCE_COLOR, 10), 3);\n\t}\n}\n\nfunction translateLevel(level) {\n\tif (level === 0) {\n\t\treturn false;\n\t}\n\n\treturn {\n\t\tlevel,\n\t\thasBasic: true,\n\t\thas256: level >= 2,\n\t\thas16m: level >= 3\n\t};\n}\n\nfunction supportsColor(haveStream, streamIsTTY) {\n\tif (forceColor === 0) {\n\t\treturn 0;\n\t}\n\n\tif (hasFlag('color=16m') ||\n\t\thasFlag('color=full') ||\n\t\thasFlag('color=truecolor')) {\n\t\treturn 3;\n\t}\n\n\tif (hasFlag('color=256')) {\n\t\treturn 2;\n\t}\n\n\tif (haveStream && !streamIsTTY && forceColor === undefined) {\n\t\treturn 0;\n\t}\n\n\tconst min = forceColor || 0;\n\n\tif (env.TERM === 'dumb') {\n\t\treturn min;\n\t}\n\n\tif (process.platform === 'win32') {\n\t\t// Windows 10 build 10586 is the first Windows release that supports 256 colors.\n\t\t// Windows 10 build 14931 is the first release that supports 16m/TrueColor.\n\t\tconst osRelease = os.release().split('.');\n\t\tif (\n\t\t\tNumber(osRelease[0]) >= 10 &&\n\t\t\tNumber(osRelease[2]) >= 10586\n\t\t) {\n\t\t\treturn Number(osRelease[2]) >= 14931 ? 3 : 2;\n\t\t}\n\n\t\treturn 1;\n\t}\n\n\tif ('CI' in env) {\n\t\tif (['TRAVIS', 'CIRCLECI', 'APPVEYOR', 'GITLAB_CI', 'GITHUB_ACTIONS', 'BUILDKITE'].some(sign => sign in env) || env.CI_NAME === 'codeship') {\n\t\t\treturn 1;\n\t\t}\n\n\t\treturn min;\n\t}\n\n\tif ('TEAMCITY_VERSION' in env) {\n\t\treturn /^(9\\.(0*[1-9]\\d*)\\.|\\d{2,}\\.)/.test(env.TEAMCITY_VERSION) ? 1 : 0;\n\t}\n\n\tif (env.COLORTERM === 'truecolor') {\n\t\treturn 3;\n\t}\n\n\tif ('TERM_PROGRAM' in env) {\n\t\tconst version = parseInt((env.TERM_PROGRAM_VERSION || '').split('.')[0], 10);\n\n\t\tswitch (env.TERM_PROGRAM) {\n\t\t\tcase 'iTerm.app':\n\t\t\t\treturn version >= 3 ? 3 : 2;\n\t\t\tcase 'Apple_Terminal':\n\t\t\t\treturn 2;\n\t\t\t// No default\n\t\t}\n\t}\n\n\tif (/-256(color)?$/i.test(env.TERM)) {\n\t\treturn 2;\n\t}\n\n\tif (/^screen|^xterm|^vt100|^vt220|^rxvt|color|ansi|cygwin|linux/i.test(env.TERM)) {\n\t\treturn 1;\n\t}\n\n\tif ('COLORTERM' in env) {\n\t\treturn 1;\n\t}\n\n\treturn min;\n}\n\nfunction getSupportLevel(stream) {\n\tconst level = supportsColor(stream, stream && stream.isTTY);\n\treturn translateLevel(level);\n}\n\nmodule.exports = {\n\tsupportsColor: getSupportLevel,\n\tstdout: translateLevel(supportsColor(true, tty.isatty(1))),\n\tstderr: translateLevel(supportsColor(true, tty.isatty(2)))\n};\n\n\n//# sourceURL=webpack:///./node_modules/supports-color/index.js?");
/***/ }),
/***/ "./node_modules/unzip-crx/dist/index.js":
/*!**********************************************!*\
!*** ./node_modules/unzip-crx/dist/index.js ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
eval("\n\nvar fs = __webpack_require__(/*! fs */ \"fs\");\nvar path = __webpack_require__(/*! path */ \"path\");\nvar jszip = __webpack_require__(/*! jszip */ \"./node_modules/jszip/lib/index.js\");\nvar mkdirp = __webpack_require__(/*! mkdirp */ \"./node_modules/mkdirp/index.js\");\nvar promisify = __webpack_require__(/*! yaku/lib/promisify */ \"./node_modules/yaku/lib/promisify.js\");\n\nvar writeFile = promisify(fs.writeFile);\nvar readFile = promisify(fs.readFile);\nvar mkdir = promisify(mkdirp);\n\nfunction crxToZip(buf) {\n function calcLength(a, b, c, d) {\n var length = 0;\n\n length += a;\n length += b << 8;\n length += c << 16;\n length += d << 24;\n return length;\n }\n\n // 50 4b 03 04\n // This is actually a zip file\n if (buf[0] === 80 && buf[1] === 75 && buf[2] === 3 && buf[3] === 4) {\n return buf;\n }\n\n // 43 72 32 34 (Cr24)\n if (buf[0] !== 67 || buf[1] !== 114 || buf[2] !== 50 || buf[3] !== 52) {\n throw new Error(\"Invalid header: Does not start with Cr24\");\n }\n\n // 02 00 00 00\n if (buf[4] !== 2 || buf[5] || buf[6] || buf[7]) {\n throw new Error(\"Unexpected crx format version number.\");\n }\n\n var publicKeyLength = calcLength(buf[8], buf[9], buf[10], buf[11]);\n var signatureLength = calcLength(buf[12], buf[13], buf[14], buf[15]);\n\n // 16 = Magic number (4), CRX format version (4), lengths (2x4)\n var zipStartOffset = 16 + publicKeyLength + signatureLength;\n\n return buf.slice(zipStartOffset, buf.length);\n}\n\nfunction unzip(crxFilePath, destination) {\n var filePath = path.resolve(crxFilePath);\n var extname = path.extname(crxFilePath);\n var basename = path.basename(crxFilePath, extname);\n var dirname = path.dirname(crxFilePath);\n\n destination = destination || path.resolve(dirname, basename);\n return readFile(filePath).then(function (buf) {\n return jszip.loadAsync(crxToZip(buf));\n }).then(function (zip) {\n var zipFileKeys = Object.keys(zip.files);\n\n return Promise.all(zipFileKeys.map(function (filename) {\n var isFile = !zip.files[filename].dir;\n var fullPath = path.join(destination, filename);\n var directory = isFile && path.dirname(fullPath) || fullPath;\n var content = zip.files[filename].async(\"nodebuffer\");\n\n return mkdir(directory).then(function () {\n return isFile ? content : false;\n }).then(function (data) {\n return data ? writeFile(fullPath, data) : true;\n });\n }));\n });\n}\n\nmodule.exports = unzip;\n\n//# sourceURL=webpack:///./node_modules/unzip-crx/dist/index.js?");
/***/ }),
/***/ "./node_modules/util-deprecate/node.js":
/*!*********************************************!*\
!*** ./node_modules/util-deprecate/node.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("\n/**\n * For Node.js, simply re-export the core `util.deprecate` function.\n */\n\nmodule.exports = __webpack_require__(/*! util */ \"util\").deprecate;\n\n\n//# sourceURL=webpack:///./node_modules/util-deprecate/node.js?");
/***/ }),
/***/ "./node_modules/vue-cli-plugin-electron-builder/lib/createProtocol.js":
/*!****************************************************************************!*\
!*** ./node_modules/vue-cli-plugin-electron-builder/lib/createProtocol.js ***!
\****************************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! electron */ \"electron\");\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(electron__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! path */ \"path\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(path__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! fs */ \"fs\");\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(fs__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var url__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! url */ \"url\");\n/* harmony import */ var url__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(url__WEBPACK_IMPORTED_MODULE_3__);\n\n\n\n\n\n/* harmony default export */ __webpack_exports__[\"default\"] = ((scheme, customProtocol) => {\n (customProtocol || electron__WEBPACK_IMPORTED_MODULE_0__[\"protocol\"]).registerBufferProtocol(\n scheme,\n (request, respond) => {\n let pathName = new url__WEBPACK_IMPORTED_MODULE_3__[\"URL\"](request.url).pathname\n pathName = decodeURI(pathName) // Needed in case URL contains spaces\n\n Object(fs__WEBPACK_IMPORTED_MODULE_2__[\"readFile\"])(path__WEBPACK_IMPORTED_MODULE_1__[\"join\"](__dirname, pathName), (error, data) => {\n if (error) {\n console.error(\n `Failed to read ${pathName} on ${scheme} protocol`,\n error\n )\n }\n const extension = path__WEBPACK_IMPORTED_MODULE_1__[\"extname\"](pathName).toLowerCase()\n let mimeType = ''\n\n if (extension === '.js') {\n mimeType = 'text/javascript'\n } else if (extension === '.html') {\n mimeType = 'text/html'\n } else if (extension === '.css') {\n mimeType = 'text/css'\n } else if (extension === '.svg' || extension === '.svgz') {\n mimeType = 'image/svg+xml'\n } else if (extension === '.json') {\n mimeType = 'application/json'\n } else if (extension === '.wasm') {\n mimeType = 'application/wasm'\n }\n\n respond({ mimeType, data })\n })\n }\n )\n});\n\n\n//# sourceURL=webpack:///./node_modules/vue-cli-plugin-electron-builder/lib/createProtocol.js?");
/***/ }),
/***/ "./node_modules/vue-cli-plugin-electron-builder/lib/index.js":
/*!*******************************************************************!*\
!*** ./node_modules/vue-cli-plugin-electron-builder/lib/index.js ***!
\*******************************************************************/
/*! exports provided: installVueDevtools, createProtocol */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _installVueDevtools__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./installVueDevtools */ \"./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/index.js\");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, \"installVueDevtools\", function() { return _installVueDevtools__WEBPACK_IMPORTED_MODULE_0__[\"default\"]; });\n\n/* harmony import */ var _createProtocol__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./createProtocol */ \"./node_modules/vue-cli-plugin-electron-builder/lib/createProtocol.js\");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, \"createProtocol\", function() { return _createProtocol__WEBPACK_IMPORTED_MODULE_1__[\"default\"]; });\n\n\n\n\n\n//# sourceURL=webpack:///./node_modules/vue-cli-plugin-electron-builder/lib/index.js?");
/***/ }),
/***/ "./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/downloadChromeExtension.js":
/*!********************************************************************************************************!*\
!*** ./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/downloadChromeExtension.js ***!
\********************************************************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! fs */ \"fs\");\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(fs__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! path */ \"path\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(path__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var rimraf__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! rimraf */ \"./node_modules/vue-cli-plugin-electron-builder/node_modules/rimraf/rimraf.js\");\n/* harmony import */ var rimraf__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(rimraf__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var unzip_crx__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! unzip-crx */ \"./node_modules/unzip-crx/dist/index.js\");\n/* harmony import */ var unzip_crx__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(unzip_crx__WEBPACK_IMPORTED_MODULE_3__);\n/* harmony import */ var _utils__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./utils */ \"./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/utils.js\");\n\n\n\n\n\n\n\nconst downloadChromeExtension = (\n chromeStoreID,\n forceDownload,\n attempts = 5\n) => {\n const extensionsStore = Object(_utils__WEBPACK_IMPORTED_MODULE_4__[\"getPath\"])()\n if (!fs__WEBPACK_IMPORTED_MODULE_0___default.a.existsSync(extensionsStore)) {\n fs__WEBPACK_IMPORTED_MODULE_0___default.a.mkdirSync(extensionsStore)\n }\n const extensionFolder = path__WEBPACK_IMPORTED_MODULE_1___default.a.resolve(`${extensionsStore}/${chromeStoreID}`)\n return new Promise((resolve, reject) => {\n if (!fs__WEBPACK_IMPORTED_MODULE_0___default.a.existsSync(extensionFolder) || forceDownload) {\n if (fs__WEBPACK_IMPORTED_MODULE_0___default.a.existsSync(extensionFolder)) {\n rimraf__WEBPACK_IMPORTED_MODULE_2___default.a.sync(extensionFolder)\n }\n const fileURL = `https://clients2.google.com/service/update2/crx?response=redirect&x=id%3D${chromeStoreID}%26uc&prodversion=32` // eslint-disable-line\n const filePath = path__WEBPACK_IMPORTED_MODULE_1___default.a.resolve(`${extensionFolder}.crx`)\n Object(_utils__WEBPACK_IMPORTED_MODULE_4__[\"downloadFile\"])(fileURL, filePath)\n .then(() => {\n unzip_crx__WEBPACK_IMPORTED_MODULE_3___default()(filePath, extensionFolder).then(err => {\n if (\n err &&\n !fs__WEBPACK_IMPORTED_MODULE_0___default.a.existsSync(path__WEBPACK_IMPORTED_MODULE_1___default.a.resolve(extensionFolder, 'manifest.json'))\n ) {\n return reject(err)\n }\n Object(_utils__WEBPACK_IMPORTED_MODULE_4__[\"changePermissions\"])(extensionFolder, 755)\n resolve(extensionFolder)\n })\n })\n .catch(err => {\n console.log(\n `Failed to fetch extension, trying ${attempts - 1} more times`\n ) // eslint-disable-line\n if (attempts <= 1) {\n return reject(err)\n }\n setTimeout(() => {\n downloadChromeExtension(chromeStoreID, forceDownload, attempts - 1)\n .then(resolve)\n .catch(reject)\n }, 200)\n })\n } else {\n resolve(extensionFolder)\n }\n })\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (downloadChromeExtension);\n\n\n//# sourceURL=webpack:///./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/downloadChromeExtension.js?");
/***/ }),
/***/ "./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/index.js":
/*!**************************************************************************************!*\
!*** ./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/index.js ***!
\**************************************************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! electron */ \"electron\");\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(electron__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! fs */ \"fs\");\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(fs__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! path */ \"path\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(path__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var _downloadChromeExtension__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./downloadChromeExtension */ \"./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/downloadChromeExtension.js\");\n/* harmony import */ var _utils__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./utils */ \"./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/utils.js\");\n\n\n\n\n\n\n\nconst { BrowserWindow } = electron__WEBPACK_IMPORTED_MODULE_0__[\"remote\"] || electron__WEBPACK_IMPORTED_MODULE_0___default.a\n\nlet IDMap = {}\nconst getIDMapPath = () => path__WEBPACK_IMPORTED_MODULE_2___default.a.resolve(Object(_utils__WEBPACK_IMPORTED_MODULE_4__[\"getPath\"])(), 'IDMap.json')\nif (fs__WEBPACK_IMPORTED_MODULE_1___default.a.existsSync(getIDMapPath())) {\n try {\n IDMap = JSON.parse(fs__WEBPACK_IMPORTED_MODULE_1___default.a.readFileSync(getIDMapPath(), 'utf8'))\n } catch (err) {\n console.error(\n 'electron-devtools-installer: Invalid JSON present in the IDMap file'\n )\n }\n}\n\nconst install = (forceDownload = false) => {\n console.log(\n 'installVueDevtools() is deprecated, and will be removed in a future release.'\n )\n console.log('Please use electron-devtools-installer instead.')\n console.log(\n 'See https://github.com/nklayman/vue-cli-plugin-electron-builder/releases/tag/v2.0.0-rc.4 for details.'\n )\n // return new Promise(resolve => {\n const chromeStoreID = 'nhdogjmejiglipccpnnnanhbledajbpd'\n const extensionName = IDMap[chromeStoreID]\n const extensionInstalled =\n extensionName &&\n BrowserWindow.getDevToolsExtensions &&\n BrowserWindow.getDevToolsExtensions()[extensionName]\n if (!forceDownload && extensionInstalled) {\n return Promise.resolve(IDMap[chromeStoreID])\n }\n return Object(_downloadChromeExtension__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(chromeStoreID, forceDownload).then(\n (extensionFolder) => {\n // Use forceDownload, but already installed\n if (extensionInstalled) {\n BrowserWindow.removeDevToolsExtension(extensionName)\n }\n const name = BrowserWindow.addDevToolsExtension(extensionFolder) // eslint-disable-line\n fs__WEBPACK_IMPORTED_MODULE_1___default.a.writeFileSync(\n getIDMapPath(),\n JSON.stringify(\n Object.assign(IDMap, {\n [chromeStoreID]: name\n })\n )\n )\n return Promise.resolve(name)\n }\n )\n // })\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (install);\n\n\n//# sourceURL=webpack:///./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/index.js?");
/***/ }),
/***/ "./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/utils.js":
/*!**************************************************************************************!*\
!*** ./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/utils.js ***!
\**************************************************************************************/
/*! exports provided: getPath, downloadFile, changePermissions */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"getPath\", function() { return getPath; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"downloadFile\", function() { return downloadFile; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"changePermissions\", function() { return changePermissions; });\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! electron */ \"electron\");\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(electron__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! fs */ \"fs\");\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(fs__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var https__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! https */ \"https\");\n/* harmony import */ var https__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(https__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! path */ \"path\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(path__WEBPACK_IMPORTED_MODULE_3__);\n\n\n\n\n\nconst getPath = () => {\n const savePath = (electron__WEBPACK_IMPORTED_MODULE_0__[\"remote\"] || electron__WEBPACK_IMPORTED_MODULE_0___default.a).app.getPath('userData')\n return path__WEBPACK_IMPORTED_MODULE_3___default.a.resolve(`${savePath}/extensions`)\n}\n\n// Use https.get fallback for Electron < 1.4.5\nconst { net } = electron__WEBPACK_IMPORTED_MODULE_0__[\"remote\"] || electron__WEBPACK_IMPORTED_MODULE_0___default.a\nconst request = net ? net.request : https__WEBPACK_IMPORTED_MODULE_2___default.a.get\n\nconst downloadFile = (from, to) =>\n new Promise((resolve, reject) => {\n const req = request(from)\n req.on('login', (authInfo, callback) => {\n callback(process.env.VUE_DEVTOOLS_PROXY_USER, process.env.VUE_DEVTOOLS_PROXY_PASSWORD)\n })\n req.on('response', res => {\n // Shouldn't handle redirect with `electron.net`, this is for https.get fallback\n if (\n res.statusCode >= 300 &&\n res.statusCode < 400 &&\n res.headers.location\n ) {\n return downloadFile(res.headers.location, to)\n .then(resolve)\n .catch(reject)\n }\n res.pipe(fs__WEBPACK_IMPORTED_MODULE_1___default.a.createWriteStream(to)).on('close', resolve)\n })\n req.on('error', reject)\n req.end()\n })\n\nconst changePermissions = (dir, mode) => {\n const files = fs__WEBPACK_IMPORTED_MODULE_1___default.a.readdirSync(dir)\n files.forEach(file => {\n const filePath = path__WEBPACK_IMPORTED_MODULE_3___default.a.join(dir, file)\n fs__WEBPACK_IMPORTED_MODULE_1___default.a.chmodSync(filePath, parseInt(mode, 8))\n if (fs__WEBPACK_IMPORTED_MODULE_1___default.a.statSync(filePath).isDirectory()) {\n changePermissions(filePath, mode)\n }\n })\n}\n\n\n//# sourceURL=webpack:///./node_modules/vue-cli-plugin-electron-builder/lib/installVueDevtools/utils.js?");
/***/ }),
/***/ "./node_modules/vue-cli-plugin-electron-builder/node_modules/rimraf/rimraf.js":
/*!************************************************************************************!*\
!*** ./node_modules/vue-cli-plugin-electron-builder/node_modules/rimraf/rimraf.js ***!
\************************************************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("module.exports = rimraf\nrimraf.sync = rimrafSync\n\nvar assert = __webpack_require__(/*! assert */ \"assert\")\nvar path = __webpack_require__(/*! path */ \"path\")\nvar fs = __webpack_require__(/*! fs */ \"fs\")\nvar glob = undefined\ntry {\n glob = __webpack_require__(/*! glob */ \"./node_modules/glob/glob.js\")\n} catch (_err) {\n // treat glob as optional.\n}\nvar _0666 = parseInt('666', 8)\n\nvar defaultGlobOpts = {\n nosort: true,\n silent: true\n}\n\n// for EMFILE handling\nvar timeout = 0\n\nvar isWindows = (process.platform === \"win32\")\n\nfunction defaults (options) {\n var methods = [\n 'unlink',\n 'chmod',\n 'stat',\n 'lstat',\n 'rmdir',\n 'readdir'\n ]\n methods.forEach(function(m) {\n options[m] = options[m] || fs[m]\n m = m + 'Sync'\n options[m] = options[m] || fs[m]\n })\n\n options.maxBusyTries = options.maxBusyTries || 3\n options.emfileWait = options.emfileWait || 1000\n if (options.glob === false) {\n options.disableGlob = true\n }\n if (options.disableGlob !== true && glob === undefined) {\n throw Error('glob dependency not found, set `options.disableGlob = true` if intentional')\n }\n options.disableGlob = options.disableGlob || false\n options.glob = options.glob || defaultGlobOpts\n}\n\nfunction rimraf (p, options, cb) {\n if (typeof options === 'function') {\n cb = options\n options = {}\n }\n\n assert(p, 'rimraf: missing path')\n assert.equal(typeof p, 'string', 'rimraf: path should be a string')\n assert.equal(typeof cb, 'function', 'rimraf: callback function required')\n assert(options, 'rimraf: invalid options argument provided')\n assert.equal(typeof options, 'object', 'rimraf: options should be object')\n\n defaults(options)\n\n var busyTries = 0\n var errState = null\n var n = 0\n\n if (options.disableGlob || !glob.hasMagic(p))\n return afterGlob(null, [p])\n\n options.lstat(p, function (er, stat) {\n if (!er)\n return afterGlob(null, [p])\n\n glob(p, options.glob, afterGlob)\n })\n\n function next (er) {\n errState = errState || er\n if (--n === 0)\n cb(errState)\n }\n\n function afterGlob (er, results) {\n if (er)\n return cb(er)\n\n n = results.length\n if (n === 0)\n return cb()\n\n results.forEach(function (p) {\n rimraf_(p, options, function CB (er) {\n if (er) {\n if ((er.code === \"EBUSY\" || er.code === \"ENOTEMPTY\" || er.code === \"EPERM\") &&\n busyTries < options.maxBusyTries) {\n busyTries ++\n var time = busyTries * 100\n // try again, with the same exact callback as this one.\n return setTimeout(function () {\n rimraf_(p, options, CB)\n }, time)\n }\n\n // this one won't happen if graceful-fs is used.\n if (er.code === \"EMFILE\" && timeout < options.emfileWait) {\n return setTimeout(function () {\n rimraf_(p, options, CB)\n }, timeout ++)\n }\n\n // already gone\n if (er.code === \"ENOENT\") er = null\n }\n\n timeout = 0\n next(er)\n })\n })\n }\n}\n\n// Two possible strategies.\n// 1. Assume it's a file. unlink it, then do the dir stuff on EPERM or EISDIR\n// 2. Assume it's a directory. readdir, then do the file stuff on ENOTDIR\n//\n// Both result in an extra syscall when you guess wrong. However, there\n// are likely far more normal files in the world than directories. This\n// is based on the assumption that a the average number of files per\n// directory is >= 1.\n//\n// If anyone ever complains about this, then I guess the strategy could\n// be made configurable somehow. But until then, YAGNI.\nfunction rimraf_ (p, options, cb) {\n assert(p)\n assert(options)\n assert(typeof cb === 'function')\n\n // sunos lets the root user unlink directories, which is... weird.\n // so we have to lstat here and make sure it's not a dir.\n options.lstat(p, function (er, st) {\n if (er && er.code === \"ENOENT\")\n return cb(null)\n\n // Windows can EPERM on stat. Life is suffering.\n if (er && er.code === \"EPERM\" && isWindows)\n fixWinEPERM(p, options, er, cb)\n\n if (st && st.isDirectory())\n return rmdir(p, options, er, cb)\n\n options.unlink(p, function (er) {\n if (er) {\n if (er.code === \"ENOENT\")\n return cb(null)\n if (er.code === \"EPERM\")\n return (isWindows)\n ? fixWinEPERM(p, options, er, cb)\n : rmdir(p, options, er, cb)\n if (er.code === \"EISDIR\")\n return rmdir(p, options, er, cb)\n }\n return cb(er)\n })\n })\n}\n\nfunction fixWinEPERM (p, options, er, cb) {\n assert(p)\n assert(options)\n assert(typeof cb === 'function')\n if (er)\n assert(er instanceof Error)\n\n options.chmod(p, _0666, function (er2) {\n if (er2)\n cb(er2.code === \"ENOENT\" ? null : er)\n else\n options.stat(p, function(er3, stats) {\n if (er3)\n cb(er3.code === \"ENOENT\" ? null : er)\n else if (stats.isDirectory())\n rmdir(p, options, er, cb)\n else\n options.unlink(p, cb)\n })\n })\n}\n\nfunction fixWinEPERMSync (p, options, er) {\n assert(p)\n assert(options)\n if (er)\n assert(er instanceof Error)\n\n try {\n options.chmodSync(p, _0666)\n } catch (er2) {\n if (er2.code === \"ENOENT\")\n return\n else\n throw er\n }\n\n try {\n var stats = options.statSync(p)\n } catch (er3) {\n if (er3.code === \"ENOENT\")\n return\n else\n throw er\n }\n\n if (stats.isDirectory())\n rmdirSync(p, options, er)\n else\n options.unlinkSync(p)\n}\n\nfunction rmdir (p, options, originalEr, cb) {\n assert(p)\n assert(options)\n if (originalEr)\n assert(originalEr instanceof Error)\n assert(typeof cb === 'function')\n\n // try to rmdir first, and only readdir on ENOTEMPTY or EEXIST (SunOS)\n // if we guessed wrong, and it's not a directory, then\n // raise the original error.\n options.rmdir(p, function (er) {\n if (er && (er.code === \"ENOTEMPTY\" || er.code === \"EEXIST\" || er.code === \"EPERM\"))\n rmkids(p, options, cb)\n else if (er && er.code === \"ENOTDIR\")\n cb(originalEr)\n else\n cb(er)\n })\n}\n\nfunction rmkids(p, options, cb) {\n assert(p)\n assert(options)\n assert(typeof cb === 'function')\n\n options.readdir(p, function (er, files) {\n if (er)\n return cb(er)\n var n = files.length\n if (n === 0)\n return options.rmdir(p, cb)\n var errState\n files.forEach(function (f) {\n rimraf(path.join(p, f), options, function (er) {\n if (errState)\n return\n if (er)\n return cb(errState = er)\n if (--n === 0)\n options.rmdir(p, cb)\n })\n })\n })\n}\n\n// this looks simpler, and is strictly *faster*, but will\n// tie up the JavaScript thread and fail on excessively\n// deep directory trees.\nfunction rimrafSync (p, options) {\n options = options || {}\n defaults(options)\n\n assert(p, 'rimraf: missing path')\n assert.equal(typeof p, 'string', 'rimraf: path should be a string')\n assert(options, 'rimraf: missing options')\n assert.equal(typeof options, 'object', 'rimraf: options should be object')\n\n var results\n\n if (options.disableGlob || !glob.hasMagic(p)) {\n results = [p]\n } else {\n try {\n options.lstatSync(p)\n results = [p]\n } catch (er) {\n results = glob.sync(p, options.glob)\n }\n }\n\n if (!results.length)\n return\n\n for (var i = 0; i < results.length; i++) {\n var p = results[i]\n\n try {\n var st = options.lstatSync(p)\n } catch (er) {\n if (er.code === \"ENOENT\")\n return\n\n // Windows can EPERM on stat. Life is suffering.\n if (er.code === \"EPERM\" && isWindows)\n fixWinEPERMSync(p, options, er)\n }\n\n try {\n // sunos lets the root user unlink directories, which is... weird.\n if (st && st.isDirectory())\n rmdirSync(p, options, null)\n else\n options.unlinkSync(p)\n } catch (er) {\n if (er.code === \"ENOENT\")\n return\n if (er.code === \"EPERM\")\n return isWindows ? fixWinEPERMSync(p, options, er) : rmdirSync(p, options, er)\n if (er.code !== \"EISDIR\")\n throw er\n\n rmdirSync(p, options, er)\n }\n }\n}\n\nfunction rmdirSync (p, options, originalEr) {\n assert(p)\n assert(options)\n if (originalEr)\n assert(originalEr instanceof Error)\n\n try {\n options.rmdirSync(p)\n } catch (er) {\n if (er.code === \"ENOENT\")\n return\n if (er.code === \"ENOTDIR\")\n throw originalEr\n if (er.code === \"ENOTEMPTY\" || er.code === \"EEXIST\" || er.code === \"EPERM\")\n rmkidsSync(p, options)\n }\n}\n\nfunction rmkidsSync (p, options) {\n assert(p)\n assert(options)\n options.readdirSync(p).forEach(function (f) {\n rimrafSync(path.join(p, f), options)\n })\n\n // We only end up here once we got ENOTEMPTY at least once, and\n // at this point, we are guaranteed to have removed all the kids.\n // So, we know that it won't be ENOENT or ENOTDIR or anything else.\n // try really hard to delete stuff on windows, because it has a\n // PROFOUNDLY annoying habit of not closing handles promptly when\n // files are deleted, resulting in spurious ENOTEMPTY errors.\n var retries = isWindows ? 100 : 1\n var i = 0\n do {\n var threw = true\n try {\n var ret = options.rmdirSync(p, options)\n threw = false\n return ret\n } finally {\n if (++i < retries && threw)\n continue\n }\n } while (true)\n}\n\n\n//# sourceURL=webpack:///./node_modules/vue-cli-plugin-electron-builder/node_modules/rimraf/rimraf.js?");
/***/ }),
/***/ "./node_modules/wrappy/wrappy.js":
/*!***************************************!*\
!*** ./node_modules/wrappy/wrappy.js ***!
\***************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("// Returns a wrapper function that returns a wrapped callback\n// The wrapper function should do some stuff, and return a\n// presumably different callback function.\n// This makes sure that own properties are retained, so that\n// decorations and such are not lost along the way.\nmodule.exports = wrappy\nfunction wrappy (fn, cb) {\n if (fn && cb) return wrappy(fn)(cb)\n\n if (typeof fn !== 'function')\n throw new TypeError('need wrapper function')\n\n Object.keys(fn).forEach(function (k) {\n wrapper[k] = fn[k]\n })\n\n return wrapper\n\n function wrapper() {\n var args = new Array(arguments.length)\n for (var i = 0; i < args.length; i++) {\n args[i] = arguments[i]\n }\n var ret = fn.apply(this, args)\n var cb = args[args.length-1]\n if (typeof ret === 'function' && ret !== cb) {\n Object.keys(cb).forEach(function (k) {\n ret[k] = cb[k]\n })\n }\n return ret\n }\n}\n\n\n//# sourceURL=webpack:///./node_modules/wrappy/wrappy.js?");
/***/ }),
/***/ "./node_modules/yaku/lib/_.js":
/*!************************************!*\
!*** ./node_modules/yaku/lib/_.js ***!
\************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var Promise = __webpack_require__(/*! ./yaku */ \"./node_modules/yaku/lib/yaku.js\");\n\nmodule.exports = {\n\n extendPrototype: function (src, target) {\n for (var k in target) {\n src.prototype[k] = target[k];\n }\n return src;\n },\n\n isFunction: function (obj) {\n return typeof obj === \"function\";\n },\n\n isNumber: function (obj) {\n return typeof obj === \"number\";\n },\n\n Promise: Promise,\n\n slice: [].slice\n\n};\n\n\n//# sourceURL=webpack:///./node_modules/yaku/lib/_.js?");
/***/ }),
/***/ "./node_modules/yaku/lib/promisify.js":
/*!********************************************!*\
!*** ./node_modules/yaku/lib/promisify.js ***!
\********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("var _ = __webpack_require__(/*! ./_ */ \"./node_modules/yaku/lib/_.js\");\nvar isFn = _.isFunction;\n\nmodule.exports = function (fn, self) {\n return function (a, b, c, d, e) {\n var len = arguments.length\n , args, promise, resolve, reject;\n\n promise = new _.Promise(function (r, rj) {\n resolve = r;\n reject = rj;\n });\n\n function cb (err, val) {\n err == null ? resolve(val) : reject(err);\n }\n\n // For the sake of performance.\n switch (len) {\n case 0: fn.call(self, cb); break;\n case 1: isFn(a) ? fn.call(self, a) : fn.call(self, a, cb); break;\n case 2: isFn(b) ? fn.call(self, a, b) : fn.call(self, a, b, cb); break;\n case 3: isFn(c) ? fn.call(self, a, b, c) : fn.call(self, a, b, c, cb); break;\n case 4: isFn(d) ? fn.call(self, a, b, c, d) : fn.call(self, a, b, c, d, cb); break;\n case 5: isFn(e) ? fn.call(self, a, b, c, d, e) : fn.call(self, a, b, c, d, e, cb); break;\n default:\n args = new Array(len);\n\n for (var i = 0; i < len; i++) {\n args[i] = arguments[i];\n }\n\n if (isFn(args[len - 1])) {\n return fn.apply(self, args);\n }\n\n args[i] = cb;\n fn.apply(self, args);\n }\n\n return promise;\n };\n};\n\n\n//# sourceURL=webpack:///./node_modules/yaku/lib/promisify.js?");
/***/ }),
/***/ "./node_modules/yaku/lib/yaku.js":
/*!***************************************!*\
!*** ./node_modules/yaku/lib/yaku.js ***!
\***************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("/*\n Yaku v0.16.7\n (c) 2015 Yad Smood. http://ysmood.org\n License MIT\n*/\n(function () {\n \"use strict\";\n\n var $undefined\n , $null = null\n , root = typeof window === \"object\" ? window : global\n , isLongStackTrace = false\n , process = root.process\n , Arr = Array\n , Err = Error\n\n , $rejected = 0\n , $resolved = 1\n , $pending = 2\n\n , $Symbol = \"Symbol\"\n , $iterator = \"iterator\"\n , $species = \"species\"\n , $speciesKey = $Symbol + \"(\" + $species + \")\"\n , $return = \"return\"\n\n , $unhandled = \"_uh\"\n , $promiseTrace = \"_pt\"\n , $settlerTrace = \"_st\"\n\n , $invalidThis = \"Invalid this\"\n , $invalidArgument = \"Invalid argument\"\n , $fromPrevious = \"\\nFrom previous \"\n , $promiseCircularChain = \"Chaining cycle detected for promise\"\n , $unhandledRejectionMsg = \"Uncaught (in promise)\"\n , $rejectionHandled = \"rejectionHandled\"\n , $unhandledRejection = \"unhandledRejection\"\n\n , $tryCatchFn\n , $tryCatchThis\n , $tryErr = { e: $null }\n , $noop = function () {}\n , $cleanStackReg = /^.+\\/node_modules\\/yaku\\/.+\\n?/mg\n ;\n\n /**\n * This class follows the [Promises/A+](https://promisesaplus.com) and\n * [ES6](http://people.mozilla.org/~jorendorff/es6-draft.html#sec-promise-objects) spec\n * with some extra helpers.\n * @param {Function} executor Function object with two arguments resolve, reject.\n * The first argument fulfills the promise, the second argument rejects it.\n * We can call these functions, once our operation is completed.\n */\n var Yaku = module.exports = function Promise (executor) {\n var self = this,\n err;\n\n // \"this._s\" is the internal state of: pending, resolved or rejected\n // \"this._v\" is the internal value\n\n if (!isObject(self) || self._s !== $undefined)\n throw genTypeError($invalidThis);\n\n self._s = $pending;\n\n if (isLongStackTrace) self[$promiseTrace] = genTraceInfo();\n\n if (executor !== $noop) {\n if (!isFunction(executor))\n throw genTypeError($invalidArgument);\n\n err = genTryCatcher(executor)(\n genSettler(self, $resolved),\n genSettler(self, $rejected)\n );\n\n if (err === $tryErr)\n settlePromise(self, $rejected, err.e);\n }\n };\n\n Yaku[\"default\"] = Yaku;\n\n extendPrototype(Yaku, {\n /**\n * Appends fulfillment and rejection handlers to the promise,\n * and returns a new promise resolving to the return value of the called handler.\n * @param {Function} onFulfilled Optional. Called when the Promise is resolved.\n * @param {Function} onRejected Optional. Called when the Promise is rejected.\n * @return {Yaku} It will return a new Yaku which will resolve or reject after\n * @example\n * the current Promise.\n * ```js\n * var Promise = require('yaku');\n * var p = Promise.resolve(10);\n *\n * p.then((v) => {\n * console.log(v);\n * });\n * ```\n */\n then: function then (onFulfilled, onRejected) {\n if (this._s === undefined) throw genTypeError();\n\n return addHandler(\n this,\n newCapablePromise(Yaku.speciesConstructor(this, Yaku)),\n onFulfilled,\n onRejected\n );\n },\n\n /**\n * The `catch()` method returns a Promise and deals with rejected cases only.\n * It behaves the same as calling `Promise.prototype.then(undefined, onRejected)`.\n * @param {Function} onRejected A Function called when the Promise is rejected.\n * This function has one argument, the rejection reason.\n * @return {Yaku} A Promise that deals with rejected cases only.\n * @example\n * ```js\n * var Promise = require('yaku');\n * var p = Promise.reject(new Error(\"ERR\"));\n *\n * p['catch']((v) => {\n * console.log(v);\n * });\n * ```\n */\n \"catch\": function (onRejected) {\n return this.then($undefined, onRejected);\n },\n\n // The number of current promises that attach to this Yaku instance.\n _pCount: 0,\n\n // The parent Yaku.\n _pre: $null,\n\n // A unique type flag, it helps different versions of Yaku know each other.\n _Yaku: 1\n });\n\n /**\n * The `Promise.resolve(value)` method returns a Promise object that is resolved with the given value.\n * If the value is a thenable (i.e. has a then method), the returned promise will \"follow\" that thenable,\n * adopting its eventual state; otherwise the returned promise will be fulfilled with the value.\n * @param {Any} value Argument to be resolved by this Promise.\n * Can also be a Promise or a thenable to resolve.\n * @return {Yaku}\n * @example\n * ```js\n * var Promise = require('yaku');\n * var p = Promise.resolve(10);\n * ```\n */\n Yaku.resolve = function resolve (val) {\n return isYaku(val) ? val : settleWithX(newCapablePromise(this), val);\n };\n\n /**\n * The `Promise.reject(reason)` method returns a Promise object that is rejected with the given reason.\n * @param {Any} reason Reason why this Promise rejected.\n * @return {Yaku}\n * @example\n * ```js\n * var Promise = require('yaku');\n * var p = Promise.reject(new Error(\"ERR\"));\n * ```\n */\n Yaku.reject = function reject (reason) {\n return settlePromise(newCapablePromise(this), $rejected, reason);\n };\n\n /**\n * The `Promise.race(iterable)` method returns a promise that resolves or rejects\n * as soon as one of the promises in the iterable resolves or rejects,\n * with the value or reason from that promise.\n * @param {iterable} iterable An iterable object, such as an Array.\n * @return {Yaku} The race function returns a Promise that is settled\n * the same way as the first passed promise to settle.\n * It resolves or rejects, whichever happens first.\n * @example\n * ```js\n * var Promise = require('yaku');\n * Promise.race([\n * 123,\n * Promise.resolve(0)\n * ])\n * .then((value) => {\n * console.log(value); // => 123\n * });\n * ```\n */\n Yaku.race = function race (iterable) {\n var self = this\n , p = newCapablePromise(self)\n\n , resolve = function (val) {\n settlePromise(p, $resolved, val);\n }\n\n , reject = function (val) {\n settlePromise(p, $rejected, val);\n }\n\n , ret = genTryCatcher(each)(iterable, function (v) {\n self.resolve(v).then(resolve, reject);\n });\n\n if (ret === $tryErr) return self.reject(ret.e);\n\n return p;\n };\n\n /**\n * The `Promise.all(iterable)` method returns a promise that resolves when\n * all of the promises in the iterable argument have resolved.\n *\n * The result is passed as an array of values from all the promises.\n * If something passed in the iterable array is not a promise,\n * it's converted to one by Promise.resolve. If any of the passed in promises rejects,\n * the all Promise immediately rejects with the value of the promise that rejected,\n * discarding all the other promises whether or not they have resolved.\n * @param {iterable} iterable An iterable object, such as an Array.\n * @return {Yaku}\n * @example\n * ```js\n * var Promise = require('yaku');\n * Promise.all([\n * 123,\n * Promise.resolve(0)\n * ])\n * .then((values) => {\n * console.log(values); // => [123, 0]\n * });\n * ```\n * @example\n * Use with iterable.\n * ```js\n * var Promise = require('yaku');\n * Promise.all((function * () {\n * yield 10;\n * yield new Promise(function (r) { setTimeout(r, 1000, \"OK\") });\n * })())\n * .then((values) => {\n * console.log(values); // => [123, 0]\n * });\n * ```\n */\n Yaku.all = function all (iterable) {\n var self = this\n , p1 = newCapablePromise(self)\n , res = []\n , ret\n ;\n\n function reject (reason) {\n settlePromise(p1, $rejected, reason);\n }\n\n ret = genTryCatcher(each)(iterable, function (item, i) {\n self.resolve(item).then(function (value) {\n res[i] = value;\n if (!--ret) settlePromise(p1, $resolved, res);\n }, reject);\n });\n\n if (ret === $tryErr) return self.reject(ret.e);\n\n if (!ret) settlePromise(p1, $resolved, []);\n\n return p1;\n };\n\n /**\n * The ES6 Symbol object that Yaku should use, by default it will use the\n * global one.\n * @type {Object}\n * @example\n * ```js\n * var core = require(\"core-js/library\");\n * var Promise = require(\"yaku\");\n * Promise.Symbol = core.Symbol;\n * ```\n */\n Yaku.Symbol = root[$Symbol] || {};\n\n // To support browsers that don't support `Object.defineProperty`.\n genTryCatcher(function () {\n Object.defineProperty(Yaku, getSpecies(), {\n get: function () { return this; }\n });\n })();\n\n /**\n * Use this api to custom the species behavior.\n * https://tc39.github.io/ecma262/#sec-speciesconstructor\n * @param {Any} O The current this object.\n * @param {Function} defaultConstructor\n */\n Yaku.speciesConstructor = function (O, D) {\n var C = O.constructor;\n\n return C ? (C[getSpecies()] || D) : D;\n };\n\n /**\n * Catch all possibly unhandled rejections. If you want to use specific\n * format to display the error stack, overwrite it.\n * If it is set, auto `console.error` unhandled rejection will be disabled.\n * @param {Any} reason The rejection reason.\n * @param {Yaku} p The promise that was rejected.\n * @example\n * ```js\n * var Promise = require('yaku');\n * Promise.onUnhandledRejection = (reason) => {\n * console.error(reason);\n * };\n *\n * // The console will log an unhandled rejection error message.\n * Promise.reject('my reason');\n *\n * // The below won't log the unhandled rejection error message.\n * Promise.reject('v').catch(() => {});\n * ```\n */\n Yaku.unhandledRejection = function (reason, p) {\n try {\n root.console.error(\n $unhandledRejectionMsg,\n isLongStackTrace ? p.longStack : genStackInfo(reason, p)\n );\n } catch (e) {} // eslint-disable-line\n };\n\n /**\n * Emitted whenever a Promise was rejected and an error handler was\n * attached to it (for example with `.catch()`) later than after an event loop turn.\n * @param {Any} reason The rejection reason.\n * @param {Yaku} p The promise that was rejected.\n */\n Yaku.rejectionHandled = $noop;\n\n /**\n * It is used to enable the long stack trace.\n * Once it is enabled, it can't be reverted.\n * While it is very helpful in development and testing environments,\n * it is not recommended to use it in production. It will slow down\n * application and eat up memory.\n * It will add an extra property `longStack` to the Error object.\n * @example\n * ```js\n * var Promise = require('yaku');\n * Promise.enableLongStackTrace();\n * Promise.reject(new Error(\"err\")).catch((err) => {\n * console.log(err.longStack);\n * });\n * ```\n */\n Yaku.enableLongStackTrace = function () {\n isLongStackTrace = true;\n };\n\n /**\n * Only Node has `process.nextTick` function. For browser there are\n * so many ways to polyfill it. Yaku won't do it for you, instead you\n * can choose what you prefer. For example, this project\n * [setImmediate](https://github.com/YuzuJS/setImmediate).\n * By default, Yaku will use `process.nextTick` on Node, `setTimeout` on browser.\n * @type {Function}\n * @example\n * ```js\n * var Promise = require('yaku');\n * Promise.nextTick = fn => window.setImmediate(fn);\n * ```\n * @example\n * You can even use sync resolution if you really know what you are doing.\n * ```js\n * var Promise = require('yaku');\n * Promise.nextTick = fn => fn();\n * ```\n */\n Yaku.nextTick = process ?\n process.nextTick :\n function (fn) { setTimeout(fn); };\n\n // ********************** Private **********************\n\n Yaku._Yaku = 1;\n\n /**\n * All static variable name will begin with `$`. Such as `$rejected`.\n * @private\n */\n\n // ******************************* Utils ********************************\n\n function getSpecies () {\n return Yaku[$Symbol][$species] || $speciesKey;\n }\n\n function extendPrototype (src, target) {\n for (var k in target) {\n src.prototype[k] = target[k];\n }\n return src;\n }\n\n function isObject (obj) {\n return obj && typeof obj === \"object\";\n }\n\n function isFunction (obj) {\n return typeof obj === \"function\";\n }\n\n function isInstanceOf (a, b) {\n return a instanceof b;\n }\n\n function isError (obj) {\n return isInstanceOf(obj, Err);\n }\n\n function ensureType (obj, fn, msg) {\n if (!fn(obj)) throw genTypeError(msg);\n }\n\n /**\n * Wrap a function into a try-catch.\n * @private\n * @return {Any | $tryErr}\n */\n function tryCatcher () {\n try {\n return $tryCatchFn.apply($tryCatchThis, arguments);\n } catch (e) {\n $tryErr.e = e;\n return $tryErr;\n }\n }\n\n /**\n * Generate a try-catch wrapped function.\n * @private\n * @param {Function} fn\n * @return {Function}\n */\n function genTryCatcher (fn, self) {\n $tryCatchFn = fn;\n $tryCatchThis = self;\n return tryCatcher;\n }\n\n /**\n * Generate a scheduler.\n * @private\n * @param {Integer} initQueueSize\n * @param {Function} fn `(Yaku, Value) ->` The schedule handler.\n * @return {Function} `(Yaku, Value) ->` The scheduler.\n */\n function genScheduler (initQueueSize, fn) {\n /**\n * All async promise will be scheduled in\n * here, so that they can be execute on the next tick.\n * @private\n */\n var fnQueue = Arr(initQueueSize)\n , fnQueueLen = 0;\n\n /**\n * Run all queued functions.\n * @private\n */\n function flush () {\n var i = 0;\n while (i < fnQueueLen) {\n fn(fnQueue[i], fnQueue[i + 1]);\n fnQueue[i++] = $undefined;\n fnQueue[i++] = $undefined;\n }\n\n fnQueueLen = 0;\n if (fnQueue.length > initQueueSize) fnQueue.length = initQueueSize;\n }\n\n return function (v, arg) {\n fnQueue[fnQueueLen++] = v;\n fnQueue[fnQueueLen++] = arg;\n\n if (fnQueueLen === 2) Yaku.nextTick(flush);\n };\n }\n\n /**\n * Generate a iterator\n * @param {Any} obj\n * @private\n * @return {Object || TypeError}\n */\n function each (iterable, fn) {\n var len\n , i = 0\n , iter\n , item\n , ret\n ;\n\n if (!iterable) throw genTypeError($invalidArgument);\n\n var gen = iterable[Yaku[$Symbol][$iterator]];\n if (isFunction(gen))\n iter = gen.call(iterable);\n else if (isFunction(iterable.next)) {\n iter = iterable;\n }\n else if (isInstanceOf(iterable, Arr)) {\n len = iterable.length;\n while (i < len) {\n fn(iterable[i], i++);\n }\n return i;\n } else\n throw genTypeError($invalidArgument);\n\n while (!(item = iter.next()).done) {\n ret = genTryCatcher(fn)(item.value, i++);\n if (ret === $tryErr) {\n isFunction(iter[$return]) && iter[$return]();\n throw ret.e;\n }\n }\n\n return i;\n }\n\n /**\n * Generate type error object.\n * @private\n * @param {String} msg\n * @return {TypeError}\n */\n function genTypeError (msg) {\n return new TypeError(msg);\n }\n\n function genTraceInfo (noTitle) {\n return (noTitle ? \"\" : $fromPrevious) + new Err().stack;\n }\n\n\n // *************************** Promise Helpers ****************************\n\n /**\n * Resolve the value returned by onFulfilled or onRejected.\n * @private\n * @param {Yaku} p1\n * @param {Yaku} p2\n */\n var scheduleHandler = genScheduler(999, function (p1, p2) {\n var x, handler;\n\n // 2.2.2\n // 2.2.3\n handler = p1._s ? p2._onFulfilled : p2._onRejected;\n\n // 2.2.7.3\n // 2.2.7.4\n if (handler === $undefined) {\n settlePromise(p2, p1._s, p1._v);\n return;\n }\n\n // 2.2.7.1\n x = genTryCatcher(callHanler)(handler, p1._v);\n if (x === $tryErr) {\n // 2.2.7.2\n settlePromise(p2, $rejected, x.e);\n return;\n }\n\n settleWithX(p2, x);\n });\n\n var scheduleUnhandledRejection = genScheduler(9, function (p) {\n if (!hashOnRejected(p)) {\n p[$unhandled] = 1;\n emitEvent($unhandledRejection, p);\n }\n });\n\n function emitEvent (name, p) {\n var browserEventName = \"on\" + name.toLowerCase()\n , browserHandler = root[browserEventName];\n\n if (process && process.listeners(name).length)\n name === $unhandledRejection ?\n process.emit(name, p._v, p) : process.emit(name, p);\n else if (browserHandler)\n browserHandler({ reason: p._v, promise: p });\n else\n Yaku[name](p._v, p);\n }\n\n function isYaku (val) { return val && val._Yaku; }\n\n function newCapablePromise (Constructor) {\n if (isYaku(Constructor)) return new Constructor($noop);\n\n var p, r, j;\n p = new Constructor(function (resolve, reject) {\n if (p) throw genTypeError();\n\n r = resolve;\n j = reject;\n });\n\n ensureType(r, isFunction);\n ensureType(j, isFunction);\n\n return p;\n }\n\n /**\n * It will produce a settlePromise function to user.\n * Such as the resolve and reject in this `new Yaku (resolve, reject) ->`.\n * @private\n * @param {Yaku} self\n * @param {Integer} state The value is one of `$pending`, `$resolved` or `$rejected`.\n * @return {Function} `(value) -> undefined` A resolve or reject function.\n */\n function genSettler (self, state) {\n return function (value) {\n if (isLongStackTrace)\n self[$settlerTrace] = genTraceInfo(true);\n\n if (state === $resolved)\n settleWithX(self, value);\n else\n settlePromise(self, state, value);\n };\n }\n\n /**\n * Link the promise1 to the promise2.\n * @private\n * @param {Yaku} p1\n * @param {Yaku} p2\n * @param {Function} onFulfilled\n * @param {Function} onRejected\n */\n function addHandler (p1, p2, onFulfilled, onRejected) {\n // 2.2.1\n if (isFunction(onFulfilled))\n p2._onFulfilled = onFulfilled;\n if (isFunction(onRejected)) {\n if (p1[$unhandled]) emitEvent($rejectionHandled, p1);\n\n p2._onRejected = onRejected;\n }\n\n if (isLongStackTrace) p2._pre = p1;\n p1[p1._pCount++] = p2;\n\n // 2.2.6\n if (p1._s !== $pending)\n scheduleHandler(p1, p2);\n\n // 2.2.7\n return p2;\n }\n\n // iterate tree\n function hashOnRejected (node) {\n // A node shouldn't be checked twice.\n if (node._umark)\n return true;\n else\n node._umark = true;\n\n var i = 0\n , len = node._pCount\n , child;\n\n while (i < len) {\n child = node[i++];\n if (child._onRejected || hashOnRejected(child)) return true;\n }\n }\n\n function genStackInfo (reason, p) {\n var stackInfo = [];\n\n function push (trace) {\n return stackInfo.push(trace.replace(/^\\s+|\\s+$/g, \"\"));\n }\n\n if (isLongStackTrace) {\n if (p[$settlerTrace])\n push(p[$settlerTrace]);\n\n // Hope you guys could understand how the back trace works.\n // We only have to iterate through the tree from the bottom to root.\n (function iter (node) {\n if (node && $promiseTrace in node) {\n iter(node._next);\n push(node[$promiseTrace] + \"\");\n iter(node._pre);\n }\n })(p);\n }\n\n return (reason && reason.stack ? reason.stack : reason) +\n (\"\\n\" + stackInfo.join(\"\\n\")).replace($cleanStackReg, \"\");\n }\n\n function callHanler (handler, value) {\n // 2.2.5\n return handler(value);\n }\n\n /**\n * Resolve or reject a promise.\n * @private\n * @param {Yaku} p\n * @param {Integer} state\n * @param {Any} value\n */\n function settlePromise (p, state, value) {\n var i = 0\n , len = p._pCount;\n\n // 2.1.2\n // 2.1.3\n if (p._s === $pending) {\n // 2.1.1.1\n p._s = state;\n p._v = value;\n\n if (state === $rejected) {\n if (isLongStackTrace && isError(value)) {\n value.longStack = genStackInfo(value, p);\n }\n\n scheduleUnhandledRejection(p);\n }\n\n // 2.2.4\n while (i < len) {\n scheduleHandler(p, p[i++]);\n }\n }\n\n return p;\n }\n\n /**\n * Resolve or reject promise with value x. The x can also be a thenable.\n * @private\n * @param {Yaku} p\n * @param {Any | Thenable} x A normal value or a thenable.\n */\n function settleWithX (p, x) {\n // 2.3.1\n if (x === p && x) {\n settlePromise(p, $rejected, genTypeError($promiseCircularChain));\n return p;\n }\n\n // 2.3.2\n // 2.3.3\n if (x !== $null && (isFunction(x) || isObject(x))) {\n // 2.3.2.1\n var xthen = genTryCatcher(getThen)(x);\n\n if (xthen === $tryErr) {\n // 2.3.3.2\n settlePromise(p, $rejected, xthen.e);\n return p;\n }\n\n if (isFunction(xthen)) {\n if (isLongStackTrace && isYaku(x))\n p._next = x;\n\n // Fix https://bugs.chromium.org/p/v8/issues/detail?id=4162\n if (isYaku(x))\n settleXthen(p, x, xthen);\n else\n Yaku.nextTick(function () {\n settleXthen(p, x, xthen);\n });\n } else\n // 2.3.3.4\n settlePromise(p, $resolved, x);\n } else\n // 2.3.4\n settlePromise(p, $resolved, x);\n\n return p;\n }\n\n /**\n * Try to get a promise's then method.\n * @private\n * @param {Thenable} x\n * @return {Function}\n */\n function getThen (x) { return x.then; }\n\n /**\n * Resolve then with its promise.\n * @private\n * @param {Yaku} p\n * @param {Thenable} x\n * @param {Function} xthen\n */\n function settleXthen (p, x, xthen) {\n // 2.3.3.3\n var err = genTryCatcher(xthen, x)(function (y) {\n // 2.3.3.3.3\n // 2.3.3.3.1\n x && (x = $null, settleWithX(p, y));\n }, function (r) {\n // 2.3.3.3.3\n // 2.3.3.3.2\n x && (x = $null, settlePromise(p, $rejected, r));\n });\n\n // 2.3.3.3.4.1\n if (err === $tryErr && x) {\n // 2.3.3.3.4.2\n settlePromise(p, $rejected, err.e);\n x = $null;\n }\n }\n\n})();\n\n\n//# sourceURL=webpack:///./node_modules/yaku/lib/yaku.js?");
/***/ }),
/***/ "./src/background.js":
/*!***************************!*\
!*** ./src/background.js ***!
\***************************/
/*! no exports provided */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! electron */ \"electron\");\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(electron__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var vue_cli_plugin_electron_builder_lib__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-cli-plugin-electron-builder/lib */ \"./node_modules/vue-cli-plugin-electron-builder/lib/index.js\");\n/* harmony import */ var _iconManager__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! @/iconManager */ \"./src/iconManager.js\");\n/* harmony import */ var _tray__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! @/tray */ \"./src/tray.js\");\n\r\n\r\n\r\n\r\nconst path = __webpack_require__(/*! path */ \"path\")\r\n\r\n\r\nconst isDevelopment = \"development\" !== 'production'\r\n\r\nconst winURL = true\r\n ? 'http://localhost:8080'\r\n : undefined\r\n\r\n//引入自定义菜单\r\n__webpack_require__(/*! ./menu */ \"./src/menu.js\")\r\n//引入监听\r\n__webpack_require__(/*! ./listener */ \"./src/listener.js\")\r\n\r\n// Scheme must be registered before the app is ready\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"protocol\"].registerSchemesAsPrivileged([\r\n { scheme: 'app', privileges: { secure: true, standard: true } }\r\n])\r\n\r\nasync function createWindow() {\r\n // Create the browser window.\r\n let win = new electron__WEBPACK_IMPORTED_MODULE_0__[\"BrowserWindow\"]({\r\n width: 1200,\r\n height: 800,\r\n show: false,\r\n icon: path.resolve(__dirname, _iconManager__WEBPACK_IMPORTED_MODULE_2__[\"ICON_PATHS\"].APP_ICON),\r\n webPreferences: {\r\n preload: path.resolve(__dirname, './preload.js'),\r\n nodeIntegration: false,\r\n contextIsolation: true\r\n }\r\n })\r\n Object(_tray__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(electron__WEBPACK_IMPORTED_MODULE_0__[\"app\"], win, electron__WEBPACK_IMPORTED_MODULE_0__[\"nativeImage\"]);\r\n\r\n\r\n Object(vue_cli_plugin_electron_builder_lib__WEBPACK_IMPORTED_MODULE_1__[\"createProtocol\"])('app')\r\n win.loadURL(`${winURL}` + '/#/')\r\n\r\n win.webContents.openDevTools({ mode: 'right' });\r\n win.once('ready-to-show', () => {\r\n win.setTitle('Utils-Hub'); // 设置窗口标题\r\n win.show();\r\n });\r\n\r\n win.on('close', (e) => {\r\n\r\n //回收BrowserWindow对象\r\n electron__WEBPACK_IMPORTED_MODULE_0__[\"app\"].quit();\r\n // if (win.isMinimized()) {\r\n // console.log('关闭应用窗口')\r\n // win = null;\r\n // } else {\r\n // e.preventDefault();\r\n // win.minimize();\r\n // win.hide();\r\n // }\r\n\r\n })\r\n\r\n}\r\n\r\n// Quit when all windows are closed.\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"app\"].on('window-all-closed', () => {\r\n if (process.platform !== 'darwin') {\r\n electron__WEBPACK_IMPORTED_MODULE_0__[\"app\"].quit()\r\n }\r\n})\r\n\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"app\"].on('activate', () => {\r\n console.log('应用激活')\r\n\r\n if (electron__WEBPACK_IMPORTED_MODULE_0__[\"BrowserWindow\"].getAllWindows().length === 0) createWindow()\r\n})\r\n\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"app\"].on('ready', async () => {\r\n\r\n createWindow()\r\n})\r\n\r\n// Exit cleanly on request from parent process in development mode.\r\nif (isDevelopment) {\r\n if (process.platform === 'win32') {\r\n process.on('message', (data) => {\r\n if (data === 'graceful-exit') {\r\n electron__WEBPACK_IMPORTED_MODULE_0__[\"app\"].quit()\r\n }\r\n })\r\n } else {\r\n process.on('SIGTERM', () => {\r\n electron__WEBPACK_IMPORTED_MODULE_0__[\"app\"].quit()\r\n })\r\n }\r\n}\r\n\n\n//# sourceURL=webpack:///./src/background.js?");
/***/ }),
/***/ "./src/iconManager.js":
/*!****************************!*\
!*** ./src/iconManager.js ***!
\****************************/
/*! exports provided: ICON_PATHS */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"ICON_PATHS\", function() { return ICON_PATHS; });\n/** 图标管理器 */\r\nconst ICON_PATHS = {\r\n //应用程序的图标,首页左上角角标、任务栏角标、托盘角标\r\n APP_ICON: 'winIcon/app.ico',\r\n //关于窗口的图标\r\n ABOUT_WIN_ICON:'winIcon/about.ico',\r\n //大小写转换窗口左上角角标\r\n TRANSFER_WIN_ICON: 'winIcon/transfer.ico',\r\n //右下角角标 打开 icon\r\n OPEN_ICON:'winIcon/open.ico',\r\n //右下角角标 退出 icon\r\n EXIT_ICON:'winIcon/exit.ico',\r\n}\n\n//# sourceURL=webpack:///./src/iconManager.js?");
/***/ }),
/***/ "./src/listener.js":
/*!*************************!*\
!*** ./src/listener.js ***!
\*************************/
/*! no exports provided */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! electron */ \"electron\");\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(electron__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var _iconManager__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! @/iconManager */ \"./src/iconManager.js\");\n/* harmony import */ var _windowManager__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! @/windowManager */ \"./src/windowManager.js\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! path */ \"path\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(path__WEBPACK_IMPORTED_MODULE_3__);\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! fs */ \"fs\");\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(fs__WEBPACK_IMPORTED_MODULE_4__);\n/* harmony import */ var _readFs_js__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./readFs.js */ \"./src/readFs.js\");\n/** 主进程监听与处理 */\r\n\r\n\r\n\r\n\r\n// npm i fs-extra\r\n\r\nconst userDataPath = process.cwd()\r\n// 获取配置文件路径\r\nconst configPath = path__WEBPACK_IMPORTED_MODULE_3___default.a.join(userDataPath, 'config.json');\r\n\r\n// 文件夹监控器\r\nlet folderWatcher = null;\r\nlet lastUploadTime = 0;\r\nconst UPLOAD_INTERVAL = 3000; // 3秒内不重复上传\r\n\r\n// 读取配置文件\r\nfunction loadConfig() {\r\n try {\r\n const data = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(configPath, 'utf8');\r\n return JSON.parse(data);\r\n } catch (error) {\r\n console.error('Error loading config:', error);\r\n return {}; // 或者返回一个默认配置对象\r\n }\r\n}\r\n\r\n// 最小化窗口\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].on('minimize-window', (event) => {\r\n const win = electron__WEBPACK_IMPORTED_MODULE_0__[\"BrowserWindow\"].fromWebContents(event.sender);\r\n if (win) {\r\n win.minimize();\r\n }\r\n});\r\n\r\n// 开始监控文件夹\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].on('start-watch-folder', (event, folderPath) => {\r\n console.log('开始监控文件夹:', folderPath);\r\n \r\n // 停止之前的监控\r\n if (folderWatcher) {\r\n folderWatcher.close();\r\n folderWatcher = null;\r\n }\r\n \r\n // 检查文件夹是否存在\r\n if (!fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(folderPath)) {\r\n console.error('文件夹不存在:', folderPath);\r\n return;\r\n }\r\n \r\n // 开始监控\r\n // eventType: 'rename' - 新建/删除/重命名文件, 'change' - 文件内容修改\r\n folderWatcher = fs__WEBPACK_IMPORTED_MODULE_4___default.a.watch(folderPath, { recursive: true }, (eventType, filename) => {\r\n if (filename) {\r\n const now = Date.now();\r\n // 防抖:3秒内不重复上传\r\n if (now - lastUploadTime < UPLOAD_INTERVAL) {\r\n return;\r\n }\r\n lastUploadTime = now;\r\n \r\n console.log('检测到文件变化:', filename, '事件类型:', eventType);\r\n \r\n // 检查文件是否存在(排除删除事件)\r\n const fullPath = path__WEBPACK_IMPORTED_MODULE_3___default.a.join(folderPath, filename);\r\n if (!fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(fullPath)) {\r\n console.log('文件已被删除,忽略:', filename);\r\n return;\r\n }\r\n \r\n // 检查是否是文件(排除文件夹)\r\n try {\r\n const stat = fs__WEBPACK_IMPORTED_MODULE_4___default.a.statSync(fullPath);\r\n if (stat.isDirectory()) {\r\n console.log('是文件夹,忽略:', filename);\r\n return;\r\n }\r\n } catch (err) {\r\n console.log('获取文件状态失败,忽略:', filename);\r\n return;\r\n }\r\n \r\n // 通知渲染进程文件发生变化\r\n event.sender.send('file-changed', {\r\n filename: filename,\r\n eventType: eventType,\r\n folderPath: folderPath,\r\n fullPath: fullPath,\r\n time: new Date().toLocaleString()\r\n });\r\n }\r\n });\r\n \r\n folderWatcher.on('error', (err) => {\r\n console.error('文件夹监控错误:', err);\r\n });\r\n \r\n console.log('文件夹监控已启动');\r\n});\r\n\r\n// 停止监控文件夹\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].on('stop-watch-folder', () => {\r\n console.log('停止监控文件夹');\r\n if (folderWatcher) {\r\n folderWatcher.close();\r\n folderWatcher = null;\r\n }\r\n});\r\n\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].on('create-utils-window', (e, flag) => {\r\n // console.log('主进程方法被调用了')\r\n //创建窗口\r\n let windowObject = {}\r\n //判断flag\r\n switch (flag) {\r\n case \"transfer\":\r\n windowObject.width = 800;\r\n windowObject.height = 600;\r\n windowObject.isAutoHideMenuBar = true;\r\n windowObject.title = '大小写转换';\r\n windowObject.minWidth = 800;\r\n windowObject.minHeight = 600;\r\n windowObject.minimizable = true;\r\n windowObject.maximizable = true;\r\n windowObject.resizable = true;\r\n //TODO ICON稍后处理\r\n windowObject.iconName = _iconManager__WEBPACK_IMPORTED_MODULE_1__[\"ICON_PATHS\"].TRANSFER_WIN_ICON;\r\n windowObject.isMax = true;\r\n windowObject.url = 'transfer-win';\r\n break;\r\n default:\r\n break;\r\n\r\n }\r\n Object(_windowManager__WEBPACK_IMPORTED_MODULE_2__[\"default\"])(windowObject)\r\n})\r\n// 读取配置\r\nconst readConfig = () => {\r\n try {\r\n const data = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(configPath, 'utf-8');\r\n // console.log('获取配置文件', data)\r\n return JSON.parse(data);\r\n } catch (error) {\r\n // 如果文件不存在,创建默认配置\r\n const defaultConfig = { countdown: 30, theme: 'dark', notifications: true };\r\n fs__WEBPACK_IMPORTED_MODULE_4___default.a.writeFileSync(configPath, JSON.stringify(defaultConfig, null, 2));\r\n return defaultConfig;\r\n }\r\n};\r\n\r\n// 写入配置\r\nconst writeConfig = (newConfig) => {\r\n fs__WEBPACK_IMPORTED_MODULE_4___default.a.writeFileSync(configPath, JSON.stringify(newConfig, null, 2));\r\n};\r\n\r\n// 定义本地存储文件路径(Electron推荐的用户数据目录)\r\nconst storagePath = path__WEBPACK_IMPORTED_MODULE_3___default.a.join('./fileInfo.json');\r\n\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('get-config', () => readConfig());\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('update-config', (event, newConfig) => {\r\n writeConfig(newConfig);\r\n return true; // 返回成功状态\r\n});\r\n\r\n// 上传文件\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].on('upload-file', async (e, id) => {\r\n await Object(_readFs_js__WEBPACK_IMPORTED_MODULE_5__[\"uploadLatestFile\"])(id);\r\n});\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('watch-upload-file', async (e, id) => {\r\n\r\n try {\r\n const response = await Object(_readFs_js__WEBPACK_IMPORTED_MODULE_5__[\"watchUploadLatestFile\"])(id);\r\n console.log('上传成功:', response);\r\n } catch (error) {\r\n console.error('通信错误:', error);\r\n }\r\n});\r\n\r\n// 修改监听 并获取解析之后的数据\r\n\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('watch-upload-analysis-file', async (e, id) => {\r\n\r\n try {\r\n const response = await Object(_readFs_js__WEBPACK_IMPORTED_MODULE_5__[\"watchUploadLatestAnalysisFile\"])(id);\r\n console.log('上传成功:', response);\r\n } catch (error) {\r\n console.error('通信错误:', error);\r\n }\r\n});\r\n\r\n// 递归获取所有文件(包括子文件夹中的文件)\r\nfunction getAllFilesRecursively(dir, fileList = []) {\r\n console.log(`扫描目录: ${dir}`);\r\n try {\r\n const files = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readdirSync(dir);\r\n console.log(`找到 ${files.length} 个项目:`, files);\r\n \r\n files.forEach(file => {\r\n const fullPath = path__WEBPACK_IMPORTED_MODULE_3___default.a.join(dir, file);\r\n try {\r\n const stat = fs__WEBPACK_IMPORTED_MODULE_4___default.a.statSync(fullPath);\r\n if (stat.isDirectory()) {\r\n // 如果是文件夹,递归查找\r\n console.log(` 发现子文件夹: ${file}`);\r\n getAllFilesRecursively(fullPath, fileList);\r\n } else if (stat.isFile()) {\r\n // 如果是文件,添加到列表\r\n console.log(` 发现文件: ${file}, 大小: ${stat.size} bytes, 修改时间: ${stat.mtime}`);\r\n fileList.push({\r\n file: file,\r\n fullPath: fullPath,\r\n stat: stat\r\n });\r\n }\r\n } catch (err) {\r\n console.warn(`无法访问文件: ${fullPath}`, err.message);\r\n }\r\n });\r\n } catch (err) {\r\n console.error(`读取目录失败 ${dir}:`, err.message);\r\n }\r\n \r\n return fileList;\r\n}\r\n\r\n// 判断是否是Windows默认新建文件名\r\nfunction isWindowsDefaultName(filename) {\r\n const patterns = [\r\n /^新建\\s*文本文档\\.txt$/i, // 中文Windows\r\n /^新建\\s*文件夹$/i, // 中文Windows文件夹\r\n /^New\\s*Text\\s*Document\\.txt$/i, // 英文Windows\r\n /^New\\s*Folder$/i, // 英文Windows文件夹\r\n /^新建\\s*Microsoft\\s*Word\\s*文档\\.docx?$/i,\r\n /^新建\\s*Microsoft\\s*Excel\\s*工作表\\.xlsx?$/i,\r\n /^新建\\s*Microsoft\\s*PowerPoint\\s*演示文稿\\.pptx?$/i,\r\n /^Document\\d*\\.txt$/i, // 某些系统\r\n /^Untitled\\d*\\.\\w+$/i, // 未命名文件\r\n ];\r\n \r\n return patterns.some(pattern => pattern.test(filename));\r\n}\r\n\r\n// 延迟函数\r\nfunction delay(ms) {\r\n return new Promise(resolve => setTimeout(resolve, ms));\r\n}\r\n\r\n// 注册IPC方法:读取C盘指定文件夹的文件列表\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('read-c-folder', async (event, folderPath) => {\r\n try {\r\n let dataJson = loadConfig()\r\n const { path: targetPath, orderNum } = folderPath;\r\n\r\n console.log('开始扫描目录:', targetPath);\r\n\r\n // const targetPath = folderPath;\r\n if (!fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(targetPath)) {\r\n return { success: false, msg: `文件夹不存在:${targetPath}` };\r\n }\r\n\r\n // 递归读取所有文件(包括子文件夹中的文件)\r\n const files = getAllFilesRecursively(targetPath);\r\n console.log(`总共找到 ${files.length} 个文件`);\r\n\r\n if (files.length === 0) {\r\n return { success: false, msg: '文件夹中没有文件' };\r\n }\r\n\r\n // 找出最新修改的文件(使用 mtimeMs 精确到毫秒)\r\n let latestFile = files.reduce((prev, current) => {\r\n return current.stat.mtimeMs > prev.stat.mtimeMs ? current : prev;\r\n });\r\n\r\n console.log(`最新文件: ${latestFile.file}, 路径: ${latestFile.fullPath}, 修改时间: ${latestFile.stat.mtime}`);\r\n\r\n // 🔥 如果是Windows默认新建文件名,等待用户重命名\r\n let waitCount = 0;\r\n const maxWaitCount = 10; // 最多等待5秒(10次 × 500ms)\r\n \r\n while (isWindowsDefaultName(latestFile.file) && waitCount < maxWaitCount) {\r\n console.log(`检测到默认新建文件名 \"${latestFile.file}\",等待用户重命名... (${waitCount + 1}/${maxWaitCount})`);\r\n await delay(500); // 等待500ms\r\n \r\n // 重新扫描文件\r\n const newFiles = getAllFilesRecursively(targetPath);\r\n if (newFiles.length === 0) {\r\n return { success: false, msg: '文件夹中没有文件(用户可能取消了创建)' };\r\n }\r\n \r\n // 找出最新文件\r\n latestFile = newFiles.reduce((prev, current) => {\r\n return current.stat.mtimeMs > prev.stat.mtimeMs ? current : prev;\r\n });\r\n \r\n waitCount++;\r\n }\r\n\r\n if (isWindowsDefaultName(latestFile.file)) {\r\n console.log(`等待超时,用户未重命名,使用默认文件名: ${latestFile.file}`);\r\n } else {\r\n console.log(`获取到最终文件名: ${latestFile.file}`);\r\n }\r\n\r\n const { file: oldName, fullPath: oldPath, stat } = latestFile;\r\n // 获取文件所在目录(可能是子文件夹)\r\n const fileDir = path__WEBPACK_IMPORTED_MODULE_3___default.a.dirname(oldPath);\r\n // 如果未提供 orderNum\r\n const ext = path__WEBPACK_IMPORTED_MODULE_3___default.a.extname(oldName); // 保留原扩展名,如 .txt\r\n const baseNewName = orderNum;\r\n const newName = baseNewName + (ext.startsWith('.') ? ext : '');\r\n const newPath = path__WEBPACK_IMPORTED_MODULE_3___default.a.join(fileDir, newName);\r\n console.log('newPath', newPath, dataJson.device.updateFileName == '1');\r\n if (dataJson.device.updateFileName == '1') {\r\n fs__WEBPACK_IMPORTED_MODULE_4___default.a.renameSync(oldPath, newPath);\r\n // 执行重命名\r\n // 可选:读取文件 Buffer(注意大文件内存问题)\r\n // 如果不需要内容,可移除 fileBuffer 字段\r\n const fileBuffer = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(newPath);\r\n\r\n return {\r\n success: true,\r\n data: {\r\n fileName: newName,\r\n filePath: newPath,\r\n fileSize: (stat.size / 1024).toFixed(2) + 'KB',\r\n updateTime: new Date(stat.mtime).toLocaleString(),\r\n fileBuffer: fileBuffer // 若不需要,可删除此行\r\n }\r\n };\r\n\r\n } else {\r\n // 不重命名,直接使用原文件\r\n const fileBuffer = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(oldPath);\r\n\r\n return {\r\n success: true,\r\n data: {\r\n fileName: oldName,\r\n filePath: oldPath,\r\n fileSize: (stat.size / 1024).toFixed(2) + 'KB',\r\n updateTime: new Date(stat.mtime).toLocaleString(),\r\n fileBuffer: fileBuffer // 若不需要,可删除此行\r\n }\r\n };\r\n }\r\n\r\n } catch (err) {\r\n console.error('read-c-folder 错误:', err);\r\n return { success: false, msg: `读取最新文件失败:${err.message}` };\r\n }\r\n});\r\n\r\n// 2. 新增:将文件信息写入本地JSON文件\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('save-file-info', async (event, fileInfoList) => {\r\n try {\r\n if (!Array.isArray(fileInfoList)) {\r\n throw new Error('fileInfoList 必须是数组');\r\n }\r\n\r\n let existingData = [];\r\n if (fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(storagePath)) {\r\n try {\r\n const rawData = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(storagePath, 'utf8').trim();\r\n const parsed = JSON.parse(rawData);\r\n existingData = Array.isArray(parsed) ? parsed : [];\r\n } catch (parseErr) {\r\n console.warn('fileInfo.json 格式错误,重新初始化:', parseErr.message);\r\n existingData = [];\r\n }\r\n }\r\n\r\n // 合并新旧数据\r\n const finalData = [...existingData, ...fileInfoList];\r\n\r\n // 🔥 按 date 字段倒序排序(最新在前)\r\n // 假设 date 是字符串格式如 \"2025-04-05 14:30:25\" 或 ISO 时间\r\n finalData.sort((a, b) => {\r\n const timeA = new Date(a.date).getTime();\r\n const timeB = new Date(b.date).getTime();\r\n return timeB - timeA; // 降序:最新在前\r\n });\r\n\r\n // 安全写入\r\n const tempPath = `${storagePath}.tmp`;\r\n fs__WEBPACK_IMPORTED_MODULE_4___default.a.writeFileSync(tempPath, JSON.stringify(finalData, null, 2), 'utf8');\r\n fs__WEBPACK_IMPORTED_MODULE_4___default.a.renameSync(tempPath, storagePath);\r\n\r\n return {\r\n success: true,\r\n msg: `成功存储 ${fileInfoList.length} 条记录,总计 ${finalData.length} 条(已按时间倒序)`\r\n };\r\n } catch (err) {\r\n return {\r\n success: false,\r\n msg: `存储失败: ${err.message}`\r\n };\r\n }\r\n});\r\n\r\n// 3. 新增:读取本地存储的文件信息\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('get-saved-file-info', async () => {\r\n try {\r\n if (!fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(storagePath)) {\r\n return { success: true, data: [] };\r\n }\r\n const rawData = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(storagePath, 'utf8');\r\n const data = rawData ? JSON.parse(rawData) : [];\r\n return { success: true, data };\r\n } catch (err) {\r\n return { success: false, msg: `读取存储数据失败:${err.message}` };\r\n }\r\n});\r\n\r\n\r\n// IPC 处理:重命名文件\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"ipcMain\"].handle('rename-file', async (event, data) => {\r\n\r\n try {\r\n const { filePath, orderNumber } = data;\r\n console.log('data', fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(filePath));\r\n\r\n console.log('stat1111');\r\n const stat = fs__WEBPACK_IMPORTED_MODULE_4___default.a.statSync(filePath);\r\n console.log('stat', stat);\r\n const dir = path__WEBPACK_IMPORTED_MODULE_3___default.a.dirname(filePath);\r\n console.log('dir', dir);\r\n const ext = path__WEBPACK_IMPORTED_MODULE_3___default.a.extname(filePath);\r\n console.log('ext', ext);\r\n const newName = orderNumber + ext;\r\n console.log('newName', newName);\r\n const newPath = path__WEBPACK_IMPORTED_MODULE_3___default.a.join(dir, newName);\r\n console.log('newPath', newPath);\r\n\r\n\r\n if (fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(newPath)) {\r\n console.log('目标文件已存在:', fs__WEBPACK_IMPORTED_MODULE_4___default.a.existsSync(newPath));\r\n return { success: false, msg: `目标文件已存在:${newPath}` };\r\n }\r\n\r\n const dataJson = loadConfig();\r\n if (dataJson.device.updateFileName == '1') {\r\n fs__WEBPACK_IMPORTED_MODULE_4___default.a.renameSync(filePath, newPath);\r\n // 执行重命名\r\n // 可选:读取文件 Buffer(注意大文件内存问题)\r\n // 如果不需要内容,可移除 fileBuffer 字段\r\n const fileBuffer = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(newPath);\r\n\r\n return {\r\n success: true,\r\n data: {\r\n fileName: newName,\r\n filePath: newPath,\r\n fileSize: (stat.size / 1024).toFixed(2) + 'KB',\r\n updateTime: new Date(stat.mtime).toLocaleString(),\r\n fileBuffer: fileBuffer // 若不需要,可删除此行\r\n }\r\n };\r\n\r\n } else {\r\n // 不重命名,直接使用原文件\r\n const oldName = path__WEBPACK_IMPORTED_MODULE_3___default.a.basename(filePath);\r\n const fileBuffer = fs__WEBPACK_IMPORTED_MODULE_4___default.a.readFileSync(filePath);\r\n\r\n return {\r\n success: true,\r\n data: {\r\n fileName: oldName,\r\n filePath: filePath,\r\n fileSize: (stat.size / 1024).toFixed(2) + 'KB',\r\n updateTime: new Date(stat.mtime).toLocaleString(),\r\n fileBuffer: fileBuffer // 若不需要,可删除此行\r\n }\r\n };\r\n }\r\n } catch (err) {\r\n console.error('重命名文件时出错:', err);\r\n return { success: false, msg: `重命名失败:${err.message}` };\r\n }\r\n})\r\n\n\n//# sourceURL=webpack:///./src/listener.js?");
/***/ }),
/***/ "./src/menu.js":
/*!*********************!*\
!*** ./src/menu.js ***!
\*********************/
/*! no exports provided */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! electron */ \"electron\");\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(electron__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var _windowManager__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! @/windowManager */ \"./src/windowManager.js\");\n/* harmony import */ var _iconManager__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! @/iconManager */ \"./src/iconManager.js\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! path */ \"path\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(path__WEBPACK_IMPORTED_MODULE_3__);\n\r\n\r\n//导入公共创建窗口的方法\r\n\r\n\r\n\r\n\r\nconst template = [\r\n // {\r\n // label: '帮助',\r\n // submenu: [\r\n // {\r\n // label: '关于',\r\n // accelerator: 'CmdOrCtrl+H',\r\n\r\n\r\n // //添加单击方法\r\n // click: () => {\r\n // //构建 关于 窗口参数对象\r\n // const aboutWindowObject = {\r\n // //宽高使用默认值\r\n // //自动隐藏菜单栏\r\n // isAutoHideMenuBar: true,\r\n // title: '调试窗口',\r\n // //默认隐藏\r\n // //最大宽度和最大高度使用默认值\r\n // //TODO 对于ICON,最后处理\r\n // iconName:iconManager.ICON_PATHS.APP_ICON,\r\n // //禁止最大化最小化\r\n // minimizable: false,\r\n // maximizable: false,\r\n // //禁止窗口调整大小\r\n // resizable: false,\r\n // //禁止启动后最大化\r\n // isMax: false,\r\n // url: 'about-win'\r\n // }\r\n // //调用公共创建窗口的方法\r\n // commonCreateWindow(aboutWindowObject)\r\n // }\r\n // }\r\n // ]\r\n // }\r\n\r\n]\r\n\r\nelectron__WEBPACK_IMPORTED_MODULE_0__[\"Menu\"].setApplicationMenu(electron__WEBPACK_IMPORTED_MODULE_0__[\"Menu\"].buildFromTemplate(template))\n\n//# sourceURL=webpack:///./src/menu.js?");
/***/ }),
/***/ "./src/readFs.js":
/*!***********************!*\
!*** ./src/readFs.js ***!
\***********************/
/*! exports provided: uploadLatestFile, watchUploadLatestFile, stopFileWatching, watchUploadLatestAnalysisFile */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"uploadLatestFile\", function() { return uploadLatestFile; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"watchUploadLatestFile\", function() { return watchUploadLatestFile; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"stopFileWatching\", function() { return stopFileWatching; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"watchUploadLatestAnalysisFile\", function() { return watchUploadLatestAnalysisFile; });\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! fs */ \"fs\");\n/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(fs__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! path */ \"path\");\n/* harmony import */ var path__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(path__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var axios__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! axios */ \"./node_modules/axios/index.js\");\n/* harmony import */ var form_data__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! form-data */ \"./node_modules/form-data/lib/form_data.js\");\n/* harmony import */ var form_data__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(form_data__WEBPACK_IMPORTED_MODULE_3__);\n\r\n// npm i fs-extra\r\n\r\n// 确保 axios 已安装\r\n// 确保 form-data 已安装\r\nconst { BrowserWindow, dialog } = __webpack_require__(/*! electron */ \"electron\");\r\nconst Store = __webpack_require__(/*! electron-store */ \"electron-store\");\r\nconst store = new Store();\r\n\r\nconst os = __webpack_require__(/*! os */ \"os\");\r\n\r\nfunction getIPAddress() {\r\n const networkInterfaces = os.networkInterfaces();\r\n for (const name of Object.keys(networkInterfaces)) {\r\n for (const net of networkInterfaces[name]) {\r\n // IPv4且未被内部使用\r\n if (net.family === 'IPv4' && !net.internal) {\r\n return net.address;\r\n }\r\n }\r\n }\r\n return null; // 如果没有找到合适的IP地址\r\n}\r\n\r\n\r\n\r\nconst userDataPath = process.cwd();\r\nconst configPath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(userDataPath, 'config.json');\r\nlet latestMTime = 0\r\nlet checkTimeout = null\r\n\r\nfunction showMessage(message, title = '提示') {\r\n dialog.showMessageBox({\r\n type: 'info', // 可以是 'none', 'info', 'error', 'question' 或 'warning'\r\n title: title,\r\n message: message,\r\n buttons: [] // 自定义按钮文本\r\n }).then(result => {\r\n console.log(result.response); // '0' 表示第一个按钮,以此类推\r\n }).catch(err => {\r\n console.log(err);\r\n });\r\n}\r\n// 读取配置文件\r\nfunction loadConfig() {\r\n try {\r\n const data = fs__WEBPACK_IMPORTED_MODULE_0___default.a.readFileSync(configPath, 'utf8');\r\n return JSON.parse(data);\r\n } catch (error) {\r\n console.error('Error loading config:', error);\r\n return {}; // 或者返回一个默认配置对象\r\n }\r\n}\r\n\r\n// 日志文件路径 \r\nconst cwd = process.cwd(); //获取项目的根目录\r\nconst logFilePath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(cwd, 'api.log');\r\n\r\n// 函数:写入日志 \r\nfunction logApiCall(data) {\r\n const logEntry = `[${new Date().toLocaleString()}] ${data}\\n`;\r\n fs__WEBPACK_IMPORTED_MODULE_0___default.a.appendFile(logFilePath, logEntry, (err) => {\r\n if (err) {\r\n console.error('写入日志时出错:', err);\r\n }\r\n });\r\n}\r\nconst uploadLatestFile = async (id) => {\r\n\r\n // const cwd = process.cwd(); //获取项目的根目录\r\n // 获取文件夹下所有文件\r\n let dataJson = loadConfig()\r\n\r\n let directoryPath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(`${dataJson.device.filePathDisc}:`, dataJson.device.file_path);\r\n let fileExt = null\r\n let oldPath = null\r\n let newPath = null\r\n // const directoryPath = path.join(`C:`, '检测记录');\r\n\r\n const files = fs__WEBPACK_IMPORTED_MODULE_0___default.a.readdirSync(directoryPath);\r\n // 3. 获取文件元数据并记录修改时间\r\n const filesWithStats = files\r\n .map(fileName => {\r\n const filePath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, fileName);\r\n return {\r\n name: fileName,\r\n stats: fs__WEBPACK_IMPORTED_MODULE_0___default.a.statSync(filePath)\r\n };\r\n })\r\n .filter(item => item.stats.isFile() || item.stats.isDirectory()); // 可选:过滤有效项\r\n\r\n if (filesWithStats.length === 0) {\r\n logApiCall(\"上传目录为空,无文件可上传\");\r\n store.set('key', 'error');\r\n return;\r\n }\r\n\r\n const latestFile = filesWithStats.reduce((prev, current) => {\r\n // 使用 mtimeMs(毫秒时间戳)确保精度\r\n return current.stats.mtimeMs > prev.stats.mtimeMs ? current : prev;\r\n });\r\n\r\n // 获取最新文件\r\n // const latestFile = files.sort((a, b) => b.mtime - a.mtime)[0];\r\n\r\n const stats = fs__WEBPACK_IMPORTED_MODULE_0___default.a.statSync(path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, latestFile.name));\r\n\r\n if (stats.isFile()) {//文件处理\r\n fileExt = path__WEBPACK_IMPORTED_MODULE_1___default.a.extname(latestFile.name); // 正确获取扩展名(包含点)\r\n oldPath = latestFile.name;\r\n // newPath = `${latestFile.name}`;//不修改文件名\r\n newPath = `${id}${fileExt}`;//修改文件名\r\n } else if (stats.isDirectory()) {//文件夹处理\r\n directoryPath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(`${dataJson.device.filePathDisc}:`, `${dataJson.device.file_path}/${latestFile.name}`);\r\n const filess = fs__WEBPACK_IMPORTED_MODULE_0___default.a.readdirSync(directoryPath);\r\n\r\n const filesWithStatss = filess.map(fileName => {\r\n const filePath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, fileName);\r\n return {\r\n name: fileName,\r\n stats: fs__WEBPACK_IMPORTED_MODULE_0___default.a.statSync(filePath) // 获取文件状态\r\n };\r\n });\r\n\r\n const latestFiles = filesWithStatss.reduce((prev, current) => {\r\n // 使用 mtimeMs(毫秒时间戳)确保精度\r\n return current.stats.mtimeMs > prev.stats.mtimeMs ? current : prev;\r\n });\r\n\r\n\r\n let fileExts = path__WEBPACK_IMPORTED_MODULE_1___default.a.extname(latestFiles.name); // 正确获取扩展名(包含点)\r\n\r\n oldPath = latestFiles.name;\r\n // newPath = `${latestFiles.name}`; 不修改文件名\r\n\r\n newPath = `${id}${fileExts}`; //修改文件名\r\n\r\n }\r\n logApiCall(`重命名之前的文件: ${path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, oldPath)},${path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)}`);\r\n fs__WEBPACK_IMPORTED_MODULE_0___default.a.renameSync(path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, oldPath), path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath))\r\n // \r\n logApiCall(`获取文件信息: ${JSON.stringify(fs__WEBPACK_IMPORTED_MODULE_0___default.a.createReadStream(path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)))}`);\r\n try {\r\n // // 采用form-data 的方式上传\r\n const formData = new form_data__WEBPACK_IMPORTED_MODULE_3___default.a();\r\n\r\n formData.append(\r\n 'file',\r\n fs__WEBPACK_IMPORTED_MODULE_0___default.a.readFileSync(path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)),\r\n );\r\n formData.append('deviceId', dataJson.device.code);\r\n formData.append('orderNumber', id);\r\n formData.append('deviceModel', dataJson.device.codeType);\r\n logApiCall(`上传路径: ${path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)}`);\r\n logApiCall(`上传接口: ${dataJson.device.address}/upper/parsing`);\r\n logApiCall(`上传参数: ${JSON.stringify(formData)}`);\r\n // 上传文件\r\n\r\n const result = await axios__WEBPACK_IMPORTED_MODULE_2__[\"default\"].post(\r\n 'http://49.232.74.228:80/blade-resource/oss/endpoint/put-file-attach',\r\n formData,\r\n {\r\n headers: {\r\n ...formData.getHeaders(),\r\n },\r\n },\r\n )\r\n logApiCall(`上传返回: ${JSON.stringify(result)}`);\r\n\r\n if (result.data.msg == '操作成功') {\r\n store.set('key', 'success');\r\n store.set('resultDate', JSON.stringify(result.data));\r\n } else {\r\n logApiCall(`上传失败1: ${JSON.stringify(result)}`);\r\n store.set('key', 'error');\r\n }\r\n } catch (error) {\r\n store.set('key', 'error');\r\n const errorMsg = error.response\r\n ? JSON.stringify(error.response.data)\r\n : error.message || 'Unknown error';\r\n logApiCall(`请求失败2: ${errorMsg}`);\r\n }\r\n\r\n};\r\n\r\n\r\n// 记录已上传的文件,避免重复上传(模块级变量,所有调用共享)\r\nlet uploadedFiles = new Set();\r\n// 防止多次调用导致多个循环\r\nlet isWatching = false;\r\n\r\n// 监控文件夹上传\r\nconst watchUploadLatestFile = async (id) => {\r\n // 如果已经在监控,直接返回\r\n if (isWatching) {\r\n logApiCall(\"监控已在运行,跳过重复调用\");\r\n return;\r\n }\r\n\r\n isWatching = true;\r\n\r\n store.set(\"key\", \"error\");\r\n let dataJson = loadConfig();\r\n let directoryPath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(\r\n `${dataJson.device.filePathDisc}:`,\r\n dataJson.device.file_path,\r\n );\r\n\r\n // 获取文件夹中最新文件的函数\r\n const getLatestFile = () => {\r\n try {\r\n const files = fs__WEBPACK_IMPORTED_MODULE_0___default.a.readdirSync(directoryPath);\r\n if (files.length === 0) {\r\n return null; // 文件夹为空\r\n }\r\n\r\n // 获取所有文件的状态并找到最新的\r\n const filesWithStats = files\r\n .map((fileName) => {\r\n const filePath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, fileName);\r\n try {\r\n const stats = fs__WEBPACK_IMPORTED_MODULE_0___default.a.statSync(filePath);\r\n return {\r\n name: fileName,\r\n path: filePath,\r\n mtimeMs: stats.mtimeMs,\r\n size: stats.size,\r\n };\r\n } catch (error) {\r\n console.error(`无法获取文件状态: ${fileName}`, error);\r\n return null;\r\n }\r\n })\r\n .filter(Boolean); // 过滤掉无法获取状态的文件\r\n\r\n if (filesWithStats.length === 0) {\r\n return null; // 没有有效文件\r\n }\r\n\r\n // 找到修改时间最新的文件\r\n const latestFile = filesWithStats.reduce((prev, current) => {\r\n return current.mtimeMs > prev.mtimeMs ? current : prev;\r\n });\r\n\r\n return latestFile;\r\n } catch (error) {\r\n console.error(\"读取文件夹失败:\", error);\r\n return null;\r\n }\r\n };\r\n\r\n // 获取初始文件列表\r\n let previousFiles = new Set(fs__WEBPACK_IMPORTED_MODULE_0___default.a.readdirSync(directoryPath));\r\n\r\n // 延迟函数\r\n const sleep = (ms) => new Promise((resolve) => setTimeout(resolve, ms));\r\n\r\n // 使用 while 循环替代 setInterval\r\n while (true) {\r\n try {\r\n const currentFiles = new Set(fs__WEBPACK_IMPORTED_MODULE_0___default.a.readdirSync(directoryPath));\r\n const currentLatestFile = getLatestFile();\r\n logApiCall(`循环读取新文件: ${Array.from(currentFiles)}`);\r\n logApiCall(`之前状态文件: ${Array.from(previousFiles)}`);\r\n // 检查是否有新增文件\r\n const newFiles = Array.from(currentFiles).filter(\r\n (file) => !previousFiles.has(file),\r\n );\r\n logApiCall(`新增文件: ${newFiles}`);\r\n if (newFiles.length > 0 && currentLatestFile) {\r\n logApiCall(`发现新增文件: ${newFiles.join(\", \")}`);\r\n\r\n // 只上传最新文件,且确保该文件未被上传过\r\n if (!uploadedFiles.has(currentLatestFile.name)) {\r\n logApiCall(\r\n `标记已上传的文件列表: ${JSON.stringify(Array.from(uploadedFiles))}`,\r\n );\r\n // 标记为已上传\r\n uploadedFiles.add(currentLatestFile.name);\r\n logApiCall(\r\n `添加后的文件列表: ${JSON.stringify(Array.from(uploadedFiles))}`,\r\n );\r\n // 上传最新的文件\r\n await watchUpload(currentLatestFile, id);\r\n } else {\r\n logApiCall(`文件 ${currentLatestFile.name} 已经上传过,跳过`);\r\n }\r\n } else if (!currentLatestFile) {\r\n logApiCall(\"文件夹中没有文件\");\r\n } else {\r\n logApiCall(\"没有新增文件\");\r\n }\r\n\r\n // 更新文件列表\r\n previousFiles = currentFiles;\r\n } catch (error) {\r\n logApiCall(`检查文件夹时出错: ${error.message}`);\r\n }\r\n\r\n // 等待指定时间后再进行下一次检查\r\n await sleep(dataJson.device.reconnect_time * 2000);\r\n }\r\n};\r\n// 上传最新文件的函数\r\nasync function watchUpload(latestFile, id) {\r\n\r\n const filePath = latestFile.path;\r\n let dataJson = loadConfig();\r\n try {\r\n logApiCall(`开始上传最新文件: ${filePath}`);\r\n // 采用form-data的方式上传\r\n const formData = new form_data__WEBPACK_IMPORTED_MODULE_3___default.a();\r\n formData.append(\"file\", fs__WEBPACK_IMPORTED_MODULE_0___default.a.createReadStream(filePath));\r\n formData.append(\"deviceId\", dataJson.device.code);\r\n formData.append(\"orderNumber\", id);\r\n formData.append(\"deviceModel\", dataJson.device.codeType);\r\n // logApiCall(`上传formData: ${JSON.stringify(formData)}`);\r\n logApiCall(`上传路径: ${filePath}`);\r\n logApiCall(`上传接口: ${dataJson.device.address}/upper/send`);\r\n\r\n // 上传文件\r\n const result = await axios__WEBPACK_IMPORTED_MODULE_2__[\"default\"].post(\r\n dataJson.device.address + \"/upper/send\",\r\n formData,\r\n {\r\n headers: {\r\n ...formData.getHeaders(),\r\n },\r\n },\r\n );\r\n\r\n logApiCall(`上传返回: ${JSON.stringify(result.data)}`);\r\n if (result.data.msg == \"操作成功\") {\r\n // showMessage(`文件 ${latestFile.name} 上传成功`);\r\n store.set(\"key\", \"success\");\r\n } else {\r\n store.set(\"key\", \"success\");\r\n // showMessage(`文件 ${latestFile.name} 上传失败: ${result.data.msg}`);\r\n }\r\n } catch (error) {\r\n store.set(\"key\", \"success\");\r\n // showMessage(`文件 ${latestFile.name} 上传失败: ${JSON.stringify(error)}`);\r\n logApiCall(`请求失败: ${JSON.stringify(error)}`);\r\n }\r\n}\r\n\r\n\r\n// 停止监听的函数\r\nconst stopFileWatching = () => {\r\n if (checkTimeout) {\r\n clearInterval(checkTimeout);\r\n console.log('文件夹监听已停止');\r\n }\r\n}\r\n\r\n// 监控文件上传并获取解析之后的数据\r\nconst watchUploadLatestAnalysisFile = async (id) => {\r\n store.set('key', '');\r\n let newPath = null\r\n let fileExt = null\r\n let dataJson = loadConfig()\r\n let directoryPath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(`${dataJson.device.filePathDisc}:`, dataJson.device.file_path);\r\n const files = fs__WEBPACK_IMPORTED_MODULE_0___default.a.readdirSync(directoryPath)\r\n\r\n // 遍历所有文件获取最新修改时间\r\n const filesWithStats = files.map(fileName => {\r\n const filePath = path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, fileName);\r\n return {\r\n name: fileName,\r\n stats: fs__WEBPACK_IMPORTED_MODULE_0___default.a.statSync(filePath) // 获取文件状态\r\n };\r\n });\r\n\r\n const latestFile = filesWithStats.reduce((prev, current) => {\r\n // 使用 mtimeMs(毫秒时间戳)确保精度\r\n return current.stats.mtimeMs > prev.stats.mtimeMs ? current : prev;\r\n });\r\n\r\n // 获取最新文件\r\n const stats = fs__WEBPACK_IMPORTED_MODULE_0___default.a.statSync(path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, latestFile.name));\r\n let newLatestMTime = stats.mtimeMs\r\n latestMTime = stats.mtimeMs //获取最新的以此上传文件的时间\r\n fileExt = path__WEBPACK_IMPORTED_MODULE_1___default.a.extname(latestFile.name); // 正确获取扩展名(包含点)\r\n newPath = `${latestFile.name}`;\r\n\r\n\r\n checkTimeout = setInterval(async () => {\r\n logApiCall(`上传文件解析修改日期开始:${newLatestMTime} 上传文件解析最新修改:${latestMTime}`);\r\n if (newLatestMTime == latestMTime) {\r\n // 遍历所有文件获取最新修改时间\r\n let newStats = fs__WEBPACK_IMPORTED_MODULE_0___default.a.statSync(path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, latestFile.name));\r\n newLatestMTime = newStats.mtimeMs\r\n logApiCall(`上传文件解析未被修改过: ${path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)}`);\r\n console.log('上传文件解析未被修改过', directoryPath)\r\n } else {\r\n clearTimeout(checkTimeout)\r\n logApiCall(`上传文件解析被修改过: ${path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)}`);\r\n console.log('上传文件解析被修改过', directoryPath)\r\n // 采用form-data 的方式上传\r\n\r\n const formData = new form_data__WEBPACK_IMPORTED_MODULE_3___default.a();\r\n formData.append(\r\n 'file',\r\n fs__WEBPACK_IMPORTED_MODULE_0___default.a.createReadStream(path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)),\r\n );\r\n formData.append('deviceId', dataJson.device.code);\r\n formData.append('orderNumber', id);\r\n formData.append('deviceModel', dataJson.device.codeType);\r\n logApiCall(`上传文件解析路径: ${path__WEBPACK_IMPORTED_MODULE_1___default.a.join(directoryPath, newPath)}`);\r\n logApiCall(`上传文件解析内容: ${JSON.stringify(formData)}`);\r\n logApiCall(`上传文件解析接口: ${dataJson.device.address}/upper/parsing`);\r\n\r\n // 上传文件\r\n try {\r\n const result = await axios__WEBPACK_IMPORTED_MODULE_2__[\"default\"].post(\r\n dataJson.device.address + '/upper/parsing',\r\n formData,\r\n {\r\n headers: {\r\n ...formData.getHeaders(),\r\n },\r\n },\r\n )\r\n\r\n logApiCall(`上传返回: ${JSON.stringify(result.data)}`);\r\n if (result.data.msg == '操作成功') {\r\n // showMessage('上传成功');\r\n store.set('key', 'success');\r\n store.set('resultDate', JSON.stringify(result.data));\r\n // resolve(`文件上传成功`);\r\n } else {\r\n // reject(new Error(`上传失败${result.data.msg}`));\r\n // store.set('key', 'error');\r\n store.set('key', 'error');\r\n // showMessage(`上传失败${result.data.msg}`);\r\n }\r\n } catch (error) {\r\n // store.set('key', 'error');\r\n store.set('key', 'error');\r\n // showMessage(`上传失败${JSON.stringify(error)}`);\r\n logApiCall(`请求失败: ${JSON.stringify(error)}`);\r\n }\r\n\r\n }\r\n }, dataJson.device.reconnect_time * 1000)\r\n // })\r\n\r\n\r\n}\r\n\r\n\n\n//# sourceURL=webpack:///./src/readFs.js?");
/***/ }),
/***/ "./src/tray.js":
/*!*********************!*\
!*** ./src/tray.js ***!
\*********************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _iconManager__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! @/iconManager */ \"./src/iconManager.js\");\n// tray.js\r\nconst { Tray, Menu } = __webpack_require__(/*! electron */ \"electron\");\r\nconst path = __webpack_require__(/*! path */ \"path\");\r\n\r\nconst fs = __webpack_require__(/*! fs */ \"fs\");\r\n\r\nlet appTray = null;\r\nlet win = null; // 你需要从外部传递窗口实例\r\n\r\n// 获取图标文件的绝对路径\r\nfunction getIconPath(iconPath) {\r\n // 尝试从 dist_electron 目录加载\r\n const distPath = path.join(__dirname, iconPath);\r\n if (fs.existsSync(distPath)) {\r\n return distPath;\r\n }\r\n // 如果不存在,尝试从 public 目录加载(开发模式)\r\n const publicPath = path.join(process.cwd(), 'public', iconPath);\r\n if (fs.existsSync(publicPath)) {\r\n return publicPath;\r\n }\r\n // 都不存在,返回原路径\r\n return distPath;\r\n}\r\n\r\nfunction createTray(app,mainWindow,nativeImage) {\r\n win = mainWindow;\r\n\r\n // 获取图标路径\r\n const openIconPath = getIconPath(_iconManager__WEBPACK_IMPORTED_MODULE_0__[\"ICON_PATHS\"].OPEN_ICON);\r\n const exitIconPath = getIconPath(_iconManager__WEBPACK_IMPORTED_MODULE_0__[\"ICON_PATHS\"].EXIT_ICON);\r\n const appIconPath = getIconPath(_iconManager__WEBPACK_IMPORTED_MODULE_0__[\"ICON_PATHS\"].APP_ICON);\r\n\r\n console.log('图标路径 - 打开:', openIconPath);\r\n console.log('图标路径 - 退出:', exitIconPath);\r\n console.log('图标路径 - 应用:', appIconPath);\r\n\r\n // 打开图标缩小设置\r\n const openResizedIcon = nativeImage.createFromPath(openIconPath).resize({\r\n width: 16,\r\n height: 16\r\n });\r\n\r\n // 退出图标缩小设置\r\n const exitResizedIcon = nativeImage.createFromPath(exitIconPath).resize({\r\n width: 16,\r\n height: 16\r\n });\r\n\r\n // 系统托盘右键菜单\r\n let trayMenuTemplate = [\r\n {\r\n label: '打开',\r\n icon: openResizedIcon,\r\n click: function () {\r\n win.show();\r\n win.maximize();\r\n }\r\n },\r\n {\r\n label: '退出',\r\n icon: exitResizedIcon,\r\n click: function () {\r\n app.quit();\r\n app.quit();\r\n }\r\n }\r\n ];\r\n\r\n appTray = new Tray(appIconPath);\r\n const contextMenu = Menu.buildFromTemplate(trayMenuTemplate);\r\n appTray.setToolTip('utils-hub');\r\n appTray.setContextMenu(contextMenu);\r\n\r\n // 点击托盘图标时显示窗口\r\n appTray.on('click', function () {\r\n win.show();\r\n win.maximize();\r\n });\r\n}\r\n\r\n/* harmony default export */ __webpack_exports__[\"default\"] = (createTray);\n\n//# sourceURL=webpack:///./src/tray.js?");
/***/ }),
/***/ "./src/windowManager.js":
/*!******************************!*\
!*** ./src/windowManager.js ***!
\******************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! electron */ \"electron\");\n/* harmony import */ var electron__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(electron__WEBPACK_IMPORTED_MODULE_0__);\n/** 窗口管理器 */\r\n\r\n\r\nconst path = __webpack_require__(/*! path */ \"path\")\r\n\r\n/**\r\n *\r\n * @param param 窗口参数对象\r\n */\r\nconst winURL = true\r\n ? 'http://localhost:8080'\r\n : undefined\r\n\r\nlet win;\r\nfunction commonCreateWindow(param) {\r\n let win = new electron__WEBPACK_IMPORTED_MODULE_0__[\"BrowserWindow\"]({\r\n width: param.width || 400,\r\n height: param.height || 200,\r\n autoHideMenuBar: param.isAutoHideMenuBar || false,\r\n title: param.title || 'utils-hub',\r\n show: param.show || false,\r\n minWidth: param.minWidth || 400,\r\n minHeight: param.minHeight || 200,\r\n //如果没有传icon,那么就使用默认的图标,在 public/下\r\n icon: path.join(__dirname, param.iconName || 'app.ico'),\r\n minimizable: param.minimizable,\r\n maximizable: param.maximizable,\r\n resizable: param.resizable,\r\n closable: true,\r\n webPreferences: {\r\n preload: path.resolve(__dirname, './preload.js'),\r\n nodeIntegration: false,\r\n contextIsolation: true,\r\n enableRemoteModule: false, // 禁用 remote 模块以提高安全性\r\n }\r\n })\r\n // win.webContents.on('did-finish-load', () => {\r\n // win.setTitle(param.title); // 设置窗口标题\r\n // win.show();\r\n // })\r\n win.loadURL(`${winURL}` + \"/#/sub-win/\" + param.url);\r\n // console.log(win)\r\n win.once('ready-to-show', () => {\r\n if (param.isMax) {\r\n win.maximize();\r\n }\r\n win.setTitle(param.title)\r\n win.show(); // 显示窗口\r\n });\r\n\r\n\r\n\r\n // 打开开发者工具(仅在开发环境中启用)\r\n // if (process.env.NODE_ENV === 'development') {\r\n // win.webContents.openDevTools();\r\n // }\r\n\r\n win.on('closed', () => {\r\n console.log('执行')\r\n win = null;\r\n });\r\n}\r\n\r\n/* harmony default export */ __webpack_exports__[\"default\"] = (commonCreateWindow);\n\n//# sourceURL=webpack:///./src/windowManager.js?");
/***/ }),
/***/ 0:
/*!*********************************!*\
!*** multi ./src/background.js ***!
\*********************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
eval("module.exports = __webpack_require__(/*! C:\\Users\\jiangxue\\Desktop\\xiaochengxu\\file-upload-application-mes\\src\\background.js */\"./src/background.js\");\n\n\n//# sourceURL=webpack:///multi_./src/background.js?");
/***/ }),
/***/ "assert":
/*!*************************!*\
!*** external "assert" ***!
\*************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"assert\");\n\n//# sourceURL=webpack:///external_%22assert%22?");
/***/ }),
/***/ "buffer":
/*!*************************!*\
!*** external "buffer" ***!
\*************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"buffer\");\n\n//# sourceURL=webpack:///external_%22buffer%22?");
/***/ }),
/***/ "crypto":
/*!*************************!*\
!*** external "crypto" ***!
\*************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"crypto\");\n\n//# sourceURL=webpack:///external_%22crypto%22?");
/***/ }),
/***/ "electron":
/*!***************************!*\
!*** external "electron" ***!
\***************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"electron\");\n\n//# sourceURL=webpack:///external_%22electron%22?");
/***/ }),
/***/ "electron-store":
/*!**********************************************!*\
!*** external "require(\"electron-store\")" ***!
\**********************************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"electron-store\");\n\n//# sourceURL=webpack:///external_%22require(\\%22electron-store\\%22)%22?");
/***/ }),
/***/ "events":
/*!*************************!*\
!*** external "events" ***!
\*************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"events\");\n\n//# sourceURL=webpack:///external_%22events%22?");
/***/ }),
/***/ "fs":
/*!*********************!*\
!*** external "fs" ***!
\*********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"fs\");\n\n//# sourceURL=webpack:///external_%22fs%22?");
/***/ }),
/***/ "http":
/*!***********************!*\
!*** external "http" ***!
\***********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"http\");\n\n//# sourceURL=webpack:///external_%22http%22?");
/***/ }),
/***/ "http2":
/*!************************!*\
!*** external "http2" ***!
\************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"http2\");\n\n//# sourceURL=webpack:///external_%22http2%22?");
/***/ }),
/***/ "https":
/*!************************!*\
!*** external "https" ***!
\************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"https\");\n\n//# sourceURL=webpack:///external_%22https%22?");
/***/ }),
/***/ "os":
/*!*********************!*\
!*** external "os" ***!
\*********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"os\");\n\n//# sourceURL=webpack:///external_%22os%22?");
/***/ }),
/***/ "path":
/*!***********************!*\
!*** external "path" ***!
\***********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"path\");\n\n//# sourceURL=webpack:///external_%22path%22?");
/***/ }),
/***/ "stream":
/*!*************************!*\
!*** external "stream" ***!
\*************************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"stream\");\n\n//# sourceURL=webpack:///external_%22stream%22?");
/***/ }),
/***/ "tty":
/*!**********************!*\
!*** external "tty" ***!
\**********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"tty\");\n\n//# sourceURL=webpack:///external_%22tty%22?");
/***/ }),
/***/ "url":
/*!**********************!*\
!*** external "url" ***!
\**********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"url\");\n\n//# sourceURL=webpack:///external_%22url%22?");
/***/ }),
/***/ "util":
/*!***********************!*\
!*** external "util" ***!
\***********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"util\");\n\n//# sourceURL=webpack:///external_%22util%22?");
/***/ }),
/***/ "zlib":
/*!***********************!*\
!*** external "zlib" ***!
\***********************/
/*! no static exports found */
/***/ (function(module, exports) {
eval("module.exports = require(\"zlib\");\n\n//# sourceURL=webpack:///external_%22zlib%22?");
/***/ })
/******/ });