diff --git a/.gitignore b/.gitignore index 00808ae..e615dcc 100644 --- a/.gitignore +++ b/.gitignore @@ -2,4 +2,5 @@ .settings *~ node_modules +package-lock.json tmp diff --git a/.npmignore b/.npmignore index 848fbe7..63a9288 100644 --- a/.npmignore +++ b/.npmignore @@ -2,6 +2,7 @@ CONTRIBUTING.md index.html libs/esprima +libs/rollup/espruino-rollup.browser.js libs/targz.js libs/utf8.js plugins/_examplePlugin.js diff --git a/bin/espruino-cli.js b/bin/espruino-cli.js index 747d391..b6491b6 100755 --- a/bin/espruino-cli.js +++ b/bin/espruino-cli.js @@ -254,6 +254,10 @@ function setupConfig(Espruino, callback) { process.exit(1); //Espruino.Core.Config.getSection(sectionName); } + if (args.file) { + var env = Espruino.Core.Env.getData(); + env.FILE = args.file; + } if (args.board) { log("Explicit board JSON supplied: "+JSON.stringify(args.board)); Espruino.Config.ENV_ON_CONNECT = false; diff --git a/core/modules.js b/core/modules.js index bda45a7..320760f 100644 --- a/core/modules.js +++ b/core/modules.js @@ -61,8 +61,24 @@ // When code is sent to Espruino, search it for modules and add extra code required to load them Espruino.addProcessor("transformForEspruino", function(code, callback) { + if (Espruino.Config.ROLLUP) { + return loadModulesRollup(code, callback); + } loadModules(code, callback); }); + + // Append the 'getModule' processor as the last (plugins get initialized after Espruino.Core modules) + Espruino.Plugins.CoreModules = { + init: function() { + Espruino.addProcessor("getModule", function(data, callback) { + if (data.moduleCode!==undefined) { // already provided be previous getModule processor + return callback(data); + } + + fetchGetModule(data, callback); + }); + } + }; } function isBuiltIn(module) { @@ -105,6 +121,50 @@ return modules; }; + /** Download modules from MODULE_URL/.. */ + function fetchGetModule(data, callback) { + var fullModuleName = data.moduleName; + + // try and load the module the old way... + console.log("loadModule("+fullModuleName+")"); + + var urls = []; // Array of where to look for this module + var modName; // Simple name of the module + if(Espruino.Core.Utils.isURL(fullModuleName)) { + modName = fullModuleName.substr(fullModuleName.lastIndexOf("/") + 1).split(".")[0]; + urls = [ fullModuleName ]; + } else { + modName = fullModuleName; + Espruino.Config.MODULE_URL.split("|").forEach(function (url) { + url = url.trim(); + if (url.length!=0) + Espruino.Config.MODULE_EXTENSIONS.split("|").forEach(function (extension) { + urls.push(url + "/" + fullModuleName + extension); + }) + }); + }; + + // Recursively go through all the urls + (function download(urls) { + if (urls.length==0) { + return callback(data); + } + var dlUrl = urls[0]; + Espruino.Core.Utils.getURL(dlUrl, function (code) { + if (code!==undefined) { + // we got it! + data.moduleCode = code; + data.isMinified = dlUrl.substr(-7)==".min.js"; + return callback(data); + } else { + // else try next + download(urls.slice(1)); + } + }); + })(urls); + } + + /** Called from loadModule when a module is loaded. Parse it for other modules it might use * and resolve dfd after all submodules have been loaded */ function moduleLoaded(resolve, requires, modName, data, loadedModuleData, alreadyMinified){ @@ -144,51 +204,16 @@ return new Promise(function(resolve, reject) { // First off, try and find this module using callProcessor Espruino.callProcessor("getModule", - { moduleName:fullModuleName, moduleCode:undefined }, + { moduleName:fullModuleName, moduleCode:undefined, isMinified:false }, function(data) { - if (data.moduleCode!==undefined) { - // great! it found something. Use it. - moduleLoaded(resolve, requires, fullModuleName, data.moduleCode, loadedModuleData, false); - } else { - // otherwise try and load the module the old way... - console.log("loadModule("+fullModuleName+")"); - - var urls = []; // Array of where to look for this module - var modName; // Simple name of the module - if(Espruino.Core.Utils.isURL(fullModuleName)) { - modName = fullModuleName.substr(fullModuleName.lastIndexOf("/") + 1).split(".")[0]; - urls = [ fullModuleName ]; - } else { - modName = fullModuleName; - Espruino.Config.MODULE_URL.split("|").forEach(function (url) { - url = url.trim(); - if (url.length!=0) - Espruino.Config.MODULE_EXTENSIONS.split("|").forEach(function (extension) { - urls.push(url + "/" + fullModuleName + extension); - }) - }); - }; - - // Recursively go through all the urls - (function download(urls) { - if (urls.length==0) { - Espruino.Core.Notifications.warning("Module "+fullModuleName+" not found"); - return resolve(); - } - var dlUrl = urls[0]; - Espruino.Core.Utils.getURL(dlUrl, function (data) { - if (data!==undefined) { - // we got it! - moduleLoaded(resolve, requires, fullModuleName, data, loadedModuleData, dlUrl.substr(-7)==".min.js"); - } else { - // else try next - download(urls.slice(1)); - } - }); - })(urls); + if (data.moduleCode===undefined) { + Espruino.Core.Notifications.warning("Module "+fullModuleName+" not found"); + return resolve(); } - }); + // great! it found something. Use it. + moduleLoaded(resolve, requires, fullModuleName, data.moduleCode, loadedModuleData, data.isMinified); + }); }); } @@ -211,8 +236,24 @@ callback(loadedModuleData.join("\n") + "\n" + code); }); } - }; + } + + function loadModulesRollup(code, callback) { + rollupTools.loadModulesRollup(code) + .then(generated => { + const minified = generated.code; + console.log('rollup: '+minified.length+' bytes'); + // FIXME: needs warnings? + Espruino.Core.Notifications.info('Rollup no errors. Bundling ' + code.length + ' bytes to ' + minified.length + ' bytes'); + callback(minified); + }) + .catch(err => { + console.log('rollup:error', err); + Espruino.Core.Notifications.error("Rollup errors - Bundling failed: " + String(err).trim()); + callback(code); + }); + } Espruino.Core.Modules = { init : init diff --git a/index.js b/index.js index 2c39727..5cd62b4 100644 --- a/index.js +++ b/index.js @@ -94,6 +94,13 @@ function init(callback) { // Various plugins loadDir(__dirname+"/plugins"); + try { + global.espruinoRollup = require("./libs/rollup/espruino-rollup.js"); + global.rollupTools = require("./libs/rollup/index.js"); + } catch(e) { + console.log("espruinoRollup library not found - you'll need it to minify code"); + } + // Bodge up notifications Espruino.Core.Notifications = { success : function(e) { console.log(e); }, diff --git a/libs/rollup/debug-shim.js b/libs/rollup/debug-shim.js new file mode 100644 index 0000000..9d0f859 --- /dev/null +++ b/libs/rollup/debug-shim.js @@ -0,0 +1 @@ +export default () => () => undefined diff --git a/libs/rollup/espruino-rollup.browser.js b/libs/rollup/espruino-rollup.browser.js new file mode 100644 index 0000000..5e26054 --- /dev/null +++ b/libs/rollup/espruino-rollup.browser.js @@ -0,0 +1 @@ +!function(e,t){"object"==typeof exports&&"undefined"!=typeof module?t(exports):"function"==typeof define&&define.amd?define(["exports"],t):t(e.espruinoRollup={})}(this,function(e){"use strict";var t="undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function n(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}function r(e,t){return e(t={exports:{}},t.exports),t.exports}var i="undefined"!=typeof global?global:"undefined"!=typeof self?self:"undefined"!=typeof window?window:{},o=[],s=[],a="undefined"!=typeof Uint8Array?Uint8Array:Array,u=!1;function c(){u=!0;for(var e="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",t=0,n=e.length;t>18&63]+o[i>>12&63]+o[i>>6&63]+o[63&i]);return s.join("")}function h(e){var t;u||c();for(var n=e.length,r=n%3,i="",s=[],a=0,h=n-r;ah?h:a+16383));return 1===r?(t=e[n-1],i+=o[t>>2],i+=o[t<<4&63],i+="=="):2===r&&(t=(e[n-2]<<8)+e[n-1],i+=o[t>>10],i+=o[t>>4&63],i+=o[t<<2&63],i+="="),s.push(i),s.join("")}function f(e,t,n,r,i){var o,s,a=8*i-r-1,u=(1<>1,l=-7,h=n?i-1:0,f=n?-1:1,p=e[t+h];for(h+=f,o=p&(1<<-l)-1,p>>=-l,l+=a;l>0;o=256*o+e[t+h],h+=f,l-=8);for(s=o&(1<<-l)-1,o>>=-l,l+=r;l>0;s=256*s+e[t+h],h+=f,l-=8);if(0===o)o=1-c;else{if(o===u)return s?NaN:1/0*(p?-1:1);s+=Math.pow(2,r),o-=c}return(p?-1:1)*s*Math.pow(2,o-r)}function p(e,t,n,r,i,o){var s,a,u,c=8*o-i-1,l=(1<>1,f=23===i?Math.pow(2,-24)-Math.pow(2,-77):0,p=r?0:o-1,d=r?1:-1,m=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(a=isNaN(t)?1:0,s=l):(s=Math.floor(Math.log(t)/Math.LN2),t*(u=Math.pow(2,-s))<1&&(s--,u*=2),(t+=s+h>=1?f/u:f*Math.pow(2,1-h))*u>=2&&(s++,u/=2),s+h>=l?(a=0,s=l):s+h>=1?(a=(t*u-1)*Math.pow(2,i),s+=h):(a=t*Math.pow(2,h-1)*Math.pow(2,i),s=0));i>=8;e[n+p]=255&a,p+=d,a/=256,i-=8);for(s=s<0;e[n+p]=255&s,p+=d,s/=256,c-=8);e[n+p-d]|=128*m}var d={}.toString,m=Array.isArray||function(e){return"[object Array]"==d.call(e)};_.TYPED_ARRAY_SUPPORT=void 0===i.TYPED_ARRAY_SUPPORT||i.TYPED_ARRAY_SUPPORT;var g=v();function v(){return _.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function y(e,t){if(v()=v())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+v().toString(16)+" bytes");return 0|e}function w(e){return!(null==e||!e._isBuffer)}function C(e,t){if(w(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return Z(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return Q(e).length;default:if(r)return Z(e).length;t=(""+t).toLowerCase(),r=!0}}function F(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function S(e,t,n,r,i){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=i?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(i)return-1;n=e.length-1}else if(n<0){if(!i)return-1;n=0}if("string"==typeof t&&(t=_.from(t,r)),w(t))return 0===t.length?-1:k(e,t,n,r,i);if("number"==typeof t)return t&=255,_.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?i?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):k(e,[t],n,r,i);throw new TypeError("val must be string, number or Buffer")}function k(e,t,n,r,i){var o,s=1,a=e.length,u=t.length;if(void 0!==r&&("ucs2"===(r=String(r).toLowerCase())||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;s=2,a/=2,u/=2,n/=2}function c(e,t){return 1===s?e[t]:e.readUInt16BE(t*s)}if(i){var l=-1;for(o=n;oa&&(n=a-u),o=n;o>=0;o--){for(var h=!0,f=0;fi&&(r=i):r=i;var o=t.length;if(o%2!=0)throw new TypeError("Invalid hex string");r>o/2&&(r=o/2);for(var s=0;s>8,i=n%256,o.push(i),o.push(r);return o}(t,e.length-n),e,n,r)}function N(e,t,n){return 0===t&&n===e.length?h(e):h(e.slice(t,n))}function M(e,t,n){n=Math.min(e.length,n);for(var r=[],i=t;i239?4:c>223?3:c>191?2:1;if(i+h<=n)switch(h){case 1:c<128&&(l=c);break;case 2:128==(192&(o=e[i+1]))&&(u=(31&c)<<6|63&o)>127&&(l=u);break;case 3:o=e[i+1],s=e[i+2],128==(192&o)&&128==(192&s)&&(u=(15&c)<<12|(63&o)<<6|63&s)>2047&&(u<55296||u>57343)&&(l=u);break;case 4:o=e[i+1],s=e[i+2],a=e[i+3],128==(192&o)&&128==(192&s)&&128==(192&a)&&(u=(15&c)<<18|(63&o)<<12|(63&s)<<6|63&a)>65535&&u<1114112&&(l=u)}null===l?(l=65533,h=1):l>65535&&(l-=65536,r.push(l>>>10&1023|55296),l=56320|1023&l),r.push(l),i+=h}return function(e){var t=e.length;if(t<=L)return String.fromCharCode.apply(String,e);var n="",r=0;for(;rthis.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if((n>>>=0)<=(t>>>=0))return"";for(e||(e="utf8");;)switch(e){case"hex":return z(this,t,n);case"utf8":case"utf-8":return M(this,t,n);case"ascii":return j(this,t,n);case"latin1":case"binary":return U(this,t,n);case"base64":return N(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return V(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}.apply(this,arguments)},_.prototype.equals=function(e){if(!w(e))throw new TypeError("Argument must be a Buffer");return this===e||0===_.compare(this,e)},_.prototype.inspect=function(){var e="";return this.length>0&&(e=this.toString("hex",0,50).match(/.{2}/g).join(" "),this.length>50&&(e+=" ... ")),""},_.prototype.compare=function(e,t,n,r,i){if(!w(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===i&&(i=this.length),t<0||n>e.length||r<0||i>this.length)throw new RangeError("out of range index");if(r>=i&&t>=n)return 0;if(r>=i)return-1;if(t>=n)return 1;if(this===e)return 0;for(var o=(i>>>=0)-(r>>>=0),s=(n>>>=0)-(t>>>=0),a=Math.min(o,s),u=this.slice(r,i),c=e.slice(t,n),l=0;li)&&(n=i),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var o=!1;;)switch(r){case"hex":return B(this,e,t,n);case"utf8":case"utf-8":return O(this,e,t,n);case"ascii":return R(this,e,t,n);case"latin1":case"binary":return I(this,e,t,n);case"base64":return P(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return T(this,e,t,n);default:if(o)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),o=!0}},_.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var L=4096;function j(e,t,n){var r="";n=Math.min(e.length,n);for(var i=t;ir)&&(n=r);for(var i="",o=t;on)throw new RangeError("Trying to access beyond buffer length")}function W(e,t,n,r,i,o){if(!w(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>i||te.length)throw new RangeError("Index out of range")}function $(e,t,n,r){t<0&&(t=65535+t+1);for(var i=0,o=Math.min(e.length-n,2);i>>8*(r?i:1-i)}function H(e,t,n,r){t<0&&(t=4294967295+t+1);for(var i=0,o=Math.min(e.length-n,4);i>>8*(r?i:3-i)&255}function G(e,t,n,r,i,o){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function K(e,t,n,r,i){return i||G(e,0,n,4),p(e,t,n,r,23,4),n+4}function Y(e,t,n,r,i){return i||G(e,0,n,8),p(e,t,n,r,52,8),n+8}_.prototype.slice=function(e,t){var n,r=this.length;if((e=~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),(t=void 0===t?r:~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),t0&&(i*=256);)r+=this[e+--t]*i;return r},_.prototype.readUInt8=function(e,t){return t||q(e,1,this.length),this[e]},_.prototype.readUInt16LE=function(e,t){return t||q(e,2,this.length),this[e]|this[e+1]<<8},_.prototype.readUInt16BE=function(e,t){return t||q(e,2,this.length),this[e]<<8|this[e+1]},_.prototype.readUInt32LE=function(e,t){return t||q(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},_.prototype.readUInt32BE=function(e,t){return t||q(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},_.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||q(e,t,this.length);for(var r=this[e],i=1,o=0;++o=(i*=128)&&(r-=Math.pow(2,8*t)),r},_.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||q(e,t,this.length);for(var r=t,i=1,o=this[e+--r];r>0&&(i*=256);)o+=this[e+--r]*i;return o>=(i*=128)&&(o-=Math.pow(2,8*t)),o},_.prototype.readInt8=function(e,t){return t||q(e,1,this.length),128&this[e]?-1*(255-this[e]+1):this[e]},_.prototype.readInt16LE=function(e,t){t||q(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},_.prototype.readInt16BE=function(e,t){t||q(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},_.prototype.readInt32LE=function(e,t){return t||q(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},_.prototype.readInt32BE=function(e,t){return t||q(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},_.prototype.readFloatLE=function(e,t){return t||q(e,4,this.length),f(this,e,!0,23,4)},_.prototype.readFloatBE=function(e,t){return t||q(e,4,this.length),f(this,e,!1,23,4)},_.prototype.readDoubleLE=function(e,t){return t||q(e,8,this.length),f(this,e,!0,52,8)},_.prototype.readDoubleBE=function(e,t){return t||q(e,8,this.length),f(this,e,!1,52,8)},_.prototype.writeUIntLE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||W(this,e,t,n,Math.pow(2,8*n)-1,0);var i=1,o=0;for(this[t]=255&e;++o=0&&(o*=256);)this[t+i]=e/o&255;return t+n},_.prototype.writeUInt8=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,1,255,0),_.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),this[t]=255&e,t+1},_.prototype.writeUInt16LE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,2,65535,0),_.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):$(this,e,t,!0),t+2},_.prototype.writeUInt16BE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,2,65535,0),_.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):$(this,e,t,!1),t+2},_.prototype.writeUInt32LE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,4,4294967295,0),_.TYPED_ARRAY_SUPPORT?(this[t+3]=e>>>24,this[t+2]=e>>>16,this[t+1]=e>>>8,this[t]=255&e):H(this,e,t,!0),t+4},_.prototype.writeUInt32BE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,4,4294967295,0),_.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):H(this,e,t,!1),t+4},_.prototype.writeIntLE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);W(this,e,t,n,i-1,-i)}var o=0,s=1,a=0;for(this[t]=255&e;++o>0)-a&255;return t+n},_.prototype.writeIntBE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);W(this,e,t,n,i-1,-i)}var o=n-1,s=1,a=0;for(this[t+o]=255&e;--o>=0&&(s*=256);)e<0&&0===a&&0!==this[t+o+1]&&(a=1),this[t+o]=(e/s>>0)-a&255;return t+n},_.prototype.writeInt8=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,1,127,-128),_.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),e<0&&(e=255+e+1),this[t]=255&e,t+1},_.prototype.writeInt16LE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,2,32767,-32768),_.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):$(this,e,t,!0),t+2},_.prototype.writeInt16BE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,2,32767,-32768),_.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):$(this,e,t,!1),t+2},_.prototype.writeInt32LE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,4,2147483647,-2147483648),_.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8,this[t+2]=e>>>16,this[t+3]=e>>>24):H(this,e,t,!0),t+4},_.prototype.writeInt32BE=function(e,t,n){return e=+e,t|=0,n||W(this,e,t,4,2147483647,-2147483648),e<0&&(e=4294967295+e+1),_.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):H(this,e,t,!1),t+4},_.prototype.writeFloatLE=function(e,t,n){return K(this,e,t,!0,n)},_.prototype.writeFloatBE=function(e,t,n){return K(this,e,t,!1,n)},_.prototype.writeDoubleLE=function(e,t,n){return Y(this,e,t,!0,n)},_.prototype.writeDoubleBE=function(e,t,n){return Y(this,e,t,!1,n)},_.prototype.copy=function(e,t,n,r){if(n||(n=0),r||0===r||(r=this.length),t>=e.length&&(t=e.length),t||(t=0),r>0&&r=this.length)throw new RangeError("sourceStart out of bounds");if(r<0)throw new RangeError("sourceEnd out of bounds");r>this.length&&(r=this.length),e.length-t=0;--i)e[i+t]=this[i+n];else if(o<1e3||!_.TYPED_ARRAY_SUPPORT)for(i=0;i>>=0,n=void 0===n?this.length:n>>>0,e||(e=0),"number"==typeof e)for(o=t;o55295&&n<57344){if(!i){if(n>56319){(t-=3)>-1&&o.push(239,191,189);continue}if(s+1===r){(t-=3)>-1&&o.push(239,191,189);continue}i=n;continue}if(n<56320){(t-=3)>-1&&o.push(239,191,189),i=n;continue}n=65536+(i-55296<<10|n-56320)}else i&&(t-=3)>-1&&o.push(239,191,189);if(i=null,n<128){if((t-=1)<0)break;o.push(n)}else if(n<2048){if((t-=2)<0)break;o.push(n>>6|192,63&n|128)}else if(n<65536){if((t-=3)<0)break;o.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((t-=4)<0)break;o.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return o}function Q(e){return function(e){var t,n,r,i,o,l;u||c();var h=e.length;if(h%4>0)throw new Error("Invalid string. Length must be a multiple of 4");o="="===e[h-2]?2:"="===e[h-1]?1:0,l=new a(3*h/4-o),r=o>0?h-4:h;var f=0;for(t=0,n=0;t>16&255,l[f++]=i>>8&255,l[f++]=255&i;return 2===o?(i=s[e.charCodeAt(t)]<<2|s[e.charCodeAt(t+1)]>>4,l[f++]=255&i):1===o&&(i=s[e.charCodeAt(t)]<<10|s[e.charCodeAt(t+1)]<<4|s[e.charCodeAt(t+2)]>>2,l[f++]=i>>8&255,l[f++]=255&i),l}(function(e){if((e=function(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}(e).replace(X,"")).length<2)return"";for(;e.length%4!=0;)e+="=";return e}(e))}function ee(e,t,n,r){for(var i=0;i=t.length||i>=e.length);++i)t[i+n]=e[i];return i}function te(e){return null!=e&&(!!e._isBuffer||ne(e)||function(e){return"function"==typeof e.readFloatLE&&"function"==typeof e.slice&&ne(e.slice(0,0))}(e))}function ne(e){return!!e.constructor&&"function"==typeof e.constructor.isBuffer&&e.constructor.isBuffer(e)}var re=Object.freeze({INSPECT_MAX_BYTES:50,kMaxLength:g,Buffer:_,SlowBuffer:function(e){return+e!=e&&(e=0),_.alloc(+e)},isBuffer:te});function ie(){throw new Error("setTimeout has not been defined")}function oe(){throw new Error("clearTimeout has not been defined")}var se=ie,ae=oe;function ue(e){if(se===setTimeout)return setTimeout(e,0);if((se===ie||!se)&&setTimeout)return se=setTimeout,setTimeout(e,0);try{return se(e,0)}catch(t){try{return se.call(null,e,0)}catch(t){return se.call(this,e,0)}}}"function"==typeof i.setTimeout&&(se=setTimeout),"function"==typeof i.clearTimeout&&(ae=clearTimeout);var ce,le=[],he=!1,fe=-1;function pe(){he&&ce&&(he=!1,ce.length?le=ce.concat(le):fe=-1,le.length&&de())}function de(){if(!he){var e=ue(pe);he=!0;for(var t=le.length;t;){for(ce=le,le=[];++fe1)for(var n=1;n0&&s.length>i){s.warned=!0;var u=new Error("Possible EventEmitter memory leak detected. "+s.length+" "+t+" listeners added. Use emitter.setMaxListeners() to increase limit");u.name="MaxListenersExceededWarning",u.emitter=e,u.type=t,u.count=s.length,a=u,"function"==typeof console.warn?console.warn(a):console.log(a)}}else s=o[t]=n,++e._eventsCount;return e}function Ne(e,t,n){var r=!1;function i(){e.removeListener(t,i),r||(r=!0,n.apply(e,arguments))}return i.listener=n,i}function Me(e){var t=this._events;if(t){var n=t[e];if("function"==typeof n)return 1;if(n)return n.length}return 0}function Le(e,t){for(var n=new Array(t);t--;)n[t]=e[t];return n}Re.prototype=Object.create(null),Ie.EventEmitter=Ie,Ie.usingDomains=!1,Ie.prototype.domain=void 0,Ie.prototype._events=void 0,Ie.prototype._maxListeners=void 0,Ie.defaultMaxListeners=10,Ie.init=function(){this.domain=null,Ie.usingDomains&&(void 0).active&&(void 0).Domain,this._events&&this._events!==Object.getPrototypeOf(this)._events||(this._events=new Re,this._eventsCount=0),this._maxListeners=this._maxListeners||void 0},Ie.prototype.setMaxListeners=function(e){if("number"!=typeof e||e<0||isNaN(e))throw new TypeError('"n" argument must be a positive number');return this._maxListeners=e,this},Ie.prototype.getMaxListeners=function(){return Pe(this)},Ie.prototype.emit=function(e){var t,n,r,i,o,s,a,u="error"===e;if(s=this._events)u=u&&null==s.error;else if(!u)return!1;if(a=this.domain,u){if(t=arguments[1],!a){if(t instanceof Error)throw t;var c=new Error('Uncaught, unspecified "error" event. ('+t+")");throw c.context=t,c}return t||(t=new Error('Uncaught, unspecified "error" event')),t.domainEmitter=this,t.domain=a,t.domainThrown=!1,a.emit("error",t),!1}if(!(n=s[e]))return!1;var l="function"==typeof n;switch(r=arguments.length){case 1:!function(e,t,n){if(t)e.call(n);else for(var r=e.length,i=Le(e,r),o=0;o0;)if(n[o]===t||n[o].listener&&n[o].listener===t){s=n[o].listener,i=o;break}if(i<0)return this;if(1===n.length){if(n[0]=void 0,0==--this._eventsCount)return this._events=new Re,this;delete r[e]}else!function(e,t){for(var n=t,r=n+1,i=e.length;r0?Reflect.ownKeys(this._events):[]};var je="function"==typeof Object.create?function(e,t){e.super_=t,e.prototype=Object.create(t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}})}:function(e,t){e.super_=t;var n=function(){};n.prototype=t.prototype,e.prototype=new n,e.prototype.constructor=e},Ue=/%[sdj%]/g;function ze(e){if(!rt(e)){for(var t=[],n=0;n=i)return e;switch(e){case"%s":return String(r[n++]);case"%d":return Number(r[n++]);case"%j":try{return JSON.stringify(r[n++])}catch(e){return"[Circular]"}default:return e}}),s=r[n];n=3&&(n.depth=arguments[2]),arguments.length>=4&&(n.colors=arguments[3]),Qe(t)?n.showHidden=t:t&&dt(n,t),it(n.showHidden)&&(n.showHidden=!1),it(n.depth)&&(n.depth=2),it(n.colors)&&(n.colors=!1),it(n.customInspect)&&(n.customInspect=!0),n.colors&&(n.stylize=Ge),Ye(n,e,n.depth)}function Ge(e,t){var n=He.styles[t];return n?"["+He.colors[n][0]+"m"+e+"["+He.colors[n][1]+"m":e}function Ke(e,t){return e}function Ye(e,t,n){if(e.customInspect&&t&&ct(t.inspect)&&t.inspect!==He&&(!t.constructor||t.constructor.prototype!==t)){var r=t.inspect(n,e);return rt(r)||(r=Ye(e,r,n)),r}var i=function(e,t){if(it(t))return e.stylize("undefined","undefined");if(rt(t)){var n="'"+JSON.stringify(t).replace(/^"|"$/g,"").replace(/'/g,"\\'").replace(/\\"/g,'"')+"'";return e.stylize(n,"string")}if(nt(t))return e.stylize(""+t,"number");if(Qe(t))return e.stylize(""+t,"boolean");if(et(t))return e.stylize("null","null")}(e,t);if(i)return i;var o=Object.keys(t),s=function(e){var t={};return e.forEach(function(e,n){t[e]=!0}),t}(o);if(e.showHidden&&(o=Object.getOwnPropertyNames(t)),ut(t)&&(o.indexOf("message")>=0||o.indexOf("description")>=0))return Xe(t);if(0===o.length){if(ct(t)){var a=t.name?": "+t.name:"";return e.stylize("[Function"+a+"]","special")}if(ot(t))return e.stylize(RegExp.prototype.toString.call(t),"regexp");if(at(t))return e.stylize(Date.prototype.toString.call(t),"date");if(ut(t))return Xe(t)}var u,c="",l=!1,h=["{","}"];(Ze(t)&&(l=!0,h=["[","]"]),ct(t))&&(c=" [Function"+(t.name?": "+t.name:"")+"]");return ot(t)&&(c=" "+RegExp.prototype.toString.call(t)),at(t)&&(c=" "+Date.prototype.toUTCString.call(t)),ut(t)&&(c=" "+Xe(t)),0!==o.length||l&&0!=t.length?n<0?ot(t)?e.stylize(RegExp.prototype.toString.call(t),"regexp"):e.stylize("[Object]","special"):(e.seen.push(t),u=l?function(e,t,n,r,i){for(var o=[],s=0,a=t.length;s60)return n[0]+(""===t?"":t+"\n ")+" "+e.join(",\n ")+" "+n[1];return n[0]+t+" "+e.join(", ")+" "+n[1]}(u,c,h)):h[0]+c+h[1]}function Xe(e){return"["+Error.prototype.toString.call(e)+"]"}function Je(e,t,n,r,i,o){var s,a,u;if((u=Object.getOwnPropertyDescriptor(t,i)||{value:t[i]}).get?a=u.set?e.stylize("[Getter/Setter]","special"):e.stylize("[Getter]","special"):u.set&&(a=e.stylize("[Setter]","special")),mt(r,i)||(s="["+i+"]"),a||(e.seen.indexOf(u.value)<0?(a=et(n)?Ye(e,u.value,null):Ye(e,u.value,n-1)).indexOf("\n")>-1&&(a=o?a.split("\n").map(function(e){return" "+e}).join("\n").substr(2):"\n"+a.split("\n").map(function(e){return" "+e}).join("\n")):a=e.stylize("[Circular]","special")),it(s)){if(o&&i.match(/^\d+$/))return a;(s=JSON.stringify(""+i)).match(/^"([a-zA-Z_][a-zA-Z_0-9]*)"$/)?(s=s.substr(1,s.length-2),s=e.stylize(s,"name")):(s=s.replace(/'/g,"\\'").replace(/\\"/g,'"').replace(/(^"|"$)/g,"'"),s=e.stylize(s,"string"))}return s+": "+a}function Ze(e){return Array.isArray(e)}function Qe(e){return"boolean"==typeof e}function et(e){return null===e}function tt(e){return null==e}function nt(e){return"number"==typeof e}function rt(e){return"string"==typeof e}function it(e){return void 0===e}function ot(e){return st(e)&&"[object RegExp]"===ht(e)}function st(e){return"object"==typeof e&&null!==e}function at(e){return st(e)&&"[object Date]"===ht(e)}function ut(e){return st(e)&&("[object Error]"===ht(e)||e instanceof Error)}function ct(e){return"function"==typeof e}function lt(e){return null===e||"boolean"==typeof e||"number"==typeof e||"string"==typeof e||"symbol"==typeof e||void 0===e}function ht(e){return Object.prototype.toString.call(e)}function ft(e){return e<10?"0"+e.toString(10):e.toString(10)}He.colors={bold:[1,22],italic:[3,23],underline:[4,24],inverse:[7,27],white:[37,39],grey:[90,39],black:[30,39],blue:[34,39],cyan:[36,39],green:[32,39],magenta:[35,39],red:[31,39],yellow:[33,39]},He.styles={special:"cyan",number:"yellow",boolean:"yellow",undefined:"grey",null:"bold",string:"green",date:"magenta",regexp:"red"};var pt=["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"];function dt(e,t){if(!t||!st(t))return e;for(var n=Object.keys(t),r=n.length;r--;)e[n[r]]=t[n[r]];return e}function mt(e,t){return Object.prototype.hasOwnProperty.call(e,t)}var gt={inherits:je,_extend:dt,log:function(){var e,t;console.log("%s - %s",(e=new Date,t=[ft(e.getHours()),ft(e.getMinutes()),ft(e.getSeconds())].join(":"),[e.getDate(),pt[e.getMonth()],t].join(" ")),ze.apply(null,arguments))},isBuffer:function(e){return te(e)},isPrimitive:lt,isFunction:ct,isError:ut,isDate:at,isObject:st,isRegExp:ot,isUndefined:it,isSymbol:function(e){return"symbol"==typeof e},isString:rt,isNumber:nt,isNullOrUndefined:tt,isNull:et,isBoolean:Qe,isArray:Ze,inspect:He,deprecate:Ve,format:ze,debuglog:$e};function vt(e,t){if(e===t)return 0;for(var n=e.length,r=t.length,i=0,o=Math.min(n,r);i=0){var a=i.indexOf("\n",s+1);i=i.substring(a+1)}this.stack=i}}}function kt(e,t){return"string"==typeof e?e.length=0;a--)if(u[a]!==c[a])return!1;for(a=u.length-1;a>=0;a--)if(s=u[a],!It(e[s],t[s],n,r))return!1;return!0}(e,t,n,r))}return n?e===t:e==t}function Pt(e){return"[object Arguments]"==Object.prototype.toString.call(e)}function Tt(e,t){if(!e||!t)return!1;if("[object RegExp]"==Object.prototype.toString.call(t))return t.test(e);try{if(e instanceof t)return!0}catch(e){}return!Error.isPrototypeOf(t)&&!0===t.call({},e)}function Nt(e,t,n,r){var i;if("function"!=typeof t)throw new TypeError('"block" argument must be a function');"string"==typeof n&&(r=n,n=null),i=function(e){var t;try{e()}catch(e){t=e}return t}(t),r=(n&&n.name?" ("+n.name+").":".")+(r?" "+r:"."),e&&!i&&Ot(i,n,"Missing expected exception"+r);var o="string"==typeof r,s=!e&&i&&!n;if((!e&&ut(i)&&o&&Tt(i,n)||s)&&Ot(i,n,"Got unwanted exception"+r),e&&i&&n&&!Tt(i,n)||!e&&i)throw i}wt.AssertionError=St,je(St,Error),wt.fail=Ot,wt.ok=Rt,wt.equal=function e(t,n,r){t!=n&&Ot(t,n,r,"==",e)},wt.notEqual=function e(t,n,r){t==n&&Ot(t,n,r,"!=",e)},wt.deepEqual=function e(t,n,r){It(t,n,!1)||Ot(t,n,r,"deepEqual",e)},wt.deepStrictEqual=function e(t,n,r){It(t,n,!0)||Ot(t,n,r,"deepStrictEqual",e)},wt.notDeepEqual=function e(t,n,r){It(t,n,!1)&&Ot(t,n,r,"notDeepEqual",e)},wt.notDeepStrictEqual=function e(t,n,r){It(t,n,!0)&&Ot(t,n,r,"notDeepStrictEqual",e)},wt.strictEqual=function e(t,n,r){t!==n&&Ot(t,n,r,"===",e)},wt.notStrictEqual=function e(t,n,r){t===n&&Ot(t,n,r,"!==",e)},wt.throws=function(e,t,n){Nt(!0,e,t,n)},wt.doesNotThrow=function(e,t,n){Nt(!1,e,t,n)},wt.ifError=function(e){if(e)throw e};var Mt=r(function(e,t){const n="undefined"==typeof Symbol?"_kCode":Symbol("code"),r={};var i=null,o=null;function s(e){return class extends e{constructor(e,...t){super(a(e,t)),this.code=e,this[n]=e,this.name=`${super.name} [${this[n]}]`}}}function a(e,t){null===i&&(i=wt),i.strictEqual(typeof e,"string");const n=r[e];let s;if(i(n,`An invalid error message key was used: ${e}.`),"function"==typeof n)s=n;else{if(null===o&&(o=gt),s=o.format,void 0===t||0===t.length)return n;t.unshift(n)}return String(s.apply(null,t))}function u(e,t){r[e]="function"==typeof t?t:String(t)}function c(e,t){if(i(e,"expected is required"),i("string"==typeof t,"thing is required"),Array.isArray(e)){const n=e.length;return i(n>0,"At least one expected value needs to be specified"),e=e.map(e=>String(e)),n>2?`one of ${t} ${e.slice(0,n-1).join(", ")}, or `+e[n-1]:2===n?`one of ${t} ${e[0]} or ${e[1]}`:`of ${t} ${e[0]}`}return`of ${t} ${String(e)}`}e.exports=t={message:a,Error:s(Error),TypeError:s(TypeError),RangeError:s(RangeError),AssertionError:class extends Error{constructor(e){if("object"!=typeof e||null===e)throw new t.TypeError("ERR_INVALID_ARG_TYPE","options","object");e.message?super(e.message):(null===o&&(o=gt),super(`${o.inspect(e.actual).slice(0,128)} `+`${e.operator} ${o.inspect(e.expected).slice(0,128)}`)),this.generatedMessage=!e.message,this.name="AssertionError [ERR_ASSERTION]",this.code="ERR_ASSERTION",this.actual=e.actual,this.expected=e.expected,this.operator=e.operator,Error.captureStackTrace(this,e.stackStartFunction)}},E:u},u("ERR_ARG_NOT_ITERABLE","%s must be iterable"),u("ERR_ASSERTION","%s"),u("ERR_BUFFER_OUT_OF_BOUNDS",function(e,t){return t?"Attempt to write outside buffer bounds":`"${e}" is outside of buffer bounds`}),u("ERR_CHILD_CLOSED_BEFORE_REPLY","Child closed before reply received"),u("ERR_CONSOLE_WRITABLE_STREAM","Console expects a writable stream instance for %s"),u("ERR_CPU_USAGE","Unable to obtain cpu usage %s"),u("ERR_DNS_SET_SERVERS_FAILED",(e,t)=>`c-ares failed to set servers: "${e}" [${t}]`),u("ERR_FALSY_VALUE_REJECTION","Promise was rejected with falsy value"),u("ERR_ENCODING_NOT_SUPPORTED",e=>`The "${e}" encoding is not supported`),u("ERR_ENCODING_INVALID_ENCODED_DATA",e=>`The encoded data was not valid for encoding ${e}`),u("ERR_HTTP_HEADERS_SENT","Cannot render headers after they are sent to the client"),u("ERR_HTTP_INVALID_STATUS_CODE","Invalid status code: %s"),u("ERR_HTTP_TRAILER_INVALID","Trailers are invalid with this transfer encoding"),u("ERR_INDEX_OUT_OF_RANGE","Index out of range"),u("ERR_INVALID_ARG_TYPE",function(e,t,n){let r,o;i(e,"name is required"),t.includes("not ")?(r="must not be",t=t.split("not ")[1]):r="must be";if(Array.isArray(e)){var s=e.map(e=>`"${e}"`).join(", ");o=`The ${s} arguments ${r} ${c(t,"type")}`}else if(e.includes(" argument"))o=`The ${e} ${r} ${c(t,"type")}`;else{const n=e.includes(".")?"property":"argument";o=`The "${e}" ${n} ${r} ${c(t,"type")}`}arguments.length>=3&&(o+=`. Received type ${null!==n?typeof n:"null"}`);return o}),u("ERR_INVALID_ARRAY_LENGTH",(e,t,n)=>(i.strictEqual(typeof n,"number"),`The array "${e}" (length ${n}) must be of length ${t}.`)),u("ERR_INVALID_BUFFER_SIZE","Buffer size must be a multiple of %s"),u("ERR_INVALID_CALLBACK","Callback must be a function"),u("ERR_INVALID_CHAR","Invalid character in %s"),u("ERR_INVALID_CURSOR_POS","Cannot set cursor row without setting its column"),u("ERR_INVALID_FD",'"fd" must be a positive integer: %s'),u("ERR_INVALID_FILE_URL_HOST",'File URL host must be "localhost" or empty on %s'),u("ERR_INVALID_FILE_URL_PATH","File URL path %s"),u("ERR_INVALID_HANDLE_TYPE","This handle type cannot be sent"),u("ERR_INVALID_IP_ADDRESS","Invalid IP address: %s"),u("ERR_INVALID_OPT_VALUE",(e,t)=>`The value "${String(t)}" is invalid for option "${e}"`),u("ERR_INVALID_OPT_VALUE_ENCODING",e=>`The value "${String(e)}" is invalid for option "encoding"`),u("ERR_INVALID_REPL_EVAL_CONFIG",'Cannot specify both "breakEvalOnSigint" and "eval" for REPL'),u("ERR_INVALID_SYNC_FORK_INPUT","Asynchronous forks do not support Buffer, Uint8Array or string input: %s"),u("ERR_INVALID_THIS",'Value of "this" must be of type %s'),u("ERR_INVALID_TUPLE","%s must be an iterable %s tuple"),u("ERR_INVALID_URL","Invalid URL: %s"),u("ERR_INVALID_URL_SCHEME",e=>`The URL must be ${c(e,"scheme")}`),u("ERR_IPC_CHANNEL_CLOSED","Channel closed"),u("ERR_IPC_DISCONNECTED","IPC channel is already disconnected"),u("ERR_IPC_ONE_PIPE","Child process can have only one IPC pipe"),u("ERR_IPC_SYNC_FORK","IPC cannot be used with synchronous forks"),u("ERR_MISSING_ARGS",function(...e){i(e.length>0,"At least one arg needs to be specified");let t="The ";const n=e.length;switch(e=e.map(e=>`"${e}"`),n){case 1:t+=`${e[0]} argument`;break;case 2:t+=`${e[0]} and ${e[1]} arguments`;break;default:t+=e.slice(0,n-1).join(", "),t+=`, and ${e[n-1]} arguments`}return`${t} must be specified`}),u("ERR_MULTIPLE_CALLBACK","Callback called multiple times"),u("ERR_NAPI_CONS_FUNCTION","Constructor must be a function"),u("ERR_NAPI_CONS_PROTOTYPE_OBJECT","Constructor.prototype must be an object"),u("ERR_NO_CRYPTO","Node.js is not compiled with OpenSSL crypto support"),u("ERR_NO_LONGER_SUPPORTED","%s is no longer supported"),u("ERR_PARSE_HISTORY_DATA","Could not parse history data in %s"),u("ERR_SOCKET_ALREADY_BOUND","Socket is already bound"),u("ERR_SOCKET_BAD_PORT","Port should be > 0 and < 65536"),u("ERR_SOCKET_BAD_TYPE","Bad socket type specified. Valid types are: udp4, udp6"),u("ERR_SOCKET_CANNOT_SEND","Unable to send data"),u("ERR_SOCKET_CLOSED","Socket is closed"),u("ERR_SOCKET_DGRAM_NOT_RUNNING","Not running"),u("ERR_STDERR_CLOSE","process.stderr cannot be closed"),u("ERR_STDOUT_CLOSE","process.stdout cannot be closed"),u("ERR_STREAM_WRAP","Stream has StringDecoder set or is in objectMode"),u("ERR_TLS_CERT_ALTNAME_INVALID","Hostname/IP does not match certificate's altnames: %s"),u("ERR_TLS_DH_PARAM_SIZE",e=>`DH parameter size ${e} is less than 2048`),u("ERR_TLS_HANDSHAKE_TIMEOUT","TLS handshake timeout"),u("ERR_TLS_RENEGOTIATION_FAILED","Failed to renegotiate"),u("ERR_TLS_REQUIRED_SERVER_NAME",'"servername" is required parameter for Server.addContext'),u("ERR_TLS_SESSION_ATTACK","TSL session renegotiation attack detected"),u("ERR_TRANSFORM_ALREADY_TRANSFORMING","Calling transform done when still transforming"),u("ERR_TRANSFORM_WITH_LENGTH_0","Calling transform done when writableState.length != 0"),u("ERR_UNKNOWN_ENCODING","Unknown encoding: %s"),u("ERR_UNKNOWN_SIGNAL","Unknown signal: %s"),u("ERR_UNKNOWN_STDIN_TYPE","Unknown stdin file type"),u("ERR_UNKNOWN_STREAM_TYPE","Unknown stream file type"),u("ERR_V8BREAKITERATOR","Full ICU data not installed. See https://github.com/nodejs/node/wiki/Intl")}),Lt=r(function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.ENCODING_UTF8="utf8",t.assertEncoding=function(e){if(e&&!_.isEncoding(e))throw new Mt.TypeError("ERR_INVALID_OPT_VALUE_ENCODING",e)},t.strToEncoding=function(e,n){return n&&n!==t.ENCODING_UTF8?"buffer"===n?new _(e):new _(e).toString(n):e}});n(Lt);Lt.ENCODING_UTF8,Lt.assertEncoding,Lt.strToEncoding;var jt=r(function(e,n){var r,i=t&&t.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(n,"__esModule",{value:!0});var o=Oe.constants.S_IFMT,s=Oe.constants.S_IFDIR,a=Oe.constants.S_IFREG,u=Oe.constants.S_IFBLK,c=Oe.constants.S_IFCHR,l=Oe.constants.S_IFLNK,h=Oe.constants.S_IFIFO,f=Oe.constants.S_IFSOCK,p=Oe.constants.O_APPEND;n.SEP="/";var d=function(e){function t(t,n){void 0===n&&(n=438);var r=e.call(this)||this;return r.uid=Be.default.getuid(),r.gid=Be.default.getgid(),r.atime=new Date,r.mtime=new Date,r.ctime=new Date,r.buf=null,r.perm=438,r.mode=a,r.nlink=1,r.symlink=null,r.perm=n,r.mode|=n,r.ino=t,r}return i(t,e),t.prototype.getString=function(e){return void 0===e&&(e="utf8"),this.getBuffer().toString(e)},t.prototype.setString=function(e){this.buf=_.from(e,"utf8"),this.touch()},t.prototype.getBuffer=function(){return this.buf||this.setBuffer(_.allocUnsafe(0)),_.from(this.buf)},t.prototype.setBuffer=function(e){this.buf=_.from(e),this.touch()},t.prototype.getSize=function(){return this.buf?this.buf.length:0},t.prototype.setModeProperty=function(e){this.mode=this.mode&~o|e},t.prototype.setIsFile=function(){this.setModeProperty(a)},t.prototype.setIsDirectory=function(){this.setModeProperty(s)},t.prototype.setIsSymlink=function(){this.setModeProperty(l)},t.prototype.isFile=function(){return(this.mode&o)===a},t.prototype.isDirectory=function(){return(this.mode&o)===s},t.prototype.isSymlink=function(){return(this.mode&o)===l},t.prototype.makeSymlink=function(e){this.symlink=e,this.setIsSymlink()},t.prototype.write=function(e,t,n,r){if(void 0===t&&(t=0),void 0===n&&(n=e.length),void 0===r&&(r=0),this.buf||(this.buf=_.allocUnsafe(0)),r+n>this.buf.length){var i=_.allocUnsafe(r+n);this.buf.copy(i,0,0,this.buf.length),this.buf=i}return e.copy(this.buf,r,t,t+n),this.touch(),n},t.prototype.read=function(e,t,n,r){void 0===t&&(t=0),void 0===n&&(n=e.byteLength),void 0===r&&(r=0),this.buf||(this.buf=_.allocUnsafe(0));var i=n;return i>e.byteLength&&(i=e.byteLength),i+r>this.buf.length&&(i=this.buf.length-r),this.buf.copy(e,t,r,r+i),i},t.prototype.truncate=function(e){if(void 0===e&&(e=0),e)if(this.buf||(this.buf=_.allocUnsafe(0)),e<=this.buf.length)this.buf=this.buf.slice(0,e);else{var t=_.allocUnsafe(0);this.buf.copy(t),t.fill(0,e)}else this.buf=_.allocUnsafe(0);this.touch()},t.prototype.chmod=function(e){this.perm=e,this.mode|=e,this.touch()},t.prototype.chown=function(e,t){this.uid=e,this.gid=t,this.touch()},t.prototype.touch=function(){this.mtime=new Date,this.emit("change",this)},t.prototype.canRead=function(e,t){return void 0===e&&(e=Be.default.getuid()),void 0===t&&(t=Be.default.getgid()),!!(4&this.perm)||(!!(t===this.gid&&32&this.perm)||!!(e===this.uid&&256&this.perm))},t.prototype.canWrite=function(e,t){return void 0===e&&(e=Be.default.getuid()),void 0===t&&(t=Be.default.getgid()),!!(2&this.perm)||(!!(t===this.gid&&16&this.perm)||!!(e===this.uid&&128&this.perm))},t.prototype.del=function(){this.emit("delete",this)},t.prototype.toJSON=function(){return{ino:this.ino,uid:this.uid,gid:this.gid,atime:this.atime.getTime(),mtime:this.mtime.getTime(),ctime:this.ctime.getTime(),perm:this.perm,mode:this.mode,nlink:this.nlink,symlink:this.symlink,data:this.getString()}},t}(Ie.EventEmitter);n.Node=d;var m=function(e){function t(t,n,r){var i=e.call(this)||this;return i.parent=null,i.children={},i.steps=[],i.node=null,i.ino=0,i.length=0,i.vol=t,i.parent=n,i.steps=n?n.steps.concat([r]):[r],i}return i(t,e),t.prototype.setNode=function(e){this.node=e,this.ino=e.ino},t.prototype.getNode=function(){return this.node},t.prototype.createChild=function(e,n){void 0===n&&(n=this.vol.createNode());var r=new t(this.vol,this,e);return r.setNode(n),n.isDirectory(),this.setChild(e,r),r},t.prototype.setChild=function(e,n){return void 0===n&&(n=new t(this.vol,this,e)),this.children[e]=n,n.parent=this,this.length++,this.emit("child:add",n,this),n},t.prototype.deleteChild=function(e){delete this.children[e.getName()],this.length--,this.emit("child:delete",e,this)},t.prototype.getChild=function(e){return this.children[e]},t.prototype.getPath=function(){return this.steps.join(n.SEP)},t.prototype.getName=function(){return this.steps[this.steps.length-1]},t.prototype.walk=function(e,t,n){if(void 0===t&&(t=e.length),void 0===n&&(n=0),n>=e.length)return this;if(n>=t)return this;var r=e[n],i=this.getChild(r);return i?i.walk(e,t,n+1):null},t.prototype.toJSON=function(){for(var e in this.children)console.log("ch",e);return{steps:this.steps,ino:this.ino,children:Object.keys(this.children)}},t}(Ie.EventEmitter);n.Link=m;var g=function(){function e(e,t,n,r){this.link=null,this.node=null,this.position=0,this.link=e,this.node=t,this.flags=n,this.fd=r}return e.prototype.getString=function(e){return void 0===e&&(e="utf8"),this.node.getString()},e.prototype.setString=function(e){this.node.setString(e)},e.prototype.getBuffer=function(){return this.node.getBuffer()},e.prototype.setBuffer=function(e){this.node.setBuffer(e)},e.prototype.getSize=function(){return this.node.getSize()},e.prototype.truncate=function(e){this.node.truncate(e)},e.prototype.seekTo=function(e){this.position=e},e.prototype.stats=function(){return v.build(this.node)},e.prototype.write=function(e,t,n,r){void 0===t&&(t=0),void 0===n&&(n=e.length),"number"!=typeof r&&(r=this.position),this.flags&p&&(r=this.getSize());var i=this.node.write(e,t,n,r);return this.position=r+i,i},e.prototype.read=function(e,t,n,r){void 0===t&&(t=0),void 0===n&&(n=e.byteLength),"number"!=typeof r&&(r=this.position);var i=this.node.read(e,t,n,r);return this.position=r+i,i},e.prototype.chmod=function(e){this.node.chmod(e)},e.prototype.chown=function(e,t){this.node.chown(e,t)},e}();n.File=g;var v=function(){function e(){this.uid=0,this.gid=0,this.rdev=0,this.blksize=4096,this.ino=0,this.size=0,this.blocks=1,this.atime=null,this.mtime=null,this.ctime=null,this.birthtime=null,this.atimeMs=0,this.mtimeMs=0,this.ctimeMs=0,this.birthtimeMs=0,this.dev=0,this.mode=0,this.nlink=0}return e.build=function(t){var n=new e,r=t.uid,i=t.gid,o=t.atime,s=t.mtime,a=t.ctime;t.mode,t.ino;n.uid=r,n.gid=i,n.atime=o,n.mtime=s,n.ctime=a,n.birthtime=a,n.atimeMs=o.getTime(),n.mtimeMs=s.getTime();var u=a.getTime();return n.ctimeMs=u,n.birthtimeMs=u,n.size=t.getSize(),n.mode=t.mode,n.ino=t.ino,n.nlink=t.nlink,n},e.prototype._checkModeProperty=function(e){return(this.mode&o)===e},e.prototype.isDirectory=function(){return this._checkModeProperty(s)},e.prototype.isFile=function(){return this._checkModeProperty(a)},e.prototype.isBlockDevice=function(){return this._checkModeProperty(u)},e.prototype.isCharacterDevice=function(){return this._checkModeProperty(c)},e.prototype.isSymbolicLink=function(){return this._checkModeProperty(l)},e.prototype.isFIFO=function(){return this._checkModeProperty(h)},e.prototype.isSocket=function(){return this._checkModeProperty(f)},e}();n.Stats=v;var y=function(){function e(){this.name="",this.mode=0}return e.build=function(t,n){var r=new e,i=t.getNode().mode;return r.name=Lt.strToEncoding(t.getName(),n),r.mode=i,r},e.prototype._checkModeProperty=function(e){return(this.mode&o)===e},e.prototype.isDirectory=function(){return this._checkModeProperty(s)},e.prototype.isFile=function(){return this._checkModeProperty(a)},e.prototype.isBlockDevice=function(){return this._checkModeProperty(u)},e.prototype.isCharacterDevice=function(){return this._checkModeProperty(c)},e.prototype.isSymbolicLink=function(){return this._checkModeProperty(l)},e.prototype.isFIFO=function(){return this._checkModeProperty(h)},e.prototype.isSocket=function(){return this._checkModeProperty(f)},e}();n.Dirent=y});n(jt);jt.SEP,jt.Node,jt.Link,jt.File,jt.Stats,jt.Dirent;function Ut(e,t){for(var n=0,r=e.length-1;r>=0;r--){var i=e[r];"."===i?e.splice(r,1):".."===i?(e.splice(r,1),n++):n&&(e.splice(r,1),n--)}if(t)for(;n--;n)e.unshift("..");return e}var zt=/^(\/?|)([\s\S]*?)((?:\.{1,2}|[^\/]+?|)(\.[^.\/]*|))(?:[\/]*)$/,Vt=function(e){return zt.exec(e).slice(1)};function qt(){for(var e="",t=!1,n=arguments.length-1;n>=-1&&!t;n--){var r=n>=0?arguments[n]:"/";if("string"!=typeof r)throw new TypeError("Arguments to path.resolve must be strings");r&&(e=r+"/"+e,t="/"===r.charAt(0))}return(t?"/":"")+(e=Ut(Zt(e.split("/"),function(e){return!!e}),!t).join("/"))||"."}function Wt(e){var t=$t(e),n="/"===Qt(e,-1);return(e=Ut(Zt(e.split("/"),function(e){return!!e}),!t).join("/"))||t||(e="."),e&&n&&(e+="/"),(t?"/":"")+e}function $t(e){return"/"===e.charAt(0)}function Ht(e,t){function n(e){for(var t=0;t=0&&""===e[n];n--);return t>n?[]:e.slice(t,n-t+1)}e=qt(e).substr(1),t=qt(t).substr(1);for(var r=n(e.split("/")),i=n(t.split("/")),o=Math.min(r.length,i.length),s=o,a=0;a0?this.tail.next=t:this.head=t,this.tail=t,++this.length},tn.prototype.unshift=function(e){var t={data:e,next:this.head};0===this.length&&(this.tail=t),this.head=t,++this.length},tn.prototype.shift=function(){if(0!==this.length){var e=this.head.data;return 1===this.length?this.head=this.tail=null:this.head=this.head.next,--this.length,e}},tn.prototype.clear=function(){this.head=this.tail=null,this.length=0},tn.prototype.join=function(e){if(0===this.length)return"";for(var t=this.head,n=""+t.data;t=t.next;)n+=e+t.data;return n},tn.prototype.concat=function(e){if(0===this.length)return _.alloc(0);if(1===this.length)return this.head.data;for(var t=_.allocUnsafe(e>>>0),n=this.head,r=0;n;)n.data.copy(t,r),r+=n.data.length,n=n.next;return t};var nn=_.isEncoding||function(e){switch(e&&e.toLowerCase()){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":return!0;default:return!1}};function rn(e){switch(this.encoding=(e||"utf8").toLowerCase().replace(/[-_]/,""),function(e){if(e&&!nn(e))throw new Error("Unknown encoding: "+e)}(e),this.encoding){case"utf8":this.surrogateSize=3;break;case"ucs2":case"utf16le":this.surrogateSize=2,this.detectIncompleteChar=sn;break;case"base64":this.surrogateSize=3,this.detectIncompleteChar=an;break;default:return void(this.write=on)}this.charBuffer=new _(6),this.charReceived=0,this.charLength=0}function on(e){return e.toString(this.encoding)}function sn(e){this.charReceived=e.length%2,this.charLength=this.charReceived?2:0}function an(e){this.charReceived=e.length%3,this.charLength=this.charReceived?3:0}rn.prototype.write=function(e){for(var t="";this.charLength;){var n=e.length>=this.charLength-this.charReceived?this.charLength-this.charReceived:e.length;if(e.copy(this.charBuffer,this.charReceived,0,n),this.charReceived+=n,this.charReceived=55296&&i<=56319)){if(this.charReceived=this.charLength=0,0===e.length)return t;break}this.charLength+=this.surrogateSize,t=""}this.detectIncompleteChar(e);var r=e.length;this.charLength&&(e.copy(this.charBuffer,0,e.length-this.charReceived,r),r-=this.charReceived);var i;r=(t+=e.toString(this.encoding,0,r)).length-1;if((i=t.charCodeAt(r))>=55296&&i<=56319){var o=this.surrogateSize;return this.charLength+=o,this.charReceived+=o,this.charBuffer.copy(this.charBuffer,o,0,o),e.copy(this.charBuffer,0,0,o),t.substring(0,r)}return t},rn.prototype.detectIncompleteChar=function(e){for(var t=e.length>=3?3:e.length;t>0;t--){var n=e[e.length-t];if(1==t&&n>>5==6){this.charLength=2;break}if(t<=2&&n>>4==14){this.charLength=3;break}if(t<=3&&n>>3==30){this.charLength=4;break}}this.charReceived=t},rn.prototype.end=function(e){var t="";if(e&&e.length&&(t=this.write(e)),this.charReceived){var n=this.charReceived,r=this.charBuffer,i=this.encoding;t+=r.slice(0,n).toString(i)}return t},ln.ReadableState=cn;var un=$e("stream");function cn(e,t){e=e||{},this.objectMode=!!e.objectMode,t instanceof Ln&&(this.objectMode=this.objectMode||!!e.readableObjectMode);var n=e.highWaterMark,r=this.objectMode?16:16384;this.highWaterMark=n||0===n?n:r,this.highWaterMark=~~this.highWaterMark,this.buffer=new tn,this.length=0,this.pipes=null,this.pipesCount=0,this.flowing=null,this.ended=!1,this.endEmitted=!1,this.reading=!1,this.sync=!0,this.needReadable=!1,this.emittedReadable=!1,this.readableListening=!1,this.resumeScheduled=!1,this.defaultEncoding=e.defaultEncoding||"utf8",this.ranOut=!1,this.awaitDrain=0,this.readingMore=!1,this.decoder=null,this.encoding=null,e.encoding&&(this.decoder=new rn(e.encoding),this.encoding=e.encoding)}function ln(e){if(!(this instanceof ln))return new ln(e);this._readableState=new cn(e,this),this.readable=!0,e&&"function"==typeof e.read&&(this._read=e.read),Ie.call(this)}function hn(e,t,n,r,i){var o=function(e,t){var n=null;te(t)||"string"==typeof t||null==t||e.objectMode||(n=new TypeError("Invalid non-string/buffer chunk"));return n}(t,n);if(o)e.emit("error",o);else if(null===n)t.reading=!1,function(e,t){if(t.ended)return;if(t.decoder){var n=t.decoder.end();n&&n.length&&(t.buffer.push(n),t.length+=t.objectMode?1:n.length)}t.ended=!0,dn(e)}(e,t);else if(t.objectMode||n&&n.length>0)if(t.ended&&!i){var s=new Error("stream.push() after EOF");e.emit("error",s)}else if(t.endEmitted&&i){var a=new Error("stream.unshift() after end event");e.emit("error",a)}else{var u;!t.decoder||i||r||(n=t.decoder.write(n),u=!t.objectMode&&0===n.length),i||(t.reading=!1),u||(t.flowing&&0===t.length&&!t.sync?(e.emit("data",n),e.read(0)):(t.length+=t.objectMode?1:n.length,i?t.buffer.unshift(n):t.buffer.push(n),t.needReadable&&dn(e))),function(e,t){t.readingMore||(t.readingMore=!0,me(gn,e,t))}(e,t)}else i||(t.reading=!1);return function(e){return!e.ended&&(e.needReadable||e.lengtht.highWaterMark&&(t.highWaterMark=function(e){return e>=fn?e=fn:(e--,e|=e>>>1,e|=e>>>2,e|=e>>>4,e|=e>>>8,e|=e>>>16,e++),e}(e)),e<=t.length?e:t.ended?t.length:(t.needReadable=!0,0))}function dn(e){var t=e._readableState;t.needReadable=!1,t.emittedReadable||(un("emitReadable",t.flowing),t.emittedReadable=!0,t.sync?me(mn,e):mn(e))}function mn(e){un("emit readable"),e.emit("readable"),_n(e)}function gn(e,t){for(var n=t.length;!t.reading&&!t.flowing&&!t.ended&&t.length=t.length?(n=t.decoder?t.buffer.join(""):1===t.buffer.length?t.buffer.head.data:t.buffer.concat(t.length),t.buffer.clear()):n=function(e,t,n){var r;eo.length?o.length:e;if(s===o.length?i+=o:i+=o.slice(0,e),0===(e-=s)){s===o.length?(++r,n.next?t.head=n.next:t.head=t.tail=null):(t.head=n,n.data=o.slice(s));break}++r}return t.length-=r,i}(e,t):function(e,t){var n=_.allocUnsafe(e),r=t.head,i=1;r.data.copy(n),e-=r.data.length;for(;r=r.next;){var o=r.data,s=e>o.length?o.length:e;if(o.copy(n,n.length-e,0,s),0===(e-=s)){s===o.length?(++i,r.next?t.head=r.next:t.head=t.tail=null):(t.head=r,r.data=o.slice(s));break}++i}return t.length-=i,n}(e,t);return r}(e,t.buffer,t.decoder),n);var n}function bn(e){var t=e._readableState;if(t.length>0)throw new Error('"endReadable()" called on non-empty stream');t.endEmitted||(t.ended=!0,me(Dn,t,e))}function Dn(e,t){e.endEmitted||0!==e.length||(e.endEmitted=!0,t.readable=!1,t.emit("end"))}function An(e,t){for(var n=0,r=e.length;n=t.highWaterMark||t.ended))return un("read: emitReadable",t.length,t.ended),0===t.length&&t.ended?bn(this):dn(this),null;if(0===(e=pn(e,t))&&t.ended)return 0===t.length&&bn(this),null;var r,i=t.needReadable;return un("need readable",i),(0===t.length||t.length-e0?En(e,t):null)?(t.needReadable=!0,e=0):t.length-=e,0===t.length&&(t.ended||(t.needReadable=!0),n!==e&&t.ended&&bn(this)),null!==r&&this.emit("data",r),r},ln.prototype._read=function(e){this.emit("error",new Error("not implemented"))},ln.prototype.pipe=function(e,t){var n=this,r=this._readableState;switch(r.pipesCount){case 0:r.pipes=e;break;case 1:r.pipes=[r.pipes,e];break;default:r.pipes.push(e)}r.pipesCount+=1,un("pipe count=%d opts=%j",r.pipesCount,t);var i=!t||!1!==t.end?s:c;function o(e){un("onunpipe"),e===n&&c()}function s(){un("onend"),e.end()}r.endEmitted?me(i):n.once("end",i),e.on("unpipe",o);var a=function(e){return function(){var t=e._readableState;un("pipeOnDrain",t.awaitDrain),t.awaitDrain&&t.awaitDrain--,0===t.awaitDrain&&e.listeners("data").length&&(t.flowing=!0,_n(e))}}(n);e.on("drain",a);var u=!1;function c(){un("cleanup"),e.removeListener("close",p),e.removeListener("finish",d),e.removeListener("drain",a),e.removeListener("error",f),e.removeListener("unpipe",o),n.removeListener("end",s),n.removeListener("end",c),n.removeListener("data",h),u=!0,!r.awaitDrain||e._writableState&&!e._writableState.needDrain||a()}var l=!1;function h(t){un("ondata"),l=!1,!1!==e.write(t)||l||((1===r.pipesCount&&r.pipes===e||r.pipesCount>1&&-1!==An(r.pipes,e))&&!u&&(un("false write response, pause",n._readableState.awaitDrain),n._readableState.awaitDrain++,l=!0),n.pause())}function f(t){var n;un("onerror",t),m(),e.removeListener("error",f),0===(n="error",e.listeners(n).length)&&e.emit("error",t)}function p(){e.removeListener("finish",d),m()}function d(){un("onfinish"),e.removeListener("close",p),m()}function m(){un("unpipe"),n.unpipe(e)}return n.on("data",h),function(e,t,n){if("function"==typeof e.prependListener)return e.prependListener(t,n);e._events&&e._events[t]?Array.isArray(e._events[t])?e._events[t].unshift(n):e._events[t]=[n,e._events[t]]:e.on(t,n)}(e,"error",f),e.once("close",p),e.once("finish",d),e.emit("pipe",n),r.flowing||(un("pipe resume"),n.resume()),e},ln.prototype.unpipe=function(e){var t=this._readableState;if(0===t.pipesCount)return this;if(1===t.pipesCount)return e&&e!==t.pipes?this:(e||(e=t.pipes),t.pipes=null,t.pipesCount=0,t.flowing=!1,e&&e.emit("unpipe",this),this);if(!e){var n=t.pipes,r=t.pipesCount;t.pipes=null,t.pipesCount=0,t.flowing=!1;for(var i=0;i-1))throw new TypeError("Unknown encoding: "+e);return this._writableState.defaultEncoding=e,this},Fn.prototype._write=function(e,t,n){n(new Error("not implemented"))},Fn.prototype._writev=null,Fn.prototype.end=function(e,t,n){var r=this._writableState;"function"==typeof e?(n=e,e=null,t=null):"function"==typeof t&&(n=t,t=null),null!=e&&this.write(e,t),r.corked&&(r.corked=1,this.uncork()),r.ending||r.finished||function(e,t,n){t.ending=!0,In(e,t),n&&(t.finished?me(n):e.once("finish",n));t.ended=!0,e.writable=!1}(this,r,n)},je(Ln,ln);for(var Tn=Object.keys(Fn.prototype),Nn=0;Nn= 0x80 (not a basic code point)","invalid-input":"Invalid input"},sr=Yn-Xn,ar=Math.floor,ur=String.fromCharCode;function cr(e){throw new RangeError(or[e])}function lr(e,t){return e+22+75*(e<26)-((0!=t)<<5)}function hr(e,t,n){var r=0;for(e=n?ar(e/Qn):e>>1,e+=ar(e/t);e>sr*Jn>>1;r+=Yn)e=ar(e/sr);return ar(r+(sr+1)*e/(e+Zn))}function fr(e){return function(e,t){var n=e.split("@"),r="";n.length>1&&(r=n[0]+"@",e=n[1]);var i=function(e,t){for(var n=e.length,r=[];n--;)r[n]=t(e[n]);return r}((e=e.replace(ir,".")).split("."),t).join(".");return r+i}(e,function(e){return rr.test(e)?"xn--"+function(e){var t,n,r,i,o,s,a,u,c,l,h,f,p,d,m,g=[];for(f=(e=function(e){for(var t,n,r=[],i=0,o=e.length;i=55296&&t<=56319&&i=t&&har((Kn-n)/(p=r+1))&&cr("overflow"),n+=(a-t)*p,t=a,s=0;sKn&&cr("overflow"),h==t){for(u=n,c=Yn;!(u<(l=c<=o?Xn:c>=o+Jn?Jn:c-o));c+=Yn)m=u-l,d=Yn-l,g.push(ur(lr(l+m%d,0))),u=ar(m/d);g.push(ur(lr(u,0))),o=hr(n,p,r==i),n=0,++r}++n,++t}return g.join("")}(e):e})}function pr(e,t){return Object.prototype.hasOwnProperty.call(e,t)}var dr=Array.isArray||function(e){return"[object Array]"===Object.prototype.toString.call(e)};function mr(e){switch(typeof e){case"string":return e;case"boolean":return e?"true":"false";case"number":return isFinite(e)?e:"";default:return""}}function gr(e,t){if(e.map)return e.map(t);for(var n=[],r=0;r0&&a>s&&(a=s);for(var u=0;u=0?(c=p.substr(0,d),l=p.substr(d+1)):(c=p,l=""),h=decodeURIComponent(c),f=decodeURIComponent(l),pr(i,h)?dr(i[h])?i[h].push(f):i[h]=[i[h],f]:i[h]=f}return i}var _r={parse:Pr,resolve:function(e,t){return Pr(e,!1,!0).resolve(t)},resolveObject:function(e,t){return e?Pr(e,!1,!0).resolveObject(t):t},format:function(e){rt(e)&&(e=Tr({},e));return Nr(e)},Url:Er};function Er(){this.protocol=null,this.slashes=null,this.auth=null,this.host=null,this.port=null,this.hostname=null,this.hash=null,this.search=null,this.query=null,this.pathname=null,this.path=null,this.href=null}var br=/^([a-z0-9.+-]+:)/i,Dr=/:[0-9]*$/,Ar=/^(\/\/?(?!\/)[^\?\s]*)(\?[^\s]*)?$/,xr=["{","}","|","\\","^","`"].concat(["<",">",'"',"`"," ","\r","\n","\t"]),wr=["'"].concat(xr),Cr=["%","/","?",";","#"].concat(wr),Fr=["/","?","#"],Sr=255,kr=/^[+a-z0-9A-Z_-]{0,63}$/,Br=/^([+a-z0-9A-Z_-]{0,63})(.*)$/,Or={javascript:!0,"javascript:":!0},Rr={javascript:!0,"javascript:":!0},Ir={http:!0,https:!0,ftp:!0,gopher:!0,file:!0,"http:":!0,"https:":!0,"ftp:":!0,"gopher:":!0,"file:":!0};function Pr(e,t,n){if(e&&st(e)&&e instanceof Er)return e;var r=new Er;return r.parse(e,t,n),r}function Tr(e,t,n,r){if(!rt(t))throw new TypeError("Parameter 'url' must be a string, not "+typeof t);var i=t.indexOf("?"),o=-1!==i&&i127?D+="x":D+=b[A];if(!D.match(kr)){var w=E.slice(0,c),C=E.slice(c+1),F=b.match(Br);F&&(w.push(F[1]),C.unshift(F[2])),C.length&&(a="/"+C.join(".")+a),e.hostname=w.join(".");break}}}}e.hostname.length>Sr?e.hostname="":e.hostname=e.hostname.toLowerCase(),_||(e.hostname=fr(e.hostname)),f=e.port?":"+e.port:"";var S=e.hostname||"";e.host=S+f,e.href+=e.host,_&&(e.hostname=e.hostname.substr(1,e.hostname.length-2),"/"!==a[0]&&(a="/"+a))}if(!Or[d])for(c=0,h=wr.length;c0)&&r.host.split("@"))&&(r.auth=m.shift(),r.host=r.hostname=m.shift())),r.search=e.search,r.query=e.query,et(r.pathname)&&et(r.search)||(r.path=(r.pathname?r.pathname:"")+(r.search?r.search:"")),r.href=r.format(),r;if(!E.length)return r.pathname=null,r.search?r.path="/"+r.search:r.path=null,r.href=r.format(),r;for(var D=E.slice(-1)[0],A=(r.host||e.host||E.length>1)&&("."===D||".."===D)||""===D,x=0,w=E.length;w>=0;w--)"."===(D=E[w])?E.splice(w,1):".."===D?(E.splice(w,1),x++):x&&(E.splice(w,1),x--);if(!y&&!_)for(;x--;x)E.unshift("..");!y||""===E[0]||E[0]&&"/"===E[0].charAt(0)||E.unshift(""),A&&"/"!==E.join("/").substr(-1)&&E.push("");var C=""===E[0]||E[0]&&"/"===E[0].charAt(0);return b&&(r.hostname=r.host=C?"":E.length?E.shift():"",(m=!!(r.host&&r.host.indexOf("@")>0)&&r.host.split("@"))&&(r.auth=m.shift(),r.host=r.hostname=m.shift())),(y=y||r.host&&E.length)&&!C&&E.unshift(""),E.length?r.pathname=E.join("/"):(r.pathname=null,r.path=null),et(r.pathname)&&et(r.search)||(r.path=(r.pathname?r.pathname:"")+(r.search?r.search:"")),r.auth=e.auth||r.auth,r.slashes=r.slashes||e.slashes,r.href=r.format(),r},Er.prototype.parseHost=function(){return Mr(this)};var Lr=r(function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.unixify=o,t.correctPath=function(e){return o(e.replace(/^\\\\\?\\.:\\/,"\\"))};var n="win32"===Se.platform;function r(e,t){var r=e[t];return t>0&&("/"===r||n&&"\\"===r)}function i(e,t){if("string"!=typeof e)throw new TypeError("expected a string");return e=e.replace(/[\\\/]+/g,"/"),!1!==t&&(e=function(e){var t=e.length-1;if(t<2)return e;for(;r(e,t);)t--;return e.substr(0,t+1)}(e)),e}function o(e){var t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];return n?(e=i(e,t)).replace(/^([a-zA-Z]+:|\.\/)/,""):e}});n(Lr);Lr.unixify,Lr.correctPath;var jr=r(function(e,n){var r,i=t&&t.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(n,"__esModule",{value:!0});var o,s,a=Jt,u=Oe.constants.O_RDONLY,c=Oe.constants.O_WRONLY,l=Oe.constants.O_RDWR,h=Oe.constants.O_CREAT,f=Oe.constants.O_EXCL,p=(Oe.constants.O_NOCTTY,Oe.constants.O_TRUNC),d=Oe.constants.O_APPEND,m=(Oe.constants.O_DIRECTORY,Oe.constants.O_NOATIME,Oe.constants.O_NOFOLLOW,Oe.constants.O_SYNC),g=(Oe.constants.O_DIRECT,Oe.constants.O_NONBLOCK,Oe.constants.F_OK),v=(Oe.constants.R_OK,Oe.constants.W_OK,Oe.constants.X_OK,Oe.constants.COPYFILE_EXCL),y=(Oe.constants.COPYFILE_FICLONE,Oe.constants.COPYFILE_FICLONE_FORCE);o=a.sep,s=a.relative;var _,E="win32"===Be.default.platform,b={PATH_STR:"path must be a string or Buffer",FD:"fd must be a file descriptor",MODE_INT:"mode must be an int",CB:"callback must be a function",UID:"uid must be an unsigned int",GID:"gid must be an unsigned int",LEN:"len must be an integer",ATIME:"atime must be an integer",MTIME:"mtime must be an integer",PREFIX:"filename prefix is required",BUFFER:"buffer must be an instance of Buffer or StaticBuffer",OFFSET:"offset must be an integer",LENGTH:"length must be an integer",POSITION:"position must be an integer"},D=function(e){return"Expected options to be either an object or a string, but got "+e+" instead"},A="ENOENT",x="EBADF",w="EINVAL",C="EPERM",F="EPROTO",S="EEXIST",k="ENOTDIR",B="EMFILE",O="EACCES",R="EISDIR",I="ENOTEMPTY",P="ENOSYS";function T(e,t,n,r,i){void 0===t&&(t=""),void 0===n&&(n=""),void 0===r&&(r=""),void 0===i&&(i=Error);var o=new i(function(e,t,n,r){void 0===t&&(t=""),void 0===n&&(n=""),void 0===r&&(r="");var i="";switch(n&&(i=" '"+n+"'"),r&&(i+=" -> '"+r+"'"),e){case A:return"ENOENT: no such file or directory, "+t+i;case x:return"EBADF: bad file descriptor, "+t+i;case w:return"EINVAL: invalid argument, "+t+i;case C:return"EPERM: operation not permitted, "+t+i;case F:return"EPROTO: protocol error, "+t+i;case S:return"EEXIST: file already exists, "+t+i;case k:return"ENOTDIR: not a directory, "+t+i;case R:return"EISDIR: illegal operation on a directory, "+t+i;case O:return"EACCES: permission denied, "+t+i;case I:return"ENOTEMPTY: directory not empty, "+t+i;case B:return"EMFILE: too many open files, "+t+i;case P:return"ENOSYS: function not implemented, "+t+i;default:return e+": error occurred, "+t+i}}(e,t,n,r));return o.code=e,o}function N(e,t,n,r,i){throw void 0===t&&(t=""),void 0===n&&(n=""),void 0===r&&(r=""),void 0===i&&(i=Error),T(e,t,n,r,i)}function M(e){if("number"==typeof e)return e;if("string"==typeof e){var t=_[e];if(void 0!==t)return t}throw new Mt.TypeError("ERR_INVALID_OPT_VALUE","flags",e)}function L(e,t){var n;if(!t)return e;var r=typeof t;switch(r){case"string":n=Gn({},e,{encoding:t});break;case"object":n=Gn({},e,t);break;default:throw TypeError(D(r))}return"buffer"!==n.encoding&&Lt.assertEncoding(n.encoding),n}function j(e){return function(t){return L(e,t)}}function U(e){if("function"!=typeof e)throw TypeError(b.CB);return e}function z(e){return function(t,n){return"function"==typeof t?[e(),t]:[e(t),U(n)]}}!function(e){e[e.r=u]="r",e[e["r+"]=l]="r+",e[e.rs=u|m]="rs",e[e.sr=e.rs]="sr",e[e["rs+"]=l|m]="rs+",e[e["sr+"]=e["rs+"]]="sr+",e[e.w=c|h|p]="w",e[e.wx=c|h|p|f]="wx",e[e.xw=e.wx]="xw",e[e["w+"]=l|h|p]="w+",e[e["wx+"]=l|h|p|f]="wx+",e[e["xw+"]=e["wx+"]]="xw+",e[e.a=c|d|h]="a",e[e.ax=c|d|h|f]="ax",e[e.xa=e.ax]="xa",e[e["a+"]=l|d|h]="a+",e[e["ax+"]=l|d|h|f]="ax+",e[e["xa+"]=e["ax+"]]="xa+"}(_=n.FLAGS||(n.FLAGS={})),n.flagsToNumber=M;var V={encoding:"utf8"},q=j(V),W=z(q),$=j({flag:"r"}),H={encoding:"utf8",mode:438,flag:_[_.w]},G=j(H),K={encoding:"utf8",mode:438,flag:_[_.a]},Y=j(K),X=z(Y),J=j(V),Z=z(J),Q={mode:511,recursive:!1},ee=function(e){return Gn({},Q,"number"==typeof e?{mode:e}:e)},te=j({encoding:"utf8",withFileTypes:!1}),ne=z(te);function ie(e){if("string"!=typeof e&&!re.Buffer.isBuffer(e)){try{if(!(e instanceof _r.URL))throw new TypeError(b.PATH_STR)}catch(e){throw new TypeError(b.PATH_STR)}e=function(e){if(""!==e.hostname)return new Mt.TypeError("ERR_INVALID_FILE_URL_HOST",Be.default.platform);for(var t=e.pathname,n=0;n>>0===e}function me(e){if(!de(e))throw TypeError(b.FD)}function ge(e){if("string"==typeof e&&+e==e)return+e;if(isFinite(e))return e<0?Date.now()/1e3:e;if(e instanceof Date)return e.getTime()/1e3;throw new Error("Cannot parse time: "+e)}function ve(e,t,n){return"function"==typeof e?[n,e]:[e,t]}function ye(e){if("number"!=typeof e)throw TypeError(b.UID)}function _e(e){if("number"!=typeof e)throw TypeError(b.GID)}n.filenameToSteps=ue,n.pathToSteps=ce,n.dataToStr=function(e,t){return void 0===t&&(t=Lt.ENCODING_UTF8),re.Buffer.isBuffer(e)?e.toString(t):e instanceof Uint8Array?re.Buffer.from(e).toString(t):String(e)},n.dataToBuffer=le,n.bufferToEncoding=he,n.toUnixTimestamp=ge;var Ee=function(){function e(e){void 0===e&&(e={}),this.ino=0,this.inodes={},this.releasedInos=[],this.fds={},this.releasedFds=[],this.maxFiles=1e4,this.openFiles=0,this.statWatchers={},this.props=Gn({Node:jt.Node,Link:jt.Link,File:jt.File},e);var t=this.createLink();t.setNode(this.createNode(!0));var n=this;this.StatWatcher=function(e){function t(){return e.call(this,n)||this}return i(t,e),t}(Ae);var r=xe;this.ReadStream=function(e){function t(){for(var t=[],r=0;r1){var s=o+i.slice(0,i.length-1).join(o);this.mkdirpBase(s,511)}this.writeFileSync(n,r)}else this.mkdirpBase(n,511)}},e.prototype.reset=function(){this.ino=0,this.inodes={},this.releasedInos=[],this.fds={},this.releasedFds=[],this.openFiles=0,this.root=this.createLink(),this.root.setNode(this.createNode(!0))},e.prototype.mountSync=function(e,t){this.fromJSON(t,e)},e.prototype.openLink=function(e,t,n){if(void 0===n&&(n=!0),this.openFiles>=this.maxFiles)throw T(B,"open",e.getPath());var r=e;n&&(r=this.resolveSymlinks(e)),r||N(A,"open",e.getPath());var i=r.getNode();i.isDirectory()&&t!==_.r&&N(R,"open",e.getPath()),t&c||i.canRead()||N(O,"open",e.getPath());var o=new this.props.File(e,i,t,this.newFdNumber());return this.fds[o.fd]=o,this.openFiles++,t&p&&o.truncate(),o},e.prototype.openFile=function(e,t,n,r){void 0===r&&(r=!0);var i=ue(e),s=this.getResolvedLink(i);if(!s){var a=this.getResolvedLink(i.slice(0,i.length-1));a||N(A,"open",o+i.join(o)),t&h&&"number"==typeof n&&(s=this.createLink(a,i[i.length-1],!1,n))}if(s)return this.openLink(s,t,r)},e.prototype.openBase=function(e,t,n,r){void 0===r&&(r=!0);var i=this.openFile(e,t,n,r);return i||N(A,"open",e),i.fd},e.prototype.openSync=function(e,t,n){void 0===n&&(n=438);var r=pe(n),i=ie(e),o=M(t);return this.openBase(i,o,r)},e.prototype.open=function(e,t,n,r){var i=n,o=r;"function"==typeof n&&(i=438,o=n);var s=pe(i=i||438),a=ie(e),u=M(t);this.wrapAsync(this.openBase,[a,u,s],o)},e.prototype.closeFile=function(e){this.fds[e.fd]&&(this.openFiles--,delete this.fds[e.fd],this.releasedFds.push(e.fd))},e.prototype.closeSync=function(e){me(e);var t=this.getFileByFdOrThrow(e,"close");this.closeFile(t)},e.prototype.close=function(e,t){me(e),this.wrapAsync(this.closeSync,[e],t)},e.prototype.openFileOrGetById=function(e,t,n){if("number"==typeof e){var r=this.fds[e];if(!r)throw T(A);return r}return this.openFile(ie(e),t,n)},e.prototype.readBase=function(e,t,n,r,i){return this.getFileByFdOrThrow(e).read(t,Number(n),Number(r),i)},e.prototype.readSync=function(e,t,n,r,i){return me(e),this.readBase(e,t,n,r,i)},e.prototype.read=function(e,t,n,r,i,o){var s=this;if(U(o),0===r)return Be.default.nextTick(function(){o&&o(null,0,t)});ke.default(function(){try{var a=s.readBase(e,t,n,r,i);o(null,a,t)}catch(e){o(e)}})},e.prototype.readFileBase=function(e,t,n){var r,i,o="number"==typeof e&&de(e);if(o)i=e;else{var s=ue(ie(e)),a=this.getResolvedLink(s);if(a)a.getNode().isDirectory()&&N(R,"open",a.getPath());i=this.openSync(e,t)}try{r=he(this.getFileByFdOrThrow(i).getBuffer(),n)}finally{o||this.closeSync(i)}return r},e.prototype.readFileSync=function(e,t){var n=$(t),r=M(n.flag);return this.readFileBase(e,r,n.encoding)},e.prototype.readFile=function(e,t,n){var r=z($)(t,n),i=r[0],o=r[1],s=M(i.flag);this.wrapAsync(this.readFileBase,[e,s,i.encoding],o)},e.prototype.writeBase=function(e,t,n,r,i){return this.getFileByFdOrThrow(e,"write").write(t,n,r,i)},e.prototype.writeSync=function(e,t,n,r,i){var o,s,a,u;me(e);var c="string"!=typeof t;c?(s=0|n,a=r,u=i):(u=n,o=r);var l=le(t,o);return c?void 0===a&&(a=l.length):(s=0,a=l.length),this.writeBase(e,l,s,a,u)},e.prototype.write=function(e,t,n,r,i,o){var s,a,u,c,l,h=this;me(e);var f=typeof t,p=typeof n,d=typeof r,m=typeof i;"string"!==f?"function"===p?l=n:"function"===d?(s=0|n,l=r):"function"===m?(s=0|n,a=r,l=i):(s=0|n,a=r,u=i,l=o):"function"===p?l=n:"function"===d?(u=n,l=r):"function"===m&&(u=n,c=r,l=i);var g=le(t,c);"string"!==f?void 0===a&&(a=g.length):(s=0,a=g.length),U(l),ke.default(function(){try{var n=h.writeBase(e,g,s,a,u);l(null,n,"string"!==f?g:t)}catch(e){l(e)}})},e.prototype.writeFileBase=function(e,t,n,r){var i,o="number"==typeof e;i=o?e:this.openBase(ie(e),n,r);var s=0,a=t.length,u=n&d?null:0;try{for(;a>0;){var c=this.writeSync(i,t,s,a,u);s+=c,a-=c,null!==u&&(u+=c)}}finally{o||this.closeSync(i)}},e.prototype.writeFileSync=function(e,t,n){var r=G(n),i=M(r.flag),o=pe(r.mode),s=le(t,r.encoding);this.writeFileBase(e,s,i,o)},e.prototype.writeFile=function(e,t,n,r){var i=n,o=r;"function"==typeof n&&(i=H,o=n);var s=G(i),a=M(s.flag),u=pe(s.mode),c=le(t,s.encoding);this.wrapAsync(this.writeFileBase,[e,c,a,u],o)},e.prototype.linkBase=function(e,t){var n=ue(e),r=this.getLink(n);r||N(A,"link",e,t);var i=ue(t),o=this.getLinkParent(i);o||N(A,"link",e,t);var s=i[i.length-1];o.getChild(s)&&N(S,"link",e,t);var a=r.getNode();a.nlink++,o.createChild(s,a)},e.prototype.copyFileBase=function(e,t,n){var r=this.readFileSync(e);n&v&&this.existsSync(t)&&N(S,"copyFile",e,t),n&y&&N(P,"copyFile",e,t),this.writeFileBase(t,r,_.w,438)},e.prototype.copyFileSync=function(e,t,n){var r=ie(e),i=ie(t);return this.copyFileBase(r,i,0|n)},e.prototype.copyFile=function(e,t,n,r){var i,o,s=ie(e),a=ie(t);"function"==typeof n?(i=0,o=n):(i=n,o=r),U(o),this.wrapAsync(this.copyFileBase,[s,a,i],o)},e.prototype.linkSync=function(e,t){var n=ie(e),r=ie(t);this.linkBase(n,r)},e.prototype.link=function(e,t,n){var r=ie(e),i=ie(t);this.wrapAsync(this.linkBase,[r,i],n)},e.prototype.unlinkBase=function(e){var t=ue(e),n=this.getLink(t);if(n||N(A,"unlink",e),n.length)throw Error("Dir not empty...");this.deleteLink(n);var r=n.getNode();r.nlink--,r.nlink<=0&&this.deleteNode(r)},e.prototype.unlinkSync=function(e){var t=ie(e);this.unlinkBase(t)},e.prototype.unlink=function(e,t){var n=ie(e);this.wrapAsync(this.unlinkBase,[n],t)},e.prototype.symlinkBase=function(e,t){var n=ue(t),r=this.getLinkParent(n);r||N(A,"symlink",e,t);var i=n[n.length-1];r.getChild(i)&&N(S,"symlink",e,t);var o=r.createChild(i);return o.getNode().makeSymlink(ue(e)),o},e.prototype.symlinkSync=function(e,t,n){var r=ie(e),i=ie(t);this.symlinkBase(r,i)},e.prototype.symlink=function(e,t,n,r){var i=ve(n,r)[1],o=ie(e),s=ie(t);this.wrapAsync(this.symlinkBase,[o,s],i)},e.prototype.realpathBase=function(e,t){var n=ue(e),r=this.getLink(n);r||N(A,"realpath",e);var i=this.resolveSymlinks(r);return i||N(A,"realpath",e),Lt.strToEncoding(i.getPath(),t)},e.prototype.realpathSync=function(e,t){return this.realpathBase(ie(e),J(t).encoding)},e.prototype.realpath=function(e,t,n){var r=Z(t,n),i=r[0],o=r[1],s=ie(e);this.wrapAsync(this.realpathBase,[s,i.encoding],o)},e.prototype.lstatBase=function(e){var t=this.getLink(ue(e));return t||N(A,"lstat",e),jt.Stats.build(t.getNode())},e.prototype.lstatSync=function(e){return this.lstatBase(ie(e))},e.prototype.lstat=function(e,t){this.wrapAsync(this.lstatBase,[ie(e)],t)},e.prototype.statBase=function(e){var t=this.getLink(ue(e));return t||N(A,"stat",e),(t=this.resolveSymlinks(t))||N(A,"stat",e),jt.Stats.build(t.getNode())},e.prototype.statSync=function(e){return this.statBase(ie(e))},e.prototype.stat=function(e,t){this.wrapAsync(this.statBase,[ie(e)],t)},e.prototype.fstatBase=function(e){var t=this.getFileByFd(e);return t||N(x,"fstat"),jt.Stats.build(t.node)},e.prototype.fstatSync=function(e){return this.fstatBase(e)},e.prototype.fstat=function(e,t){this.wrapAsync(this.fstatBase,[e],t)},e.prototype.renameBase=function(e,t){var n=this.getLink(ue(e));n||N(A,"rename",e,t);var r=ue(t),i=this.getLinkParent(r);i||N(A,"rename",e,t);var o=n.parent;o&&o.deleteChild(n);var s=r[r.length-1];n.steps=i.steps.concat([s]),i.setChild(n.getName(),n)},e.prototype.renameSync=function(e,t){var n=ie(e),r=ie(t);this.renameBase(n,r)},e.prototype.rename=function(e,t,n){var r=ie(e),i=ie(t);this.wrapAsync(this.renameBase,[r,i],n)},e.prototype.existsBase=function(e){return!!this.statBase(e)},e.prototype.existsSync=function(e){try{return this.existsBase(ie(e))}catch(e){return!1}},e.prototype.exists=function(e,t){var n=this,r=ie(e);if("function"!=typeof t)throw Error(b.CB);ke.default(function(){try{t(n.existsBase(r))}catch(e){t(!1)}})},e.prototype.accessBase=function(e,t){this.getLinkOrThrow(e,"access")},e.prototype.accessSync=function(e,t){void 0===t&&(t=g);var n=ie(e);t|=0,this.accessBase(n,t)},e.prototype.access=function(e,t,n){var r=t,i=n;"function"==typeof r&&(r=g,i=t);var o=ie(e);r|=0,this.wrapAsync(this.accessBase,[o,r],i)},e.prototype.appendFileSync=function(e,t,n){void 0===n&&(n=K);var r=Y(n);r.flag&&!de(e)||(r.flag="a"),this.writeFileSync(e,t,r)},e.prototype.appendFile=function(e,t,n,r){var i=X(n,r),o=i[0],s=i[1];o.flag&&!de(e)||(o.flag="a"),this.writeFile(e,t,o,s)},e.prototype.readdirBase=function(e,t){var n=ue(e),r=this.getResolvedLink(n);if(r||N(A,"readdir",e),r.getNode().isDirectory()||N(k,"scandir",e),t.withFileTypes){var i=[];for(var o in r.children)i.push(jt.Dirent.build(r.children[o],t.encoding));return E||"buffer"===t.encoding||i.sort(function(e,t){return e.namet.name?1:0}),i}var s=[];for(var a in r.children)s.push(Lt.strToEncoding(a,t.encoding));return E||"buffer"===t.encoding||s.sort(),s},e.prototype.readdirSync=function(e,t){var n=te(t),r=ie(e);return this.readdirBase(r,n)},e.prototype.readdir=function(e,t,n){var r=ne(t,n),i=r[0],o=r[1],s=ie(e);this.wrapAsync(this.readdirBase,[s,i],o)},e.prototype.readlinkBase=function(e,t){var n=this.getLinkOrThrow(e,"readlink").getNode();n.isSymlink()||N(w,"readlink",e);var r=o+n.symlink.join(o);return Lt.strToEncoding(r,t)},e.prototype.readlinkSync=function(e,t){var n=q(t),r=ie(e);return this.readlinkBase(r,n.encoding)},e.prototype.readlink=function(e,t,n){var r=W(t,n),i=r[0],o=r[1],s=ie(e);this.wrapAsync(this.readlinkBase,[s,i.encoding],o)},e.prototype.fsyncBase=function(e){this.getFileByFdOrThrow(e,"fsync")},e.prototype.fsyncSync=function(e){this.fsyncBase(e)},e.prototype.fsync=function(e,t){this.wrapAsync(this.fsyncBase,[e],t)},e.prototype.fdatasyncBase=function(e){this.getFileByFdOrThrow(e,"fdatasync")},e.prototype.fdatasyncSync=function(e){this.fdatasyncBase(e)},e.prototype.fdatasync=function(e,t){this.wrapAsync(this.fdatasyncBase,[e],t)},e.prototype.ftruncateBase=function(e,t){this.getFileByFdOrThrow(e,"ftruncate").truncate(t)},e.prototype.ftruncateSync=function(e,t){this.ftruncateBase(e,t)},e.prototype.ftruncate=function(e,t,n){var r=ve(t,n),i=r[0],o=r[1];this.wrapAsync(this.ftruncateBase,[e,i],o)},e.prototype.truncateBase=function(e,t){var n=this.openSync(e,"r+");try{this.ftruncateSync(n,t)}finally{this.closeSync(n)}},e.prototype.truncateSync=function(e,t){if(de(e))return this.ftruncateSync(e,t);this.truncateBase(e,t)},e.prototype.truncate=function(e,t,n){if(de(e))return this.ftruncate(e,t,n);var r=ve(t,n,0),i=r[0],o=r[1];this.wrapAsync(this.truncateBase,[e,i],o)},e.prototype.futimesBase=function(e,t,n){var r=this.getFileByFdOrThrow(e,"futimes").node;r.atime=new Date(1e3*t),r.mtime=new Date(1e3*n)},e.prototype.futimesSync=function(e,t,n){this.futimesBase(e,ge(t),ge(n))},e.prototype.futimes=function(e,t,n,r){this.wrapAsync(this.futimesBase,[e,ge(t),ge(n)],r)},e.prototype.utimesBase=function(e,t,n){var r=this.openSync(e,"r+");try{this.futimesBase(r,t,n)}finally{this.closeSync(r)}},e.prototype.utimesSync=function(e,t,n){this.utimesBase(ie(e),ge(t),ge(n))},e.prototype.utimes=function(e,t,n,r){this.wrapAsync(this.utimesBase,[ie(e),ge(t),ge(n)],r)},e.prototype.mkdirBase=function(e,t){var n=ue(e),r=this.getLinkParentAsDirOrThrow(e,"mkdir"),i=n[n.length-1];r.getChild(i)&&N(S,"mkdir",e),r.createChild(i,this.createNode(!0,t))},e.prototype.mkdirpBase=function(e,t){for(var n=ue(e),r=this.root,i=0;i1))throw Error("Could not create temp dir.");this.mkdtempBase(e,t,n-1)}},e.prototype.mkdtempSync=function(e,t){var n=q(t).encoding;if(!e||"string"!=typeof e)throw new TypeError("filename prefix is required");if(fe(e))return this.mkdtempBase(e,n)},e.prototype.mkdtemp=function(e,t,n){var r=W(t,n),i=r[0].encoding,o=r[1];if(!e||"string"!=typeof e)throw new TypeError("filename prefix is required");fe(e)&&this.wrapAsync(this.mkdtempBase,[e,i],o)},e.prototype.rmdirBase=function(e){var t=this.getLinkAsDirOrThrow(e,"rmdir");t.length&&N(I,"rmdir",e),this.deleteLink(t)},e.prototype.rmdirSync=function(e){this.rmdirBase(ie(e))},e.prototype.rmdir=function(e,t){this.wrapAsync(this.rmdirBase,[ie(e)],t)},e.prototype.fchmodBase=function(e,t){this.getFileByFdOrThrow(e,"fchmod").chmod(t)},e.prototype.fchmodSync=function(e,t){this.fchmodBase(e,pe(t))},e.prototype.fchmod=function(e,t,n){this.wrapAsync(this.fchmodBase,[e,pe(t)],n)},e.prototype.chmodBase=function(e,t){var n=this.openSync(e,"r+");try{this.fchmodBase(n,t)}finally{this.closeSync(n)}},e.prototype.chmodSync=function(e,t){var n=pe(t),r=ie(e);this.chmodBase(r,n)},e.prototype.chmod=function(e,t,n){var r=pe(t),i=ie(e);this.wrapAsync(this.chmodBase,[i,r],n)},e.prototype.lchmodBase=function(e,t){var n=this.openBase(e,l,0,!1);try{this.fchmodBase(n,t)}finally{this.closeSync(n)}},e.prototype.lchmodSync=function(e,t){var n=pe(t),r=ie(e);this.lchmodBase(r,n)},e.prototype.lchmod=function(e,t,n){var r=pe(t),i=ie(e);this.wrapAsync(this.lchmodBase,[i,r],n)},e.prototype.fchownBase=function(e,t,n){this.getFileByFdOrThrow(e,"fchown").chown(t,n)},e.prototype.fchownSync=function(e,t,n){ye(t),_e(n),this.fchownBase(e,t,n)},e.prototype.fchown=function(e,t,n,r){ye(t),_e(n),this.wrapAsync(this.fchownBase,[e,t,n],r)},e.prototype.chownBase=function(e,t,n){this.getResolvedLinkOrThrow(e,"chown").getNode().chown(t,n)},e.prototype.chownSync=function(e,t,n){ye(t),_e(n),this.chownBase(ie(e),t,n)},e.prototype.chown=function(e,t,n,r){ye(t),_e(n),this.wrapAsync(this.chownBase,[ie(e),t,n],r)},e.prototype.lchownBase=function(e,t,n){this.getLinkOrThrow(e,"lchown").getNode().chown(t,n)},e.prototype.lchownSync=function(e,t,n){ye(t),_e(n),this.lchownBase(ie(e),t,n)},e.prototype.lchown=function(e,t,n,r){ye(t),_e(n),this.wrapAsync(this.lchownBase,[ie(e),t,n],r)},e.prototype.watchFile=function(e,t,n){var r=ie(e),i=t,o=n;if("function"==typeof i&&(o=t,i=null),"function"!=typeof o)throw Error('"watchFile()" requires a listener function');var s=5007,a=!0;i&&"object"==typeof i&&("number"==typeof i.interval&&(s=i.interval),"boolean"==typeof i.persistent&&(a=i.persistent));var u=this.statWatchers[r];return u||((u=new this.StatWatcher).start(r,a,s),this.statWatchers[r]=u),u.addListener("change",o),u},e.prototype.unwatchFile=function(e,t){var n=ie(e),r=this.statWatchers[n];r&&("function"==typeof t?r.removeListener("change",t):r.removeAllListeners("change"),0===r.listenerCount("change")&&(r.stop(),delete this.statWatchers[n]))},e.prototype.createReadStream=function(e,t){return new this.ReadStream(e,t)},e.prototype.createWriteStream=function(e,t){return new this.WriteStream(e,t)},e.prototype.watch=function(e,t,n){var r=ie(e);"function"==typeof t&&(n=t,t=null);var i=q(t),o=i.persistent,s=i.recursive,a=i.encoding;void 0===o&&(o=!0),void 0===s&&(s=!1);var u=new this.FSWatcher;return u.start(r,o,s,a),n&&u.addListener("change",n),u},e.fd=4294967295,e}();function be(e){e.emit("stop")}n.Volume=Ee;var De,Ae=function(e){function t(t){var n=e.call(this)||this;return n.vol=null,n.timeoutRef=null,n.prev=null,n.onInterval=function(){try{var e=n.vol.statSync(n.filename);n.hasChanged(e)&&(n.emit("change",e,n.prev),n.prev=e)}finally{n.loop()}},n.vol=t,n}return i(t,e),t.prototype.loop=function(){this.timeoutRef=this.setTimeout(this.onInterval,this.interval)},t.prototype.hasChanged=function(e){return e.mtimeMs>this.prev.mtimeMs||e.nlink!==this.prev.nlink},t.prototype.start=function(e,t,n){void 0===t&&(t=!0),void 0===n&&(n=5007),this.filename=ie(e),this.setTimeout=t?setTimeout:en.default,this.interval=n,this.prev=this.vol.statSync(this.filename),this.loop()},t.prototype.stop=function(){clearTimeout(this.timeoutRef),Be.default.nextTick(be,this)},t}(Ie.EventEmitter);function xe(e,t,n){if(!(this instanceof xe))return new xe(e,t,n);if(this._vol=e,void 0===(n=Gn({},L(n,{}))).highWaterMark&&(n.highWaterMark=65536),$n.Readable.call(this,n),this.path=ie(t),this.fd=void 0===n.fd?null:n.fd,this.flags=void 0===n.flags?"r":n.flags,this.mode=void 0===n.mode?438:n.mode,this.start=n.start,this.end=n.end,this.autoClose=void 0===n.autoClose||n.autoClose,this.pos=void 0,this.bytesRead=0,void 0!==this.start){if("number"!=typeof this.start)throw new TypeError('"start" option must be a Number');if(void 0===this.end)this.end=1/0;else if("number"!=typeof this.end)throw new TypeError('"end" option must be a Number');if(this.start>this.end)throw new Error('"start" option must be <= "end" option');this.pos=this.start}"number"!=typeof this.fd&&this.open(),this.on("end",function(){this.autoClose&&this.destroy&&this.destroy()})}function we(e){this.close()}function Ce(e,t,n){if(!(this instanceof Ce))return new Ce(e,t,n);if(this._vol=e,n=Gn({},L(n,{})),$n.Writable.call(this,n),this.path=ie(t),this.fd=void 0===n.fd?null:n.fd,this.flags=void 0===n.flags?"w":n.flags,this.mode=void 0===n.mode?438:n.mode,this.start=n.start,this.autoClose=void 0===n.autoClose||!!n.autoClose,this.pos=void 0,this.bytesWritten=0,void 0!==this.start){if("number"!=typeof this.start)throw new TypeError('"start" option must be a Number');if(this.start<0)throw new Error('"start" must be >= zero');this.pos=this.start}n.encoding&&this.setDefaultEncoding(n.encoding),"number"!=typeof this.fd&&this.open(),this.once("finish",function(){this.autoClose&&this.close()})}n.StatWatcher=Ae,gt.inherits(xe,$n.Readable),n.ReadStream=xe,xe.prototype.open=function(){var e=this;this._vol.open(this.path,this.flags,this.mode,function(t,n){if(t)return e.autoClose&&e.destroy&&e.destroy(),void e.emit("error",t);e.fd=n,e.emit("open",n),e.read()})},xe.prototype._read=function(e){if("number"!=typeof this.fd)return this.once("open",function(){this._read(e)});if(!this.destroyed){var t;(!De||De.length-De.used<128)&&(t=this._readableState.highWaterMark,(De=re.Buffer.allocUnsafe(t)).used=0);var n=De,r=Math.min(De.length-De.used,e),i=De.used;if(void 0!==this.pos&&(r=Math.min(this.end-this.pos+1,r)),r<=0)return this.push(null);var o=this;this._vol.read(this.fd,De,De.used,r,this.pos,function(e,t){if(e)o.autoClose&&o.destroy&&o.destroy(),o.emit("error",e);else{var r=null;t>0&&(o.bytesRead+=t,r=n.slice(i,i+t)),o.push(r)}}),void 0!==this.pos&&(this.pos+=r),De.used+=r}},xe.prototype._destroy=function(e,t){this.close(function(n){t(e||n)})},xe.prototype.close=function(e){var t=this;if(e&&this.once("close",e),this.closed||"number"!=typeof this.fd)return"number"!=typeof this.fd?void this.once("open",we):Be.default.nextTick(function(){return t.emit("close")});this.closed=!0,this._vol.close(this.fd,function(e){e?t.emit("error",e):t.emit("close")}),this.fd=null},gt.inherits(Ce,$n.Writable),n.WriteStream=Ce,Ce.prototype.open=function(){this._vol.open(this.path,this.flags,this.mode,function(e,t){if(e)return this.autoClose&&this.destroy&&this.destroy(),void this.emit("error",e);this.fd=t,this.emit("open",t)}.bind(this))},Ce.prototype._write=function(e,t,n){if(!(e instanceof re.Buffer))return this.emit("error",new Error("Invalid data"));if("number"!=typeof this.fd)return this.once("open",function(){this._write(e,t,n)});var r=this;this._vol.write(this.fd,e,0,e.length,this.pos,function(e,t){if(e)return r.autoClose&&r.destroy&&r.destroy(),n(e);r.bytesWritten+=t,n()}),void 0!==this.pos&&(this.pos+=e.length)},Ce.prototype._writev=function(e,t){if("number"!=typeof this.fd)return this.once("open",function(){this._writev(e,t)});for(var n=this,r=e.length,i=new Array(r),o=0,s=0;s>>24|e>>>8&65280|e<<8&16711680|(255&e)<<24)>>>0}function oi(e){return 1===e.length?"0"+e:e}function si(e){return 7===e.length?"0"+e:6===e.length?"00"+e:5===e.length?"000"+e:4===e.length?"0000"+e:3===e.length?"00000"+e:2===e.length?"000000"+e:1===e.length?"0000000"+e:e}var ai={inherits:ni(function(e){try{var t=gt;if("function"!=typeof t.inherits)throw"";e.exports=t.inherits}catch(t){e.exports=ri}}),toArray:function(e,t){if(Array.isArray(e))return e.slice();if(!e)return[];var n=[];if("string"==typeof e)if(t){if("hex"===t)for((e=e.replace(/[^a-z0-9]+/gi,"")).length%2!=0&&(e="0"+e),r=0;r>8,s=255&i;o?n.push(o,s):n.push(s)}else for(r=0;r>>0}return o},split32:function(e,t){for(var n=new Array(4*e.length),r=0,i=0;r>>24,n[i+1]=o>>>16&255,n[i+2]=o>>>8&255,n[i+3]=255&o):(n[i+3]=o>>>24,n[i+2]=o>>>16&255,n[i+1]=o>>>8&255,n[i]=255&o)}return n},rotr32:function(e,t){return e>>>t|e<<32-t},rotl32:function(e,t){return e<>>32-t},sum32:function(e,t){return e+t>>>0},sum32_3:function(e,t,n){return e+t+n>>>0},sum32_4:function(e,t,n,r){return e+t+n+r>>>0},sum32_5:function(e,t,n,r,i){return e+t+n+r+i>>>0},sum64:function(e,t,n,r){var i=e[t],o=r+e[t+1]>>>0,s=(o>>0,e[t+1]=o},sum64_hi:function(e,t,n,r){return(t+r>>>0>>0},sum64_lo:function(e,t,n,r){return t+r>>>0},sum64_4_hi:function(e,t,n,r,i,o,s,a){var u=0,c=t;return u+=(c=c+r>>>0)>>0)>>0)>>0},sum64_4_lo:function(e,t,n,r,i,o,s,a){return t+r+o+a>>>0},sum64_5_hi:function(e,t,n,r,i,o,s,a,u,c){var l=0,h=t;return l+=(h=h+r>>>0)>>0)>>0)>>0)>>0},sum64_5_lo:function(e,t,n,r,i,o,s,a,u,c){return t+r+o+a+c>>>0},rotr64_hi:function(e,t,n){return(t<<32-n|e>>>n)>>>0},rotr64_lo:function(e,t,n){return(e<<32-n|t>>>n)>>>0},shr64_hi:function(e,t,n){return e>>>n},shr64_lo:function(e,t,n){return(e<<32-n|t>>>n)>>>0}};function ui(){this.pending=null,this.pendingTotal=0,this.blockSize=this.constructor.blockSize,this.outSize=this.constructor.outSize,this.hmacStrength=this.constructor.hmacStrength,this.padLength=this.constructor.padLength/8,this.endian="big",this._delta8=this.blockSize/8,this._delta32=this.blockSize/32}var ci=ui;ui.prototype.update=function(e,t){if(e=ai.toArray(e,t),this.pending?this.pending=this.pending.concat(e):this.pending=e,this.pendingTotal+=e.length,this.pending.length>=this._delta8){var n=(e=this.pending).length%this._delta8;this.pending=e.slice(e.length-n,e.length),0===this.pending.length&&(this.pending=null),e=ai.join32(e,0,e.length-n,this.endian);for(var r=0;r>>24&255,r[i++]=e>>>16&255,r[i++]=e>>>8&255,r[i++]=255&e}else for(r[i++]=255&e,r[i++]=e>>>8&255,r[i++]=e>>>16&255,r[i++]=e>>>24&255,r[i++]=0,r[i++]=0,r[i++]=0,r[i++]=0,o=8;o>>3},g1_256:function(e){return hi(e,17)^hi(e,19)^e>>>10}},gi=ai.sum32,vi=ai.sum32_4,yi=ai.sum32_5,_i=mi.ch32,Ei=mi.maj32,bi=mi.s0_256,Di=mi.s1_256,Ai=mi.g0_256,xi=mi.g1_256,wi=li.BlockHash,Ci=[1116352408,1899447441,3049323471,3921009573,961987163,1508970993,2453635748,2870763221,3624381080,310598401,607225278,1426881987,1925078388,2162078206,2614888103,3248222580,3835390401,4022224774,264347078,604807628,770255983,1249150122,1555081692,1996064986,2554220882,2821834349,2952996808,3210313671,3336571891,3584528711,113926993,338241895,666307205,773529912,1294757372,1396182291,1695183700,1986661051,2177026350,2456956037,2730485921,2820302411,3259730800,3345764771,3516065817,3600352804,4094571909,275423344,430227734,506948616,659060556,883997877,958139571,1322822218,1537002063,1747873779,1955562222,2024104815,2227730452,2361852424,2428436474,2756734187,3204031479,3329325298];function Fi(){if(!(this instanceof Fi))return new Fi;wi.call(this),this.h=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225],this.k=Ci,this.W=new Array(64)}ai.inherits(Fi,wi);var Si=Fi;Fi.blockSize=512,Fi.outSize=256,Fi.hmacStrength=192,Fi.padLength=64,Fi.prototype._update=function(e,t){for(var n=this.W,r=0;r<16;r++)n[r]=e[t+r];for(;r>=1;var y=v?-f:f;0==l?(t+=y,u.push(t)):1===l?(n+=y,u.push(n)):2===l?(r+=y,u.push(r)):3===l?(i+=y,u.push(i)):4===l&&(o+=y,u.push(o)),l++,f=h=0}}}return u.length&&a.push(new Int32Array(u)),s.push(a),s}function Ii(e){var t="";e=e<0?-e<<1|1:e<<1;do{var n=31&e;(e>>=5)>0&&(n|=32),t+=Bi[n]}while(e>0);return t}var Pi=function(e,t,n){this.start=e,this.end=t,this.original=n,this.intro="",this.outro="",this.content=n,this.storeName=!1,this.edited=!1,Object.defineProperties(this,{previous:{writable:!0,value:null},next:{writable:!0,value:null}})};Pi.prototype.appendLeft=function(e){this.outro+=e},Pi.prototype.appendRight=function(e){this.intro=this.intro+e},Pi.prototype.clone=function(){var e=new Pi(this.start,this.end,this.original);return e.intro=this.intro,e.outro=this.outro,e.content=this.content,e.storeName=this.storeName,e.edited=this.edited,e},Pi.prototype.contains=function(e){return this.start0&&(o+=";"),0!==a.length){for(var u=0,c=[],l=0,h=a;l1&&(p+=Ii(f[1]-t)+Ii(f[2]-n)+Ii(f[3]-r),t=f[1],n=f[2],r=f[3]),5===f.length&&(p+=Ii(f[4]-i),i=f[4]),c.push(p)}o+=c.join(",")}}return o}(e.mappings)};function Mi(e){var t=e.split("\n"),n=t.filter(function(e){return/^\t+/.test(e)}),r=t.filter(function(e){return/^ {2,}/.test(e)});if(0===n.length&&0===r.length)return null;if(n.length>=r.length)return"\t";var i=r.reduce(function(e,t){var n=/^ +/.exec(t)[0].length;return Math.min(n,e)},1/0);return new Array(i+1).join(" ")}function Li(e,t){var n=e.split(/[\/\\]/),r=t.split(/[\/\\]/);for(n.pop();n[0]===r[0];)n.shift(),r.shift();if(n.length)for(var i=n.length;i--;)n[i]="..";return n.concat(r).join("/")}Ni.prototype.toString=function(){return JSON.stringify(this)},Ni.prototype.toUrl=function(){return"data:application/json;charset=utf-8;base64,"+Ti(this.toString())};var ji=Object.prototype.toString;function Ui(e){return"[object Object]"===ji.call(e)}function zi(e){for(var t=e.split("\n"),n=[],r=0,i=0;r>1;e=0&&i.push(r),this.rawSegments.push(i)}else this.pending&&this.rawSegments.push(this.pending);this.advance(t),this.pending=null},Vi.prototype.addUneditedChunk=function(e,t,n,r,i){for(var o=t.start,s=!0;o1){for(var n=0;n=e&&n<=t)throw new Error("Cannot move a selection inside itself");this._split(e),this._split(t),this._split(n);var r=this.byStart[e],i=this.byEnd[t],o=r.previous,s=i.next,a=this.byStart[n];if(!a&&i===this.lastChunk)return this;var u=a?a.previous:this.lastChunk;return o&&(o.next=s),s&&(s.previous=o),u&&(u.next=r),a&&(a.previous=i),r.previous||(this.firstChunk=i.next),i.next||(this.lastChunk=r.previous,this.lastChunk.next=null),r.previous=u,i.next=a||null,u||(this.firstChunk=r),a||(this.lastChunk=i),this},$i.prototype.overwrite=function(e,t,n,r){if("string"!=typeof n)throw new TypeError("replacement content must be a string");for(;e<0;)e+=this.original.length;for(;t<0;)t+=this.original.length;if(t>this.original.length)throw new Error("end is out of bounds");if(e===t)throw new Error("Cannot overwrite a zero-length range – use appendLeft or prependRight instead");this._split(e),this._split(t),!0===r&&(Wi.storeName||(console.warn("The final argument to magicString.overwrite(...) should be an options object. See https://github.com/rich-harris/magic-string"),Wi.storeName=!0),r={storeName:!0});var i=void 0!==r&&r.storeName,o=void 0!==r&&r.contentOnly;if(i){var s=this.original.slice(e,t);this.storedNames[s]=!0}var a=this.byStart[e],u=this.byEnd[t];if(a){if(t>a.end&&a.next!==this.byStart[a.end])throw new Error("Cannot overwrite across a split point");if(a.edit(n,i,o),a!==u){for(var c=a.next;c!==u;)c.edit("",!1),c=c.next;c.edit("",!1)}}else{var l=new Pi(e,t,"").edit(n,i);u.next=l,l.previous=u}return this},$i.prototype.prepend=function(e){if("string"!=typeof e)throw new TypeError("outro content must be a string");return this.intro=e+this.intro,this},$i.prototype.prependLeft=function(e,t){if("string"!=typeof t)throw new TypeError("inserted content must be a string");this._split(e);var n=this.byEnd[e];return n?n.prependLeft(t):this.intro=t+this.intro,this},$i.prototype.prependRight=function(e,t){if("string"!=typeof t)throw new TypeError("inserted content must be a string");this._split(e);var n=this.byStart[e];return n?n.prependRight(t):this.outro=t+this.outro,this},$i.prototype.remove=function(e,t){for(;e<0;)e+=this.original.length;for(;t<0;)t+=this.original.length;if(e===t)return this;if(e<0||t>this.original.length)throw new Error("Character is out of bounds");if(e>t)throw new Error("end must be greater than start");this._split(e),this._split(t);for(var n=this.byStart[e];n;)n.intro="",n.outro="",n.edit(""),n=t>n.end?this.byStart[n.end]:null;return this},$i.prototype.lastChar=function(){if(this.outro.length)return this.outro[this.outro.length-1];var e=this.lastChunk;do{if(e.outro.length)return e.outro[e.outro.length-1];if(e.content.length)return e.content[e.content.length-1];if(e.intro.length)return e.intro[e.intro.length-1]}while(e=e.previous);return this.intro.length?this.intro[this.intro.length-1]:""},$i.prototype.lastLine=function(){var e=this.outro.lastIndexOf(qi);if(-1!==e)return this.outro.substr(e+1);var t=this.outro,n=this.lastChunk;do{if(n.outro.length>0){if(-1!==(e=n.outro.lastIndexOf(qi)))return n.outro.substr(e+1)+t;t=n.outro+t}if(n.content.length>0){if(-1!==(e=n.content.lastIndexOf(qi)))return n.content.substr(e+1)+t;t=n.content+t}if(n.intro.length>0){if(-1!==(e=n.intro.lastIndexOf(qi)))return n.intro.substr(e+1)+t;t=n.intro+t}}while(n=n.previous);return-1!==(e=this.intro.lastIndexOf(qi))?this.intro.substr(e+1)+t:this.intro+t},$i.prototype.slice=function(e,t){for(void 0===e&&(e=0),void 0===t&&(t=this.original.length);e<0;)e+=this.original.length;for(;t<0;)t+=this.original.length;for(var n="",r=this.firstChunk;r&&(r.start>e||r.end<=e);){if(r.start=t)return n;r=r.next}if(r&&r.edited&&r.start!==e)throw new Error("Cannot use replaced character "+e+" as slice start anchor.");for(var i=r;r;){!r.intro||i===r&&r.start!==e||(n+=r.intro);var o=r.start=t;if(o&&r.edited&&r.end!==t)throw new Error("Cannot use replaced character "+t+" as slice end anchor.");var s=i===r?e-r.start:0,a=o?r.content.length+t-r.end:r.content.length;if(n+=r.content.slice(s,a),!r.outro||o&&r.end!==t||(n+=r.outro),o)break;r=r.next}return n},$i.prototype.snip=function(e,t){var n=this.clone();return n.remove(0,e),n.remove(t,n.original.length),n},$i.prototype._split=function(e){if(!this.byStart[e]&&!this.byEnd[e])for(var t=this.lastSearchedChunk,n=e>t.end;t;){if(t.contains(e))return this._splitChunk(t,e);t=n?this.byStart[t.end]:this.byEnd[t.start]}},$i.prototype._splitChunk=function(e,t){if(e.edited&&e.content.length){var n=zi(this.original)(t);throw new Error("Cannot split a chunk that has already been edited ("+n.line+":"+n.column+' – "'+e.original+'")')}var r=e.split(t);return this.byEnd[t]=e,this.byStart[t]=r,this.byEnd[r.end]=r,e===this.lastChunk&&(this.lastChunk=r),this.lastSearchedChunk=e,!0},$i.prototype.toString=function(){for(var e=this.intro,t=this.firstChunk;t;)e+=t.toString(),t=t.next;return e+this.outro},$i.prototype.isEmpty=function(){var e=this.firstChunk;do{if(e.intro.length&&e.intro.trim()||e.content.length&&e.content.trim()||e.outro.length&&e.outro.trim())return!1}while(e=e.next);return!0},$i.prototype.length=function(){var e=this.firstChunk,t=0;do{t+=e.intro.length+e.content.length+e.outro.length}while(e=e.next);return t},$i.prototype.trimLines=function(){return this.trim("[\\r\\n]")},$i.prototype.trim=function(e){return this.trimStart(e).trimEnd(e)},$i.prototype.trimEndAborted=function(e){var t=new RegExp((e||"\\s")+"+$");if(this.outro=this.outro.replace(t,""),this.outro.length)return!0;var n=this.lastChunk;do{var r=n.end,i=n.trimEnd(t);if(n.end!==r&&(this.lastChunk===n&&(this.lastChunk=n.next),this.byEnd[n.end]=n,this.byStart[n.next.start]=n.next,this.byEnd[n.next.end]=n.next),i)return!0;n=n.previous}while(n);return!1},$i.prototype.trimEnd=function(e){return this.trimEndAborted(e),this},$i.prototype.trimStartAborted=function(e){var t=new RegExp("^"+(e||"\\s")+"+");if(this.intro=this.intro.replace(t,""),this.intro.length)return!0;var n=this.firstChunk;do{var r=n.end,i=n.trimStart(t);if(n.end!==r&&(n===this.lastChunk&&(this.lastChunk=n.next),this.byEnd[n.end]=n,this.byStart[n.next.start]=n.next,this.byEnd[n.next.end]=n.next),i)return!0;n=n.next}while(n);return!1},$i.prototype.trimStart=function(e){return this.trimStartAborted(e),this};var Hi=Object.prototype.hasOwnProperty,Gi=function(e){void 0===e&&(e={}),this.intro=e.intro||"",this.separator=void 0!==e.separator?e.separator:"\n",this.sources=[],this.uniqueSources=[],this.uniqueSourceIndexByFilename={}};Gi.prototype.addSource=function(e){if(e instanceof $i)return this.addSource({content:e,filename:e.filename,separator:this.separator});if(!Ui(e)||!e.content)throw new Error("bundle.addSource() takes an object with a `content` property, which should be an instance of MagicString, and an optional `filename`");if(["filename","indentExclusionRanges","separator"].forEach(function(t){Hi.call(e,t)||(e[t]=e.content[t])}),void 0===e.separator&&(e.separator=this.separator),e.filename)if(Hi.call(this.uniqueSourceIndexByFilename,e.filename)){var t=this.uniqueSources[this.uniqueSourceIndexByFilename[e.filename]];if(e.content.original!==t.content)throw new Error("Illegal source: same filename ("+e.filename+"), different contents")}else this.uniqueSourceIndexByFilename[e.filename]=this.uniqueSources.length,this.uniqueSources.push({filename:e.filename,content:e.content.original});return this.sources.push(e),this},Gi.prototype.append=function(e,t){return this.addSource({content:new $i(e),separator:t&&t.separator||""}),this},Gi.prototype.clone=function(){var e=new Gi({intro:this.intro,separator:this.separator});return this.sources.forEach(function(t){e.addSource({filename:t.filename,content:t.content.clone(),separator:t.separator})}),e},Gi.prototype.generateDecodedMap=function(e){var t=this;void 0===e&&(e={});var n=[];this.sources.forEach(function(e){Object.keys(e.content.storedNames).forEach(function(e){~n.indexOf(e)||n.push(e)})});var r=new Vi(e.hires);return this.intro&&r.advance(this.intro),this.sources.forEach(function(e,i){i>0&&r.advance(t.separator);var o=e.filename?t.uniqueSourceIndexByFilename[e.filename]:-1,s=e.content,a=zi(s.original);s.intro&&r.advance(s.intro),s.firstChunk.eachNext(function(t){var i=a(t.start);t.intro.length&&r.advance(t.intro),e.filename?t.edited?r.addEdit(o,t.content,i,t.storeName?n.indexOf(t.original):-1):r.addUneditedChunk(o,t,s.original,i,s.sourcemapLocations):r.advance(t.content),t.outro.length&&r.advance(t.outro)}),s.outro&&r.advance(s.outro)}),{file:e.file?e.file.split(/[\/\\]/).pop():null,sources:this.uniqueSources.map(function(t){return e.file?Li(e.file,t.filename):t.filename}),sourcesContent:this.uniqueSources.map(function(t){return e.includeContent?t.content:null}),names:n,mappings:r.raw}},Gi.prototype.generateMap=function(e){return new Ni(this.generateDecodedMap(e))},Gi.prototype.getIndentString=function(){var e={};return this.sources.forEach(function(t){var n=t.content.indentStr;null!==n&&(e[n]||(e[n]=0),e[n]+=1)}),Object.keys(e).sort(function(t,n){return e[t]-e[n]})[0]||"\t"},Gi.prototype.indent=function(e){var t=this;if(arguments.length||(e=this.getIndentString()),""===e)return this;var n=!this.intro||"\n"===this.intro.slice(-1);return this.sources.forEach(function(r,i){var o=void 0!==r.separator?r.separator:t.separator,s=n||i>0&&/\r?\n$/.test(o);r.content.indent(e,{exclude:r.indentExclusionRanges,indentStart:s}),n="\n"===r.content.lastChar()}),this.intro&&(this.intro=e+this.intro.replace(/^[^\n]/gm,function(t,n){return n>0?e+t:t})),this},Gi.prototype.prepend=function(e){return this.intro=e+this.intro,this},Gi.prototype.toString=function(){var e=this,t=this.sources.map(function(t,n){var r=void 0!==t.separator?t.separator:e.separator;return(n>0?r:"")+t.content.toString()}).join("");return this.intro+t},Gi.prototype.isEmpty=function(){return(!this.intro.length||!this.intro.trim())&&!this.sources.some(function(e){return!e.content.isEmpty()})},Gi.prototype.length=function(){return this.sources.reduce(function(e,t){return e+t.content.length()},this.intro.length)},Gi.prototype.trimLines=function(){return this.trim("[\\r\\n]")},Gi.prototype.trim=function(e){return this.trimStart(e).trimEnd(e)},Gi.prototype.trimStart=function(e){var t=new RegExp("^"+(e||"\\s")+"+");if(this.intro=this.intro.replace(t,""),!this.intro){var n,r=0;do{if(!(n=this.sources[r++]))break}while(!n.content.trimStartAborted(e))}return this},Gi.prototype.trimEnd=function(e){var t,n=new RegExp((e||"\\s")+"+$"),r=this.sources.length-1;do{if(!(t=this.sources[r--])){this.intro=this.intro.replace(n,"");break}}while(!t.content.trimEndAborted(e));return this};var Ki="ClassDeclaration",Yi="ExportDefaultDeclaration",Xi="FunctionDeclaration",Ji="Identifier",Zi="Literal",Qi="MemberExpression",eo="TemplateLiteral",to=function(){function e(e){var t=void 0===e?{}:e,n=t.withNew,r=void 0!==n&&n,i=t.args,o=void 0===i?[]:i,s=t.callIdentifier,a=void 0===s?void 0:s;this.withNew=r,this.args=o,this.callIdentifier=a}return e.create=function(e){return new this(e)},e.prototype.equals=function(e){return e&&this.callIdentifier===e.callIdentifier},e}(),no={UNKNOWN_KEY:!0},ro=[],io=[no];function oo(e,t){return void 0===t&&(t=null),Object.create(t,e)}var so={UNKNOWN_VALUE:!0},ao={included:!0,getLiteralValueAtPath:function(){return so},getReturnExpressionWhenCalledAtPath:function(){return ao},hasEffectsWhenAccessedAtPath:function(e){return e.length>0},hasEffectsWhenAssignedAtPath:function(e){return e.length>0},hasEffectsWhenCalledAtPath:function(){return!0},include:function(){},deoptimizePath:function(){},toString:function(){return"[[UNKNOWN]]"}},uo={included:!0,getLiteralValueAtPath:function(){},getReturnExpressionWhenCalledAtPath:function(){return ao},hasEffectsWhenAccessedAtPath:function(e){return e.length>0},hasEffectsWhenAssignedAtPath:function(e){return e.length>0},hasEffectsWhenCalledAtPath:function(){return!0},include:function(){},deoptimizePath:function(){},toString:function(){return"undefined"}},co={value:{returns:null,returnsPrimitive:ao,callsArgs:null,mutatesSelf:!1}},lo={value:{returns:null,returnsPrimitive:ao,callsArgs:null,mutatesSelf:!0}},ho={value:{returns:null,returnsPrimitive:ao,callsArgs:[0],mutatesSelf:!1}},fo=function(){function e(){this.included=!1}return e.prototype.getLiteralValueAtPath=function(){return so},e.prototype.getReturnExpressionWhenCalledAtPath=function(e){return 1===e.length?Po(ko,e[0]):ao},e.prototype.hasEffectsWhenAccessedAtPath=function(e){return e.length>1},e.prototype.hasEffectsWhenAssignedAtPath=function(e){return e.length>1},e.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return 1!==e.length||Io(ko,e[0],this.included,t,n)},e.prototype.include=function(){this.included=!0},e.prototype.deoptimizePath=function(){},e.prototype.toString=function(){return"[[UNKNOWN ARRAY]]"},e}(),po={value:{returns:fo,returnsPrimitive:null,callsArgs:null,mutatesSelf:!1}},mo={value:{returns:fo,returnsPrimitive:null,callsArgs:null,mutatesSelf:!0}},go={value:{returns:fo,returnsPrimitive:null,callsArgs:[0],mutatesSelf:!1}},vo={value:{returns:fo,returnsPrimitive:null,callsArgs:[0],mutatesSelf:!0}},yo={included:!0,getLiteralValueAtPath:function(){return so},getReturnExpressionWhenCalledAtPath:function(e){return 1===e.length?Po(Bo,e[0]):ao},hasEffectsWhenAccessedAtPath:function(e){return e.length>1},hasEffectsWhenAssignedAtPath:function(e){return e.length>0},hasEffectsWhenCalledAtPath:function(e){if(1===e.length){var t=e[0];return"string"!=typeof t||!Bo[t]}return!0},include:function(){},deoptimizePath:function(){},toString:function(){return"[[UNKNOWN BOOLEAN]]"}},_o={value:{returns:null,returnsPrimitive:yo,callsArgs:null,mutatesSelf:!1}},Eo={value:{returns:null,returnsPrimitive:yo,callsArgs:[0],mutatesSelf:!1}},bo={included:!0,getLiteralValueAtPath:function(){return so},getReturnExpressionWhenCalledAtPath:function(e){return 1===e.length?Po(Oo,e[0]):ao},hasEffectsWhenAccessedAtPath:function(e){return e.length>1},hasEffectsWhenAssignedAtPath:function(e){return e.length>0},hasEffectsWhenCalledAtPath:function(e){if(1===e.length){var t=e[0];return"string"!=typeof t||!Oo[t]}return!0},include:function(){},deoptimizePath:function(){},toString:function(){return"[[UNKNOWN NUMBER]]"}},Do={value:{returns:null,returnsPrimitive:bo,callsArgs:null,mutatesSelf:!1}},Ao={value:{returns:null,returnsPrimitive:bo,callsArgs:null,mutatesSelf:!0}},xo={value:{returns:null,returnsPrimitive:bo,callsArgs:[0],mutatesSelf:!1}},wo={included:!0,getLiteralValueAtPath:function(){return so},getReturnExpressionWhenCalledAtPath:function(e){return 1===e.length?Po(Ro,e[0]):ao},hasEffectsWhenAccessedAtPath:function(e){return e.length>1},hasEffectsWhenAssignedAtPath:function(e){return e.length>0},hasEffectsWhenCalledAtPath:function(e,t,n){return 1!==e.length||Io(Ro,e[0],!0,t,n)},include:function(){},deoptimizePath:function(){},toString:function(){return"[[UNKNOWN STRING]]"}},Co={value:{returns:null,returnsPrimitive:wo,callsArgs:null,mutatesSelf:!1}},Fo=function(){function e(){this.included=!1}return e.prototype.getLiteralValueAtPath=function(){return so},e.prototype.getReturnExpressionWhenCalledAtPath=function(e){return 1===e.length?Po(So,e[0]):ao},e.prototype.hasEffectsWhenAccessedAtPath=function(e){return e.length>1},e.prototype.hasEffectsWhenAssignedAtPath=function(e){return e.length>1},e.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return 1!==e.length||Io(So,e[0],this.included,t,n)},e.prototype.include=function(){this.included=!0},e.prototype.deoptimizePath=function(){},e.prototype.toString=function(){return"[[UNKNOWN OBJECT]]"},e}(),So=oo({hasOwnProperty:_o,isPrototypeOf:_o,propertyIsEnumerable:_o,toLocaleString:Co,toString:Co,valueOf:co}),ko=oo({concat:po,copyWithin:mo,every:Eo,fill:mo,filter:go,find:ho,findIndex:xo,forEach:ho,includes:_o,indexOf:Do,join:Co,lastIndexOf:Do,map:go,pop:lo,push:Ao,reduce:ho,reduceRight:ho,reverse:mo,shift:lo,slice:po,some:Eo,sort:vo,splice:mo,unshift:Ao},So),Bo=oo({valueOf:_o},So),Oo=oo({toExponential:Co,toFixed:Co,toLocaleString:Co,toPrecision:Co,valueOf:Do},So),Ro=oo({charAt:Co,charCodeAt:Do,codePointAt:Do,concat:Co,includes:_o,endsWith:_o,indexOf:Do,lastIndexOf:Do,localeCompare:Do,match:_o,normalize:Co,padEnd:Co,padStart:Co,repeat:Co,replace:{value:{returns:null,returnsPrimitive:wo,callsArgs:[1],mutatesSelf:!1}},search:Do,slice:Co,split:po,startsWith:_o,substr:Co,substring:Co,toLocaleLowerCase:Co,toLocaleUpperCase:Co,toLowerCase:Co,toUpperCase:Co,trim:Co,valueOf:Co},So);function Io(e,t,n,r,i){if("string"!=typeof t||!e[t])return!0;if(e[t].mutatesSelf&&n)return!0;if(!e[t].callsArgs)return!1;for(var o=0,s=e[t].callsArgs;o0},e.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return!0},e.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return!0},e.prototype.include=function(){this.included=!0},e.prototype.deoptimizePath=function(e){},e.prototype.setSafeName=function(e){this.safeName=e},e.prototype.toString=function(){return this.name},e}(),No=function(e){function t(t,n,r,i){var o=e.call(this,t)||this;return o.additionalInitializers=null,o.expressionsToBeDeoptimized=[],o.declarations=n?[n]:[],o.init=r,o.deoptimizationTracker=i,o}return Zr(t,e),t.prototype.addDeclaration=function(e,t){this.declarations.push(e),null===this.additionalInitializers&&(this.additionalInitializers=null===this.init?[]:[this.init],this.init=ao,this.isReassigned=!0),null!==t&&this.additionalInitializers.push(t)},t.prototype.consolidateInitializers=function(){if(null!==this.additionalInitializers){for(var e=0,t=this.additionalInitializers;e7||t.isTracked(this.init,e)?so:(this.expressionsToBeDeoptimized.push(n),this.init.getLiteralValueAtPath(e,t.track(this.init,e),n))},t.prototype.getReturnExpressionWhenCalledAtPath=function(e,t,n){return this.isReassigned||!this.init||e.length>7||t.isTracked(this.init,e)?ao:(this.expressionsToBeDeoptimized.push(n),this.init.getReturnExpressionWhenCalledAtPath(e,t.track(this.init,e),n))},t.prototype.hasEffectsWhenAccessedAtPath=function(e,t){return 0!==e.length&&(this.isReassigned||e.length>7||this.init&&!t.hasNodeBeenAccessedAtPath(e,this.init)&&this.init.hasEffectsWhenAccessedAtPath(e,t.addAccessedNodeAtPath(e,this.init)))},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return!!(this.included||e.length>7)||0!==e.length&&(this.isReassigned||this.init&&!t.hasNodeBeenAssignedAtPath(e,this.init)&&this.init.hasEffectsWhenAssignedAtPath(e,t.addAssignedNodeAtPath(e,this.init)))},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return e.length>7||(this.isReassigned||this.init&&!n.hasNodeBeenCalledAtPathWithOptions(e,this.init,t)&&this.init.hasEffectsWhenCalledAtPath(e,t,n.addCalledNodeAtPathWithOptions(e,this.init,t)))},t.prototype.include=function(){if(!this.included){this.included=!0;for(var e=0,t=this.declarations;e7||this.isReassigned||this.deoptimizationTracker.track(this,e)))if(0===e.length){if(!this.isReassigned){this.isReassigned=!0;for(var t=0,n=this.expressionsToBeDeoptimized;t0&&!this.isPureFunctionMember(e)&&!("Reflect"===this.name&&1===e.length)},t.prototype.hasEffectsWhenCalledAtPath=function(e){return!jo[[this.name].concat(e).join(".")]},t.prototype.isPureFunctionMember=function(e){return jo[[this.name].concat(e).join(".")]||e.length>=1&&jo[[this.name].concat(e.slice(0,-1)).join(".")]||e.length>=2&&jo[[this.name].concat(e.slice(0,-2)).join(".")]&&"prototype"===e[e.length-2]},t}(To),$o=function(e){function t(t,n){var r=e.call(this,n)||this;return r.module=t,r.isNamespace="*"===n,r.referenced=!1,r}return Zr(t,e),t.prototype.addReference=function(e){this.referenced=!0,"default"!==this.name&&"*"!==this.name||this.module.suggestName(e.name)},t.prototype.include=function(){this.included||(this.included=!0,this.module.used=!0)},t}(To);$o.prototype.isExternal=!0;var Ho="break case class catch const continue debugger default delete do else export extends finally for function if import in instanceof let new return super switch this throw try typeof var void while with yield enum await implements package protected static interface private public".split(" "),Go="Infinity NaN undefined null true false eval uneval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Symbol Error EvalError InternalError RangeError ReferenceError SyntaxError TypeError URIError Number Math Date String RegExp Array Int8Array Uint8Array Uint8ClampedArray Int16Array Uint16Array Int32Array Uint32Array Float32Array Float64Array Map Set WeakMap WeakSet SIMD ArrayBuffer DataView JSON Promise Generator GeneratorFunction Reflect Proxy Intl".split(" "),Ko=Object.create(null);Ho.concat(Go).forEach(function(e){return Ko[e]=!0});var Yo=/[^$_a-zA-Z0-9]/g,Xo=function(e){return/\d/.test(e[0])};function Jo(e){return e=e.replace(/-(\w)/g,function(e,t){return t.toUpperCase()}).replace(Yo,"_"),(Xo(e)||Ko[e])&&(e="_"+e),e}var Zo=/^(?:\/|(?:[A-Za-z]:)?[\\|\/])/,Qo=/^\.?\.\//;function es(e){return Zo.test(e)}function ts(e){return Qo.test(e)}function ns(e){return-1==e.indexOf("\\")?e:e.replace(/\\/g,"/")}var rs=function(){function e(e){var t=e.graph,n=e.id;this.exportsNames=!1,this.exportsNamespace=!1,this.renderPath=void 0,this.renormalizeRenderPath=!1,this.isExternal=!0,this.isEntryPoint=!1,this.mostCommonSuggestion=0,this.reexported=!1,this.used=!1,this.graph=t,this.id=n,this.execIndex=1/0;var r=n.split(/[\\\/]/);this.name=Jo(r.pop()),this.nameSuggestions=Object.create(null),this.declarations=Object.create(null),this.exportedVariables=new Map}return e.prototype.setRenderPath=function(e,t){return e.paths&&(this.renderPath="function"==typeof e.paths?e.paths(this.id):e.paths[this.id]),this.renderPath||(es(this.id)?(this.renderPath=ns(Ht(t,this.id)),this.renormalizeRenderPath=!0):this.renderPath=this.id),this.renderPath},e.prototype.suggestName=function(e){this.nameSuggestions[e]||(this.nameSuggestions[e]=0),this.nameSuggestions[e]+=1,this.nameSuggestions[e]>this.mostCommonSuggestion&&(this.mostCommonSuggestion=this.nameSuggestions[e],this.name=e)},e.prototype.warnUnusedImports=function(){var e=this,t=Object.keys(this.declarations).filter(function(t){if("*"===t)return!1;var n=e.declarations[t];return!n.included&&!e.reexported&&!n.referenced});if(0!==t.length){var n=1===t.length?"'"+t[0]+"' is":t.slice(0,-1).map(function(e){return"'"+e+"'"}).join(", ")+" and '"+t.slice(-1)+"' are";this.graph.warn({code:"UNUSED_EXTERNAL_IMPORT",source:this.id,names:t,message:n+" imported from external module '"+this.id+"' but never used"})}},e.prototype.traceExport=function(e,t){"default"!==e&&"*"!==e&&(this.exportsNames=!0),"*"===e&&(this.exportsNamespace=!0);var n=this.declarations[e];return n||(this.declarations[e]=n=new $o(this,e),this.exportedVariables.set(n,e),n)},e}(),is="Object.defineProperty(exports, '__esModule', { value: true });",os="Object.defineProperty(exports,'__esModule',{value:true});";function ss(e,t,n,r,i,o){void 0===o&&(o="return ");var s,a=i?"":" ";if(!n)return e.some(function(e){return"default"===e.exported&&(s=e.local,!0)}),s||t.some(function(e){return!!e.reexports&&e.reexports.some(function(t){return"default"===t.reexported&&(s=e.namedExportsMode?e.name+"."+t.imported:e.name,!0)})}),""+o+s+";";var u="";return t.forEach(function(e){var t=e.name,r=e.reexports;r&&n&&r.forEach(function(e){"*"===e.reexported&&(!i&&u&&(u+="\n"),u+="Object.keys("+t+").forEach(function"+a+"(key)"+a+"{"+a+"exports[key]"+a+"="+a+t+"[key];"+a+"});")})}),t.forEach(function(e){var t=e.name,o=e.imports,s=e.reexports,c=e.isChunk;s&&n&&s.forEach(function(e){if("default"!==e.imported||c)"*"!==e.imported?(u&&!i&&(u+="\n"),u+="exports."+e.reexported+a+"="+a+t+"."+e.imported+";"):"*"!==e.reexported&&(u&&!i&&(u+="\n"),u+="exports."+e.reexported+a+"="+a+t+";");else{var n=o&&o.some(function(e){return"*"===e.imported||"default"!==e.imported})||s&&s.some(function(e){return"default"!==e.imported&&"*"!==e.imported});u&&!i&&(u+="\n"),u+=n?"exports."+e.reexported+a+"="+a+t+(!1!==r?"__default":".default")+";":"exports."+e.reexported+a+"="+a+t+";"}})}),e.forEach(function(e){var t="exports."+e.exported,n=e.local;t!==n&&(u&&!i&&(u+="\n"),u+=""+t+a+"="+a+n+";")}),u}function as(e,t,n){return e.map(function(e){var r=e.name,i=e.exportsNames,o=e.exportsDefault;if(e.namedExportsMode)return o&&!1!==t.interop?i?t.compact?n+" "+r+"__default='default'in "+r+"?"+r+"['default']:"+r+";":n+" "+r+"__default = 'default' in "+r+" ? "+r+"['default'] : "+r+";":t.compact?r+"="+r+"&&"+r+".hasOwnProperty('default')?"+r+"['default']:"+r+";":r+" = "+r+" && "+r+".hasOwnProperty('default') ? "+r+"['default'] : "+r+";":null}).filter(Boolean).join(t.compact?"":"\n")}var us={process:!0,events:!0,stream:!0,util:!0,path:!0,buffer:!0,querystring:!0,url:!0,string_decoder:!0,punycode:!0,http:!0,https:!0,os:!0,assert:!0,constants:!0,timers:!0,console:!0,vm:!0,zlib:!0,tty:!0,domain:!0};function cs(e,t){var n=t.map(function(e){return e.id}).filter(function(e){return e in us});if(n.length){var r=1===n.length?"module ('"+n[0]+"')":"modules ("+n.slice(0,-1).map(function(e){return"'"+e+"'"}).join(", ")+" and '"+n.slice(-1)+"')";e.warn({code:"MISSING_NODE_BUILTINS",modules:n,message:"Creating a browser bundle that depends on Node.js built-in "+r+". You might need to include https://www.npmjs.com/package/rollup-plugin-node-builtins"})}}function ls(e,t,n){if("number"==typeof n)throw new Error("locate takes a { startIndex, offsetLine, offsetColumn } object as the third argument");return function(e,t){void 0===t&&(t={});var n=t.offsetLine||0,r=t.offsetColumn||0,i=e.split("\n"),o=0,s=i.map(function(e,t){var n=o+e.length+1,r={start:o,end:n,line:t};return o=n,r}),a=0;function u(e,t){return e.start<=t&&t=r.end?1:-1;r;){if(u(r,t))return c(r,t);r=s[a+=i]}}}(e,n)(t,n&&n.startIndex)}function hs(e){return e.replace(/^\t+/,function(e){return e.split("\t").join(" ")})}function fs(e,t,n){var r=e.split("\n"),i=Math.max(0,t-3),o=Math.min(t+2,r.length);for(r=r.slice(i,o);!/\S/.test(r[r.length-1]);)r.pop(),o-=1;var s=String(o).length;return r.map(function(e,r){for(var o=i+r+1===t,a=String(r+i+1);a.length1||1===n.length&&("*"===n[0].reexported||"*"===n[0].imported)?(n.forEach(function(e){"*"===e.reexported&&(r||(r=function(e){var t=e.dependencies,n=e.exports,r=new Set(n.map(function(e){return e.exported}));return r.has("default")||r.add("default"),t.forEach(function(e){var t=e.reexports;t&&t.forEach(function(e){"*"===e.imported||r.has(e.reexported)||r.add(e.reexported)})}),r}({dependencies:u,exports:c})),s||(i.push(g+" _setter"+f+"="+f+"{};"),s=!0),i.push("for"+f+"(var _$p"+f+"in"+f+"module)"+f+"{"),i.push(o+"if"+f+"(!_starExcludes[_$p])"+f+"_setter[_$p]"+f+"="+f+"module[_$p];"),i.push("}"))}),n.forEach(function(e){"*"===e.imported&&"*"!==e.reexported&&i.push("exports('"+e.reexported+"',"+f+"module);")}),n.forEach(function(e){"*"!==e.reexported&&"*"!==e.imported&&(s||(i.push(g+" _setter"+f+"="+f+"{};"),s=!0),i.push("_setter."+e.reexported+f+"="+f+"module."+e.imported+";"))}),s&&i.push("exports(_setter);")):n.forEach(function(e){i.push("exports('"+e.reexported+"',"+f+"module."+e.imported+");")})}m.push(i.join(""+h+o+o+o))});var v=[],y=c.filter(function(e){return e.hoisted||e.uninitialized});if(1===y.length){var _=y[0];v.push("exports('"+_.exported+"',"+f+(_.uninitialized?"void 0":_.local)+");")}else if(y.length>1){v.push("exports({");for(var E=0;E1&&(o+=u)),s&&1===r.length?o+="import "+s.local+" from"+a+"'"+t+"';":(!c||r.length>1)&&(o+="import "+(s?s.local+","+a:"")+"{"+a+r.filter(function(e){return e!==s&&e!==c}).map(function(e){return e.imported===e.local?e.imported:e.imported+" as "+e.local}).join(","+a)+a+"}"+a+"from"+a+"'"+t+"';")}if(n){r&&(o+=u);var l=n.find(function(e){return"*"===e.reexported}),h=n.find(function(e){return"*"===e.imported&&"*"!==e.reexported});if(l){if(o+="export"+a+"*"+a+"from"+a+"'"+t+"';",1===n.length)return o;o+=u}if(h){if(r&&r.some(function(e){return"*"===e.imported&&e.local===i})||(o+="import"+a+"*"+a+"as "+i+" from"+a+"'"+t+"';"+u),o+="export"+a+"{"+a+(i===h.reexported?i:i+" as "+h.reexported)+" };",n.length===(l?2:1))return o;o+=u}o+="export"+a+"{"+a+n.filter(function(e){return e!==l&&e!==h}).map(function(e){return e.imported===e.reexported?e.imported:e.imported+" as "+e.reexported}).join(","+a)+a+"}"+a+"from"+a+"'"+t+"';"}return o}).join(u);c&&(r+=c+u+u),r&&e.prepend(r);var l=[],h=[];return s.forEach(function(e){"default"===e.exported?l.push("export default "+e.local+";"):h.push(e.exported===e.local?e.local:e.local+" as "+e.exported)}),h.length&&l.push("export"+a+"{"+a+h.join(","+a)+a+"};"),l.length&&e.append(u+u+l.join(u).trim()),i&&e.append(i),e.trim()},iife:function(e,t,n){var r,i=t.graph,o=t.namedExportsMode,s=t.hasExports,a=t.indentString,u=t.intro,c=t.outro,l=t.dependencies,h=t.exports,f=n.compact?"":" ",p=n.compact?"":"\n",d=n.extend,m=n.name,g=m&&-1!==m.indexOf(".");m&&!d&&!g&&(Xo(r=m)||Ko[r]||Yo.test(r))&&ps({code:"ILLEGAL_IDENTIFIER_AS_NAME",message:"Given name ("+m+") is not legal JS identifier. If you need this you can try --extend option"}),cs(i,l);var v=_s(l),y=v.map(function(e){return e.globalName||"null"}),_=v.map(function(e){return e.name});s&&!m&&ps({code:"INVALID_OPTION",message:"You must supply output.name for IIFE bundles"}),d?(y.unshift("("+Es(m)+f+"="+f+Es(m)+f+"||"+f+"{})"),_.unshift("exports")):o&&s&&(y.unshift("{}"),_.unshift("exports"));var E="(function"+f+"("+_+")"+f+"{"+p+(!1!==n.strict?a+"'use strict';"+p+p:"");s&&!d&&(E=(g?Es(m):i.varOrConst+" "+m)+(f+"=")+f+E),g&&(E=ys(m,"this",!1,n.globals,n.compact)+E);var b=""+p+p+"}("+y+"));";!d&&o&&s&&(b=""+p+p+a+"return exports;"+b);var D=as(l,n,i.varOrConst);D&&e.prepend(D+p+p),u&&e.prepend(u);var A=ss(h,l,o,n.interop,n.compact);return A&&e.append(p+p+A),c&&e.append(c),e.indent(a).prepend(E).append(b)},umd:function(e,t,n){var r=t.graph,i=t.namedExportsMode,o=t.hasExports,s=t.indentString,a=t.intro,u=t.outro,c=t.dependencies,l=t.exports,h=n.compact?"":" ",f=n.compact?"":"\n",p=f+f+"})));";o&&!n.name&&ps({code:"INVALID_OPTION",message:"You must supply output.name for UMD bundles"}),cs(r,c);var d=c.map(function(e){return"'"+e.id+"'"}),m=c.map(function(e){return"require('"+e.id+"')"}),g=_s(c),v=g.map(function(e){return bs(e.globalName)}),y=g.map(function(e){return e.name});i&&o&&(d.unshift("'exports'"),m.unshift("exports"),v.unshift("("+ys(n.name,"global",!0,n.globals,n.compact)+h+"="+h+(n.extend?""+bs(n.name)+h+"||"+h:"")+"{})"),y.unshift("exports"));var _,E,b,D,A,x=n.amd||{},w=(x.id?"'"+x.id+"',"+h:"")+(d.length?"["+d.join(","+h)+"],"+h:""),C=x.define||"define",F=!i&&o?"module.exports"+h+"="+h:"",S=!i&&o?""+ys(n.name,"global",!0,n.globals,n.compact)+h+"="+h:"",k=!1!==n.strict?h+"'use strict';"+f:"";if(!0===n.noConflict){var B=void 0;!i&&o?B="var exports"+h+"="+h+"factory("+v+");":i&&(B="var exports"+h+"="+h+v.shift()+";"+f,B+=""+s+s+"factory("+["exports"].concat(v)+");"),_="(function()"+h+"{"+f,_+=""+s+s+"var current"+h+"="+h+(E=n.name,b=n.compact,D=E.split("."),A="global",D.map(function(e){return A+=gs(e)}).join(b?"&&":" && "))+";"+f,_+=""+s+s+B+f,_+=""+s+s+bs(n.name)+h+"="+h+"exports;"+f,_+=""+s+s+"exports.noConflict"+h+"="+h+"function()"+h+"{"+h,_+=""+bs(n.name)+h+"="+h+"current;"+h+"return exports"+(n.compact?"":"; ")+"};"+f,_+=s+"})()"}else _="("+S+"factory("+v+"))";var O="(function"+h+"(global,"+h+"factory)"+h+"{"+f;O+=s+"typeof exports"+h+"==="+h+"'object'"+h+"&&"+h+"typeof module"+h+"!=="+h+"'undefined'"+h+"?",O+=""+h+F+"factory("+m.join(","+h)+")"+h+":"+f,O+=s+"typeof "+C+h+"==="+h+"'function'"+h+"&&"+h+C+".amd"+h+"?"+h+C+"("+w+"factory)"+h+":"+f,O+=""+s+_+";"+f,O+="}(this,"+h+"(function"+h+"("+y+")"+h+"{"+k+f;var R=as(c,n,r.varOrConst);R&&e.prepend(R+f+f),a&&e.prepend(a);var I=ss(l,c,i,n.interop,n.compact);return I&&e.append(f+f+I),i&&o&&n.esModule&&e.append(f+f+(n.compact?os:is)),u&&e.append(u),e.trim().indent(s).append(p).prepend(O)}},As=Object.create(null),xs={isNoStatement:!0};function ws(e,t,n){var r,i;for(void 0===n&&(n=0),r=e.indexOf(t,n);;){if(-1===(n=e.indexOf("/",n))||n>r)return r;if(i=e.charCodeAt(++n),++n,47===i){if(0===(n=e.indexOf("\n",n)+1))return-1;n>r&&(r=e.indexOf(t,n))}else 42===i&&(n=e.indexOf("*/",n)+2)>r&&(r=e.indexOf(t,n))}}function Cs(e,t){var n,r;for(void 0===t&&(t=0),n=e.indexOf("\n",t);;){if(-1===(t=e.indexOf("/",t))||t>n)return n;if(47===(r=e.charCodeAt(++t)))return n;++t,42===r&&(t=e.indexOf("*/",t)+2)>n&&(n=e.indexOf("\n",t))}}function Fs(e,t,n,r,i){if(0!==e.length){var o,s,a,u,c=e[0],l=!c.included||c.needsBoundaries;l&&(u=n+Cs(t.original.slice(n,c.start))+1);for(var h=1;h<=e.length;h++)o=c,s=u,a=l,l=void 0!==(c=e[h])&&(!c.included||c.needsBoundaries),a||l?(u=o.end+Cs(t.original.slice(o.end,void 0===c?r:c.start))+1,o.included?a?o.render(t,i,{start:s,end:u}):o.render(t,i):t.remove(s,u)):o.render(t,i)}}function Ss(e,t,n,r){for(var i,o,s,a,u,c=[],l=n-1,h=0;h>>0;if(""+n!==t||4294967295===n)return NaN;t=n}return t<0?w(e)+t:t}function F(){return!0}function S(e,t,n){return(0===e||void 0!==n&&e<=-n)&&(void 0===t||void 0!==n&&t>=n)}function k(e,t){return O(e,t,0)}function B(e,t){return O(e,t,t)}function O(e,t,n){return void 0===e?n:e<0?Math.max(0,t+e):void 0===t?e:Math.min(t,e)}var R=0,I=1,P=2,T="function"==typeof Symbol&&Symbol.iterator,N="@@iterator",M=T||N;function L(e){this.next=e}function j(e,t,n,r){var i=0===e?t:1===e?n:[t,n];return r?r.value=i:r={value:i,done:!1},r}function U(){return{value:void 0,done:!0}}function z(e){return!!W(e)}function V(e){return e&&"function"==typeof e.next}function q(e){var t=W(e);return t&&t.call(e)}function W(e){var t=e&&(T&&e[T]||e[N]);if("function"==typeof t)return t}function $(e){return e&&"number"==typeof e.length}function H(e){return null==e?oe():s(e)?e.toSeq():function(e){var t=ue(e)||"object"==typeof e&&new te(e);if(!t)throw new TypeError("Expected Array or iterable object of values, or keyed object: "+e);return t}(e)}function G(e){return null==e?oe().toKeyedSeq():s(e)?a(e)?e.toSeq():e.fromEntrySeq():se(e)}function K(e){return null==e?oe():s(e)?a(e)?e.entrySeq():e.toIndexedSeq():ae(e)}function Y(e){return(null==e?oe():s(e)?a(e)?e.entrySeq():e:ae(e)).toSetSeq()}L.prototype.toString=function(){return"[Iterator]"},L.KEYS=R,L.VALUES=I,L.ENTRIES=P,L.prototype.inspect=L.prototype.toSource=function(){return this.toString()},L.prototype[M]=function(){return this},t(H,n),H.of=function(){return H(arguments)},H.prototype.toSeq=function(){return this},H.prototype.toString=function(){return this.__toString("Seq {","}")},H.prototype.cacheResult=function(){return!this._cache&&this.__iterateUncached&&(this._cache=this.entrySeq().toArray(),this.size=this._cache.length),this},H.prototype.__iterate=function(e,t){return ce(this,e,t,!0)},H.prototype.__iterator=function(e,t){return le(this,e,t,!0)},t(G,H),G.prototype.toKeyedSeq=function(){return this},t(K,H),K.of=function(){return K(arguments)},K.prototype.toIndexedSeq=function(){return this},K.prototype.toString=function(){return this.__toString("Seq [","]")},K.prototype.__iterate=function(e,t){return ce(this,e,t,!1)},K.prototype.__iterator=function(e,t){return le(this,e,t,!1)},t(Y,H),Y.of=function(){return Y(arguments)},Y.prototype.toSetSeq=function(){return this},H.isSeq=ie,H.Keyed=G,H.Set=Y,H.Indexed=K;var X,J,Z,Q="@@__IMMUTABLE_SEQ__@@";function ee(e){this._array=e,this.size=e.length}function te(e){var t=Object.keys(e);this._object=e,this._keys=t,this.size=t.length}function ne(e){this._iterable=e,this.size=e.length||e.size}function re(e){this._iterator=e,this._iteratorCache=[]}function ie(e){return!(!e||!e[Q])}function oe(){return X||(X=new ee([]))}function se(e){var t=Array.isArray(e)?new ee(e).fromEntrySeq():V(e)?new re(e).fromEntrySeq():z(e)?new ne(e).fromEntrySeq():"object"==typeof e?new te(e):void 0;if(!t)throw new TypeError("Expected Array or iterable object of [k, v] entries, or keyed object: "+e);return t}function ae(e){var t=ue(e);if(!t)throw new TypeError("Expected Array or iterable object of values: "+e);return t}function ue(e){return $(e)?new ee(e):V(e)?new re(e):z(e)?new ne(e):void 0}function ce(e,t,n,r){var i=e._cache;if(i){for(var o=i.length-1,s=0;s<=o;s++){var a=i[n?o-s:s];if(!1===t(a[1],r?a[0]:s,e))return s+1}return s}return e.__iterateUncached(t,n)}function le(e,t,n,r){var i=e._cache;if(i){var o=i.length-1,s=0;return new L(function(){var e=i[n?o-s:s];return s++>o?{value:void 0,done:!0}:j(t,r?e[0]:s-1,e[1])})}return e.__iteratorUncached(t,n)}function he(e,t){return t?function e(t,n,r,i){return Array.isArray(n)?t.call(i,r,K(n).map(function(r,i){return e(t,r,i,n)})):pe(n)?t.call(i,r,G(n).map(function(r,i){return e(t,r,i,n)})):n}(t,e,"",{"":e}):fe(e)}function fe(e){return Array.isArray(e)?K(e).map(fe).toList():pe(e)?G(e).map(fe).toMap():e}function pe(e){return e&&(e.constructor===Object||void 0===e.constructor)}function de(e,t){if(e===t||e!=e&&t!=t)return!0;if(!e||!t)return!1;if("function"==typeof e.valueOf&&"function"==typeof t.valueOf){if(e=e.valueOf(),t=t.valueOf(),e===t||e!=e&&t!=t)return!0;if(!e||!t)return!1}return!("function"!=typeof e.equals||"function"!=typeof t.equals||!e.equals(t))}function me(e,t){if(e===t)return!0;if(!s(t)||void 0!==e.size&&void 0!==t.size&&e.size!==t.size||void 0!==e.__hash&&void 0!==t.__hash&&e.__hash!==t.__hash||a(e)!==a(t)||u(e)!==u(t)||l(e)!==l(t))return!1;if(0===e.size&&0===t.size)return!0;var n=!c(e);if(l(e)){var r=e.entries();return t.every(function(e,t){var i=r.next().value;return i&&de(i[1],e)&&(n||de(i[0],t))})&&r.next().done}var i=!1;if(void 0===e.size)if(void 0===t.size)"function"==typeof e.cacheResult&&e.cacheResult();else{i=!0;var o=e;e=t,t=o}var h=!0,f=t.__iterate(function(t,r){if(n?!e.has(t):i?!de(t,e.get(r,y)):!de(e.get(r,y),t))return h=!1,!1});return h&&e.size===f}function ge(e,t){if(!(this instanceof ge))return new ge(e,t);if(this._value=e,this.size=void 0===t?1/0:Math.max(0,t),0===this.size){if(J)return J;J=this}}function ve(e,t){if(!e)throw new Error(t)}function ye(e,t,n){if(!(this instanceof ye))return new ye(e,t,n);if(ve(0!==n,"Cannot step a Range by 0"),e=e||0,void 0===t&&(t=1/0),n=void 0===n?1:Math.abs(n),tr?{value:void 0,done:!0}:j(e,i,n[t?r-i++:i++])})},t(te,G),te.prototype.get=function(e,t){return void 0===t||this.has(e)?this._object[e]:t},te.prototype.has=function(e){return this._object.hasOwnProperty(e)},te.prototype.__iterate=function(e,t){for(var n=this._object,r=this._keys,i=r.length-1,o=0;o<=i;o++){var s=r[t?i-o:o];if(!1===e(n[s],s,this))return o+1}return o},te.prototype.__iterator=function(e,t){var n=this._object,r=this._keys,i=r.length-1,o=0;return new L(function(){var s=r[t?i-o:o];return o++>i?{value:void 0,done:!0}:j(e,s,n[s])})},te.prototype[d]=!0,t(ne,K),ne.prototype.__iterateUncached=function(e,t){if(t)return this.cacheResult().__iterate(e,t);var n=this._iterable,r=q(n),i=0;if(V(r))for(var o;!(o=r.next()).done&&!1!==e(o.value,i++,this););return i},ne.prototype.__iteratorUncached=function(e,t){if(t)return this.cacheResult().__iterator(e,t);var n=this._iterable,r=q(n);if(!V(r))return new L(U);var i=0;return new L(function(){var t=r.next();return t.done?t:j(e,i++,t.value)})},t(re,K),re.prototype.__iterateUncached=function(e,t){if(t)return this.cacheResult().__iterate(e,t);for(var n,r=this._iterator,i=this._iteratorCache,o=0;o=r.length){var t=n.next();if(t.done)return t;r[i]=t.value}return j(e,i,r[i++])})},t(ge,K),ge.prototype.toString=function(){return 0===this.size?"Repeat []":"Repeat [ "+this._value+" "+this.size+" times ]"},ge.prototype.get=function(e,t){return this.has(e)?this._value:t},ge.prototype.includes=function(e){return de(this._value,e)},ge.prototype.slice=function(e,t){var n=this.size;return S(e,t,n)?this:new ge(this._value,B(t,n)-k(e,n))},ge.prototype.reverse=function(){return this},ge.prototype.indexOf=function(e){return de(this._value,e)?0:-1},ge.prototype.lastIndexOf=function(e){return de(this._value,e)?this.size:-1},ge.prototype.__iterate=function(e,t){for(var n=0;n=0&&t=0&&nn?{value:void 0,done:!0}:j(e,o++,s)})},ye.prototype.equals=function(e){return e instanceof ye?this._start===e._start&&this._end===e._end&&this._step===e._step:me(this,e)},t(_e,n),t(Ee,_e),t(be,_e),t(De,_e),_e.Keyed=Ee,_e.Indexed=be,_e.Set=De;var Ae="function"==typeof Math.imul&&-2===Math.imul(4294967295,2)?Math.imul:function(e,t){var n=65535&(e|=0),r=65535&(t|=0);return n*r+((e>>>16)*r+n*(t>>>16)<<16>>>0)|0};function xe(e){return e>>>1&1073741824|3221225471&e}function we(e){if(!1===e||null==e)return 0;if("function"==typeof e.valueOf&&(!1===(e=e.valueOf())||null==e))return 0;if(!0===e)return 1;var t,n,r=typeof e;if("number"===r){if(e!=e||e===1/0)return 0;var i=0|e;for(i!==e&&(i^=4294967295*e);e>4294967295;)i^=e/=4294967295;return xe(i)}if("string"===r)return e.length>Ie?(void 0===(n=Ne[t=e])&&(n=Ce(t),Te===Pe&&(Te=0,Ne={}),Te++,Ne[t]=n),n):Ce(e);if("function"==typeof e.hashCode)return e.hashCode();if("object"===r)return function(e){var t;if(Be&&void 0!==(t=Fe.get(e)))return t;if(void 0!==(t=e[Re]))return t;if(!ke){if(void 0!==(t=e.propertyIsEnumerable&&e.propertyIsEnumerable[Re]))return t;if(void 0!==(t=function(e){if(e&&e.nodeType>0)switch(e.nodeType){case 1:return e.uniqueID;case 9:return e.documentElement&&e.documentElement.uniqueID}}(e)))return t}if(t=++Oe,1073741824&Oe&&(Oe=0),Be)Fe.set(e,t);else{if(void 0!==Se&&!1===Se(e))throw new Error("Non-extensible objects are not allowed as keys.");if(ke)Object.defineProperty(e,Re,{enumerable:!1,configurable:!1,writable:!1,value:t});else if(void 0!==e.propertyIsEnumerable&&e.propertyIsEnumerable===e.constructor.prototype.propertyIsEnumerable)e.propertyIsEnumerable=function(){return this.constructor.prototype.propertyIsEnumerable.apply(this,arguments)},e.propertyIsEnumerable[Re]=t;else{if(void 0===e.nodeType)throw new Error("Unable to set a non-enumerable property on object.");e[Re]=t}}return t}(e);if("function"==typeof e.toString)return Ce(e.toString());throw new Error("Value type "+r+" cannot be hashed.")}function Ce(e){for(var t=0,n=0;n=t.length)throw new Error("Missing value for key: "+t[n]);e.set(t[n],t[n+1])}})},Le.prototype.toString=function(){return this.__toString("Map {","}")},Le.prototype.get=function(e,t){return this._root?this._root.get(0,void 0,e,t):t},Le.prototype.set=function(e,t){return Qe(this,e,t)},Le.prototype.setIn=function(e,t){return this.updateIn(e,y,function(){return t})},Le.prototype.remove=function(e){return Qe(this,e,y)},Le.prototype.deleteIn=function(e){return this.updateIn(e,function(){return y})},Le.prototype.update=function(e,t,n){return 1===arguments.length?e(this):this.updateIn([e],t,n)},Le.prototype.updateIn=function(e,t,n){n||(n=t,t=void 0);var r=function e(t,n,r,i){var o=t===y,s=n.next();if(s.done){var a=o?r:t,u=i(a);return u===a?t:u}ve(o||t&&t.set,"invalid keyPath");var c=s.value,l=o?y:t.get(c,y),h=e(l,n,r,i);return h===l?t:h===y?t.remove(c):(o?Ze():t).set(c,h)}(this,nn(e),t,n);return r===y?void 0:r},Le.prototype.clear=function(){return 0===this.size?this:this.__ownerID?(this.size=0,this._root=null,this.__hash=void 0,this.__altered=!0,this):Ze()},Le.prototype.merge=function(){return rt(this,void 0,arguments)},Le.prototype.mergeWith=function(t){var n=e.call(arguments,1);return rt(this,t,n)},Le.prototype.mergeIn=function(t){var n=e.call(arguments,1);return this.updateIn(t,Ze(),function(e){return"function"==typeof e.merge?e.merge.apply(e,n):n[n.length-1]})},Le.prototype.mergeDeep=function(){return rt(this,it,arguments)},Le.prototype.mergeDeepWith=function(t){var n=e.call(arguments,1);return rt(this,ot(t),n)},Le.prototype.mergeDeepIn=function(t){var n=e.call(arguments,1);return this.updateIn(t,Ze(),function(e){return"function"==typeof e.mergeDeep?e.mergeDeep.apply(e,n):n[n.length-1]})},Le.prototype.sort=function(e){return kt($t(this,e))},Le.prototype.sortBy=function(e,t){return kt($t(this,t,e))},Le.prototype.withMutations=function(e){var t=this.asMutable();return e(t),t.wasAltered()?t.__ensureOwner(this.__ownerID):this},Le.prototype.asMutable=function(){return this.__ownerID?this:this.__ensureOwner(new A)},Le.prototype.asImmutable=function(){return this.__ensureOwner()},Le.prototype.wasAltered=function(){return this.__altered},Le.prototype.__iterator=function(e,t){return new Ke(this,e,t)},Le.prototype.__iterate=function(e,t){var n=this,r=0;return this._root&&this._root.iterate(function(t){return r++,e(t[1],t[0],n)},t),r},Le.prototype.__ensureOwner=function(e){return e===this.__ownerID?this:e?Je(this.size,this._root,e,this.__hash):(this.__ownerID=e,this.__altered=!1,this)},Le.isMap=je;var Ue,ze="@@__IMMUTABLE_MAP__@@",Ve=Le.prototype;function qe(e,t){this.ownerID=e,this.entries=t}function We(e,t,n){this.ownerID=e,this.bitmap=t,this.nodes=n}function $e(e,t,n){this.ownerID=e,this.count=t,this.nodes=n}function He(e,t,n){this.ownerID=e,this.keyHash=t,this.entries=n}function Ge(e,t,n){this.ownerID=e,this.keyHash=t,this.entry=n}function Ke(e,t,n){this._type=t,this._reverse=n,this._stack=e._root&&Xe(e._root)}function Ye(e,t){return j(e,t[0],t[1])}function Xe(e,t){return{node:e,index:0,__prev:t}}function Je(e,t,n,r){var i=Object.create(Ve);return i.size=e,i._root=t,i.__ownerID=n,i.__hash=r,i.__altered=!1,i}function Ze(){return Ue||(Ue=Je(0))}function Qe(e,t,n){var r,i;if(e._root){var o=b(_),s=b(E);if(r=et(e._root,e.__ownerID,0,void 0,t,n,o,s),!s.value)return e;i=e.size+(o.value?n===y?-1:1:0)}else{if(n===y)return e;i=1,r=new qe(e.__ownerID,[[t,n]])}return e.__ownerID?(e.size=i,e._root=r,e.__hash=void 0,e.__altered=!0,e):r?Je(i,r):Ze()}function et(e,t,n,r,i,o,s,a){return e?e.update(t,n,r,i,o,s,a):o===y?e:(D(a),D(s),new Ge(t,r,[i,o]))}function tt(e){return e.constructor===Ge||e.constructor===He}function nt(e,t,n,r,i){if(e.keyHash===r)return new He(t,r,[e.entry,i]);var o,s=(0===n?e.keyHash:e.keyHash>>>n)&v,a=(0===n?r:r>>>n)&v,u=s===a?[nt(e,t,n+m,r,i)]:(o=new Ge(t,r,i),s>1&1431655765))+(e>>2&858993459))+(e>>4)&252645135,e+=e>>8,127&(e+=e>>16)}function ut(e,t,n,r){var i=r?e:x(e);return i[t]=n,i}Ve[ze]=!0,Ve.delete=Ve.remove,Ve.removeIn=Ve.deleteIn,qe.prototype.get=function(e,t,n,r){for(var i=this.entries,o=0,s=i.length;o=ct)return function(e,t,n,r){e||(e=new A);for(var i=new Ge(e,we(n),[n,r]),o=0;o>>e)&v),o=this.bitmap;return 0==(o&i)?r:this.nodes[at(o&i-1)].get(e+m,t,n,r)},We.prototype.update=function(e,t,n,r,i,o,s){void 0===n&&(n=we(r));var a=(0===t?n:n>>>t)&v,u=1<=lt)return function(e,t,n,r,i){for(var o=0,s=new Array(g),a=0;0!==n;a++,n>>>=1)s[a]=1&n?t[o++]:void 0;return s[r]=i,new $e(e,o+1,s)}(e,f,c,a,d);if(l&&!d&&2===f.length&&tt(f[1^h]))return f[1^h];if(l&&d&&1===f.length&&tt(d))return d;var _=e&&e===this.ownerID,E=l?d?c:c^u:c|u,b=l?d?ut(f,h,d,_):function(e,t,n){var r=e.length-1;if(n&&t===r)return e.pop(),e;for(var i=new Array(r),o=0,s=0;s>>e)&v,o=this.nodes[i];return o?o.get(e+m,t,n,r):r},$e.prototype.update=function(e,t,n,r,i,o,s){void 0===n&&(n=we(r));var a=(0===t?n:n>>>t)&v,u=i===y,c=this.nodes,l=c[a];if(u&&!l)return this;var h=et(l,e,t+m,n,r,i,o,s);if(h===l)return this;var f=this.count;if(l){if(!h&&--f0&&r=0&&e=e.size||t<0)return e.withMutations(function(e){t<0?Ct(e,t).set(0,n):Ct(e,0,t+1).set(t,n)});t+=e._origin;var r=e._tail,i=e._root,o=b(E);return t>=St(e._capacity)?r=At(r,e.__ownerID,0,t,n,o):i=At(i,e.__ownerID,e._level,t,n,o),o.value?e.__ownerID?(e._root=i,e._tail=r,e.__hash=void 0,e.__altered=!0,e):bt(e._origin,e._capacity,e._level,i,r):e}(this,e,t)},ft.prototype.remove=function(e){return this.has(e)?0===e?this.shift():e===this.size-1?this.pop():this.splice(e,1):this},ft.prototype.insert=function(e,t){return this.splice(e,0,t)},ft.prototype.clear=function(){return 0===this.size?this:this.__ownerID?(this.size=this._origin=this._capacity=0,this._level=m,this._root=this._tail=null,this.__hash=void 0,this.__altered=!0,this):Dt()},ft.prototype.push=function(){var e=arguments,t=this.size;return this.withMutations(function(n){Ct(n,0,t+e.length);for(var r=0;r>>t&v;if(r>=this.array.length)return new gt([],e);var i,o=0===r;if(t>0){var s=this.array[r];if((i=s&&s.removeBefore(e,t-m,n))===s&&o)return this}if(o&&!i)return this;var a=xt(this,e);if(!o)for(var u=0;u>>t&v;if(i>=this.array.length)return this;if(t>0){var o=this.array[i];if((r=o&&o.removeAfter(e,t-m,n))===o&&i===this.array.length-1)return this}var s=xt(this,e);return s.array.splice(i+1),r&&(s.array[i]=r),s};var vt,yt,_t={};function Et(e,t){var n=e._origin,r=e._capacity,i=St(r),o=e._tail;return s(e._root,e._level,0);function s(e,a,u){return 0===a?function(e,s){var a=s===i?o&&o.array:e&&e.array,u=s>n?0:n-s,c=r-s;return c>g&&(c=g),function(){if(u===c)return _t;var e=t?--c:u++;return a&&a[e]}}(e,u):function(e,i,o){var a,u=e&&e.array,c=o>n?0:n-o>>i,l=1+(r-o>>i);return l>g&&(l=g),function(){for(;;){if(a){var e=a();if(e!==_t)return e;a=null}if(c===l)return _t;var n=t?--l:c++;a=s(u&&u[n],i-m,o+(n<>>n&v,u=e&&a0){var c=e&&e.array[a],l=At(c,t,n-m,r,i,o);return l===c?e:((s=xt(e,t)).array[a]=l,s)}return u&&e.array[a]===i?e:(D(o),s=xt(e,t),void 0===i&&a===s.array.length-1?s.array.pop():s.array[a]=i,s)}function xt(e,t){return t&&e&&t===e.ownerID?e:new gt(e?e.array.slice():[],t)}function wt(e,t){if(t>=St(e._capacity))return e._tail;if(t<1<0;)n=n.array[t>>>r&v],r-=m;return n}}function Ct(e,t,n){void 0!==t&&(t|=0),void 0!==n&&(n|=0);var r=e.__ownerID||new A,i=e._origin,o=e._capacity,s=i+t,a=void 0===n?o:n<0?o+n:i+n;if(s===i&&a===o)return e;if(s>=a)return e.clear();for(var u=e._level,c=e._root,l=0;s+l<0;)c=new gt(c&&c.array.length?[void 0,c]:[],r),l+=1<<(u+=m);l&&(s+=l,i+=l,a+=l,o+=l);for(var h=St(o),f=St(a);f>=1<h?new gt([],r):p;if(p&&f>h&&sm;y-=m){var _=h>>>y&v;g=g.array[_]=xt(g.array[_],r)}g.array[h>>>m&v]=p}if(a=f)s-=f,a-=f,u=m,c=null,d=d&&d.removeBefore(r,0,s);else if(s>i||f>>u&v;if(E!==f>>>u&v)break;E&&(l+=(1<i&&(c=c.removeBefore(r,u,s-l)),c&&fo&&(o=c.size),s(u)||(c=c.map(function(e){return he(e)})),r.push(c)}return o>e.size&&(e=e.setSize(o)),st(e,t,r)}function St(e){return e>>m<=g&&s.size>=2*o.size?(i=s.filter(function(e,t){return void 0!==e&&a!==t}),r=i.toKeyedSeq().map(function(e){return e[0]}).flip().toMap(),e.__ownerID&&(r.__ownerID=i.__ownerID=e.__ownerID)):(r=o.remove(t),i=a===s.size-1?s.pop():s.set(a,void 0))}else if(u){if(n===s.get(a)[1])return e;r=o,i=s.set(a,[t,n])}else r=o.set(t,s.size),i=s.set(s.size,[t,n]);return e.__ownerID?(e.size=r.size,e._map=r,e._list=i,e.__hash=void 0,e):Ot(r,i)}function Pt(e,t){this._iter=e,this._useKeys=t,this.size=e.size}function Tt(e){this._iter=e,this.size=e.size}function Nt(e){this._iter=e,this.size=e.size}function Mt(e){this._iter=e,this.size=e.size}function Lt(e){var t=Qt(e);return t._iter=e,t.size=e.size,t.flip=function(){return e},t.reverse=function(){var t=e.reverse.apply(this);return t.flip=function(){return e.reverse()},t},t.has=function(t){return e.includes(t)},t.includes=function(t){return e.has(t)},t.cacheResult=en,t.__iterateUncached=function(t,n){var r=this;return e.__iterate(function(e,n){return!1!==t(n,e,r)},n)},t.__iteratorUncached=function(t,n){if(t===P){var r=e.__iterator(t,n);return new L(function(){var e=r.next();if(!e.done){var t=e.value[0];e.value[0]=e.value[1],e.value[1]=t}return e})}return e.__iterator(t===I?R:I,n)},t}function jt(e,t,n){var r=Qt(e);return r.size=e.size,r.has=function(t){return e.has(t)},r.get=function(r,i){var o=e.get(r,y);return o===y?i:t.call(n,o,r,e)},r.__iterateUncached=function(r,i){var o=this;return e.__iterate(function(e,i,s){return!1!==r(t.call(n,e,i,s),i,o)},i)},r.__iteratorUncached=function(r,i){var o=e.__iterator(P,i);return new L(function(){var i=o.next();if(i.done)return i;var s=i.value,a=s[0];return j(r,a,t.call(n,s[1],a,e),i)})},r}function Ut(e,t){var n=Qt(e);return n._iter=e,n.size=e.size,n.reverse=function(){return e},e.flip&&(n.flip=function(){var t=Lt(e);return t.reverse=function(){return e.flip()},t}),n.get=function(n,r){return e.get(t?n:-1-n,r)},n.has=function(n){return e.has(t?n:-1-n)},n.includes=function(t){return e.includes(t)},n.cacheResult=en,n.__iterate=function(t,n){var r=this;return e.__iterate(function(e,n){return t(e,n,r)},!n)},n.__iterator=function(t,n){return e.__iterator(t,!n)},n}function zt(e,t,n,r){var i=Qt(e);return r&&(i.has=function(r){var i=e.get(r,y);return i!==y&&!!t.call(n,i,r,e)},i.get=function(r,i){var o=e.get(r,y);return o!==y&&t.call(n,o,r,e)?o:i}),i.__iterateUncached=function(i,o){var s=this,a=0;return e.__iterate(function(e,o,u){if(t.call(n,e,o,u))return a++,i(e,r?o:a-1,s)},o),a},i.__iteratorUncached=function(i,o){var s=e.__iterator(P,o),a=0;return new L(function(){for(;;){var o=s.next();if(o.done)return o;var u=o.value,c=u[0],l=u[1];if(t.call(n,l,c,e))return j(i,r?c:a++,l,o)}})},i}function Vt(e,t,n,r){var i=e.size;if(void 0!==t&&(t|=0),void 0!==n&&(n===1/0?n=i:n|=0),S(t,n,i))return e;var o=k(t,i),s=B(n,i);if(o!=o||s!=s)return Vt(e.toSeq().cacheResult(),t,n,r);var a,u=s-o;u==u&&(a=u<0?0:u);var c=Qt(e);return c.size=0===a?a:e.size&&a||void 0,!r&&ie(e)&&a>=0&&(c.get=function(t,n){return(t=C(this,t))>=0&&ta)return{value:void 0,done:!0};var e=i.next();return r||t===I?e:j(t,u-1,t===R?void 0:e.value[1],e)})},c}function qt(e,t,n,r){var i=Qt(e);return i.__iterateUncached=function(i,o){var s=this;if(o)return this.cacheResult().__iterate(i,o);var a=!0,u=0;return e.__iterate(function(e,o,c){if(!a||!(a=t.call(n,e,o,c)))return u++,i(e,r?o:u-1,s)}),u},i.__iteratorUncached=function(i,o){var s=this;if(o)return this.cacheResult().__iterator(i,o);var a=e.__iterator(P,o),u=!0,c=0;return new L(function(){var e,o,l;do{if((e=a.next()).done)return r||i===I?e:j(i,c++,i===R?void 0:e.value[1],e);var h=e.value;o=h[0],l=h[1],u&&(u=t.call(n,l,o,s))}while(u);return i===P?e:j(i,o,l,e)})},i}function Wt(e,t,n){var r=Qt(e);return r.__iterateUncached=function(r,i){var o=0,a=!1;return function e(u,c){var l=this;u.__iterate(function(i,u){return(!t||c0}function Kt(e,t,r){var i=Qt(e);return i.size=new ee(r).map(function(e){return e.size}).min(),i.__iterate=function(e,t){for(var n,r=this.__iterator(I,t),i=0;!(n=r.next()).done&&!1!==e(n.value,i++,this););return i},i.__iteratorUncached=function(e,i){var o=r.map(function(e){return e=n(e),q(i?e.reverse():e)}),s=0,a=!1;return new L(function(){var n;return a||(n=o.map(function(e){return e.next()}),a=n.some(function(e){return e.done})),a?{value:void 0,done:!0}:j(e,s++,t.apply(null,n.map(function(e){return e.value})))})},i}function Yt(e,t){return ie(e)?t:e.constructor(t)}function Xt(e){if(e!==Object(e))throw new TypeError("Expected [K, V] tuple: "+e)}function Jt(e){return Me(e.size),w(e)}function Zt(e){return a(e)?r:u(e)?i:o}function Qt(e){return Object.create((a(e)?G:u(e)?K:Y).prototype)}function en(){return this._iter.cacheResult?(this._iter.cacheResult(),this.size=this._iter.size,this):H.prototype.cacheResult.call(this)}function tn(e,t){return e>t?1:e=0;n--)t={value:arguments[n],next:t};return this.__ownerID?(this.size=e,this._head=t,this.__hash=void 0,this.__altered=!0,this):Fn(e,t)},Dn.prototype.pushAll=function(e){if(0===(e=i(e)).size)return this;Me(e.size);var t=this.size,n=this._head;return e.reverse().forEach(function(e){t++,n={value:e,next:n}}),this.__ownerID?(this.size=t,this._head=n,this.__hash=void 0,this.__altered=!0,this):Fn(t,n)},Dn.prototype.pop=function(){return this.slice(1)},Dn.prototype.unshift=function(){return this.push.apply(this,arguments)},Dn.prototype.unshiftAll=function(e){return this.pushAll(e)},Dn.prototype.shift=function(){return this.pop.apply(this,arguments)},Dn.prototype.clear=function(){return 0===this.size?this:this.__ownerID?(this.size=0,this._head=void 0,this.__hash=void 0,this.__altered=!0,this):Sn()},Dn.prototype.slice=function(e,t){if(S(e,t,this.size))return this;var n=k(e,this.size),r=B(t,this.size);if(r!==this.size)return be.prototype.slice.call(this,e,t);for(var i=this.size-n,o=this._head;n--;)o=o.next;return this.__ownerID?(this.size=i,this._head=o,this.__hash=void 0,this.__altered=!0,this):Fn(i,o)},Dn.prototype.__ensureOwner=function(e){return e===this.__ownerID?this:e?Fn(this.size,this._head,e,this.__hash):(this.__ownerID=e,this.__altered=!1,this)},Dn.prototype.__iterate=function(e,t){if(t)return this.reverse().__iterate(e);for(var n=0,r=this._head;r&&!1!==e(r.value,n++,this);)r=r.next;return n},Dn.prototype.__iterator=function(e,t){if(t)return this.reverse().__iterator(e);var n=0,r=this._head;return new L(function(){if(r){var t=r.value;return r=r.next,j(e,n++,t)}return{value:void 0,done:!0}})},Dn.isStack=An;var xn,wn="@@__IMMUTABLE_STACK__@@",Cn=Dn.prototype;function Fn(e,t,n,r){var i=Object.create(Cn);return i.size=e,i._head=t,i.__ownerID=n,i.__hash=r,i.__altered=!1,i}function Sn(){return xn||(xn=Fn(0))}function kn(e,t){var n=function(n){e.prototype[n]=t[n]};return Object.keys(t).forEach(n),Object.getOwnPropertySymbols&&Object.getOwnPropertySymbols(t).forEach(n),e}Cn[wn]=!0,Cn.withMutations=Ve.withMutations,Cn.asMutable=Ve.asMutable,Cn.asImmutable=Ve.asImmutable,Cn.wasAltered=Ve.wasAltered,n.Iterator=L,kn(n,{toArray:function(){Me(this.size);var e=new Array(this.size||0);return this.valueSeq().__iterate(function(t,n){e[n]=t}),e},toIndexedSeq:function(){return new Tt(this)},toJS:function(){return this.toSeq().map(function(e){return e&&"function"==typeof e.toJS?e.toJS():e}).__toJS()},toJSON:function(){return this.toSeq().map(function(e){return e&&"function"==typeof e.toJSON?e.toJSON():e}).__toJS()},toKeyedSeq:function(){return new Pt(this,!0)},toMap:function(){return Le(this.toKeyedSeq())},toObject:function(){Me(this.size);var e={};return this.__iterate(function(t,n){e[n]=t}),e},toOrderedMap:function(){return kt(this.toKeyedSeq())},toOrderedSet:function(){return gn(a(this)?this.valueSeq():this)},toSet:function(){return un(a(this)?this.valueSeq():this)},toSetSeq:function(){return new Nt(this)},toSeq:function(){return u(this)?this.toIndexedSeq():a(this)?this.toKeyedSeq():this.toSetSeq()},toStack:function(){return Dn(a(this)?this.valueSeq():this)},toList:function(){return ft(a(this)?this.valueSeq():this)},toString:function(){return"[Iterable]"},__toString:function(e,t){return 0===this.size?e+t:e+" "+this.toSeq().map(this.__toStringMapper).join(", ")+" "+t},concat:function(){var t=e.call(arguments,0);return Yt(this,function(e,t){var n=a(e),i=[e].concat(t).map(function(e){return s(e)?n&&(e=r(e)):e=n?se(e):ae(Array.isArray(e)?e:[e]),e}).filter(function(e){return 0!==e.size});if(0===i.length)return e;if(1===i.length){var o=i[0];if(o===e||n&&a(o)||u(e)&&u(o))return o}var c=new ee(i);return n?c=c.toKeyedSeq():u(e)||(c=c.toSetSeq()),(c=c.flatten(!0)).size=i.reduce(function(e,t){if(void 0!==e){var n=t.size;if(void 0!==n)return e+n}},0),c}(this,t))},includes:function(e){return this.some(function(t){return de(t,e)})},entries:function(){return this.__iterator(P)},every:function(e,t){Me(this.size);var n=!0;return this.__iterate(function(r,i,o){if(!e.call(t,r,i,o))return n=!1,!1}),n},filter:function(e,t){return Yt(this,zt(this,e,t,!0))},find:function(e,t,n){var r=this.findEntry(e,t);return r?r[1]:n},forEach:function(e,t){return Me(this.size),this.__iterate(t?e.bind(t):e)},join:function(e){Me(this.size),e=void 0!==e?""+e:",";var t="",n=!0;return this.__iterate(function(r){n?n=!1:t+=e,t+=null!=r?r.toString():""}),t},keys:function(){return this.__iterator(R)},map:function(e,t){return Yt(this,jt(this,e,t))},reduce:function(e,t,n){var r,i;return Me(this.size),arguments.length<2?i=!0:r=t,this.__iterate(function(t,o,s){i?(i=!1,r=t):r=e.call(n,r,t,o,s)}),r},reduceRight:function(e,t,n){var r=this.toKeyedSeq().reverse();return r.reduce.apply(r,arguments)},reverse:function(){return Yt(this,Ut(this,!0))},slice:function(e,t){return Yt(this,Vt(this,e,t,!0))},some:function(e,t){return!this.every(Pn(e),t)},sort:function(e){return Yt(this,$t(this,e))},values:function(){return this.__iterator(I)},butLast:function(){return this.slice(0,-1)},isEmpty:function(){return void 0!==this.size?0===this.size:!this.some(function(){return!0})},count:function(e,t){return w(e?this.toSeq().filter(e,t):this)},countBy:function(e,t){return function(e,t,n){var r=Le().asMutable();return e.__iterate(function(i,o){r.update(t.call(n,i,o,e),0,function(e){return e+1})}),r.asImmutable()}(this,e,t)},equals:function(e){return me(this,e)},entrySeq:function(){var e=this;if(e._cache)return new ee(e._cache);var t=e.toSeq().map(In).toIndexedSeq();return t.fromEntrySeq=function(){return e.toSeq()},t},filterNot:function(e,t){return this.filter(Pn(e),t)},findEntry:function(e,t,n){var r=n;return this.__iterate(function(n,i,o){if(e.call(t,n,i,o))return r=[i,n],!1}),r},findKey:function(e,t){var n=this.findEntry(e,t);return n&&n[0]},findLast:function(e,t,n){return this.toKeyedSeq().reverse().find(e,t,n)},findLastEntry:function(e,t,n){return this.toKeyedSeq().reverse().findEntry(e,t,n)},findLastKey:function(e,t){return this.toKeyedSeq().reverse().findKey(e,t)},first:function(){return this.find(F)},flatMap:function(e,t){return Yt(this,function(e,t,n){var r=Zt(e);return e.toSeq().map(function(i,o){return r(t.call(n,i,o,e))}).flatten(!0)}(this,e,t))},flatten:function(e){return Yt(this,Wt(this,e,!0))},fromEntrySeq:function(){return new Mt(this)},get:function(e,t){return this.find(function(t,n){return de(n,e)},void 0,t)},getIn:function(e,t){for(var n,r=this,i=nn(e);!(n=i.next()).done;){var o=n.value;if((r=r&&r.get?r.get(o,y):y)===y)return t}return r},groupBy:function(e,t){return function(e,t,n){var r=a(e),i=(l(e)?kt():Le()).asMutable();e.__iterate(function(o,s){i.update(t.call(n,o,s,e),function(e){return(e=e||[]).push(r?[s,o]:o),e})});var o=Zt(e);return i.map(function(t){return Yt(e,o(t))})}(this,e,t)},has:function(e){return this.get(e,y)!==y},hasIn:function(e){return this.getIn(e,y)!==y},isSubset:function(e){return e="function"==typeof e.includes?e:n(e),this.every(function(t){return e.includes(t)})},isSuperset:function(e){return(e="function"==typeof e.isSubset?e:n(e)).isSubset(this)},keyOf:function(e){return this.findKey(function(t){return de(t,e)})},keySeq:function(){return this.toSeq().map(Rn).toIndexedSeq()},last:function(){return this.toSeq().reverse().first()},lastKeyOf:function(e){return this.toKeyedSeq().reverse().keyOf(e)},max:function(e){return Ht(this,e)},maxBy:function(e,t){return Ht(this,t,e)},min:function(e){return Ht(this,e?Tn(e):Ln)},minBy:function(e,t){return Ht(this,t?Tn(t):Ln,e)},rest:function(){return this.slice(1)},skip:function(e){return this.slice(Math.max(0,e))},skipLast:function(e){return Yt(this,this.toSeq().reverse().skip(e).reverse())},skipWhile:function(e,t){return Yt(this,qt(this,e,t,!0))},skipUntil:function(e,t){return this.skipWhile(Pn(e),t)},sortBy:function(e,t){return Yt(this,$t(this,t,e))},take:function(e){return this.slice(0,Math.max(0,e))},takeLast:function(e){return Yt(this,this.toSeq().reverse().take(e).reverse())},takeWhile:function(e,t){return Yt(this,function(e,t,n){var r=Qt(e);return r.__iterateUncached=function(r,i){var o=this;if(i)return this.cacheResult().__iterate(r,i);var s=0;return e.__iterate(function(e,i,a){return t.call(n,e,i,a)&&++s&&r(e,i,o)}),s},r.__iteratorUncached=function(r,i){var o=this;if(i)return this.cacheResult().__iterator(r,i);var s=e.__iterator(P,i),a=!0;return new L(function(){if(!a)return{value:void 0,done:!0};var e=s.next();if(e.done)return e;var i=e.value,u=i[0],c=i[1];return t.call(n,c,u,o)?r===P?e:j(r,u,c,e):(a=!1,{value:void 0,done:!0})})},r}(this,e,t))},takeUntil:function(e,t){return this.takeWhile(Pn(e),t)},valueSeq:function(){return this.toIndexedSeq()},hashCode:function(){return this.__hash||(this.__hash=function(e){if(e.size===1/0)return 0;var t=l(e),n=a(e),r=t?1:0;return function(e,t){return t=Ae(t,3432918353),t=Ae(t<<15|t>>>-15,461845907),t=Ae(t<<13|t>>>-13,5),t=Ae((t=(t+3864292196|0)^e)^t>>>16,2246822507),t=xe((t=Ae(t^t>>>13,3266489909))^t>>>16)}(e.__iterate(n?t?function(e,t){r=31*r+jn(we(e),we(t))|0}:function(e,t){r=r+jn(we(e),we(t))|0}:t?function(e){r=31*r+we(e)|0}:function(e){r=r+we(e)|0}),r)}(this))}});var Bn=n.prototype;Bn[h]=!0,Bn[M]=Bn.values,Bn.__toJS=Bn.toArray,Bn.__toStringMapper=Nn,Bn.inspect=Bn.toSource=function(){return this.toString()},Bn.chain=Bn.flatMap,Bn.contains=Bn.includes,kn(r,{flip:function(){return Yt(this,Lt(this))},mapEntries:function(e,t){var n=this,r=0;return Yt(this,this.toSeq().map(function(i,o){return e.call(t,[o,i],r++,n)}).fromEntrySeq())},mapKeys:function(e,t){var n=this;return Yt(this,this.toSeq().flip().map(function(r,i){return e.call(t,r,i,n)}).flip())}});var On=r.prototype;function Rn(e,t){return t}function In(e,t){return[t,e]}function Pn(e){return function(){return!e.apply(this,arguments)}}function Tn(e){return function(){return-e.apply(this,arguments)}}function Nn(e){return"string"==typeof e?JSON.stringify(e):String(e)}function Mn(){return x(arguments)}function Ln(e,t){return et?-1:0}function jn(e,t){return e^t+2654435769+(e<<6)+(e>>2)|0}return On[f]=!0,On[M]=Bn.entries,On.__toJS=Bn.toObject,On.__toStringMapper=function(e,t){return JSON.stringify(t)+": "+Nn(e)},kn(i,{toKeyedSeq:function(){return new Pt(this,!1)},filter:function(e,t){return Yt(this,zt(this,e,t,!1))},findIndex:function(e,t){var n=this.findEntry(e,t);return n?n[0]:-1},indexOf:function(e){var t=this.keyOf(e);return void 0===t?-1:t},lastIndexOf:function(e){var t=this.lastKeyOf(e);return void 0===t?-1:t},reverse:function(){return Yt(this,Ut(this,!1))},slice:function(e,t){return Yt(this,Vt(this,e,t,!1))},splice:function(e,t){var n=arguments.length;if(t=Math.max(0|t,0),0===n||2===n&&!t)return this;e=k(e,e<0?this.count():this.size);var r=this.slice(0,e);return Yt(this,1===n?r:r.concat(x(arguments,2),this.slice(e+t)))},findLastIndex:function(e,t){var n=this.findLastEntry(e,t);return n?n[0]:-1},first:function(){return this.get(0)},flatten:function(e){return Yt(this,Wt(this,e,!1))},get:function(e,t){return(e=C(this,e))<0||this.size===1/0||void 0!==this.size&&e>this.size?t:this.find(function(t,n){return n===e},void 0,t)},has:function(e){return(e=C(this,e))>=0&&(void 0!==this.size?this.size===1/0||e0},e.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return!0},e.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return!0},e.prototype.include=function(e){this.included=!0;for(var t=0,n=this.keys;t1},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return e.length>1},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return this.body.hasEffectsWhenCalledAtPath(e,t,n)||this.superClass&&this.superClass.hasEffectsWhenCalledAtPath(e,t,n)},t.prototype.initialise=function(){this.included=!1,null!==this.id&&this.id.declare("class",this)},t}(Ls);function Us(e){return e.type===Ki}var zs=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.initialise=function(){e.prototype.initialise.call(this),null!==this.id&&(this.id.variable.isId=!0)},t.prototype.parseNode=function(t){null!==t.id&&(this.id=new this.context.nodeConstructors.Identifier(t.id,this,this.scope.parent)),e.prototype.parseNode.call(this,t)},t.prototype.render=function(t,n){"system"===n.format&&this.id&&this.id.variable.exportName&&t.appendLeft(this.end," exports('"+this.id.variable.exportName+"', "+this.id.variable.getName()+");"),e.prototype.render.call(this,t,n)},t}(js),Vs=function(e,t){var n=parseInt(e[0],10);return n1&&Vs(e,t).hasEffectsWhenAccessedAtPath(e.slice(1),t)},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return 0===e.length||this.included||Vs(e,t).hasEffectsWhenAssignedAtPath(e.slice(1),t)},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return 0===e.length||Vs(e,n).hasEffectsWhenCalledAtPath(e.slice(1),t,n)},t.prototype.deoptimizePath=function(e){var t=parseInt(e[0],10);e.length>0&&t>=0&&this.parameters[t]&&this.parameters[t].deoptimizePath(e.slice(1))},t}(No),Ws=function(e){function t(t){return e.call(this,"this",null,null,t)||this}return Zr(t,e),t.prototype.getLiteralValueAtPath=function(){return so},t.prototype.hasEffectsWhenAccessedAtPath=function(t,n){return this._getInit(n).hasEffectsWhenAccessedAtPath(t,n)||e.prototype.hasEffectsWhenAccessedAtPath.call(this,t,n)},t.prototype.hasEffectsWhenAssignedAtPath=function(t,n){return this._getInit(n).hasEffectsWhenAssignedAtPath(t,n)||e.prototype.hasEffectsWhenAssignedAtPath.call(this,t,n)},t.prototype.hasEffectsWhenCalledAtPath=function(t,n,r){return this._getInit(r).hasEffectsWhenCalledAtPath(t,n,r)||e.prototype.hasEffectsWhenCalledAtPath.call(this,t,n,r)},t.prototype._getInit=function(e){return e.getReplacedVariableInit(this)||ao},t}(No),$s=function(e){function t(t,n){var r=e.call(this,t)||this;return r.parameters=[],r.deoptimizationTracker=n,r.hoistedBodyVarScope=new Rs(r),r}return Zr(t,e),t.prototype.addParameterDeclaration=function(e){var t,n=e.name;return n in this.hoistedBodyVarScope.variables?(t=this.hoistedBodyVarScope.variables[n]).addDeclaration(e,null):t=new No(n,e,ao,this.deoptimizationTracker),this.variables[n]=t,this.parameters.push(t),t},t.prototype.getParameterVariables=function(){return this.parameters},t}(Rs),Hs=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.returnExpressions=[],t.returnExpression=null,t}return Zr(t,e),t.prototype.addReturnExpression=function(e){this.returnExpressions.push(e)},t.prototype.getReturnExpression=function(){return null===this.returnExpression&&this.updateReturnExpression(),this.returnExpression},t.prototype.updateReturnExpression=function(){if(1===this.returnExpressions.length)this.returnExpression=this.returnExpressions[0];else{this.returnExpression=ao;for(var e=0,t=this.returnExpressions;e2||"prototype"!==e[0]||this.isPrototypeDeoptimized)},t.prototype.hasEffectsWhenAssignedAtPath=function(e){return!(e.length<=1)&&(e.length>2||"prototype"!==e[0]||this.isPrototypeDeoptimized)},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){if(e.length>0)return!0;for(var r=this.scope.getOptionsWhenCalledWith(t,n),i=0,o=this.params;i1},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return 1!==e.length||Io(ko,e[0],this.included,t,n)},t}(Ls),Qs=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.declare=function(e,t){for(var n=0,r=this.elements;n0)return!0;for(var n=0,r=this.elements;n1},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return e.length>1},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){if(e.length>0)return!0;for(var r=0,i=this.params;r0&&this.right.hasEffectsWhenAccessedAtPath(e,t)},t.prototype.render=function(e,t){this.left.render(e,t),this.right.render(e,t),"system"===t.format&&this.left.variable&&this.left.variable.exportName&&(e.prependLeft(e.original.indexOf("=",this.left.end)+1," exports('"+this.left.variable.exportName+"',"),e.appendLeft(this.right.end,")"))},t}(Ls),ia=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),this.left.deoptimizePath(ro),this.right.deoptimizePath(io)},t.prototype.declare=function(e,t){this.left.declare(e,t)},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return e.length>0||this.left.hasEffectsWhenAssignedAtPath(ro,t)},t.prototype.deoptimizePath=function(e){0===e.length&&this.left.deoptimizePath(e)},t.prototype.render=function(e,t,n){var r=(void 0===n?As:n).isShorthandProperty;this.left.render(e,t,{isShorthandProperty:r}),this.right.render(e,t)},t}(Ls),oa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.include=function(t){if(e.prototype.include.call(this,t),!this.context.usesTopLevelAwait){var n=this.parent;do{if(n instanceof Ks||n instanceof na)return}while(n=n.parent);this.context.usesTopLevelAwait=!0}},t.prototype.hasEffects=function(t){return e.prototype.hasEffects.call(this,t)||!t.ignoreReturnAwaitYield()},t.prototype.render=function(t,n){e.prototype.render.call(this,t,n)},t}(Ls),sa={"==":function(e,t){return e==t},"!=":function(e,t){return e!=t},"===":function(e,t){return e===t},"!==":function(e,t){return e!==t},"<":function(e,t){return e":function(e,t){return e>t},">=":function(e,t){return e>=t},"<<":function(e,t){return e<>":function(e,t){return e>>t},">>>":function(e,t){return e>>>t},"+":function(e,t){return e+t},"-":function(e,t){return e-t},"*":function(e,t){return e*t},"/":function(e,t){return e/t},"%":function(e,t){return e%t},"|":function(e,t){return e|t},"^":function(e,t){return e^t},"&":function(e,t){return e&t},"**":function(e,t){return Math.pow(e,t)},in:function(){return so},instanceof:function(){return so}},aa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.getLiteralValueAtPath=function(e,t,n){if(e.length>0)return so;var r=this.left.getLiteralValueAtPath(ro,t,n);if(r===so)return so;var i=this.right.getLiteralValueAtPath(ro,t,n);if(i===so)return so;var o=sa[this.operator];return o?o(r,i):so},t.prototype.hasEffectsWhenAccessedAtPath=function(e,t){return e.length>1},t}(Ls),ua=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffects=function(t){return e.prototype.hasEffects.call(this,t)||!t.ignoreBreakStatements()||this.label&&!t.ignoreLabel(this.label.name)},t}(Ls),ca={},la=new(function(){function e(e){void 0===e&&(e=Is.Map()),this.entityPaths=e}return e.prototype.isTracked=function(e,t){return this.entityPaths.getIn([e].concat(t,[ca]))},e.prototype.track=function(t,n){return new e(this.entityPaths.setIn([t].concat(n,[ca]),!0))},e}());function ha(e){return e.type===Ji}var fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){this.bound||(this.bound=!0,null===this.variable&&function e(t,n){return"MemberExpression"===t.type?!t.computed&&e(t.object,t):"Identifier"===t.type&&(!n||("MemberExpression"===n.type||"MethodDefinition"===n.type?n.computed||t===n.object:"Property"===n.type?n.computed||t===n.value:"ExportSpecifier"!==n.type||t===n.local))}(this,this.parent)&&(this.variable=this.scope.findVariable(this.name),this.variable.addReference(this)),null!==this.variable&&this.variable.isLocal&&null!==this.variable.additionalInitializers&&this.variable.consolidateInitializers())},t.prototype.declare=function(e,t){switch(e){case"var":case"function":this.variable=this.scope.addDeclaration(this,this.context.deoptimizationTracker,t,!0);break;case"let":case"const":case"class":this.variable=this.scope.addDeclaration(this,this.context.deoptimizationTracker,t,!1);break;case"parameter":this.variable=this.scope.addParameterDeclaration(this);break;default:throw new Error("Unexpected identifier kind "+e+".")}},t.prototype.getLiteralValueAtPath=function(e,t,n){return null!==this.variable?this.variable.getLiteralValueAtPath(e,t,n):so},t.prototype.getReturnExpressionWhenCalledAtPath=function(e,t,n){return null!==this.variable?this.variable.getReturnExpressionWhenCalledAtPath(e,t,n):ao},t.prototype.hasEffectsWhenAccessedAtPath=function(e,t){return this.variable&&this.variable.hasEffectsWhenAccessedAtPath(e,t)},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return!this.variable||this.variable.hasEffectsWhenAssignedAtPath(e,t)},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return!this.variable||this.variable.hasEffectsWhenCalledAtPath(e,t,n)},t.prototype.include=function(e){this.included||(this.included=!0,null===this.variable||this.variable.included||(this.variable.include(),this.context.requestTreeshakingPass()))},t.prototype.initialise=function(){this.included=!1,this.bound=!1,this.variable||(this.variable=null)},t.prototype.deoptimizePath=function(e){this.bound||this.bind(),null!==this.variable&&(0===e.length&&this.name in this.context.imports&&!this.scope.contains(this.name)&&this.disallowImportReassignment(),this.variable.deoptimizePath(e))},t.prototype.render=function(e,t,n){var r=void 0===n?As:n,i=r.renderedParentType,o=r.isCalleeOfRenderedParent,s=r.isShorthandProperty;if(this.variable){var a=this.variable.getName();a!==this.name&&(e.overwrite(this.start,this.end,a,{storeName:!0,contentOnly:!0}),s&&e.prependRight(this.start,this.name+": ")),"eval"===a&&"CallExpression"===i&&o&&e.appendRight(this.start,"0, ")}},t.prototype.disallowImportReassignment=function(){this.context.error({code:"ILLEGAL_REASSIGNMENT",message:"Illegal reassignment to import '"+this.name+"'"},this.start)},t}(Ls),pa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){(e.prototype.bind.call(this),this.callee instanceof fa)&&(this.scope.findVariable(this.callee.name).isNamespace&&this.context.error({code:"CANNOT_CALL_NAMESPACE",message:"Cannot call a namespace ('"+this.callee.name+"')"},this.start),"eval"===this.callee.name&&this.context.warn({code:"EVAL",message:"Use of eval is strongly discouraged, as it poses security risks and may cause issues with minification",url:"https://rollupjs.org/guide/en#avoiding-eval"},this.start));null===this.returnExpression&&(this.returnExpression=this.callee.getReturnExpressionWhenCalledAtPath(ro,la,this));for(var t=0,n=this.arguments;t0&&!t.hasReturnExpressionBeenAccessedAtPath(e,this)&&this.returnExpression.hasEffectsWhenAccessedAtPath(e,t.addAccessedReturnExpressionAtPath(e,this))},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return 0===e.length||!t.hasReturnExpressionBeenAssignedAtPath(e,this)&&this.returnExpression.hasEffectsWhenAssignedAtPath(e,t.addAssignedReturnExpressionAtPath(e,this))},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){if(n.hasReturnExpressionBeenCalledAtPath(e,this))return!1;var r=n.addCalledReturnExpressionAtPath(e,this);return this.hasEffects(r)||this.returnExpression.hasEffectsWhenCalledAtPath(e,t,r)},t.prototype.include=function(t){e.prototype.include.call(this,t),this.returnExpression.included||this.returnExpression.include(!1)},t.prototype.initialise=function(){this.included=!1,this.returnExpression=null,this.callOptions=to.create({withNew:!1,args:this.arguments,callIdentifier:this}),this.expressionsToBeDeoptimized=[]},t.prototype.deoptimizePath=function(e){e.length>0&&!this.context.deoptimizationTracker.track(this,e)&&(null===this.returnExpression&&(this.returnExpression=this.callee.getReturnExpressionWhenCalledAtPath(ro,la,this)),this.returnExpression.deoptimizePath(e))},t}(Ls),da=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.addDeclaration=function(t,n,r,i){return void 0===r&&(r=null),void 0===i&&(i=!1),i?this.parent.addDeclaration(t,n,r,!0):e.prototype.addDeclaration.call(this,t,n,r,!1)},t}($s),ma=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.createScope=function(e){this.scope=new da(e,this.context.deoptimizationTracker)},t.prototype.initialise=function(){this.included=!1,this.param&&this.param.declare("parameter",ao)},t.prototype.parseNode=function(t){this.body=new this.context.nodeConstructors.BlockStatement(t.body,this,this.scope),e.prototype.parseNode.call(this,t)},t}(Ls);ma.prototype.preventChildBlockScope=!0;var ga=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return e.length>0||null!==this.classConstructor&&this.classConstructor.hasEffectsWhenCalledAtPath(ro,t,n)},t.prototype.initialise=function(){this.included=!1;for(var e=0,t=this.body;e0&&(this.isBranchResolutionAnalysed||this.analyseBranchResolution(),null===this.usedBranch?(this.consequent.deoptimizePath(e),this.alternate.deoptimizePath(e)):this.usedBranch.deoptimizePath(e))},t.prototype.render=function(t,n,r){var i=void 0===r?As:r,o=i.renderedParentType,s=i.isCalleeOfRenderedParent;this.test.included?e.prototype.render.call(this,t,n):(t.remove(this.start,this.usedBranch.start),t.remove(this.usedBranch.end,this.end),this.usedBranch.render(t,n,{renderedParentType:o||this.parent.type,isCalleeOfRenderedParent:o?s:this.parent.callee===this}))},t.prototype.analyseBranchResolution=function(){this.isBranchResolutionAnalysed=!0;var e=this.test.getLiteralValueAtPath(ro,la,this);e!==so&&(e?(this.usedBranch=this.consequent,this.unusedBranch=this.alternate):(this.usedBranch=this.alternate,this.unusedBranch=this.consequent))},t}(Ls),Ea=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffects=function(e){return this.test.hasEffects(e)||this.body.hasEffects(e.setIgnoreBreakStatements())},t}(Ls),ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.render=function(e,t){"BlockStatement"!==this.parent.type&&"Program"!==this.parent.type||e.remove(this.start,this.end)},t}(Ls),Da=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.initialise=function(){this.included=!1,this.context.addExport(this)},t.prototype.render=function(e,t,n){var r=void 0===n?As:n,i=r.start,o=r.end;e.remove(i,o)},t}(Ls);Da.prototype.needsBoundaries=!0;var Aa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){null!==this.declaration&&this.declaration.bind()},t.prototype.hasEffects=function(e){return this.declaration&&this.declaration.hasEffects(e)},t.prototype.initialise=function(){this.included=!1,this.context.addExport(this)},t.prototype.render=function(e,t,n){var r=void 0===n?As:n,i=r.start,o=r.end;null===this.declaration?e.remove(i,o):(e.remove(this.start,this.declaration.start),this.declaration.render(e,t,{start:i,end:o}))},t}(Ls);Aa.prototype.needsBoundaries=!0;var xa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.initialise=function(){this.included=!1,this.directive&&"use strict"!==this.directive&&"Program"===this.parent.type&&this.context.warn({code:"MODULE_LEVEL_DIRECTIVE",message:"Module level directives cause errors when bundled, '"+this.directive+"' was ignored."},this.start)},t.prototype.shouldBeIncluded=function(){return this.directive&&"use strict"!==this.directive?"Program"!==this.parent.type:e.prototype.shouldBeIncluded.call(this)},t.prototype.render=function(t,n){e.prototype.render.call(this,t,n),this.included&&this.insertSemicolon(t)},t}(Ls),wa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){this.left.bind(),this.left.deoptimizePath(ro),this.right.bind(),this.body.bind()},t.prototype.createScope=function(e){this.scope=new ea(e)},t.prototype.hasEffects=function(e){return this.left&&(this.left.hasEffects(e)||this.left.hasEffectsWhenAssignedAtPath(ro,e))||this.right&&this.right.hasEffects(e)||this.body.hasEffects(e.setIgnoreBreakStatements())},t.prototype.include=function(e){this.included=!0,this.left.includeWithAllDeclaredVariables(e),this.left.deoptimizePath(ro),this.right.include(e),this.body.include(e)},t.prototype.render=function(e,t){this.left.render(e,t,xs),this.right.render(e,t,xs),this.body.render(e,t)},t}(Ls),Ca=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){this.left.bind(),this.left.deoptimizePath(ro),this.right.bind(),this.body.bind()},t.prototype.createScope=function(e){this.scope=new ea(e)},t.prototype.hasEffects=function(e){return this.left&&(this.left.hasEffects(e)||this.left.hasEffectsWhenAssignedAtPath(ro,e))||this.right&&this.right.hasEffects(e)||this.body.hasEffects(e.setIgnoreBreakStatements())},t.prototype.include=function(e){this.included=!0,this.left.includeWithAllDeclaredVariables(e),this.left.deoptimizePath(ro),this.right.include(e),this.body.include(e)},t.prototype.render=function(e,t){this.left.render(e,t,xs),this.right.render(e,t,xs),this.body.render(e,t)},t}(Ls),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.createScope=function(e){this.scope=new ea(e)},t.prototype.hasEffects=function(e){return this.init&&this.init.hasEffects(e)||this.test&&this.test.hasEffects(e)||this.update&&this.update.hasEffects(e)||this.body.hasEffects(e.setIgnoreBreakStatements())},t.prototype.render=function(e,t){this.init&&this.init.render(e,t,xs),this.test&&this.test.render(e,t,xs),this.update&&this.update.render(e,t,xs),this.body.render(e,t)},t}(Ls),Sa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t}(Ks),ka=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),this.isTestValueAnalysed||(this.testValue=so,this.isTestValueAnalysed=!0,this.testValue=this.test.getLiteralValueAtPath(ro,la,this))},t.prototype.deoptimizeCache=function(){this.testValue=so},t.prototype.hasEffects=function(e){return!!this.test.hasEffects(e)||(this.testValue===so?this.consequent.hasEffects(e)||null!==this.alternate&&this.alternate.hasEffects(e):this.testValue?this.consequent.hasEffects(e):null!==this.alternate&&this.alternate.hasEffects(e))},t.prototype.include=function(e){if(this.included=!0,e)return this.test.include(!0),this.consequent.include(!0),void(null!==this.alternate&&this.alternate.include(!0));var t=this.testValue===so;(t||this.test.shouldBeIncluded())&&this.test.include(!1),(t||this.testValue)&&this.consequent.shouldBeIncluded()&&this.consequent.include(!1),null===this.alternate||!t&&this.testValue||!this.alternate.shouldBeIncluded()||this.alternate.include(!1)},t.prototype.initialise=function(){this.included=!1,this.isTestValueAnalysed=!1},t.prototype.render=function(e,t){if(this.test.included||(this.testValue?null!==this.alternate&&this.alternate.included:this.consequent.included))this.test.included?this.test.render(e,t):e.overwrite(this.test.start,this.test.end,this.testValue?"true":"false"),this.consequent.included?this.consequent.render(e,t):e.overwrite(this.consequent.start,this.consequent.end,";"),null!==this.alternate&&(this.alternate.included?this.alternate.render(e,t):e.remove(this.consequent.end,this.alternate.end));else{var n=this.testValue?this.consequent:this.alternate;e.remove(this.start,n.start),e.remove(n.end,this.end),n.render(e,t)}},t}(Ls),Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.initialise=function(){this.included=!1,this.resolutionNamespace=void 0,this.resolutionInterop=!1,this.rendered=!1,this.context.addDynamicImport(this)},t.prototype.renderFinalResolution=function(e,t){this.rendered&&e.overwrite(this.parent.arguments[0].start,this.parent.arguments[0].end,t)},t.prototype.render=function(e,t){if(this.rendered=!0,this.resolutionNamespace){var n=t.compact?"":" ",r=t.compact?"":";";e.overwrite(this.parent.start,this.parent.end,"Promise.resolve().then(function"+n+"()"+n+"{"+n+"return "+this.resolutionNamespace+r+n+"})")}else{var i=function(e,t){switch(e){case"cjs":return{left:"Promise.resolve(require(",right:"))",interopLeft:"Promise.resolve({"+(n=t?"":" ")+"default:"+n+"require(",interopRight:")"+n+"})"};case"amd":var n,r=t?"c":"resolve",i=t?"e":"reject";return{left:"new Promise(function"+(n=t?"":" ")+"("+r+","+n+i+")"+n+"{"+n+"require([",right:"],"+n+r+","+n+i+")"+n+"})",interopLeft:"new Promise(function"+n+"("+r+","+n+i+")"+n+"{"+n+"require([",interopRight:"],"+n+"function"+n+"(m)"+n+"{"+n+r+"({"+n+"default:"+n+"m"+n+"})"+n+"},"+n+i+")"+n+"})"};case"system":return{left:"module.import(",right:")"}}}(t.format,t.compact);if(i){var o=this.resolutionInterop&&i.interopLeft||i.left;e.overwrite(this.parent.start,this.parent.arguments[0].start,o);var s=this.resolutionInterop&&i.interopRight||i.right;e.overwrite(this.parent.arguments[0].end,this.parent.end,s)}}},t.prototype.setResolution=function(e,t){void 0===t&&(t=void 0),this.rendered=!1,this.resolutionInterop=e,this.resolutionNamespace=t},t}(Ls),Oa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){},t.prototype.initialise=function(){this.included=!1,this.context.addImport(this)},t.prototype.hasEffects=function(){return!1},t.prototype.render=function(e,t,n){var r=void 0===n?As:n,i=r.start,o=r.end;e.remove(i,o)},t}(Ls);Oa.prototype.needsBoundaries=!0;var Ra=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffects=function(e){return this.body.hasEffects(e.setIgnoreLabel(this.label.name).setIgnoreBreakStatements())},t}(Ls);var Ia=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.getLiteralValueAtPath=function(e){return e.length>0?so:this.value},t.prototype.getReturnExpressionWhenCalledAtPath=function(e){return 1!==e.length?ao:Po(this.members,e[0])},t.prototype.hasEffectsWhenAccessedAtPath=function(e){return null===this.value?e.length>0:e.length>1},t.prototype.hasEffectsWhenAssignedAtPath=function(e){return e.length>0},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return 1!==e.length||Io(this.members,e[0],this.included,t,n)},t.prototype.initialise=function(){this.included=!1,this.members=function(e){switch(typeof e){case"boolean":return Bo;case"number":return Oo;case"string":return Ro;default:return Object.create(null)}}(this.value)},t.prototype.render=function(e,t){"string"==typeof this.value&&e.indentExclusionRanges.push([this.start+1,this.end-1])},t}(Ls),Pa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),this.isBranchResolutionAnalysed||this.analyseBranchResolution()},t.prototype.deoptimizeCache=function(){if(null!==this.usedBranch){this.usedBranch=null,this.unusedBranch.deoptimizePath(io);for(var e=0,t=this.expressionsToBeDeoptimized;e0&&(this.isBranchResolutionAnalysed||this.analyseBranchResolution(),null===this.usedBranch?(this.left.deoptimizePath(e),this.right.deoptimizePath(e)):this.usedBranch.deoptimizePath(e))},t.prototype.render=function(t,n,r){var i=void 0===r?As:r,o=i.renderedParentType,s=i.isCalleeOfRenderedParent;this.left.included&&this.right.included?e.prototype.render.call(this,t,n):(t.remove(this.start,this.usedBranch.start),t.remove(this.usedBranch.end,this.end),this.usedBranch.render(t,n,{renderedParentType:o||this.parent.type,isCalleeOfRenderedParent:o?s:this.parent.callee===this}))},t.prototype.analyseBranchResolution=function(){this.isBranchResolutionAnalysed=!0;var e=this.left.getLiteralValueAtPath(ro,la,this);e!==so&&(("||"===this.operator?e:!e)?(this.usedBranch=this.left,this.unusedBranch=this.right):(this.usedBranch=this.right,this.unusedBranch=this.left))},t}(Ls);function Ta(e,t){var n=Yt(t||e),r=Xt(e);return n.endsWith(r)&&(n=n.substr(0,n.length-r.length)),n}function Na(e){return void 0!==Se&&es(e)?Ht(Se.cwd(),e):e}function Ma(e){return"/"!==e[0]&&("."!==e[1]||"/"!==e[2]&&("."!==e[2]||"/"!==e[3]))&&-1===e.indexOf(":")}function La(e){return e.computed?function(e){if(e instanceof Ia)return String(e.value);return null}(e.property):e.property.name}function ja(e){var t=e.propertyKey,n=e.object;if("string"==typeof t){if(n instanceof fa)return[{key:n.name,pos:n.start},{key:t,pos:e.property.start}];if(n.type===Qi){var r=ja(n);return r&&r.concat([{key:t,pos:e.property.start}])}}return null}var Ua=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.variable=null,t}return Zr(t,e),t.prototype.bind=function(){if(!this.bound){this.bound=!0;var t=ja(this),n=t&&this.scope.findVariable(t[0].key);if(n&&n.isNamespace){var r=this.resolveNamespaceVariables(n,t.slice(1));r?"string"==typeof r?this.replacement=r:(r.isExternal&&r.module&&r.module.suggestName(t[0].key),this.variable=r):e.prototype.bind.call(this)}else e.prototype.bind.call(this),null===this.propertyKey&&this.analysePropertyKey()}},t.prototype.deoptimizeCache=function(){for(var e=0,t=this.expressionsToBeDeoptimized;e0||this.value.hasEffectsWhenCalledAtPath(ro,t,n)},t}(Ls),Ya=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this);for(var t=0,n=this.arguments;t1},t.prototype.initialise=function(){this.included=!1,this.callOptions=to.create({withNew:!0,args:this.arguments,callIdentifier:this})},t}(Ls),Xa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),this.argument.deoptimizePath([no,no])},t}(Ls),Ja=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),null===this.propertyMap&&this.buildPropertyMap()},t.prototype.deoptimizeCache=function(){this.hasUnknownDeoptimizedProperty||this.deoptimizeAllProperties()},t.prototype.getLiteralValueAtPath=function(e,t,n){null===this.propertyMap&&this.buildPropertyMap();var r=e[0];return 0===e.length||this.hasUnknownDeoptimizedProperty||"string"!=typeof r||this.deoptimizedPaths[r]?so:1!==e.length||this.propertyMap[r]||0!==this.unmatchablePropertiesRead.length?!this.propertyMap[r]||null===this.propertyMap[r].exactMatchRead||this.propertyMap[r].propertiesRead.length>1?so:(this.expressionsToBeDeoptimized[r]?this.expressionsToBeDeoptimized[r].push(n):this.expressionsToBeDeoptimized[r]=[n],this.propertyMap[r].exactMatchRead.getLiteralValueAtPath(e.slice(1),t,n)):void(this.expressionsToBeDeoptimized[r]?this.expressionsToBeDeoptimized[r].push(n):this.expressionsToBeDeoptimized[r]=[n])},t.prototype.getReturnExpressionWhenCalledAtPath=function(e,t,n){null===this.propertyMap&&this.buildPropertyMap();var r=e[0];return 0===e.length||this.hasUnknownDeoptimizedProperty||"string"!=typeof r||this.deoptimizedPaths[r]?ao:1!==e.length||!So[r]||0!==this.unmatchablePropertiesRead.length||this.propertyMap[r]&&null!==this.propertyMap[r].exactMatchRead?!this.propertyMap[r]||null===this.propertyMap[r].exactMatchRead||this.propertyMap[r].propertiesRead.length>1?ao:(this.expressionsToBeDeoptimized[r]?this.expressionsToBeDeoptimized[r].push(n):this.expressionsToBeDeoptimized[r]=[n],this.propertyMap[r].exactMatchRead.getReturnExpressionWhenCalledAtPath(e.slice(1),t,n)):Po(So,r)},t.prototype.hasEffectsWhenAccessedAtPath=function(e,t){if(0===e.length)return!1;var n=e[0];if(e.length>1&&(this.hasUnknownDeoptimizedProperty||"string"!=typeof n||this.deoptimizedPaths[n]||!this.propertyMap[n]||null===this.propertyMap[n].exactMatchRead))return!0;for(var r=e.slice(1),i=0,o="string"!=typeof n?this.properties:this.propertyMap[n]?this.propertyMap[n].propertiesRead:[];i1&&(this.hasUnknownDeoptimizedProperty||"string"!=typeof n||this.deoptimizedPaths[n]||!this.propertyMap[n]||null===this.propertyMap[n].exactMatchRead))return!0;for(var r=e.slice(1),i=0,o="string"!=typeof n?this.properties:e.length>1?this.propertyMap[n].propertiesRead:this.propertyMap[n]?this.propertyMap[n].propertiesSet:[];i1||!So[r]))return!0;for(var i=e.slice(1),o=0,s=this.propertyMap[r]?this.propertyMap[r].propertiesRead:[];o=0;n--){var r=this.properties[n];if(r instanceof Xa)this.unmatchablePropertiesRead.push(r);else{var i="get"!==r.kind,o="set"!==r.kind,s=void 0;if(r.computed){var a=r.key.getLiteralValueAtPath(ro,la,this);if(a===so){o?this.unmatchablePropertiesRead.push(r):this.unmatchablePropertiesWrite.push(r);continue}s=String(a)}else s=r.key instanceof fa?r.key.name:String(r.key.value);var u=this.propertyMap[s];u?(o&&null===u.exactMatchRead&&(u.exactMatchRead=r,(e=u.propertiesRead).push.apply(e,[r].concat(this.unmatchablePropertiesRead))),i&&!o&&null===u.exactMatchWrite&&(u.exactMatchWrite=r,(t=u.propertiesSet).push.apply(t,[r].concat(this.unmatchablePropertiesWrite)))):this.propertyMap[s]={exactMatchRead:o?r:null,propertiesRead:o?[r].concat(this.unmatchablePropertiesRead):[],exactMatchWrite:i?r:null,propertiesSet:i&&!o?[r].concat(this.unmatchablePropertiesWrite):[]}}}},t}(Ls),Za=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.declare=function(e,t){for(var n=0,r=this.properties;n0)return!0;for(var n=0,r=this.properties;n0&&this.returnExpression.hasEffectsWhenAccessedAtPath(e,t):this.value.hasEffectsWhenAccessedAtPath(e,t)},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return"get"===this.kind?0===e.length||this.returnExpression.hasEffectsWhenAssignedAtPath(e,t):"set"===this.kind?e.length>0||this.value.hasEffectsWhenCalledAtPath(ro,this.accessorCallOptions,t.getHasEffectsWhenCalledOptions()):this.value.hasEffectsWhenAssignedAtPath(e,t)},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return"get"===this.kind?this.returnExpression.hasEffectsWhenCalledAtPath(e,t,n):this.value.hasEffectsWhenCalledAtPath(e,t,n)},t.prototype.initialise=function(){this.included=!1,this.returnExpression=null,this.accessorCallOptions=to.create({withNew:!1,callIdentifier:this})},t.prototype.deoptimizePath=function(e){"get"===this.kind?e.length>0&&(null===this.returnExpression&&this.updateReturnExpression(),this.returnExpression.deoptimizePath(e)):"set"!==this.kind&&this.value.deoptimizePath(e)},t.prototype.render=function(e,t){this.shorthand||this.key.render(e,t),this.value.render(e,t,{isShorthandProperty:this.shorthand})},t.prototype.updateReturnExpression=function(){this.returnExpression=ao,this.returnExpression=this.value.getReturnExpressionWhenCalledAtPath(ro,la,this)},t}(Ls),tu=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.declarationInit=null,t}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),null!==this.declarationInit&&this.declarationInit.deoptimizePath([no,no])},t.prototype.declare=function(e,t){this.argument.declare(e,ao),this.declarationInit=t},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return e.length>0||this.argument.hasEffectsWhenAssignedAtPath(ro,t)},t.prototype.deoptimizePath=function(e){0===e.length&&this.argument.deoptimizePath(ro)},t}(Ls),nu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffects=function(e){return!e.ignoreReturnAwaitYield()||this.argument&&this.argument.hasEffects(e)},t.prototype.initialise=function(){this.included=!1,this.scope.addReturnExpression(this.argument||ao)},t.prototype.render=function(e,t){this.argument&&(this.argument.render(e,t),this.argument.start===this.start+6&&e.prependLeft(this.start+6," "))},t}(Ls),ru=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.getLiteralValueAtPath=function(e,t,n){return this.expressions[this.expressions.length-1].getLiteralValueAtPath(e,t,n)},t.prototype.hasEffects=function(e){for(var t=0,n=this.expressions;t0&&this.expressions[this.expressions.length-1].hasEffectsWhenAccessedAtPath(e,t)},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return 0===e.length||this.expressions[this.expressions.length-1].hasEffectsWhenAssignedAtPath(e,t)},t.prototype.hasEffectsWhenCalledAtPath=function(e,t,n){return this.expressions[this.expressions.length-1].hasEffectsWhenCalledAtPath(e,t,n)},t.prototype.include=function(e){this.included=!0;for(var t=0;t0&&this.expressions[this.expressions.length-1].deoptimizePath(e)},t.prototype.render=function(e,t,n){for(var r,i=void 0===n?As:n,o=i.renderedParentType,s=i.isCalleeOfRenderedParent,a=0,u=0,c=0,l=Ss(this.expressions,e,this.start,this.end);c1&&o&&(e.prependRight(a,"("),e.appendLeft(r,")"))},t}(Ls),iu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.include=function(e){this.included=!0,this.test&&this.test.include(e);for(var t=0,n=this.consequent;t0||1!==this.quasis.length?so:this.quasis[0].value.cooked},t.prototype.render=function(t,n){t.indentExclusionRanges.push([this.start,this.end]),e.prototype.render.call(this,t,n)},t}(Ls),cu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),this.variable=this.scope.findVariable("this")},t.prototype.hasEffectsWhenAccessedAtPath=function(e,t){return e.length>0&&this.variable.hasEffectsWhenAccessedAtPath(e,t)},t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return this.variable.hasEffectsWhenAssignedAtPath(e,t)},t.prototype.initialise=function(){this.included=!1,this.variable=null,this.alias=this.scope.findLexicalBoundary().isModuleScope?this.context.moduleContext:null,"undefined"===this.alias&&this.context.warn({code:"THIS_IS_UNDEFINED",message:"The 'this' keyword is equivalent to 'undefined' at the top level of an ES module, and has been rewritten",url:"https://rollupjs.org/guide/en#error-this-is-undefined"},this.start)},t.prototype.render=function(e,t){null!==this.alias&&e.overwrite(this.start,this.end,this.alias,{storeName:!0,contentOnly:!1})},t}(Ls),lu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffects=function(e){return!0},t}(Ls),hu={"-":function(e){return-e},"+":function(e){return+e},"!":function(e){return!e},"~":function(e){return~e},typeof:function(e){return typeof e},void:function(){},delete:function(){return so}},fu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){e.prototype.bind.call(this),"delete"===this.operator&&this.argument.deoptimizePath(ro)},t.prototype.getLiteralValueAtPath=function(e,t,n){if(e.length>0)return so;var r=this.argument.getLiteralValueAtPath(ro,t,n);return r===so?so:hu[this.operator](r)},t.prototype.hasEffects=function(e){return this.argument.hasEffects(e)||"delete"===this.operator&&this.argument.hasEffectsWhenAssignedAtPath(ro,e)},t.prototype.hasEffectsWhenAccessedAtPath=function(e,t){return"void"===this.operator?e.length>0:e.length>1},t}(Ls),pu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffects=function(e){return!0},t.prototype.include=function(){e.prototype.include.call(this,!0)},t}(Ls),du=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.bind=function(){(e.prototype.bind.call(this),this.argument.deoptimizePath(ro),ha(this.argument))&&(this.scope.findVariable(this.argument.name).isReassigned=!0)},t.prototype.hasEffects=function(e){return this.argument.hasEffects(e)||this.argument.hasEffectsWhenAssignedAtPath(ro,e)},t.prototype.hasEffectsWhenAccessedAtPath=function(e,t){return e.length>1},t.prototype.render=function(e,t){this.argument.render(e,t);var n=this.argument.variable;if("system"===t.format&&n&&n.exportName){var r=n.getName();if(this.prefix)e.overwrite(this.start,this.end,"exports('"+n.exportName+"', "+this.operator+r+")");else{var i=void 0;switch(this.operator){case"++":i=r+" + 1";break;case"--":i=r+" - 1"}e.overwrite(this.start,this.end,"(exports('"+n.exportName+"', "+i+"), "+r+this.operator+")")}}},t}(Ls);function mu(e){return e.safeName&&-1!==e.safeName.indexOf(".")&&e.exportName&&e.isReassigned}var gu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return Zr(t,e),t.prototype.hasEffectsWhenAssignedAtPath=function(e,t){return!1},t.prototype.includeWithAllDeclaredVariables=function(e){this.included=!0;for(var t=0,n=this.declarations;t1&&(r.containsExternalNamespace=!0),r.originals[s]=r.context.traceExport(s)}return r}return Zr(t,e),t.prototype.addReference=function(e){this.references.push(e),this.name=e.name},t.prototype.include=function(){if(!this.included){this.containsExternalNamespace&&this.context.error({code:"NAMESPACE_CANNOT_CONTAIN_EXTERNAL",message:'Cannot create an explicit namespace object for module "'+this.context.getModuleName()+'" because it contains a reexported external namespace',id:this.module.id},void 0),this.context.includeNamespace(),this.included=!0,this.needsNamespaceBlock=!0;for(var e=0,t=this.references;e0;){var r=n.pop(),i=r.mappings[t.line-1],o=!1;if(void 0!==i)for(var s=0,a=i;s=t.column){if(u.length<4)break;t={line:u[2]+1,column:u[3],source:r.sources[u[1]],name:r.names[u[4]]},o=!0;break}}if(!o)throw new Error("Can't resolve original location of error.")}return t}(this.sourcemapChain,n)}catch(e){this.warn({loc:{file:this.id,line:n.line,column:n.column},pos:t,message:"Error when using sourcemap for reporting an error: "+e.message,code:"SOURCEMAP_ERROR"},void 0)}e.loc={file:this.id,line:n.line,column:n.column},e.frame=fs(this.originalCode,n.line,n.column)}ps(e)},e.prototype.getAllExports=function(){var e=Object.assign(Object.create(null),this.exports,this.reexports);return this.exportAllModules.forEach(function(t){if(t.isExternal)e["*"+t.id]=!0;else for(var n=0,r=t.getAllExports();n>1,a=r[s];if(a[0]===t){var u=this.sources[a[1]];return u?u.traceSegment(a[2],a[3],this.names[a[4]]||n):null}a[0]>t?o=s-1:i=s+1}return null},e}();var Gu=97,Ku=48;function Yu(e){return e<10?String.fromCharCode(Ku+e):String.fromCharCode(Gu+(e-10))}function Xu(e){for(var t="",n=0;n>4),t+=Yu(15&r)}return t}function Ju(e){for(var t=new Uint8Array(e),n=0;nt.execIndex?1:-1};function ec(e){e.sort(Qu)}function tc(e,t,n){for(var r=[Na(e)],i=t;i!==e&&(r.push(Na(i)),i=n[i]););return r.push(r[0]),r.reverse(),r}function nc(e){var t=e.split("\n"),n=t.filter(function(e){return/^\t+/.test(e)}),r=t.filter(function(e){return/^ {2,}/.test(e)});if(0===n.length&&0===r.length)return null;if(n.length>=r.length)return"\t";var i=r.reduce(function(e,t){var n=/^ +/.exec(t)[0].length;return Math.min(n,e)},1/0);return new Array(i+1).join(" ")}function rc(e,t,n){return Ma(e)||ps({code:"INVALID_PATTERN",message:'Invalid output pattern "'+e+'" for '+t+", cannot be an absolute or relative URL or path."}),e.replace(/\[(\w+)\]/g,function(e,r){var i=n(r);return void 0===i&&ps({code:"INVALID_PATTERN_REPLACEMENT",message:'"'+r+'" is not a valid substitution name in output option '+t+" pattern."}),Ma(i)||ps({code:"INVALID_PATTERN_REPLACEMENT",message:'Invalid replacement "'+i+'" for "'+r+'" in '+t+" pattern, must be a plain path name."}),i})}function ic(e,t){if(e in t==!1)return e;var n=Xt(e);e=e.substr(0,e.length-n.length);for(var r,i=1;t[r=e+ ++i+n];);return r}var oc=function(){function e(e,t){this.hasDynamicImport=!1,this.indentString=void 0,this.exportMode="named",this.usedModules=void 0,this.id=void 0,this.imports=new Map,this.exports=new Map,this.exportNames=Object.create(null),this.dependencies=void 0,this.entryModule=void 0,this.isEntryModuleFacade=!1,this.isManualChunk=!1,this.renderedHash=void 0,this.renderedModuleSources=void 0,this.renderedSource=void 0,this.renderedSourceLength=void 0,this.needsExportsShim=!1,this.renderedDeclarations=void 0,this.graph=e,this.orderedModules=t,this.execIndex=t.length>0?t[0].execIndex:1/0,this.isEmpty=!0;for(var n=0,r=t;ne)return!1;if((n+=t[r+1])>=e)return!0}}function vc(e,t){return e<65?36===e:e<91||(e<97?95===e:e<123||(e<=65535?e>=170&&fc.test(String.fromCharCode(e)):!1!==t&&gc(e,dc)))}function yc(e,t){return e<48?36===e:e<58||!(e<65)&&(e<91||(e<97?95===e:e<123||(e<=65535?e>=170&&pc.test(String.fromCharCode(e)):!1!==t&&(gc(e,dc)||gc(e,mc)))))}var _c=function(e,t){void 0===t&&(t={}),this.label=e,this.keyword=t.keyword,this.beforeExpr=!!t.beforeExpr,this.startsExpr=!!t.startsExpr,this.isLoop=!!t.isLoop,this.isAssign=!!t.isAssign,this.prefix=!!t.prefix,this.postfix=!!t.postfix,this.binop=t.binop||null,this.updateContext=null};function Ec(e,t){return new _c(e,{beforeExpr:!0,binop:t})}var bc={beforeExpr:!0},Dc={startsExpr:!0},Ac={};function xc(e,t){return void 0===t&&(t={}),t.keyword=e,Ac[e]=new _c(e,t)}var wc={num:new _c("num",Dc),regexp:new _c("regexp",Dc),string:new _c("string",Dc),name:new _c("name",Dc),eof:new _c("eof"),bracketL:new _c("[",{beforeExpr:!0,startsExpr:!0}),bracketR:new _c("]"),braceL:new _c("{",{beforeExpr:!0,startsExpr:!0}),braceR:new _c("}"),parenL:new _c("(",{beforeExpr:!0,startsExpr:!0}),parenR:new _c(")"),comma:new _c(",",bc),semi:new _c(";",bc),colon:new _c(":",bc),dot:new _c("."),question:new _c("?",bc),arrow:new _c("=>",bc),template:new _c("template"),invalidTemplate:new _c("invalidTemplate"),ellipsis:new _c("...",bc),backQuote:new _c("`",Dc),dollarBraceL:new _c("${",{beforeExpr:!0,startsExpr:!0}),eq:new _c("=",{beforeExpr:!0,isAssign:!0}),assign:new _c("_=",{beforeExpr:!0,isAssign:!0}),incDec:new _c("++/--",{prefix:!0,postfix:!0,startsExpr:!0}),prefix:new _c("!/~",{beforeExpr:!0,prefix:!0,startsExpr:!0}),logicalOR:Ec("||",1),logicalAND:Ec("&&",2),bitwiseOR:Ec("|",3),bitwiseXOR:Ec("^",4),bitwiseAND:Ec("&",5),equality:Ec("==/!=/===/!==",6),relational:Ec("/<=/>=",7),bitShift:Ec("<>/>>>",8),plusMin:new _c("+/-",{beforeExpr:!0,binop:9,prefix:!0,startsExpr:!0}),modulo:Ec("%",10),star:Ec("*",10),slash:Ec("/",10),starstar:new _c("**",{beforeExpr:!0}),_break:xc("break"),_case:xc("case",bc),_catch:xc("catch"),_continue:xc("continue"),_debugger:xc("debugger"),_default:xc("default",bc),_do:xc("do",{isLoop:!0,beforeExpr:!0}),_else:xc("else",bc),_finally:xc("finally"),_for:xc("for",{isLoop:!0}),_function:xc("function",Dc),_if:xc("if"),_return:xc("return",bc),_switch:xc("switch"),_throw:xc("throw",bc),_try:xc("try"),_var:xc("var"),_const:xc("const"),_while:xc("while",{isLoop:!0}),_with:xc("with"),_new:xc("new",{beforeExpr:!0,startsExpr:!0}),_this:xc("this",Dc),_super:xc("super",Dc),_class:xc("class",Dc),_extends:xc("extends",bc),_export:xc("export"),_import:xc("import"),_null:xc("null",Dc),_true:xc("true",Dc),_false:xc("false",Dc),_in:xc("in",{beforeExpr:!0,binop:7}),_instanceof:xc("instanceof",{beforeExpr:!0,binop:7}),_typeof:xc("typeof",{beforeExpr:!0,prefix:!0,startsExpr:!0}),_void:xc("void",{beforeExpr:!0,prefix:!0,startsExpr:!0}),_delete:xc("delete",{beforeExpr:!0,prefix:!0,startsExpr:!0})},Cc=/\r\n?|\n|\u2028|\u2029/,Fc=new RegExp(Cc.source,"g");function Sc(e,t){return 10===e||13===e||!t&&(8232===e||8233===e)}var kc=/[\u1680\u180e\u2000-\u200a\u202f\u205f\u3000\ufeff]/,Bc=/(?:\s|\/\/.*|\/\*[^]*?\*\/)*/g,Oc=Object.prototype,Rc=Oc.hasOwnProperty,Ic=Oc.toString;function Pc(e,t){return Rc.call(e,t)}var Tc=Array.isArray||function(e){return"[object Array]"===Ic.call(e)},Nc=function(e,t){this.line=e,this.column=t};Nc.prototype.offset=function(e){return new Nc(this.line,this.column+e)};var Mc=function(e,t,n){this.start=t,this.end=n,null!==e.sourceFile&&(this.source=e.sourceFile)};function Lc(e,t){for(var n=1,r=0;;){Fc.lastIndex=r;var i=Fc.exec(e);if(!(i&&i.index=2015&&(t.ecmaVersion-=2009),null==t.allowReserved&&(t.allowReserved=t.ecmaVersion<5),Tc(t.onToken)){var r=t.onToken;t.onToken=function(e){return r.push(e)}}return Tc(t.onComment)&&(t.onComment=function(e,t){return function(n,r,i,o,s,a){var u={type:n?"Block":"Line",value:r,start:i,end:o};e.locations&&(u.loc=new Mc(this,s,a)),e.ranges&&(u.range=[i,o]),t.push(u)}}(t,t.onComment)),t}var zc={};function Vc(e){return new RegExp("^(?:"+e.replace(/ /g,"|")+")$")}var qc=function(e,t,n){this.options=e=Uc(e),this.sourceFile=e.sourceFile,this.keywords=Vc(uc[e.ecmaVersion>=6?6:5]);var r="";if(!e.allowReserved){for(var i=e.ecmaVersion;!(r=sc[i]);i--);"module"===e.sourceType&&(r+=" await")}this.reservedWords=Vc(r);var o=(r?r+" ":"")+sc.strict;this.reservedWordsStrict=Vc(o),this.reservedWordsStrictBind=Vc(o+" "+sc.strictBind),this.input=String(t),this.containsEsc=!1,this.loadPlugins(e.plugins),n?(this.pos=n,this.lineStart=this.input.lastIndexOf("\n",n-1)+1,this.curLine=this.input.slice(0,this.lineStart).split(Cc).length):(this.pos=this.lineStart=0,this.curLine=1),this.type=wc.eof,this.value=null,this.start=this.end=this.pos,this.startLoc=this.endLoc=this.curPosition(),this.lastTokEndLoc=this.lastTokStartLoc=null,this.lastTokStart=this.lastTokEnd=this.pos,this.context=this.initialContext(),this.exprAllowed=!0,this.inModule="module"===e.sourceType,this.strict=this.inModule||this.strictDirective(this.pos),this.potentialArrowAt=-1,this.inFunction=this.inGenerator=this.inAsync=!1,this.yieldPos=this.awaitPos=0,this.labels=[],0===this.pos&&e.allowHashBang&&"#!"===this.input.slice(0,2)&&this.skipLineComment(2),this.scopeStack=[],this.enterFunctionScope(),this.regexpState=null};qc.prototype.isKeyword=function(e){return this.keywords.test(e)},qc.prototype.isReservedWord=function(e){return this.reservedWords.test(e)},qc.prototype.extend=function(e,t){this[e]=t(this[e])},qc.prototype.loadPlugins=function(e){for(var t in e){var n=zc[t];if(!n)throw new Error("Plugin '"+t+"' not found");n(this,e[t])}},qc.prototype.parse=function(){var e=this.options.program||this.startNode();return this.nextToken(),this.parseTopLevel(e)};var Wc=qc.prototype,$c=/^(?:'((?:\\.|[^'])*?)'|"((?:\\.|[^"])*?)"|;)/;function Hc(){this.shorthandAssign=this.trailingComma=this.parenthesizedAssign=this.parenthesizedBind=this.doubleProto=-1}Wc.strictDirective=function(e){for(;;){Bc.lastIndex=e,e+=Bc.exec(this.input)[0].length;var t=$c.exec(this.input.slice(e));if(!t)return!1;if("use strict"===(t[1]||t[2]))return!0;e+=t[0].length}},Wc.eat=function(e){return this.type===e&&(this.next(),!0)},Wc.isContextual=function(e){return this.type===wc.name&&this.value===e&&!this.containsEsc},Wc.eatContextual=function(e){return!!this.isContextual(e)&&(this.next(),!0)},Wc.expectContextual=function(e){this.eatContextual(e)||this.unexpected()},Wc.canInsertSemicolon=function(){return this.type===wc.eof||this.type===wc.braceR||Cc.test(this.input.slice(this.lastTokEnd,this.start))},Wc.insertSemicolon=function(){if(this.canInsertSemicolon())return this.options.onInsertedSemicolon&&this.options.onInsertedSemicolon(this.lastTokEnd,this.lastTokEndLoc),!0},Wc.semicolon=function(){this.eat(wc.semi)||this.insertSemicolon()||this.unexpected()},Wc.afterTrailingComma=function(e,t){if(this.type===e)return this.options.onTrailingComma&&this.options.onTrailingComma(this.lastTokStart,this.lastTokStartLoc),t||this.next(),!0},Wc.expect=function(e){this.eat(e)||this.unexpected()},Wc.unexpected=function(e){this.raise(null!=e?e:this.start,"Unexpected token")},Wc.checkPatternErrors=function(e,t){if(e){e.trailingComma>-1&&this.raiseRecoverable(e.trailingComma,"Comma is not permitted after the rest element");var n=t?e.parenthesizedAssign:e.parenthesizedBind;n>-1&&this.raiseRecoverable(n,"Parenthesized pattern")}},Wc.checkExpressionErrors=function(e,t){if(!e)return!1;var n=e.shorthandAssign,r=e.doubleProto;if(!t)return n>=0||r>=0;n>=0&&this.raise(n,"Shorthand property assignments are valid only in destructuring patterns"),r>=0&&this.raiseRecoverable(r,"Redefinition of __proto__ property")},Wc.checkYieldAwaitInDefaultParams=function(){this.yieldPos&&(!this.awaitPos||this.yieldPos=6&&(e.sourceType=this.options.sourceType),this.finishNode(e,"Program")};var Kc={kind:"loop"},Yc={kind:"switch"};Gc.isLet=function(){if(this.options.ecmaVersion<6||!this.isContextual("let"))return!1;Bc.lastIndex=this.pos;var e=Bc.exec(this.input),t=this.pos+e[0].length,n=this.input.charCodeAt(t);if(91===n||123===n)return!0;if(vc(n,!0)){for(var r=t+1;yc(this.input.charCodeAt(r),!0);)++r;var i=this.input.slice(t,r);if(!cc.test(i))return!0}return!1},Gc.isAsyncFunction=function(){if(this.options.ecmaVersion<8||!this.isContextual("async"))return!1;Bc.lastIndex=this.pos;var e=Bc.exec(this.input),t=this.pos+e[0].length;return!(Cc.test(this.input.slice(this.pos,t))||"function"!==this.input.slice(t,t+8)||t+8!==this.input.length&&yc(this.input.charAt(t+8)))},Gc.parseStatement=function(e,t,n){var r,i=this.type,o=this.startNode();switch(this.isLet()&&(i=wc._var,r="let"),i){case wc._break:case wc._continue:return this.parseBreakContinueStatement(o,i.keyword);case wc._debugger:return this.parseDebuggerStatement(o);case wc._do:return this.parseDoStatement(o);case wc._for:return this.parseForStatement(o);case wc._function:return!e&&this.options.ecmaVersion>=6&&this.unexpected(),this.parseFunctionStatement(o,!1);case wc._class:return e||this.unexpected(),this.parseClass(o,!0);case wc._if:return this.parseIfStatement(o);case wc._return:return this.parseReturnStatement(o);case wc._switch:return this.parseSwitchStatement(o);case wc._throw:return this.parseThrowStatement(o);case wc._try:return this.parseTryStatement(o);case wc._const:case wc._var:return r=r||this.value,e||"var"===r||this.unexpected(),this.parseVarStatement(o,r);case wc._while:return this.parseWhileStatement(o);case wc._with:return this.parseWithStatement(o);case wc.braceL:return this.parseBlock();case wc.semi:return this.parseEmptyStatement(o);case wc._export:case wc._import:return this.options.allowImportExportEverywhere||(t||this.raise(this.start,"'import' and 'export' may only appear at the top level"),this.inModule||this.raise(this.start,"'import' and 'export' may appear only with 'sourceType: module'")),i===wc._import?this.parseImport(o):this.parseExport(o,n);default:if(this.isAsyncFunction())return e||this.unexpected(),this.next(),this.parseFunctionStatement(o,!0);var s=this.value,a=this.parseExpression();return i===wc.name&&"Identifier"===a.type&&this.eat(wc.colon)?this.parseLabeledStatement(o,s,a):this.parseExpressionStatement(o,a)}},Gc.parseBreakContinueStatement=function(e,t){var n="break"===t;this.next(),this.eat(wc.semi)||this.insertSemicolon()?e.label=null:this.type!==wc.name?this.unexpected():(e.label=this.parseIdent(),this.semicolon());for(var r=0;r=6?this.eat(wc.semi):this.semicolon(),this.finishNode(e,"DoWhileStatement")},Gc.parseForStatement=function(e){this.next();var t=this.options.ecmaVersion>=9&&(this.inAsync||!this.inFunction&&this.options.allowAwaitOutsideFunction)&&this.eatContextual("await")?this.lastTokStart:-1;if(this.labels.push(Kc),this.enterLexicalScope(),this.expect(wc.parenL),this.type===wc.semi)return t>-1&&this.unexpected(t),this.parseFor(e,null);var n=this.isLet();if(this.type===wc._var||this.type===wc._const||n){var r=this.startNode(),i=n?"let":this.value;return this.next(),this.parseVar(r,!0,i),this.finishNode(r,"VariableDeclaration"),!(this.type===wc._in||this.options.ecmaVersion>=6&&this.isContextual("of"))||1!==r.declarations.length||"var"!==i&&r.declarations[0].init?(t>-1&&this.unexpected(t),this.parseFor(e,r)):(this.options.ecmaVersion>=9&&(this.type===wc._in?t>-1&&this.unexpected(t):e.await=t>-1),this.parseForIn(e,r))}var o=new Hc,s=this.parseExpression(!0,o);return this.type===wc._in||this.options.ecmaVersion>=6&&this.isContextual("of")?(this.options.ecmaVersion>=9&&(this.type===wc._in?t>-1&&this.unexpected(t):e.await=t>-1),this.toAssignable(s,!1,o),this.checkLVal(s),this.parseForIn(e,s)):(this.checkExpressionErrors(o,!0),t>-1&&this.unexpected(t),this.parseFor(e,s))},Gc.parseFunctionStatement=function(e,t){return this.next(),this.parseFunction(e,!0,!1,t)},Gc.parseIfStatement=function(e){return this.next(),e.test=this.parseParenExpression(),e.consequent=this.parseStatement(!this.strict&&this.type===wc._function),e.alternate=this.eat(wc._else)?this.parseStatement(!this.strict&&this.type===wc._function):null,this.finishNode(e,"IfStatement")},Gc.parseReturnStatement=function(e){return this.inFunction||this.options.allowReturnOutsideFunction||this.raise(this.start,"'return' outside of function"),this.next(),this.eat(wc.semi)||this.insertSemicolon()?e.argument=null:(e.argument=this.parseExpression(),this.semicolon()),this.finishNode(e,"ReturnStatement")},Gc.parseSwitchStatement=function(e){var t;this.next(),e.discriminant=this.parseParenExpression(),e.cases=[],this.expect(wc.braceL),this.labels.push(Yc),this.enterLexicalScope();for(var n=!1;this.type!==wc.braceR;)if(this.type===wc._case||this.type===wc._default){var r=this.type===wc._case;t&&this.finishNode(t,"SwitchCase"),e.cases.push(t=this.startNode()),t.consequent=[],this.next(),r?t.test=this.parseExpression():(n&&this.raiseRecoverable(this.lastTokStart,"Multiple default clauses"),n=!0,t.test=null),this.expect(wc.colon)}else t||this.unexpected(),t.consequent.push(this.parseStatement(!0));return this.exitLexicalScope(),t&&this.finishNode(t,"SwitchCase"),this.next(),this.labels.pop(),this.finishNode(e,"SwitchStatement")},Gc.parseThrowStatement=function(e){return this.next(),Cc.test(this.input.slice(this.lastTokEnd,this.start))&&this.raise(this.lastTokEnd,"Illegal newline after throw"),e.argument=this.parseExpression(),this.semicolon(),this.finishNode(e,"ThrowStatement")};var Xc=[];Gc.parseTryStatement=function(e){if(this.next(),e.block=this.parseBlock(),e.handler=null,this.type===wc._catch){var t=this.startNode();this.next(),this.eat(wc.parenL)?(t.param=this.parseBindingAtom(),this.enterLexicalScope(),this.checkLVal(t.param,"let"),this.expect(wc.parenR)):(this.options.ecmaVersion<10&&this.unexpected(),t.param=null,this.enterLexicalScope()),t.body=this.parseBlock(!1),this.exitLexicalScope(),e.handler=this.finishNode(t,"CatchClause")}return e.finalizer=this.eat(wc._finally)?this.parseBlock():null,e.handler||e.finalizer||this.raise(e.start,"Missing catch or finally clause"),this.finishNode(e,"TryStatement")},Gc.parseVarStatement=function(e,t){return this.next(),this.parseVar(e,!1,t),this.semicolon(),this.finishNode(e,"VariableDeclaration")},Gc.parseWhileStatement=function(e){return this.next(),e.test=this.parseParenExpression(),this.labels.push(Kc),e.body=this.parseStatement(!1),this.labels.pop(),this.finishNode(e,"WhileStatement")},Gc.parseWithStatement=function(e){return this.strict&&this.raise(this.start,"'with' in strict mode"),this.next(),e.object=this.parseParenExpression(),e.body=this.parseStatement(!1),this.finishNode(e,"WithStatement")},Gc.parseEmptyStatement=function(e){return this.next(),this.finishNode(e,"EmptyStatement")},Gc.parseLabeledStatement=function(e,t,n){for(var r=0,i=this.labels;r=0;s--){var a=this.labels[s];if(a.statementStart!==e.start)break;a.statementStart=this.start,a.kind=o}return this.labels.push({name:t,kind:o,statementStart:this.start}),e.body=this.parseStatement(!0),("ClassDeclaration"===e.body.type||"VariableDeclaration"===e.body.type&&"var"!==e.body.kind||"FunctionDeclaration"===e.body.type&&(this.strict||e.body.generator||e.body.async))&&this.raiseRecoverable(e.body.start,"Invalid labeled declaration"),this.labels.pop(),e.label=n,this.finishNode(e,"LabeledStatement")},Gc.parseExpressionStatement=function(e,t){return e.expression=t,this.semicolon(),this.finishNode(e,"ExpressionStatement")},Gc.parseBlock=function(e){void 0===e&&(e=!0);var t=this.startNode();for(t.body=[],this.expect(wc.braceL),e&&this.enterLexicalScope();!this.eat(wc.braceR);){var n=this.parseStatement(!0);t.body.push(n)}return e&&this.exitLexicalScope(),this.finishNode(t,"BlockStatement")},Gc.parseFor=function(e,t){return e.init=t,this.expect(wc.semi),e.test=this.type===wc.semi?null:this.parseExpression(),this.expect(wc.semi),e.update=this.type===wc.parenR?null:this.parseExpression(),this.expect(wc.parenR),this.exitLexicalScope(),e.body=this.parseStatement(!1),this.labels.pop(),this.finishNode(e,"ForStatement")},Gc.parseForIn=function(e,t){var n=this.type===wc._in?"ForInStatement":"ForOfStatement";return this.next(),"ForInStatement"===n&&("AssignmentPattern"===t.type||"VariableDeclaration"===t.type&&null!=t.declarations[0].init&&(this.strict||"Identifier"!==t.declarations[0].id.type))&&this.raise(t.start,"Invalid assignment in for-in loop head"),e.left=t,e.right="ForInStatement"===n?this.parseExpression():this.parseMaybeAssign(),this.expect(wc.parenR),this.exitLexicalScope(),e.body=this.parseStatement(!1),this.labels.pop(),this.finishNode(e,n)},Gc.parseVar=function(e,t,n){for(e.declarations=[],e.kind=n;;){var r=this.startNode();if(this.parseVarId(r,n),this.eat(wc.eq)?r.init=this.parseMaybeAssign(t):"const"!==n||this.type===wc._in||this.options.ecmaVersion>=6&&this.isContextual("of")?"Identifier"===r.id.type||t&&(this.type===wc._in||this.isContextual("of"))?r.init=null:this.raise(this.lastTokEnd,"Complex binding patterns require an initialization value"):this.unexpected(),e.declarations.push(this.finishNode(r,"VariableDeclarator")),!this.eat(wc.comma))break}return e},Gc.parseVarId=function(e,t){e.id=this.parseBindingAtom(t),this.checkLVal(e.id,t,!1)},Gc.parseFunction=function(e,t,n,r){this.initFunction(e),(this.options.ecmaVersion>=9||this.options.ecmaVersion>=6&&!r)&&(e.generator=this.eat(wc.star)),this.options.ecmaVersion>=8&&(e.async=!!r),t&&(e.id="nullableID"===t&&this.type!==wc.name?null:this.parseIdent(),e.id&&this.checkLVal(e.id,this.inModule&&!this.inFunction?"let":"var"));var i=this.inGenerator,o=this.inAsync,s=this.yieldPos,a=this.awaitPos,u=this.inFunction;return this.inGenerator=e.generator,this.inAsync=e.async,this.yieldPos=0,this.awaitPos=0,this.inFunction=!0,this.enterFunctionScope(),t||(e.id=this.type===wc.name?this.parseIdent():null),this.parseFunctionParams(e),this.parseFunctionBody(e,n),this.inGenerator=i,this.inAsync=o,this.yieldPos=s,this.awaitPos=a,this.inFunction=u,this.finishNode(e,t?"FunctionDeclaration":"FunctionExpression")},Gc.parseFunctionParams=function(e){this.expect(wc.parenL),e.params=this.parseBindingList(wc.parenR,!1,this.options.ecmaVersion>=8),this.checkYieldAwaitInDefaultParams()},Gc.parseClass=function(e,t){this.next(),this.parseClassId(e,t),this.parseClassSuper(e);var n=this.startNode(),r=!1;for(n.body=[],this.expect(wc.braceL);!this.eat(wc.braceR);){var i=this.parseClassMember(n);i&&"MethodDefinition"===i.type&&"constructor"===i.kind&&(r&&this.raise(i.start,"Duplicate constructor in the same class"),r=!0)}return e.body=this.finishNode(n,"ClassBody"),this.finishNode(e,t?"ClassDeclaration":"ClassExpression")},Gc.parseClassMember=function(e){var t=this;if(this.eat(wc.semi))return null;var n=this.startNode(),r=function(e,r){void 0===r&&(r=!1);var i=t.start,o=t.startLoc;return!!t.eatContextual(e)&&(!(t.type===wc.parenL||r&&t.canInsertSemicolon())||(n.key&&t.unexpected(),n.computed=!1,n.key=t.startNodeAt(i,o),n.key.name=e,t.finishNode(n.key,"Identifier"),!1))};n.kind="method",n.static=r("static");var i=this.eat(wc.star),o=!1;i||(this.options.ecmaVersion>=8&&r("async",!0)?(o=!0,i=this.options.ecmaVersion>=9&&this.eat(wc.star)):r("get")?n.kind="get":r("set")&&(n.kind="set")),n.key||this.parsePropertyName(n);var s=n.key;return n.computed||n.static||!("Identifier"===s.type&&"constructor"===s.name||"Literal"===s.type&&"constructor"===s.value)?n.static&&"Identifier"===s.type&&"prototype"===s.name&&this.raise(s.start,"Classes may not have a static property named prototype"):("method"!==n.kind&&this.raise(s.start,"Constructor can't have get/set modifier"),i&&this.raise(s.start,"Constructor can't be a generator"),o&&this.raise(s.start,"Constructor can't be an async method"),n.kind="constructor"),this.parseClassMethod(e,n,i,o),"get"===n.kind&&0!==n.value.params.length&&this.raiseRecoverable(n.value.start,"getter should have no params"),"set"===n.kind&&1!==n.value.params.length&&this.raiseRecoverable(n.value.start,"setter should have exactly one param"),"set"===n.kind&&"RestElement"===n.value.params[0].type&&this.raiseRecoverable(n.value.params[0].start,"Setter cannot use rest params"),n},Gc.parseClassMethod=function(e,t,n,r){t.value=this.parseMethod(n,r),e.body.push(this.finishNode(t,"MethodDefinition"))},Gc.parseClassId=function(e,t){e.id=this.type===wc.name?this.parseIdent():!0===t?this.unexpected():null},Gc.parseClassSuper=function(e){e.superClass=this.eat(wc._extends)?this.parseExprSubscripts():null},Gc.parseExport=function(e,t){if(this.next(),this.eat(wc.star))return this.expectContextual("from"),this.type!==wc.string&&this.unexpected(),e.source=this.parseExprAtom(),this.semicolon(),this.finishNode(e,"ExportAllDeclaration");if(this.eat(wc._default)){var n;if(this.checkExport(t,"default",this.lastTokStart),this.type===wc._function||(n=this.isAsyncFunction())){var r=this.startNode();this.next(),n&&this.next(),e.declaration=this.parseFunction(r,"nullableID",!1,n)}else if(this.type===wc._class){var i=this.startNode();e.declaration=this.parseClass(i,"nullableID")}else e.declaration=this.parseMaybeAssign(),this.semicolon();return this.finishNode(e,"ExportDefaultDeclaration")}if(this.shouldParseExportStatement())e.declaration=this.parseStatement(!0),"VariableDeclaration"===e.declaration.type?this.checkVariableExport(t,e.declaration.declarations):this.checkExport(t,e.declaration.id.name,e.declaration.id.start),e.specifiers=[],e.source=null;else{if(e.declaration=null,e.specifiers=this.parseExportSpecifiers(t),this.eatContextual("from"))this.type!==wc.string&&this.unexpected(),e.source=this.parseExprAtom();else{for(var o=0,s=e.specifiers;o=6&&e)switch(e.type){case"Identifier":this.inAsync&&"await"===e.name&&this.raise(e.start,"Can not use 'await' as identifier inside an async function");break;case"ObjectPattern":case"ArrayPattern":case"RestElement":break;case"ObjectExpression":e.type="ObjectPattern",n&&this.checkPatternErrors(n,!0);for(var r=0,i=e.properties;r=9&&"SpreadElement"===e.type||this.options.ecmaVersion>=6&&(e.computed||e.method||e.shorthand))){var r,i=e.key;switch(i.type){case"Identifier":r=i.name;break;case"Literal":r=String(i.value);break;default:return}var o=e.kind;if(this.options.ecmaVersion>=6)"__proto__"===r&&"init"===o&&(t.proto&&(n&&n.doubleProto<0?n.doubleProto=i.start:this.raiseRecoverable(i.start,"Redefinition of __proto__ property")),t.proto=!0);else{var s=t[r="$"+r];if(s)("init"===o?this.strict&&s.init||s.get||s.set:s.init||s[o])&&this.raiseRecoverable(i.start,"Redefinition of property");else s=t[r]={init:!1,get:!1,set:!1};s[o]=!0}}},Zc.parseExpression=function(e,t){var n=this.start,r=this.startLoc,i=this.parseMaybeAssign(e,t);if(this.type===wc.comma){var o=this.startNodeAt(n,r);for(o.expressions=[i];this.eat(wc.comma);)o.expressions.push(this.parseMaybeAssign(e,t));return this.finishNode(o,"SequenceExpression")}return i},Zc.parseMaybeAssign=function(e,t,n){if(this.inGenerator&&this.isContextual("yield"))return this.parseYield();var r=!1,i=-1,o=-1;t?(i=t.parenthesizedAssign,o=t.trailingComma,t.parenthesizedAssign=t.trailingComma=-1):(t=new Hc,r=!0);var s=this.start,a=this.startLoc;this.type!==wc.parenL&&this.type!==wc.name||(this.potentialArrowAt=this.start);var u=this.parseMaybeConditional(e,t);if(n&&(u=n.call(this,u,s,a)),this.type.isAssign){var c=this.startNodeAt(s,a);return c.operator=this.value,c.left=this.type===wc.eq?this.toAssignable(u,!1,t):u,r||Hc.call(t),t.shorthandAssign=-1,this.checkLVal(u),this.next(),c.right=this.parseMaybeAssign(e),this.finishNode(c,"AssignmentExpression")}return r&&this.checkExpressionErrors(t,!0),i>-1&&(t.parenthesizedAssign=i),o>-1&&(t.trailingComma=o),u},Zc.parseMaybeConditional=function(e,t){var n=this.start,r=this.startLoc,i=this.parseExprOps(e,t);if(this.checkExpressionErrors(t))return i;if(this.eat(wc.question)){var o=this.startNodeAt(n,r);return o.test=i,o.consequent=this.parseMaybeAssign(),this.expect(wc.colon),o.alternate=this.parseMaybeAssign(e),this.finishNode(o,"ConditionalExpression")}return i},Zc.parseExprOps=function(e,t){var n=this.start,r=this.startLoc,i=this.parseMaybeUnary(t,!1);return this.checkExpressionErrors(t)?i:i.start===n&&"ArrowFunctionExpression"===i.type?i:this.parseExprOp(i,n,r,-1,e)},Zc.parseExprOp=function(e,t,n,r,i){var o=this.type.binop;if(null!=o&&(!i||this.type!==wc._in)&&o>r){var s=this.type===wc.logicalOR||this.type===wc.logicalAND,a=this.value;this.next();var u=this.start,c=this.startLoc,l=this.parseExprOp(this.parseMaybeUnary(null,!1),u,c,o,i),h=this.buildBinary(t,n,e,l,a,s);return this.parseExprOp(h,t,n,r,i)}return e},Zc.buildBinary=function(e,t,n,r,i,o){var s=this.startNodeAt(e,t);return s.left=n,s.operator=i,s.right=r,this.finishNode(s,o?"LogicalExpression":"BinaryExpression")},Zc.parseMaybeUnary=function(e,t){var n,r=this.start,i=this.startLoc;if(this.isContextual("await")&&(this.inAsync||!this.inFunction&&this.options.allowAwaitOutsideFunction))n=this.parseAwait(),t=!0;else if(this.type.prefix){var o=this.startNode(),s=this.type===wc.incDec;o.operator=this.value,o.prefix=!0,this.next(),o.argument=this.parseMaybeUnary(null,!0),this.checkExpressionErrors(e,!0),s?this.checkLVal(o.argument):this.strict&&"delete"===o.operator&&"Identifier"===o.argument.type?this.raiseRecoverable(o.start,"Deleting local variable in strict mode"):t=!0,n=this.finishNode(o,s?"UpdateExpression":"UnaryExpression")}else{if(n=this.parseExprSubscripts(e),this.checkExpressionErrors(e))return n;for(;this.type.postfix&&!this.canInsertSemicolon();){var a=this.startNodeAt(r,i);a.operator=this.value,a.prefix=!1,a.argument=n,this.checkLVal(n),this.next(),n=this.finishNode(a,"UpdateExpression")}}return!t&&this.eat(wc.starstar)?this.buildBinary(r,i,n,this.parseMaybeUnary(null,!1),"**",!1):n},Zc.parseExprSubscripts=function(e){var t=this.start,n=this.startLoc,r=this.parseExprAtom(e),i="ArrowFunctionExpression"===r.type&&")"!==this.input.slice(this.lastTokStart,this.lastTokEnd);if(this.checkExpressionErrors(e)||i)return r;var o=this.parseSubscripts(r,t,n);return e&&"MemberExpression"===o.type&&(e.parenthesizedAssign>=o.start&&(e.parenthesizedAssign=-1),e.parenthesizedBind>=o.start&&(e.parenthesizedBind=-1)),o},Zc.parseSubscripts=function(e,t,n,r){for(var i=this.options.ecmaVersion>=8&&"Identifier"===e.type&&"async"===e.name&&this.lastTokEnd===e.end&&!this.canInsertSemicolon()&&"async"===this.input.slice(e.start,e.end),o=void 0;;)if((o=this.eat(wc.bracketL))||this.eat(wc.dot)){var s=this.startNodeAt(t,n);s.object=e,s.property=o?this.parseExpression():this.parseIdent(!0),s.computed=!!o,o&&this.expect(wc.bracketR),e=this.finishNode(s,"MemberExpression")}else if(!r&&this.eat(wc.parenL)){var a=new Hc,u=this.yieldPos,c=this.awaitPos;this.yieldPos=0,this.awaitPos=0;var l=this.parseExprList(wc.parenR,this.options.ecmaVersion>=8,!1,a);if(i&&!this.canInsertSemicolon()&&this.eat(wc.arrow))return this.checkPatternErrors(a,!1),this.checkYieldAwaitInDefaultParams(),this.yieldPos=u,this.awaitPos=c,this.parseArrowExpression(this.startNodeAt(t,n),l,!0);this.checkExpressionErrors(a,!0),this.yieldPos=u||this.yieldPos,this.awaitPos=c||this.awaitPos;var h=this.startNodeAt(t,n);h.callee=e,h.arguments=l,e=this.finishNode(h,"CallExpression")}else{if(this.type!==wc.backQuote)return e;var f=this.startNodeAt(t,n);f.tag=e,f.quasi=this.parseTemplate({isTagged:!0}),e=this.finishNode(f,"TaggedTemplateExpression")}},Zc.parseExprAtom=function(e){var t,n=this.potentialArrowAt===this.start;switch(this.type){case wc._super:return this.inFunction||this.raise(this.start,"'super' outside of function or class"),t=this.startNode(),this.next(),this.type!==wc.dot&&this.type!==wc.bracketL&&this.type!==wc.parenL&&this.unexpected(),this.finishNode(t,"Super");case wc._this:return t=this.startNode(),this.next(),this.finishNode(t,"ThisExpression");case wc.name:var r=this.start,i=this.startLoc,o=this.containsEsc,s=this.parseIdent(this.type!==wc.name);if(this.options.ecmaVersion>=8&&!o&&"async"===s.name&&!this.canInsertSemicolon()&&this.eat(wc._function))return this.parseFunction(this.startNodeAt(r,i),!1,!1,!0);if(n&&!this.canInsertSemicolon()){if(this.eat(wc.arrow))return this.parseArrowExpression(this.startNodeAt(r,i),[s],!1);if(this.options.ecmaVersion>=8&&"async"===s.name&&this.type===wc.name&&!o)return s=this.parseIdent(),!this.canInsertSemicolon()&&this.eat(wc.arrow)||this.unexpected(),this.parseArrowExpression(this.startNodeAt(r,i),[s],!0)}return s;case wc.regexp:var a=this.value;return(t=this.parseLiteral(a.value)).regex={pattern:a.pattern,flags:a.flags},t;case wc.num:case wc.string:return this.parseLiteral(this.value);case wc._null:case wc._true:case wc._false:return(t=this.startNode()).value=this.type===wc._null?null:this.type===wc._true,t.raw=this.type.keyword,this.next(),this.finishNode(t,"Literal");case wc.parenL:var u=this.start,c=this.parseParenAndDistinguishExpression(n);return e&&(e.parenthesizedAssign<0&&!this.isSimpleAssignTarget(c)&&(e.parenthesizedAssign=u),e.parenthesizedBind<0&&(e.parenthesizedBind=u)),c;case wc.bracketL:return t=this.startNode(),this.next(),t.elements=this.parseExprList(wc.bracketR,!0,!0,e),this.finishNode(t,"ArrayExpression");case wc.braceL:return this.parseObj(!1,e);case wc._function:return t=this.startNode(),this.next(),this.parseFunction(t,!1);case wc._class:return this.parseClass(this.startNode(),!1);case wc._new:return this.parseNew();case wc.backQuote:return this.parseTemplate();default:this.unexpected()}},Zc.parseLiteral=function(e){var t=this.startNode();return t.value=e,t.raw=this.input.slice(this.start,this.end),this.next(),this.finishNode(t,"Literal")},Zc.parseParenExpression=function(){this.expect(wc.parenL);var e=this.parseExpression();return this.expect(wc.parenR),e},Zc.parseParenAndDistinguishExpression=function(e){var t,n=this.start,r=this.startLoc,i=this.options.ecmaVersion>=8;if(this.options.ecmaVersion>=6){this.next();var o,s=this.start,a=this.startLoc,u=[],c=!0,l=!1,h=new Hc,f=this.yieldPos,p=this.awaitPos;for(this.yieldPos=0,this.awaitPos=0;this.type!==wc.parenR;){if(c?c=!1:this.expect(wc.comma),i&&this.afterTrailingComma(wc.parenR,!0)){l=!0;break}if(this.type===wc.ellipsis){o=this.start,u.push(this.parseParenItem(this.parseRestBinding())),this.type===wc.comma&&this.raise(this.start,"Comma is not permitted after the rest element");break}u.push(this.parseMaybeAssign(!1,h,this.parseParenItem))}var d=this.start,m=this.startLoc;if(this.expect(wc.parenR),e&&!this.canInsertSemicolon()&&this.eat(wc.arrow))return this.checkPatternErrors(h,!1),this.checkYieldAwaitInDefaultParams(),this.yieldPos=f,this.awaitPos=p,this.parseParenArrowList(n,r,u);u.length&&!l||this.unexpected(this.lastTokStart),o&&this.unexpected(o),this.checkExpressionErrors(h,!0),this.yieldPos=f||this.yieldPos,this.awaitPos=p||this.awaitPos,u.length>1?((t=this.startNodeAt(s,a)).expressions=u,this.finishNodeAt(t,"SequenceExpression",d,m)):t=u[0]}else t=this.parseParenExpression();if(this.options.preserveParens){var g=this.startNodeAt(n,r);return g.expression=t,this.finishNode(g,"ParenthesizedExpression")}return t},Zc.parseParenItem=function(e){return e},Zc.parseParenArrowList=function(e,t,n){return this.parseArrowExpression(this.startNodeAt(e,t),n)};var Qc=[];Zc.parseNew=function(){var e=this.startNode(),t=this.parseIdent(!0);if(this.options.ecmaVersion>=6&&this.eat(wc.dot)){e.meta=t;var n=this.containsEsc;return e.property=this.parseIdent(!0),("target"!==e.property.name||n)&&this.raiseRecoverable(e.property.start,"The only valid meta property for new is new.target"),this.inFunction||this.raiseRecoverable(e.start,"new.target can only be used in functions"),this.finishNode(e,"MetaProperty")}var r=this.start,i=this.startLoc;return e.callee=this.parseSubscripts(this.parseExprAtom(),r,i,!0),this.eat(wc.parenL)?e.arguments=this.parseExprList(wc.parenR,this.options.ecmaVersion>=8,!1):e.arguments=Qc,this.finishNode(e,"NewExpression")},Zc.parseTemplateElement=function(e){var t=e.isTagged,n=this.startNode();return this.type===wc.invalidTemplate?(t||this.raiseRecoverable(this.start,"Bad escape sequence in untagged template literal"),n.value={raw:this.value,cooked:null}):n.value={raw:this.input.slice(this.start,this.end).replace(/\r\n?/g,"\n"),cooked:this.value},this.next(),n.tail=this.type===wc.backQuote,this.finishNode(n,"TemplateElement")},Zc.parseTemplate=function(e){void 0===e&&(e={});var t=e.isTagged;void 0===t&&(t=!1);var n=this.startNode();this.next(),n.expressions=[];var r=this.parseTemplateElement({isTagged:t});for(n.quasis=[r];!r.tail;)this.type===wc.eof&&this.raise(this.pos,"Unterminated template literal"),this.expect(wc.dollarBraceL),n.expressions.push(this.parseExpression()),this.expect(wc.braceR),n.quasis.push(r=this.parseTemplateElement({isTagged:t}));return this.next(),this.finishNode(n,"TemplateLiteral")},Zc.isAsyncProp=function(e){return!e.computed&&"Identifier"===e.key.type&&"async"===e.key.name&&(this.type===wc.name||this.type===wc.num||this.type===wc.string||this.type===wc.bracketL||this.type.keyword||this.options.ecmaVersion>=9&&this.type===wc.star)&&!Cc.test(this.input.slice(this.lastTokEnd,this.start))},Zc.parseObj=function(e,t){var n=this.startNode(),r=!0,i={};for(n.properties=[],this.next();!this.eat(wc.braceR);){if(r)r=!1;else if(this.expect(wc.comma),this.afterTrailingComma(wc.braceR))break;var o=this.parseProperty(e,t);e||this.checkPropClash(o,i,t),n.properties.push(o)}return this.finishNode(n,e?"ObjectPattern":"ObjectExpression")},Zc.parseProperty=function(e,t){var n,r,i,o,s=this.startNode();if(this.options.ecmaVersion>=9&&this.eat(wc.ellipsis))return e?(s.argument=this.parseIdent(!1),this.type===wc.comma&&this.raise(this.start,"Comma is not permitted after the rest element"),this.finishNode(s,"RestElement")):(this.type===wc.parenL&&t&&(t.parenthesizedAssign<0&&(t.parenthesizedAssign=this.start),t.parenthesizedBind<0&&(t.parenthesizedBind=this.start)),s.argument=this.parseMaybeAssign(!1,t),this.type===wc.comma&&t&&t.trailingComma<0&&(t.trailingComma=this.start),this.finishNode(s,"SpreadElement"));this.options.ecmaVersion>=6&&(s.method=!1,s.shorthand=!1,(e||t)&&(i=this.start,o=this.startLoc),e||(n=this.eat(wc.star)));var a=this.containsEsc;return this.parsePropertyName(s),!e&&!a&&this.options.ecmaVersion>=8&&!n&&this.isAsyncProp(s)?(r=!0,n=this.options.ecmaVersion>=9&&this.eat(wc.star),this.parsePropertyName(s,t)):r=!1,this.parsePropertyValue(s,e,n,r,i,o,t,a),this.finishNode(s,"Property")},Zc.parsePropertyValue=function(e,t,n,r,i,o,s,a){if((n||r)&&this.type===wc.colon&&this.unexpected(),this.eat(wc.colon))e.value=t?this.parseMaybeDefault(this.start,this.startLoc):this.parseMaybeAssign(!1,s),e.kind="init";else if(this.options.ecmaVersion>=6&&this.type===wc.parenL)t&&this.unexpected(),e.kind="init",e.method=!0,e.value=this.parseMethod(n,r);else if(t||a||!(this.options.ecmaVersion>=5)||e.computed||"Identifier"!==e.key.type||"get"!==e.key.name&&"set"!==e.key.name||this.type===wc.comma||this.type===wc.braceR)this.options.ecmaVersion>=6&&!e.computed&&"Identifier"===e.key.type?(this.checkUnreserved(e.key),e.kind="init",t?e.value=this.parseMaybeDefault(i,o,e.key):this.type===wc.eq&&s?(s.shorthandAssign<0&&(s.shorthandAssign=this.start),e.value=this.parseMaybeDefault(i,o,e.key)):e.value=e.key,e.shorthand=!0):this.unexpected();else{(n||r)&&this.unexpected(),e.kind=e.key.name,this.parsePropertyName(e),e.value=this.parseMethod(!1);var u="get"===e.kind?0:1;if(e.value.params.length!==u){var c=e.value.start;"get"===e.kind?this.raiseRecoverable(c,"getter should have no params"):this.raiseRecoverable(c,"setter should have exactly one param")}else"set"===e.kind&&"RestElement"===e.value.params[0].type&&this.raiseRecoverable(e.value.params[0].start,"Setter cannot use rest params")}},Zc.parsePropertyName=function(e){if(this.options.ecmaVersion>=6){if(this.eat(wc.bracketL))return e.computed=!0,e.key=this.parseMaybeAssign(),this.expect(wc.bracketR),e.key;e.computed=!1}return e.key=this.type===wc.num||this.type===wc.string?this.parseExprAtom():this.parseIdent(!0)},Zc.initFunction=function(e){e.id=null,this.options.ecmaVersion>=6&&(e.generator=!1,e.expression=!1),this.options.ecmaVersion>=8&&(e.async=!1)},Zc.parseMethod=function(e,t){var n=this.startNode(),r=this.inGenerator,i=this.inAsync,o=this.yieldPos,s=this.awaitPos,a=this.inFunction;return this.initFunction(n),this.options.ecmaVersion>=6&&(n.generator=e),this.options.ecmaVersion>=8&&(n.async=!!t),this.inGenerator=n.generator,this.inAsync=n.async,this.yieldPos=0,this.awaitPos=0,this.inFunction=!0,this.enterFunctionScope(),this.expect(wc.parenL),n.params=this.parseBindingList(wc.parenR,!1,this.options.ecmaVersion>=8),this.checkYieldAwaitInDefaultParams(),this.parseFunctionBody(n,!1),this.inGenerator=r,this.inAsync=i,this.yieldPos=o,this.awaitPos=s,this.inFunction=a,this.finishNode(n,"FunctionExpression")},Zc.parseArrowExpression=function(e,t,n){var r=this.inGenerator,i=this.inAsync,o=this.yieldPos,s=this.awaitPos,a=this.inFunction;return this.enterFunctionScope(),this.initFunction(e),this.options.ecmaVersion>=8&&(e.async=!!n),this.inGenerator=!1,this.inAsync=e.async,this.yieldPos=0,this.awaitPos=0,this.inFunction=!0,e.params=this.toAssignableList(t,!0),this.parseFunctionBody(e,!0),this.inGenerator=r,this.inAsync=i,this.yieldPos=o,this.awaitPos=s,this.inFunction=a,this.finishNode(e,"ArrowFunctionExpression")},Zc.parseFunctionBody=function(e,t){var n=t&&this.type!==wc.braceL,r=this.strict,i=!1;if(n)e.body=this.parseMaybeAssign(),e.expression=!0,this.checkParams(e,!1);else{var o=this.options.ecmaVersion>=7&&!this.isSimpleParamList(e.params);r&&!o||(i=this.strictDirective(this.end))&&o&&this.raiseRecoverable(e.start,"Illegal 'use strict' directive in function with non-simple parameter list");var s=this.labels;this.labels=[],i&&(this.strict=!0),this.checkParams(e,!r&&!i&&!t&&this.isSimpleParamList(e.params)),e.body=this.parseBlock(!1),e.expression=!1,this.adaptDirectivePrologue(e.body.body),this.labels=s}this.exitFunctionScope(),this.strict&&e.id&&this.checkLVal(e.id,"none"),this.strict=r},Zc.isSimpleParamList=function(e){for(var t=0,n=e;t0;)t[n]=arguments[n+1];for(var r=0,i=t;r=1;e--){var t=this.context[e];if("function"===t.token)return t.generator}return!1},ul.updateContext=function(e){var t,n=this.type;n.keyword&&e===wc.dot?this.exprAllowed=!1:(t=n.updateContext)?t.call(this,e):this.exprAllowed=n.beforeExpr},wc.parenR.updateContext=wc.braceR.updateContext=function(){if(1!==this.context.length){var e=this.context.pop();e===al.b_stat&&"function"===this.curContext().token&&(e=this.context.pop()),this.exprAllowed=!e.isExpr}else this.exprAllowed=!0},wc.braceL.updateContext=function(e){this.context.push(this.braceIsBlock(e)?al.b_stat:al.b_expr),this.exprAllowed=!0},wc.dollarBraceL.updateContext=function(){this.context.push(al.b_tmpl),this.exprAllowed=!0},wc.parenL.updateContext=function(e){var t=e===wc._if||e===wc._for||e===wc._with||e===wc._while;this.context.push(t?al.p_stat:al.p_expr),this.exprAllowed=!0},wc.incDec.updateContext=function(){},wc._function.updateContext=wc._class.updateContext=function(e){e.beforeExpr&&e!==wc.semi&&e!==wc._else&&(e!==wc.colon&&e!==wc.braceL||this.curContext()!==al.b_stat)?this.context.push(al.f_expr):this.context.push(al.f_stat),this.exprAllowed=!1},wc.backQuote.updateContext=function(){this.curContext()===al.q_tmpl?this.context.pop():this.context.push(al.q_tmpl),this.exprAllowed=!1},wc.star.updateContext=function(e){if(e===wc._function){var t=this.context.length-1;this.context[t]===al.f_expr?this.context[t]=al.f_expr_gen:this.context[t]=al.f_gen}this.exprAllowed=!0},wc.name.updateContext=function(e){var t=!1;this.options.ecmaVersion>=6&&e!==wc.dot&&("of"===this.value&&!this.exprAllowed||"yield"===this.value&&this.inGeneratorContext())&&(t=!0),this.exprAllowed=t};var cl={$LONE:["ASCII","ASCII_Hex_Digit","AHex","Alphabetic","Alpha","Any","Assigned","Bidi_Control","Bidi_C","Bidi_Mirrored","Bidi_M","Case_Ignorable","CI","Cased","Changes_When_Casefolded","CWCF","Changes_When_Casemapped","CWCM","Changes_When_Lowercased","CWL","Changes_When_NFKC_Casefolded","CWKCF","Changes_When_Titlecased","CWT","Changes_When_Uppercased","CWU","Dash","Default_Ignorable_Code_Point","DI","Deprecated","Dep","Diacritic","Dia","Emoji","Emoji_Component","Emoji_Modifier","Emoji_Modifier_Base","Emoji_Presentation","Extender","Ext","Grapheme_Base","Gr_Base","Grapheme_Extend","Gr_Ext","Hex_Digit","Hex","IDS_Binary_Operator","IDSB","IDS_Trinary_Operator","IDST","ID_Continue","IDC","ID_Start","IDS","Ideographic","Ideo","Join_Control","Join_C","Logical_Order_Exception","LOE","Lowercase","Lower","Math","Noncharacter_Code_Point","NChar","Pattern_Syntax","Pat_Syn","Pattern_White_Space","Pat_WS","Quotation_Mark","QMark","Radical","Regional_Indicator","RI","Sentence_Terminal","STerm","Soft_Dotted","SD","Terminal_Punctuation","Term","Unified_Ideograph","UIdeo","Uppercase","Upper","Variation_Selector","VS","White_Space","space","XID_Continue","XIDC","XID_Start","XIDS"],General_Category:["Cased_Letter","LC","Close_Punctuation","Pe","Connector_Punctuation","Pc","Control","Cc","cntrl","Currency_Symbol","Sc","Dash_Punctuation","Pd","Decimal_Number","Nd","digit","Enclosing_Mark","Me","Final_Punctuation","Pf","Format","Cf","Initial_Punctuation","Pi","Letter","L","Letter_Number","Nl","Line_Separator","Zl","Lowercase_Letter","Ll","Mark","M","Combining_Mark","Math_Symbol","Sm","Modifier_Letter","Lm","Modifier_Symbol","Sk","Nonspacing_Mark","Mn","Number","N","Open_Punctuation","Ps","Other","C","Other_Letter","Lo","Other_Number","No","Other_Punctuation","Po","Other_Symbol","So","Paragraph_Separator","Zp","Private_Use","Co","Punctuation","P","punct","Separator","Z","Space_Separator","Zs","Spacing_Mark","Mc","Surrogate","Cs","Symbol","S","Titlecase_Letter","Lt","Unassigned","Cn","Uppercase_Letter","Lu"],Script:["Adlam","Adlm","Ahom","Anatolian_Hieroglyphs","Hluw","Arabic","Arab","Armenian","Armn","Avestan","Avst","Balinese","Bali","Bamum","Bamu","Bassa_Vah","Bass","Batak","Batk","Bengali","Beng","Bhaiksuki","Bhks","Bopomofo","Bopo","Brahmi","Brah","Braille","Brai","Buginese","Bugi","Buhid","Buhd","Canadian_Aboriginal","Cans","Carian","Cari","Caucasian_Albanian","Aghb","Chakma","Cakm","Cham","Cherokee","Cher","Common","Zyyy","Coptic","Copt","Qaac","Cuneiform","Xsux","Cypriot","Cprt","Cyrillic","Cyrl","Deseret","Dsrt","Devanagari","Deva","Duployan","Dupl","Egyptian_Hieroglyphs","Egyp","Elbasan","Elba","Ethiopic","Ethi","Georgian","Geor","Glagolitic","Glag","Gothic","Goth","Grantha","Gran","Greek","Grek","Gujarati","Gujr","Gurmukhi","Guru","Han","Hani","Hangul","Hang","Hanunoo","Hano","Hatran","Hatr","Hebrew","Hebr","Hiragana","Hira","Imperial_Aramaic","Armi","Inherited","Zinh","Qaai","Inscriptional_Pahlavi","Phli","Inscriptional_Parthian","Prti","Javanese","Java","Kaithi","Kthi","Kannada","Knda","Katakana","Kana","Kayah_Li","Kali","Kharoshthi","Khar","Khmer","Khmr","Khojki","Khoj","Khudawadi","Sind","Lao","Laoo","Latin","Latn","Lepcha","Lepc","Limbu","Limb","Linear_A","Lina","Linear_B","Linb","Lisu","Lycian","Lyci","Lydian","Lydi","Mahajani","Mahj","Malayalam","Mlym","Mandaic","Mand","Manichaean","Mani","Marchen","Marc","Masaram_Gondi","Gonm","Meetei_Mayek","Mtei","Mende_Kikakui","Mend","Meroitic_Cursive","Merc","Meroitic_Hieroglyphs","Mero","Miao","Plrd","Modi","Mongolian","Mong","Mro","Mroo","Multani","Mult","Myanmar","Mymr","Nabataean","Nbat","New_Tai_Lue","Talu","Newa","Nko","Nkoo","Nushu","Nshu","Ogham","Ogam","Ol_Chiki","Olck","Old_Hungarian","Hung","Old_Italic","Ital","Old_North_Arabian","Narb","Old_Permic","Perm","Old_Persian","Xpeo","Old_South_Arabian","Sarb","Old_Turkic","Orkh","Oriya","Orya","Osage","Osge","Osmanya","Osma","Pahawh_Hmong","Hmng","Palmyrene","Palm","Pau_Cin_Hau","Pauc","Phags_Pa","Phag","Phoenician","Phnx","Psalter_Pahlavi","Phlp","Rejang","Rjng","Runic","Runr","Samaritan","Samr","Saurashtra","Saur","Sharada","Shrd","Shavian","Shaw","Siddham","Sidd","SignWriting","Sgnw","Sinhala","Sinh","Sora_Sompeng","Sora","Soyombo","Soyo","Sundanese","Sund","Syloti_Nagri","Sylo","Syriac","Syrc","Tagalog","Tglg","Tagbanwa","Tagb","Tai_Le","Tale","Tai_Tham","Lana","Tai_Viet","Tavt","Takri","Takr","Tamil","Taml","Tangut","Tang","Telugu","Telu","Thaana","Thaa","Thai","Tibetan","Tibt","Tifinagh","Tfng","Tirhuta","Tirh","Ugaritic","Ugar","Vai","Vaii","Warang_Citi","Wara","Yi","Yiii","Zanabazar_Square","Zanb"]};Array.prototype.push.apply(cl.$LONE,cl.General_Category),cl.gc=cl.General_Category,cl.sc=cl.Script_Extensions=cl.scx=cl.Script;var ll=qc.prototype,hl=function(e){this.parser=e,this.validFlags="gim"+(e.options.ecmaVersion>=6?"uy":"")+(e.options.ecmaVersion>=9?"s":""),this.source="",this.flags="",this.start=0,this.switchU=!1,this.switchN=!1,this.pos=0,this.lastIntValue=0,this.lastStringValue="",this.lastAssertionIsQuantifiable=!1,this.numCapturingParens=0,this.maxBackReference=0,this.groupNames=[],this.backReferenceNames=[]};function fl(e){return e<=65535?String.fromCharCode(e):(e-=65536,String.fromCharCode(55296+(e>>10),56320+(1023&e)))}function pl(e){return 36===e||e>=40&&e<=43||46===e||63===e||e>=91&&e<=94||e>=123&&e<=125}function dl(e){return e>=65&&e<=90||e>=97&&e<=122}function ml(e){return dl(e)||95===e}function gl(e){return ml(e)||vl(e)}function vl(e){return e>=48&&e<=57}function yl(e){return e>=48&&e<=57||e>=65&&e<=70||e>=97&&e<=102}function _l(e){return e>=65&&e<=70?e-65+10:e>=97&&e<=102?e-97+10:e-48}function El(e){return e>=48&&e<=55}hl.prototype.reset=function(e,t,n){var r=-1!==n.indexOf("u");this.start=0|e,this.source=t+"",this.flags=n,this.switchU=r&&this.parser.options.ecmaVersion>=6,this.switchN=r&&this.parser.options.ecmaVersion>=9},hl.prototype.raise=function(e){this.parser.raiseRecoverable(this.start,"Invalid regular expression: /"+this.source+"/: "+e)},hl.prototype.at=function(e){var t=this.source,n=t.length;if(e>=n)return-1;var r=t.charCodeAt(e);return!this.switchU||r<=55295||r>=57344||e+1>=n?r:(r<<10)+t.charCodeAt(e+1)-56613888},hl.prototype.nextIndex=function(e){var t=this.source,n=t.length;if(e>=n)return n;var r=t.charCodeAt(e);return!this.switchU||r<=55295||r>=57344||e+1>=n?e+1:e+2},hl.prototype.current=function(){return this.at(this.pos)},hl.prototype.lookahead=function(){return this.at(this.nextIndex(this.pos))},hl.prototype.advance=function(){this.pos=this.nextIndex(this.pos)},hl.prototype.eat=function(e){return this.current()===e&&(this.advance(),!0)},ll.validateRegExpFlags=function(e){for(var t=e.validFlags,n=e.flags,r=0;r-1&&this.raise(e.start,"Duplicate regular expression flag")}},ll.validateRegExpPattern=function(e){this.regexp_pattern(e),!e.switchN&&this.options.ecmaVersion>=9&&e.groupNames.length>0&&(e.switchN=!0,this.regexp_pattern(e))},ll.regexp_pattern=function(e){e.pos=0,e.lastIntValue=0,e.lastStringValue="",e.lastAssertionIsQuantifiable=!1,e.numCapturingParens=0,e.maxBackReference=0,e.groupNames.length=0,e.backReferenceNames.length=0,this.regexp_disjunction(e),e.pos!==e.source.length&&(e.eat(41)&&e.raise("Unmatched ')'"),(e.eat(93)||e.eat(125))&&e.raise("Lone quantifier brackets")),e.maxBackReference>e.numCapturingParens&&e.raise("Invalid escape");for(var t=0,n=e.backReferenceNames;t=9&&(n=e.eat(60)),e.eat(61)||e.eat(33))return this.regexp_disjunction(e),e.eat(41)||e.raise("Unterminated group"),e.lastAssertionIsQuantifiable=!n,!0}return e.pos=t,!1},ll.regexp_eatQuantifier=function(e,t){return void 0===t&&(t=!1),!!this.regexp_eatQuantifierPrefix(e,t)&&(e.eat(63),!0)},ll.regexp_eatQuantifierPrefix=function(e,t){return e.eat(42)||e.eat(43)||e.eat(63)||this.regexp_eatBracedQuantifier(e,t)},ll.regexp_eatBracedQuantifier=function(e,t){var n=e.pos;if(e.eat(123)){var r=0,i=-1;if(this.regexp_eatDecimalDigits(e)&&(r=e.lastIntValue,e.eat(44)&&this.regexp_eatDecimalDigits(e)&&(i=e.lastIntValue),e.eat(125)))return-1!==i&&i=9?this.regexp_groupSpecifier(e):63===e.current()&&e.raise("Invalid group"),this.regexp_disjunction(e),e.eat(41))return e.numCapturingParens+=1,!0;e.raise("Unterminated group")}return!1},ll.regexp_eatExtendedAtom=function(e){return e.eat(46)||this.regexp_eatReverseSolidusAtomEscape(e)||this.regexp_eatCharacterClass(e)||this.regexp_eatUncapturingGroup(e)||this.regexp_eatCapturingGroup(e)||this.regexp_eatInvalidBracedQuantifier(e)||this.regexp_eatExtendedPatternCharacter(e)},ll.regexp_eatInvalidBracedQuantifier=function(e){return this.regexp_eatBracedQuantifier(e,!0)&&e.raise("Nothing to repeat"),!1},ll.regexp_eatSyntaxCharacter=function(e){var t=e.current();return!!pl(t)&&(e.lastIntValue=t,e.advance(),!0)},ll.regexp_eatPatternCharacters=function(e){for(var t=e.pos,n=0;-1!==(n=e.current())&&!pl(n);)e.advance();return e.pos!==t},ll.regexp_eatExtendedPatternCharacter=function(e){var t=e.current();return!(-1===t||36===t||t>=40&&t<=43||46===t||63===t||91===t||94===t||124===t)&&(e.advance(),!0)},ll.regexp_groupSpecifier=function(e){if(e.eat(63)){if(this.regexp_eatGroupName(e))return-1!==e.groupNames.indexOf(e.lastStringValue)&&e.raise("Duplicate capture group name"),void e.groupNames.push(e.lastStringValue);e.raise("Invalid group")}},ll.regexp_eatGroupName=function(e){if(e.lastStringValue="",e.eat(60)){if(this.regexp_eatRegExpIdentifierName(e)&&e.eat(62))return!0;e.raise("Invalid capture group name")}return!1},ll.regexp_eatRegExpIdentifierName=function(e){if(e.lastStringValue="",this.regexp_eatRegExpIdentifierStart(e)){for(e.lastStringValue+=fl(e.lastIntValue);this.regexp_eatRegExpIdentifierPart(e);)e.lastStringValue+=fl(e.lastIntValue);return!0}return!1},ll.regexp_eatRegExpIdentifierStart=function(e){var t=e.pos,n=e.current();return e.advance(),92===n&&this.regexp_eatRegExpUnicodeEscapeSequence(e)&&(n=e.lastIntValue),function(e){return vc(e,!0)||36===e||95===e}(n)?(e.lastIntValue=n,!0):(e.pos=t,!1)},ll.regexp_eatRegExpIdentifierPart=function(e){var t=e.pos,n=e.current();return e.advance(),92===n&&this.regexp_eatRegExpUnicodeEscapeSequence(e)&&(n=e.lastIntValue),function(e){return yc(e,!0)||36===e||95===e||8204===e||8205===e}(n)?(e.lastIntValue=n,!0):(e.pos=t,!1)},ll.regexp_eatAtomEscape=function(e){return!!(this.regexp_eatBackReference(e)||this.regexp_eatCharacterClassEscape(e)||this.regexp_eatCharacterEscape(e)||e.switchN&&this.regexp_eatKGroupName(e))||(e.switchU&&(99===e.current()&&e.raise("Invalid unicode escape"),e.raise("Invalid escape")),!1)},ll.regexp_eatBackReference=function(e){var t=e.pos;if(this.regexp_eatDecimalEscape(e)){var n=e.lastIntValue;if(e.switchU)return n>e.maxBackReference&&(e.maxBackReference=n),!0;if(n<=e.numCapturingParens)return!0;e.pos=t}return!1},ll.regexp_eatKGroupName=function(e){if(e.eat(107)){if(this.regexp_eatGroupName(e))return e.backReferenceNames.push(e.lastStringValue),!0;e.raise("Invalid named reference")}return!1},ll.regexp_eatCharacterEscape=function(e){return this.regexp_eatControlEscape(e)||this.regexp_eatCControlLetter(e)||this.regexp_eatZero(e)||this.regexp_eatHexEscapeSequence(e)||this.regexp_eatRegExpUnicodeEscapeSequence(e)||!e.switchU&&this.regexp_eatLegacyOctalEscapeSequence(e)||this.regexp_eatIdentityEscape(e)},ll.regexp_eatCControlLetter=function(e){var t=e.pos;if(e.eat(99)){if(this.regexp_eatControlLetter(e))return!0;e.pos=t}return!1},ll.regexp_eatZero=function(e){return 48===e.current()&&!vl(e.lookahead())&&(e.lastIntValue=0,e.advance(),!0)},ll.regexp_eatControlEscape=function(e){var t=e.current();return 116===t?(e.lastIntValue=9,e.advance(),!0):110===t?(e.lastIntValue=10,e.advance(),!0):118===t?(e.lastIntValue=11,e.advance(),!0):102===t?(e.lastIntValue=12,e.advance(),!0):114===t&&(e.lastIntValue=13,e.advance(),!0)},ll.regexp_eatControlLetter=function(e){var t=e.current();return!!dl(t)&&(e.lastIntValue=t%32,e.advance(),!0)},ll.regexp_eatRegExpUnicodeEscapeSequence=function(e){var t,n=e.pos;if(e.eat(117)){if(this.regexp_eatFixedHexDigits(e,4)){var r=e.lastIntValue;if(e.switchU&&r>=55296&&r<=56319){var i=e.pos;if(e.eat(92)&&e.eat(117)&&this.regexp_eatFixedHexDigits(e,4)){var o=e.lastIntValue;if(o>=56320&&o<=57343)return e.lastIntValue=1024*(r-55296)+(o-56320)+65536,!0}e.pos=i,e.lastIntValue=r}return!0}if(e.switchU&&e.eat(123)&&this.regexp_eatHexDigits(e)&&e.eat(125)&&((t=e.lastIntValue)>=0&&t<=1114111))return!0;e.switchU&&e.raise("Invalid unicode escape"),e.pos=n}return!1},ll.regexp_eatIdentityEscape=function(e){if(e.switchU)return!!this.regexp_eatSyntaxCharacter(e)||!!e.eat(47)&&(e.lastIntValue=47,!0);var t=e.current();return!(99===t||e.switchN&&107===t)&&(e.lastIntValue=t,e.advance(),!0)},ll.regexp_eatDecimalEscape=function(e){e.lastIntValue=0;var t=e.current();if(t>=49&&t<=57){do{e.lastIntValue=10*e.lastIntValue+(t-48),e.advance()}while((t=e.current())>=48&&t<=57);return!0}return!1},ll.regexp_eatCharacterClassEscape=function(e){var t=e.current();if(function(e){return 100===e||68===e||115===e||83===e||119===e||87===e}(t))return e.lastIntValue=-1,e.advance(),!0;if(e.switchU&&this.options.ecmaVersion>=9&&(80===t||112===t)){if(e.lastIntValue=-1,e.advance(),e.eat(123)&&this.regexp_eatUnicodePropertyValueExpression(e)&&e.eat(125))return!0;e.raise("Invalid property name")}return!1},ll.regexp_eatUnicodePropertyValueExpression=function(e){var t=e.pos;if(this.regexp_eatUnicodePropertyName(e)&&e.eat(61)){var n=e.lastStringValue;if(this.regexp_eatUnicodePropertyValue(e)){var r=e.lastStringValue;return this.regexp_validateUnicodePropertyNameAndValue(e,n,r),!0}}if(e.pos=t,this.regexp_eatLoneUnicodePropertyNameOrValue(e)){var i=e.lastStringValue;return this.regexp_validateUnicodePropertyNameOrValue(e,i),!0}return!1},ll.regexp_validateUnicodePropertyNameAndValue=function(e,t,n){cl.hasOwnProperty(t)&&-1!==cl[t].indexOf(n)||e.raise("Invalid property name")},ll.regexp_validateUnicodePropertyNameOrValue=function(e,t){-1===cl.$LONE.indexOf(t)&&e.raise("Invalid property name")},ll.regexp_eatUnicodePropertyName=function(e){var t=0;for(e.lastStringValue="";ml(t=e.current());)e.lastStringValue+=fl(t),e.advance();return""!==e.lastStringValue},ll.regexp_eatUnicodePropertyValue=function(e){var t=0;for(e.lastStringValue="";gl(t=e.current());)e.lastStringValue+=fl(t),e.advance();return""!==e.lastStringValue},ll.regexp_eatLoneUnicodePropertyNameOrValue=function(e){return this.regexp_eatUnicodePropertyValue(e)},ll.regexp_eatCharacterClass=function(e){if(e.eat(91)){if(e.eat(94),this.regexp_classRanges(e),e.eat(93))return!0;e.raise("Unterminated character class")}return!1},ll.regexp_classRanges=function(e){for(;this.regexp_eatClassAtom(e);){var t=e.lastIntValue;if(e.eat(45)&&this.regexp_eatClassAtom(e)){var n=e.lastIntValue;!e.switchU||-1!==t&&-1!==n||e.raise("Invalid character class"),-1!==t&&-1!==n&&t>n&&e.raise("Range out of order in character class")}}},ll.regexp_eatClassAtom=function(e){var t=e.pos;if(e.eat(92)){if(this.regexp_eatClassEscape(e))return!0;if(e.switchU){var n=e.current();(99===n||El(n))&&e.raise("Invalid class escape"),e.raise("Invalid escape")}e.pos=t}var r=e.current();return 93!==r&&(e.lastIntValue=r,e.advance(),!0)},ll.regexp_eatClassEscape=function(e){var t=e.pos;if(e.eat(98))return e.lastIntValue=8,!0;if(e.switchU&&e.eat(45))return e.lastIntValue=45,!0;if(!e.switchU&&e.eat(99)){if(this.regexp_eatClassControlLetter(e))return!0;e.pos=t}return this.regexp_eatCharacterClassEscape(e)||this.regexp_eatCharacterEscape(e)},ll.regexp_eatClassControlLetter=function(e){var t=e.current();return!(!vl(t)&&95!==t)&&(e.lastIntValue=t%32,e.advance(),!0)},ll.regexp_eatHexEscapeSequence=function(e){var t=e.pos;if(e.eat(120)){if(this.regexp_eatFixedHexDigits(e,2))return!0;e.switchU&&e.raise("Invalid escape"),e.pos=t}return!1},ll.regexp_eatDecimalDigits=function(e){var t=e.pos,n=0;for(e.lastIntValue=0;vl(n=e.current());)e.lastIntValue=10*e.lastIntValue+(n-48),e.advance();return e.pos!==t},ll.regexp_eatHexDigits=function(e){var t=e.pos,n=0;for(e.lastIntValue=0;yl(n=e.current());)e.lastIntValue=16*e.lastIntValue+_l(n),e.advance();return e.pos!==t},ll.regexp_eatLegacyOctalEscapeSequence=function(e){if(this.regexp_eatOctalDigit(e)){var t=e.lastIntValue;if(this.regexp_eatOctalDigit(e)){var n=e.lastIntValue;t<=3&&this.regexp_eatOctalDigit(e)?e.lastIntValue=64*t+8*n+e.lastIntValue:e.lastIntValue=8*t+n}else e.lastIntValue=t;return!0}return!1},ll.regexp_eatOctalDigit=function(e){var t=e.current();return El(t)?(e.lastIntValue=t-48,e.advance(),!0):(e.lastIntValue=0,!1)},ll.regexp_eatFixedHexDigits=function(e,t){var n=e.pos;e.lastIntValue=0;for(var r=0;r>10),56320+(1023&e)))}Dl.next=function(){this.options.onToken&&this.options.onToken(new bl(this)),this.lastTokEnd=this.end,this.lastTokStart=this.start,this.lastTokEndLoc=this.endLoc,this.lastTokStartLoc=this.startLoc,this.nextToken()},Dl.getToken=function(){return this.next(),new bl(this)},"undefined"!=typeof Symbol&&(Dl[Symbol.iterator]=function(){var e=this;return{next:function(){var t=e.getToken();return{done:t.type===wc.eof,value:t}}}}),Dl.curContext=function(){return this.context[this.context.length-1]},Dl.nextToken=function(){var e=this.curContext();return e&&e.preserveSpace||this.skipSpace(),this.start=this.pos,this.options.locations&&(this.startLoc=this.curPosition()),this.pos>=this.input.length?this.finishToken(wc.eof):e.override?e.override(this):void this.readToken(this.fullCharCodeAtPos())},Dl.readToken=function(e){return vc(e,this.options.ecmaVersion>=6)||92===e?this.readWord():this.getTokenFromCode(e)},Dl.fullCharCodeAtPos=function(){var e=this.input.charCodeAt(this.pos);return e<=55295||e>=57344?e:(e<<10)+this.input.charCodeAt(this.pos+1)-56613888},Dl.skipBlockComment=function(){var e,t=this.options.onComment&&this.curPosition(),n=this.pos,r=this.input.indexOf("*/",this.pos+=2);if(-1===r&&this.raise(this.pos-2,"Unterminated comment"),this.pos=r+2,this.options.locations)for(Fc.lastIndex=n;(e=Fc.exec(this.input))&&e.index8&&e<14||e>=5760&&kc.test(String.fromCharCode(e))))break e;++this.pos}}},Dl.finishToken=function(e,t){this.end=this.pos,this.options.locations&&(this.endLoc=this.curPosition());var n=this.type;this.type=e,this.value=t,this.updateContext(n)},Dl.readToken_dot=function(){var e=this.input.charCodeAt(this.pos+1);if(e>=48&&e<=57)return this.readNumber(!0);var t=this.input.charCodeAt(this.pos+2);return this.options.ecmaVersion>=6&&46===e&&46===t?(this.pos+=3,this.finishToken(wc.ellipsis)):(++this.pos,this.finishToken(wc.dot))},Dl.readToken_slash=function(){var e=this.input.charCodeAt(this.pos+1);return this.exprAllowed?(++this.pos,this.readRegexp()):61===e?this.finishOp(wc.assign,2):this.finishOp(wc.slash,1)},Dl.readToken_mult_modulo_exp=function(e){var t=this.input.charCodeAt(this.pos+1),n=1,r=42===e?wc.star:wc.modulo;return this.options.ecmaVersion>=7&&42===e&&42===t&&(++n,r=wc.starstar,t=this.input.charCodeAt(this.pos+2)),61===t?this.finishOp(wc.assign,n+1):this.finishOp(r,n)},Dl.readToken_pipe_amp=function(e){var t=this.input.charCodeAt(this.pos+1);return t===e?this.finishOp(124===e?wc.logicalOR:wc.logicalAND,2):61===t?this.finishOp(wc.assign,2):this.finishOp(124===e?wc.bitwiseOR:wc.bitwiseAND,1)},Dl.readToken_caret=function(){return 61===this.input.charCodeAt(this.pos+1)?this.finishOp(wc.assign,2):this.finishOp(wc.bitwiseXOR,1)},Dl.readToken_plus_min=function(e){var t=this.input.charCodeAt(this.pos+1);return t===e?45!==t||this.inModule||62!==this.input.charCodeAt(this.pos+2)||0!==this.lastTokEnd&&!Cc.test(this.input.slice(this.lastTokEnd,this.pos))?this.finishOp(wc.incDec,2):(this.skipLineComment(3),this.skipSpace(),this.nextToken()):61===t?this.finishOp(wc.assign,2):this.finishOp(wc.plusMin,1)},Dl.readToken_lt_gt=function(e){var t=this.input.charCodeAt(this.pos+1),n=1;return t===e?(n=62===e&&62===this.input.charCodeAt(this.pos+2)?3:2,61===this.input.charCodeAt(this.pos+n)?this.finishOp(wc.assign,n+1):this.finishOp(wc.bitShift,n)):33!==t||60!==e||this.inModule||45!==this.input.charCodeAt(this.pos+2)||45!==this.input.charCodeAt(this.pos+3)?(61===t&&(n=2),this.finishOp(wc.relational,n)):(this.skipLineComment(4),this.skipSpace(),this.nextToken())},Dl.readToken_eq_excl=function(e){var t=this.input.charCodeAt(this.pos+1);return 61===t?this.finishOp(wc.equality,61===this.input.charCodeAt(this.pos+2)?3:2):61===e&&62===t&&this.options.ecmaVersion>=6?(this.pos+=2,this.finishToken(wc.arrow)):this.finishOp(61===e?wc.eq:wc.prefix,1)},Dl.getTokenFromCode=function(e){switch(e){case 46:return this.readToken_dot();case 40:return++this.pos,this.finishToken(wc.parenL);case 41:return++this.pos,this.finishToken(wc.parenR);case 59:return++this.pos,this.finishToken(wc.semi);case 44:return++this.pos,this.finishToken(wc.comma);case 91:return++this.pos,this.finishToken(wc.bracketL);case 93:return++this.pos,this.finishToken(wc.bracketR);case 123:return++this.pos,this.finishToken(wc.braceL);case 125:return++this.pos,this.finishToken(wc.braceR);case 58:return++this.pos,this.finishToken(wc.colon);case 63:return++this.pos,this.finishToken(wc.question);case 96:if(this.options.ecmaVersion<6)break;return++this.pos,this.finishToken(wc.backQuote);case 48:var t=this.input.charCodeAt(this.pos+1);if(120===t||88===t)return this.readRadixNumber(16);if(this.options.ecmaVersion>=6){if(111===t||79===t)return this.readRadixNumber(8);if(98===t||66===t)return this.readRadixNumber(2)}case 49:case 50:case 51:case 52:case 53:case 54:case 55:case 56:case 57:return this.readNumber(!1);case 34:case 39:return this.readString(e);case 47:return this.readToken_slash();case 37:case 42:return this.readToken_mult_modulo_exp(e);case 124:case 38:return this.readToken_pipe_amp(e);case 94:return this.readToken_caret();case 43:case 45:return this.readToken_plus_min(e);case 60:case 62:return this.readToken_lt_gt(e);case 61:case 33:return this.readToken_eq_excl(e);case 126:return this.finishOp(wc.prefix,1)}this.raise(this.pos,"Unexpected character '"+Al(e)+"'")},Dl.finishOp=function(e,t){var n=this.input.slice(this.pos,this.pos+t);return this.pos+=t,this.finishToken(e,n)},Dl.readRegexp=function(){for(var e,t,n=this.pos;;){this.pos>=this.input.length&&this.raise(n,"Unterminated regular expression");var r=this.input.charAt(this.pos);if(Cc.test(r)&&this.raise(n,"Unterminated regular expression"),e)e=!1;else{if("["===r)t=!0;else if("]"===r&&t)t=!1;else if("/"===r&&!t)break;e="\\"===r}++this.pos}var i=this.input.slice(n,this.pos);++this.pos;var o=this.pos,s=this.readWord1();this.containsEsc&&this.unexpected(o);var a=this.regexpState||(this.regexpState=new hl(this));a.reset(n,i,s),this.validateRegExpFlags(a),this.validateRegExpPattern(a);var u=null;try{u=new RegExp(i,s)}catch(e){}return this.finishToken(wc.regexp,{pattern:i,flags:s,value:u})},Dl.readInt=function(e,t){for(var n=this.pos,r=0,i=0,o=null==t?1/0:t;i=97?s-97+10:s>=65?s-65+10:s>=48&&s<=57?s-48:1/0)>=e)break;++this.pos,r=r*e+a}return this.pos===n||null!=t&&this.pos-n!==t?null:r},Dl.readRadixNumber=function(e){this.pos+=2;var t=this.readInt(e);return null==t&&this.raise(this.start+2,"Expected number in radix "+e),vc(this.fullCharCodeAtPos())&&this.raise(this.pos,"Identifier directly after number"),this.finishToken(wc.num,t)},Dl.readNumber=function(e){var t=this.pos;e||null!==this.readInt(10)||this.raise(t,"Invalid number");var n=this.pos-t>=2&&48===this.input.charCodeAt(t);n&&this.strict&&this.raise(t,"Invalid number"),n&&/[89]/.test(this.input.slice(t,this.pos))&&(n=!1);var r=this.input.charCodeAt(this.pos);46!==r||n||(++this.pos,this.readInt(10),r=this.input.charCodeAt(this.pos)),69!==r&&101!==r||n||(43!==(r=this.input.charCodeAt(++this.pos))&&45!==r||++this.pos,null===this.readInt(10)&&this.raise(t,"Invalid number")),vc(this.fullCharCodeAtPos())&&this.raise(this.pos,"Identifier directly after number");var i=this.input.slice(t,this.pos),o=n?parseInt(i,8):parseFloat(i);return this.finishToken(wc.num,o)},Dl.readCodePoint=function(){var e;if(123===this.input.charCodeAt(this.pos)){this.options.ecmaVersion<6&&this.unexpected();var t=++this.pos;e=this.readHexChar(this.input.indexOf("}",this.pos)-this.pos),++this.pos,e>1114111&&this.invalidStringToken(t,"Code point out of bounds")}else e=this.readHexChar(4);return e},Dl.readString=function(e){for(var t="",n=++this.pos;;){this.pos>=this.input.length&&this.raise(this.start,"Unterminated string constant");var r=this.input.charCodeAt(this.pos);if(r===e)break;92===r?(t+=this.input.slice(n,this.pos),t+=this.readEscapedChar(!1),n=this.pos):(Sc(r,this.options.ecmaVersion>=10)&&this.raise(this.start,"Unterminated string constant"),++this.pos)}return t+=this.input.slice(n,this.pos++),this.finishToken(wc.string,t)};var xl={};Dl.tryReadTemplateToken=function(){this.inTemplateElement=!0;try{this.readTmplToken()}catch(e){if(e!==xl)throw e;this.readInvalidTemplateToken()}this.inTemplateElement=!1},Dl.invalidStringToken=function(e,t){if(this.inTemplateElement&&this.options.ecmaVersion>=9)throw xl;this.raise(e,t)},Dl.readTmplToken=function(){for(var e="",t=this.pos;;){this.pos>=this.input.length&&this.raise(this.start,"Unterminated template");var n=this.input.charCodeAt(this.pos);if(96===n||36===n&&123===this.input.charCodeAt(this.pos+1))return this.pos!==this.start||this.type!==wc.template&&this.type!==wc.invalidTemplate?(e+=this.input.slice(t,this.pos),this.finishToken(wc.template,e)):36===n?(this.pos+=2,this.finishToken(wc.dollarBraceL)):(++this.pos,this.finishToken(wc.backQuote));if(92===n)e+=this.input.slice(t,this.pos),e+=this.readEscapedChar(!0),t=this.pos;else if(Sc(n)){switch(e+=this.input.slice(t,this.pos),++this.pos,n){case 13:10===this.input.charCodeAt(this.pos)&&++this.pos;case 10:e+="\n";break;default:e+=String.fromCharCode(n)}this.options.locations&&(++this.curLine,this.lineStart=this.pos),t=this.pos}else++this.pos}},Dl.readInvalidTemplateToken=function(){for(;this.pos=48&&t<=55){var n=this.input.substr(this.pos-1,3).match(/^[0-7]+/)[0],r=parseInt(n,8);return r>255&&(n=n.slice(0,-1),r=parseInt(n,8)),this.pos+=n.length-1,t=this.input.charCodeAt(this.pos),"0"===n&&56!==t&&57!==t||!this.strict&&!e||this.invalidStringToken(this.pos-1-n.length,e?"Octal literal in template string":"Octal literal in strict mode"),String.fromCharCode(r)}return String.fromCharCode(t)}},Dl.readHexChar=function(e){var t=this.pos,n=this.readInt(16,e);return null===n&&this.invalidStringToken(t,"Bad character escape sequence"),n},Dl.readWord1=function(){this.containsEsc=!1;for(var e="",t=!0,n=this.pos,r=this.options.ecmaVersion>=6;this.pos{Rl.lastIndex=e.pos;let t=Rl.exec(e.input),n=e.pos+t[0].length;return"."===e.input.slice(n,n+1)};return e.plugins.importMeta=function(e){e.extend("parseExprAtom",function(e){return function(r){if(this.type!==t._import||!n(this))return e.call(this,r);this.options.allowImportExportEverywhere||this.inModule||this.raise(this.start,"'import' and 'export' may appear only with 'sourceType: module'");let i=this.startNode();return i.meta=this.parseIdent(!0),this.expect(t.dot),i.property=this.parseIdent(!0),"meta"!==i.property.name&&this.raiseRecoverable(i.property.start,"The only valid meta property for import is import.meta"),this.finishNode(i,"MetaProperty")}}),e.extend("parseStatement",function(e){return function(r,i,o){if(this.type!==t._import)return e.call(this,r,i,o);if(!n(this))return e.call(this,r,i,o);let s=this.startNode(),a=this.parseExpression();return this.parseExpressionStatement(s,a)}})},e},Pl=function(e){function t(){return e.call(this,"undefined")||this}return Zr(t,e),t.prototype.getLiteralValueAtPath=function(){},t}(To),Tl=function(e){function t(){var t=e.call(this)||this;return t.variables.undefined=new Pl,t}return Zr(t,e),t.prototype.findVariable=function(e){return this.variables[e]?this.variables[e]:this.variables[e]=new Wo(e)},t.prototype.deshadow=function(t,n){void 0===n&&(n=this.children),e.prototype.deshadow.call(this,t,n)},t}(Rs),Nl=function(){return{tracked:!1,unknownPath:null,paths:Object.create(null)}},Ml=function(){function e(){this.entityPaths=new Map}return e.prototype.track=function(e,t){var n=this.entityPaths.get(e);n||(n=Nl(),this.entityPaths.set(e,n));for(var r,i=0;i=this.cacheExpiry?delete t[o]:n=!1}n&&delete this.pluginCache[e]}return{modules:this.modules.map(function(e){return e.toJSON()}),plugins:this.pluginCache}},e.prototype.finaliseAssets=function(e){var t=Object.create(null);return this.assetsById.forEach(function(n){void 0!==n.source&&jl(n,t,e)}),t},e.prototype.loadModule=function(e){var t=this;return this.pluginDriver.hookFirst("resolveId",[e,void 0]).then(function(n){return!1===n&&ps({code:"UNRESOLVED_ENTRY",message:"Entry module cannot be external"}),null==n&&ps({code:"UNRESOLVED_ENTRY",message:"Could not resolve entry ("+e+")"}),t.fetchModule(n,void 0)})},e.prototype.link=function(){for(var e=0,t=this.modules;e ")})}if(o)for(a=t.length-1;a>=0;a--)t[a].chunkAlias=o[a];if(n){u=t[0];if(t.length>1)throw new Error("Internal Error: can only inline dynamic imports for single-file builds.");for(var v=0,y=f;v0?p.join("\n"):null}}function lh(e,t,n,r,i){void 0===i&&(i=/$./);var o=t.filter(function(e){return-1===n.indexOf(e)&&!i.test(e)});o.length>0&&e.push("Unknown "+r+": "+o.join(", ")+". Allowed options: "+n.sort().join(", "))}function hh(e,t){t({code:"DEPRECATED_OPTIONS",message:"The following options have been renamed — please update your config: "+e.map(function(e){return e.old+" -> "+e.new}).join(", "),deprecations:e})}var fh,ph={get:function(){throw new Error("bundle.generate(...) now returns a Promise instead of a { code, map } object")}};function dh(e,t){return t.options&&t.options(e)||e}function mh(e){if(!e)throw new Error("You must supply an options object to rollup");var t=ch({config:e,deprecateConfig:{input:!0}}),n=t.inputOptions,r=t.deprecations,i=t.optionError;i&&n.onwarn({message:i,code:"UNKNOWN_OPTION"}),r.length&&hh(r,n.onwarn),function(e){if(e.transform||e.load||e.resolveId||e.resolveExternal)throw new Error("The `transform`, `load`, `resolveId` and `resolveExternal` options are deprecated in favour of a unified plugin API. See https://rollupjs.org/guide/en#plugins")}(n);var o=n.plugins;return n.plugins=Array.isArray(o)?o.filter(Boolean):o?[o]:[],(n=n.plugins.reduce(dh,n)).experimentalCodeSplitting||(n.inlineDynamicImports=!0,n.manualChunks&&ps({code:"INVALID_OPTION",message:'"manualChunks" option is only supported for experimentalCodeSplitting.'}),n.optimizeChunks&&ps({code:"INVALID_OPTION",message:'"optimizeChunks" option is only supported for experimentalCodeSplitting.'}),(n.input instanceof Array||"object"==typeof n.input)&&ps({code:"INVALID_OPTION",message:"Multiple inputs are only supported for experimentalCodeSplitting."})),n.inlineDynamicImports?(n.experimentalPreserveModules&&ps({code:"INVALID_OPTION",message:"experimentalPreserveModules does not support the inlineDynamicImports option."}),n.manualChunks&&ps({code:"INVALID_OPTION",message:'"manualChunks" option is not supported for inlineDynamicImports.'}),n.optimizeChunks&&ps({code:"INVALID_OPTION",message:'"optimizeChunks" option is not supported for inlineDynamicImports.'}),(n.input instanceof Array||"object"==typeof n.input)&&ps({code:"INVALID_OPTION",message:"Multiple inputs are not supported for inlineDynamicImports."})):n.experimentalPreserveModules&&(n.manualChunks&&ps({code:"INVALID_OPTION",message:"experimentalPreserveModules does not support the manualChunks option."}),n.optimizeChunks&&ps({code:"INVALID_OPTION",message:"experimentalPreserveModules does not support the optimizeChunks option."})),n}function gh(e){try{var t=mh(e);zu(t);var n=new Yl(t,fh);fh=void 0;var r=!1!==e.cache;return delete t.cache,delete e.cache,Mu("BUILD",1),n.pluginDriver.hookParallel("buildStart").then(function(){return n.build(t.input,t.manualChunks,t.inlineDynamicImports,t.experimentalPreserveModules)}).then(function(e){return n.pluginDriver.hookParallel("buildEnd").then(function(){return e})},function(e){return n.pluginDriver.hookParallel("buildEnd",[e]).then(function(){throw e})}).then(function(e){var i;Lu("BUILD",1);var o="string"==typeof t.input||t.input instanceof Array&&1===t.input.length;if(!t.experimentalPreserveModules&&o)for(var s=0,a=e;s1&&("umd"!==a.format&&"iife"!==a.format||ps({code:"INVALID_OPTION",message:"UMD and IIFE output formats are not supported with the experimentalCodeSplitting option."}),a.sourcemapFile&&ps({code:"INVALID_OPTION",message:'"sourcemapFile" is only supported for single-file builds.'})),i||"string"!=typeof a.file||ps({code:"INVALID_OPTION",message:o?"When building a bundle using dynamic imports, the output.dir option must be used, not output.file. Alternatively set inlineDynamicImports: true to output a single file.":"When building multiple entry point inputs, the output.dir option must be used, not output.file."})),!a.file&&t.experimentalCodeSplitting&&(i=void 0),Mu("GENERATE",1);var u=a.assetFileNames||"assets/[name]-[hash][extname]",l=n.finaliseAssets(u),h=function(e){if(0===e.length)return"/";if(1===e.length)return Kt(e[0]);var t=e.slice(1).reduce(function(e,t){var n,r=t.split(/\/+|\\+/);for(n=0;e[n]===r[n]&&n1?t.join("/"):"/"}(e.filter(function(e){return e.entryModule&&es(e.entryModule.id)}).map(function(e){return e.entryModule.id}));return n.pluginDriver.hookParallel("renderStart").then(function(){return e=a,t=n.pluginDriver,Promise.all([t.hookReduceValue("banner",Xl(e.banner),[],Jl),t.hookReduceValue("footer",Xl(e.footer),[],Jl),t.hookReduceValue("intro",Xl(e.intro),[],Zl),t.hookReduceValue("outro",Xl(e.outro),[],Zl)]).then(function(e){var t=e[0],n=e[1],r=e[2],i=e[3];return r&&(r+="\n\n"),i&&(i="\n\n"+i),t.length&&(t+="\n"),n.length&&(n="\n"+n),{intro:r,outro:i,banner:t,footer:n,hash:new Uint8Array(4)}}).catch(function(e){ps({code:"ADDON_ERROR",message:"Could not retrieve "+e.hook+". Check configuration of "+e.plugin+".\n\tError Message: "+e.message})});var e,t}).then(function(r){for(var o=0,s=e;on)},d=function(){if(l)return p(h)&&(l=!1),"continue";var i=n-u.getRenderedSourceLength()-h.getRenderedSourceLength();if(i<=0)return p(h)||(l=!0),"continue";var s=new Set;h.postVisitChunkDependencies(function(e){return s.add(e)});var d=new Set([h,u]);if(u.postVisitChunkDependencies(function(e){return e!==h&&e!==u&&!s.has(e)&&(e instanceof rs||(i-=e.getRenderedSourceLength())<=0||void d.add(e))}))return p(h)||(l=!0),"continue";if(h.postVisitChunkDependencies(function(e){return!d.has(e)&&(e instanceof rs||(i-=e.getRenderedSourceLength())<=0||void 0)}))return p(h)||(l=!0),"continue";var m=e.indexOf(h);m<=o&&o--,e.splice(m,1),u.merge(h,e,t,r),a.splice(--c,1),h=u,f&&!p(f)&&(l=!0)};do{d()}while(u=h,h=f,f=a[++c],h);i=o},s=0;s2&&(t=yh(_h.call(arguments,1)));++i=0&&""!==e},kh=function(e){var t=typeof e;if("string"===t||e instanceof String){if(!e.trim())return!1}else if("number"!==t&&!(e instanceof Number))return!1;return e-e+1>=0},Bh=Object.prototype.toString,Oh=function(e){if(void 0===e)return"undefined";if(null===e)return"null";var t=typeof e;if("boolean"===t)return"boolean";if("string"===t)return"string";if("number"===t)return"number";if("symbol"===t)return"symbol";if("function"===t)return"GeneratorFunction"===Rh(e)?"generatorfunction":"function";if(function(e){return Array.isArray?Array.isArray(e):e instanceof Array}(e))return"array";if(function(e){if(e.constructor&&"function"==typeof e.constructor.isBuffer)return e.constructor.isBuffer(e);return!1}(e))return"buffer";if(function(e){try{if("number"==typeof e.length&&"function"==typeof e.callee)return!0}catch(e){if(-1!==e.message.indexOf("callee"))return!0}return!1}(e))return"arguments";if(function(e){return e instanceof Date||"function"==typeof e.toDateString&&"function"==typeof e.getDate&&"function"==typeof e.setDate}(e))return"date";if(function(e){return e instanceof Error||"string"==typeof e.message&&e.constructor&&"number"==typeof e.constructor.stackTraceLimit}(e))return"error";if(function(e){return e instanceof RegExp||"string"==typeof e.flags&&"boolean"==typeof e.ignoreCase&&"boolean"==typeof e.multiline&&"boolean"==typeof e.global}(e))return"regexp";switch(Rh(e)){case"Symbol":return"symbol";case"Promise":return"promise";case"WeakMap":return"weakmap";case"WeakSet":return"weakset";case"Map":return"map";case"Set":return"set";case"Int8Array":return"int8array";case"Uint8Array":return"uint8array";case"Uint8ClampedArray":return"uint8clampedarray";case"Int16Array":return"int16array";case"Uint16Array":return"uint16array";case"Int32Array":return"int32array";case"Uint32Array":return"uint32array";case"Float32Array":return"float32array";case"Float64Array":return"float64array"}if(function(e){return"function"==typeof e.throw&&"function"==typeof e.return&&"function"==typeof e.next}(e))return"generator";switch(t=Bh.call(e)){case"[object Object]":return"object";case"[object Map Iterator]":return"mapiterator";case"[object Set Iterator]":return"setiterator";case"[object String Iterator]":return"stringiterator";case"[object Array Iterator]":return"arrayiterator"}return t.slice(8,-1).toLowerCase().replace(/\s/g,"")};function Rh(e){return e.constructor?e.constructor.name:null}var Ih=Math.pow(2,32),Ph=function(){var e=Xr.randomBytes(4).toString("hex");return parseInt(e,16)/Ih};Ph.cryptographic=!0;var Th=function(e,t,n){if(void 0===e)throw new Error("randomatic expects a string or number.");var r=!1;1===arguments.length&&("string"==typeof e?t=e.length:kh(e)&&(n={},t=e,e="*"));"object"===Oh(t)&&t.hasOwnProperty("chars")&&(e=(n=t).chars,t=e.length,r=!0);var i=n||{},o="",s="";-1!==e.indexOf("?")&&(o+=i.chars);-1!==e.indexOf("a")&&(o+=Mh.lower);-1!==e.indexOf("A")&&(o+=Mh.upper);-1!==e.indexOf("0")&&(o+=Mh.number);-1!==e.indexOf("!")&&(o+=Mh.special);-1!==e.indexOf("*")&&(o+=Mh.all);r&&(o+=e);if(i.exclude){var a="string"===Oh(i.exclude)?i.exclude:i.exclude.join("");o=o.replace(new RegExp("["+a+"]+","g"),"")}for(;t--;)s+=o.charAt(parseInt(Ph()*o.length,10));return s},Nh=!!Ph.cryptographic,Mh={lower:"abcdefghijklmnopqrstuvwxyz",upper:"ABCDEFGHIJKLMNOPQRSTUVWXYZ",number:"0123456789",special:"~!@#$%^&()_+-={}[];',."};Mh.all=Mh.lower+Mh.upper+Mh.number+Mh.special,Th.isCrypto=Nh;var Lh,jh="",Uh=function(e,t){if("string"!=typeof e)throw new TypeError("expected a string");if(1===t)return e;if(2===t)return e+e;var n=e.length*t;if(Lh!==e||void 0===Lh)Lh=e,jh="";else if(jh.length>=n)return jh.substr(0,n);for(;n>jh.length&&t>1;)1&t&&(jh+=e),t>>=1,e+=e;return jh=(jh+=e).substr(0,n)};var zh=function(e,t){for(var n=new Array(t),r=0;r|\||\+|\~/g.exec(n);if(h){var f=h.index,p=h[0];if("+"===p)return zh(e,t);if("?"===p)return[Th(e,t)];">"===p?(n=n.substr(0,f)+n.substr(f+1),o=!0):"|"===p?(n=n.substr(0,f)+n.substr(f+1),o=!0,s=!0,a=p):"~"===p&&(n=n.substr(0,f)+n.substr(f+1),o=!0,s=!0,a=p)}else if(!Sh(n)){if(!u.silent)throw new TypeError("fill-range: invalid step.");return null}}if(/[.&*()[\]^%$#@!]/.test(e)||/[.&*()[\]^%$#@!]/.test(t)){if(!u.silent)throw new RangeError("fill-range: invalid range arguments.");return null}if(!Hh(e)||!Hh(t)||Gh(e)||Gh(t)){if(!u.silent)throw new RangeError("fill-range: invalid range arguments.");return null}var d=Sh(Kh(e)),m=Sh(Kh(t));if(!d&&m||d&&!m){if(!u.silent)throw new TypeError("fill-range: first range argument is incompatible with second.");return null}var g=d,v=function(e){return Math.abs(e>>0)||1}(n);g?(e=+e,t=+t):(e=e.charCodeAt(0),t=t.charCodeAt(0));var y=e>t;(e<0||t<0)&&(o=!1,s=!1);var _,E,b=function(e,t){if(Yh(e)||Yh(t)){var n=Xh(e),r=Xh(t),i=n>=r?n:r;return function(e){return Uh("0",i-Xh(e))}}return!1}(c,l),D=[],A=0;if(s&&function(e,t,n,r,i,o){if(r&&(e>9||t>9))return!1;return!i&&1===n&&e=t:e<=t;)b&&g&&(E=b(e)),null!==(_="function"==typeof i?i(e,g,E,A++):g?$h(e,E):s&&(x=void 0,"\\"===(x=function(e){return String.fromCharCode(e)}(e))||"["===x||"]"===x||"^"===x||"("===x||")"===x||"`"===x)?null:String.fromCharCode(e))&&D.push(_),y?e-=v:e+=v;var x;if((s||o)&&!u.noexpand)return"|"!==a&&"~"!==a||(a=Wh(e,t,v,g,y)),1===D.length||e<0||t<0?D:qh(D,a,u);return D};function qh(e,t,n){"~"===t&&(t="-");var r=e.join(t),i=n&&n.regexPrefix;return"|"===t&&(r="("+(r=i?i+r:r)+")"),"-"===t&&(r="["+(r=i&&"^"===i?i+r:r)+"]"),[r]}function Wh(e,t,n,r,i){return function(e,t,n,r,i){return!i&&(r?e<=9&&t<=9:e3?e:1===o?i:("boolean"==typeof n&&!0===n&&(r.makeRe=!0),i.push(r),Vh.apply(null,i.concat(n)))};var Zh,Qh,ef={},tf={before:function(e,t){return e.replace(t,function(e){var t=Math.random().toString().slice(2,7);return ef[t]=e,"__ID"+t+"__"})},after:function(e){return e.replace(/__ID(.{5})__/g,function(e,t){return ef[t]})}},nf=function(e,t){if("string"!=typeof e)throw new Error("braces expects a string");return rf(e,t)};function rf(e,t,n){if(""===e)return[];Array.isArray(t)||(n=t,t=[]);var r=n||{};t=t||[],void 0===r.nodupes&&(r.nodupes=!0);var i,o=r.fn;switch("function"==typeof r&&(o=r,r={}),Qh instanceof RegExp||(Qh=/\${|( (?=[{,}])|(?=[{,}]) )|{}|{,}|\\,(?=.*[{}])|\/\.(?=.*[{}])|\\\.(?={)|\\{|\\}/),(e.match(Qh)||[])[0]){case"\\,":return function(e,t,n){return/\w,/.test(e)?uf(rf(e=e.split("\\,").join("__ESC_COMMA__"),t,n),function(e){return e.split("__ESC_COMMA__").join(",")}):t.concat(e.split("\\").join(""))}(e,t,r);case"\\.":return function(e,t,n){return/[^\\]\..+\\\./.test(e)?uf(rf(e=e.split("\\.").join("__ESC_DOT__"),t,n),function(e){return e.split("__ESC_DOT__").join(".")}):t.concat(e.split("\\").join(""))}(e,t,r);case"/.":return function(e,t,n){return uf(rf(e=e.split("/.").join("__ESC_PATH__"),t,n),function(e){return e.split("__ESC_PATH__").join("/.")})}(e,t,r);case" ":return function(e){var t=e.split(" "),n=t.length,r=[],i=0;for(;n--;)r.push.apply(r,rf(t[i++]));return r}(e);case"{,}":return function(e,t,n){"function"==typeof t&&(n=t,t=null);var r,i=t||{},o="__ESC_EXP__",s=0,a=e.split("{,}");if(i.nodupes)return n(a.join(""),i);s=a.length-1;var u=(r=n(a.join(o),i)).length,c=[],l=0;for(;u--;){var h=r[l++],f=h.indexOf(o);if(-1===f)c.push(h);else if((h=h.split("__ESC_EXP__").join(""))&&!1!==i.nodupes)c.push(h);else{var p=Math.pow(2,s);c.push.apply(c,zh(h,p))}}return c}(e,r,rf);case"{}":return function(e,t,n){return rf(e.split("{}").join("\\{\\}"),t,n)}(e,t,r);case"\\{":case"\\}":return function(e,t,n){return/\{[^{]+\{/.test(e)?uf(rf(e=(e=e.split("\\{").join("__LT_BRACE__")).split("\\}").join("__RT_BRACE__"),t,n),function(e){return(e=e.split("__LT_BRACE__").join("{")).split("__RT_BRACE__").join("}")}):t.concat(e.split("\\").join(""))}(e,t,r);case"${":if(!/\{[^{]+\{/.test(e))return t.concat(e);i=!0,e=tf.before(e,/\$\{([^}]+)\}/)}Zh instanceof RegExp||(Zh=/.*(\\?\{([^}]+)\})/);var s=Zh.exec(e);if(null==s)return[e];var a,u,c=s[1],l=s[2];if(""===l)return[e];if(-1!==l.indexOf(".."))u=(a=Jh(l,r,o)||l.split(",")).length;else{if('"'===l[0]||"'"===l[0])return t.concat(e.split(/['"]/).join(""));if(a=l.split(","),r.makeRe)return rf(e.replace(c,of(a,"|")),r);1===(u=a.length)&&r.bash&&(a[0]=of(a[0],"\\"))}for(var h,f=a.length,p=0;f--;){var d=a[p++];if(/(\.[^.\/])/.test(d))return u>1?a:[e];if(h=af(e,c,d),/\{[^{}]+?\}/.test(h))t=rf(h,t,r);else if(""!==h){if(r.nodupes&&-1!==t.indexOf(h))continue;t.push(i?tf.after(h):h)}}return r.strict?function(e,t){if(null==e)return[];if("function"!=typeof t)throw new TypeError("braces: filter expects a callback function.");var n=e.length,r=e.slice(),i=0;for(;n--;)t(e[n],i++)||r.splice(n,1);return r}(t,sf):t}function of(e,t){return"|"===t?"("+e.join(t)+")":","===t?"{"+e.join(t)+"}":"-"===t?"["+e.join(t)+"]":"\\"===t?"\\{"+e+"\\}":void 0}function sf(e){return!!e&&"\\"!==e}function af(e,t,n){var r=e.indexOf(t);return e.substr(0,r)+n+e.substr(r+t.length)}function uf(e,t){if(null==e)return[];for(var n=e.length,r=new Array(n),i=-1;++i?@[\\]^_`{|}~",space:" \\t\\r\\n\\v\\f",upper:"A-Z",word:"A-Za-z0-9_",xdigit:"A-Fa-f0-9"},hf=ff;function ff(e){if(!cf(e))return e;var t=!1;-1!==e.indexOf("[^")&&(t=!0,e=e.split("[^").join("[")),-1!==e.indexOf("[!")&&(t=!0,e=e.split("[!").join("["));for(var n=e.split("["),r=e.split("]"),i=n.length!==r.length,o=e.split(/(?::\]\[:|\[?\[:|:\]\]?)/),s=o.length,a=0,u="",c="",l=[];s--;){var h=o[a++];"^[!"!==h&&"[!"!==h||(h="",t=!0);var f=t?"^":"",p=lf[h];p?l.push("["+f+p+"]"):h&&(/^\[?\w-\w\]?$/.test(h)?a===o.length?l.push("["+f+h):1===a?l.push(f+h+"]"):l.push(f+h):1===a?c+=h:a===o.length?u+=h:l.push("["+f+h+"]"))}var d=l.join("|"),m=l.length||1;return m>1&&(d="(?:"+d+")",m=1),c&&(m++,"["===c.charAt(0)&&(i?c="\\["+c.slice(1):c+="]"),d=c+d),u&&(m++,"]"===u.slice(-1)&&(u=i?u.slice(0,u.length-1)+"\\]":"["+u),d+=u),m>1&&(-1===(d=d.split("][").join("]|[")).indexOf("|")||/\(\?/.test(d)||(d="(?:"+d+")")),d=d.replace(/\[+=|=\]+/g,"\\b")}ff.makeRe=function(e){try{return new RegExp(ff(e))}catch(e){}},ff.isMatch=function(e,t){try{return ff.makeRe(t).test(e)}catch(e){return!1}},ff.match=function(e,t){for(var n=e.length,r=0,i=e.slice(),o=ff.makeRe(t);r0&&("/"===n||Df&&"\\"===n)}var xf=function(e,t){if("string"!=typeof e)throw new TypeError("expected a string");return e=e.replace(/[\\\/]+/g,"/"),!1!==t&&(e=function(e){var t=e.length-1;if(t<2)return e;for(;Af(e,t);)t--;return e.substr(0,t+1)}(e)),e},wf=Object.prototype.hasOwnProperty,Cf=function(e,t){if(null==(n=e)||"object"!=typeof n&&"function"!=typeof n)return{};var n,r,i=(t=[].concat.apply([],[].slice.call(arguments,1)))[t.length-1],o={};"function"==typeof i&&(r=t.pop());var s="function"==typeof r;return t.length||s?(function(e,t,n){!function(e,t,n){for(var r in e)if(!1===t.call(n,e[r],r,e))break}(e,function(r,i){if(wf.call(e,i))return t.call(n,e[i],i,e)})}(e,function(n,i){-1===t.indexOf(i)&&(s?r(n,i,e)&&(o[i]=n):o[i]=n)}),o):e},Ff=function(e){return"string"==typeof e&&/[@?!+*]\(/.test(e)},Sf=function(e){return"string"==typeof e&&(/[*!?{}(|)[\]]/.test(e)||function(e){return"string"==typeof e&&/[@?!+*]\(/.test(e)}(e))},kf=function(e){if("string"!=typeof e)throw new TypeError("glob-base expects a string.");var t,n={};return n.base=function(e){e+="a";do{e=Jt.dirname(e)}while(Sf(e));return e}(e),n.isGlob=Sf(e),"."!==n.base?(n.glob=e.substr(n.base.length),"/"===n.glob.charAt(0)&&(n.glob=n.glob.substr(1))):n.glob=e,n.isGlob||(n.base="/"===(t=e).slice(-1)?t:Jt.dirname(t),n.glob="."!==n.base?e.substr(n.base.length):e),"./"===n.glob.substr(0,2)&&(n.glob=n.glob.substr(2)),"/"===n.glob.charAt(0)&&(n.glob=n.glob.substr(1)),n};var Bf=function(e){if(46===e.charCodeAt(0)&&-1===e.indexOf("/",1))return!0;var t=e.lastIndexOf("/");return-1!==t&&46===e.charCodeAt(t+1)},Of=ni(function(e){var t=e.exports.cache={};function n(e,t,n){return e&&-1!==t.indexOf(n)}function r(e){return e=(e=e.split("__SLASH__").join("/")).split("__DOT__").join(".")}e.exports=function(e){if(t.hasOwnProperty(e))return t[e];var i={};i.orig=e,i.is={},e=e.replace(/\{([^{}]*?)}|\(([^()]*?)\)|\[([^\[\]]*?)\]/g,function(e,t,n,r){var i=t||n||r;return i?e.split(i).join(i.split("/").join("__SLASH__").split(".").join("__DOT__")):e});var o=kf(e);i.is.glob=o.isGlob,i.glob=o.glob,i.base=o.base;var s=/([^\/]*)$/.exec(e);i.path={},i.path.dirname="",i.path.basename=s[1]||"",i.path.dirname=e.split(i.path.basename).join("")||"";var a=(i.path.basename||"").split(".")||"";i.path.filename=a[0]||"",i.path.extname=a.slice(1).join(".")||"",i.path.ext="",function(e){return"string"==typeof e&&(/[*!?{}(|)[\]]/.test(e)||Ff(e))}(i.path.dirname)&&!i.path.basename&&(/\/$/.test(i.glob)||(i.path.basename=i.glob),i.path.dirname=i.base),-1!==e.indexOf("/")||i.is.globstar||(i.path.dirname="",i.path.basename=i.orig);var u=i.path.basename.indexOf(".");if(-1!==u&&(i.path.filename=i.path.basename.slice(0,u),i.path.extname=i.path.basename.slice(u)),"."===i.path.extname.charAt(0)){var c=i.path.extname.split(".");i.path.ext=c[c.length-1]}i.glob=r(i.glob),i.path.dirname=r(i.path.dirname),i.path.basename=r(i.path.basename),i.path.filename=r(i.path.filename),i.path.extname=r(i.path.extname);var l=e&&i.is.glob;return i.is.negated=e&&"!"===e.charAt(0),i.is.extglob=e&&Ff(e),i.is.braces=n(l,e,"{"),i.is.brackets=n(l,e,"[:"),i.is.globstar=n(l,e,"**"),i.is.dotfile=Bf(i.path.basename)||Bf(i.path.filename),i.is.dotdir=function(e){if(-1!==e.indexOf("/."))return!0;if("."===e.charAt(0)&&"/"!==e.charAt(1))return!0;return!1}(i.path.dirname),t[e]=i}}),Rf=(Of.cache,function(e,t){if(!e&&!t)return!0;if(!e&&t||e&&!t)return!1;var n,r,i=0,o=0;for(n in t)if(o++,null!=(r=t[n])&&("function"==typeof r||"object"==typeof r)||!e.hasOwnProperty(n)||e[n]!==t[n])return!1;for(n in e)i++;return i===o}),If={},Pf={},Tf=function(e,t,n){var r,i,o="_default_";if(!t&&!n)return"function"!=typeof e?e:If[o]||(If[o]=e(t));if("string"==typeof t){if(!n)return If[t]||(If[t]=e(t));o=t}else n=t;if((i=Pf[o])&&Rf(i.opts,n))return i.regex;return function(e,t,n){Pf[e]={regex:n,opts:t}}(o,n,r=e(t,n)),r};var Nf=Pf,Mf=If;Tf.cache=Nf,Tf.basic=Mf;var Lf,jf,Uf=ni(function(e){var t=Se&&"win32"===Se.platform,n=e.exports;n.diff=Eh,n.unique=bh,n.braces=nf,n.brackets=hf,n.extglob=gf,n.isExtglob=df,n.isGlob=_f,n.typeOf=bf,n.normalize=xf,n.omit=Cf,n.parseGlob=Of,n.cache=Tf,n.filename=function(e){var t=e.match(/([^\\\/]+)$/);return t&&t[0]},n.isPath=function(e,t){return t=t||{},function(r){var i=n.unixify(r,t);return t.nocase?e.toLowerCase()===i.toLowerCase():e===i}},n.hasPath=function(e,t){return function(r){return-1!==n.unixify(e,t).indexOf(r)}},n.matchPath=function(e,t){return t&&t.contains?n.hasPath(e,t):n.isPath(e,t)},n.hasFilename=function(e){return function(t){var r=n.filename(t);return r&&e.test(r)}},n.arrayify=function(e){return Array.isArray(e)?e:[e]},n.unixify=function(e,r){return r&&!1===r.unixify?e:r&&!0===r.unixify||t||"\\"===Jt.sep?n.normalize(e,!1):r&&!0===r.unescape?e?e.toString().replace(/\\(\w)/g,"$1"):"":e},n.escapePath=function(e){return e.replace(/[\\.]/g,"\\$&")},n.unescapeGlob=function(e){return e.replace(/[\\"']/g,"")},n.escapeRe=function(e){return e.replace(/[-[\\$*+?.#^\s{}(|)\]]/g,"\\$&")},e.exports=n}),zf={};function Vf(e,t){return Object.keys(e).reduce(function(n,r){var i=t?t+r:r;return n[e[r]]=i,n},{})}zf.escapeRegex={"?":/\?/g,"@":/\@/g,"!":/\!/g,"+":/\+/g,"*":/\*/g,"(":/\(/g,")":/\)/g,"[":/\[/g,"]":/\]/g},zf.ESC={"?":"__UNESC_QMRK__","@":"__UNESC_AMPE__","!":"__UNESC_EXCL__","+":"__UNESC_PLUS__","*":"__UNESC_STAR__",",":"__UNESC_COMMA__","(":"__UNESC_LTPAREN__",")":"__UNESC_RTPAREN__","[":"__UNESC_LTBRACK__","]":"__UNESC_RTBRACK__"},zf.UNESC=Lf||(Lf=Vf(zf.ESC,"\\")),zf.ESC_TEMP={"?":"__TEMP_QMRK__","@":"__TEMP_AMPE__","!":"__TEMP_EXCL__","*":"__TEMP_STAR__","+":"__TEMP_PLUS__",",":"__TEMP_COMMA__","(":"__TEMP_LTPAREN__",")":"__TEMP_RTPAREN__","[":"__TEMP_LTBRACK__","]":"__TEMP_RTBRACK__"},zf.TEMP=jf||(jf=Vf(zf.ESC_TEMP));var qf=zf,Wf=ni(function(e){var t=e.exports=function e(t,n){if(!(this instanceof e))return new e(t,n);this.options=n||{},this.pattern=t,this.history=[],this.tokens={},this.init(t)};t.prototype.init=function(e){this.orig=e,this.negated=this.isNegated(),this.options.track=this.options.track||!1,this.options.makeRe=!0},t.prototype.track=function(e){this.options.track&&this.history.push({msg:e,pattern:this.pattern})},t.prototype.isNegated=function(){return 33===this.pattern.charCodeAt(0)&&(this.pattern=this.pattern.slice(1),!0)},t.prototype.braces=function(){if(!0!==this.options.nobraces&&!0!==this.options.nobrace){var e=this.pattern.match(/[\{\(\[]/g),t=this.pattern.match(/[\}\)\]]/g);e&&t&&e.length!==t.length&&(this.options.makeRe=!1);var n=Uf.braces(this.pattern,this.options);this.pattern=n.join("|")}},t.prototype.brackets=function(){!0!==this.options.nobrackets&&(this.pattern=Uf.brackets(this.pattern))},t.prototype.extglob=function(){!0!==this.options.noextglob&&Uf.isExtglob(this.pattern)&&(this.pattern=Uf.extglob(this.pattern,{escape:!0}))},t.prototype.parse=function(e){return this.tokens=Uf.parseGlob(e||this.pattern,!0),this.tokens},t.prototype._replace=function(e,t,n){this.track('before (find): "'+e+'" (replace with): "'+t+'"'),n&&(t=t.split("?").join("%~").split("*").join("%%")),this.pattern=e&&t&&"string"==typeof e?this.pattern.split(e).join(t):this.pattern.replace(e,t),this.track("after")},t.prototype.escape=function(e){this.track("before escape: ");this.pattern=e.replace(/["\\](['"]?[^"'\\]['"]?)/g,function(e,t){var n=qf.ESC,r=n&&n[t];return r||(/[a-z]/i.test(e)?e.split("\\").join(""):e)}),this.track("after escape: ")},t.prototype.unescape=function(e){this.pattern=e.replace(/__([A-Z]+)_([A-Z]+)__/g,function(e,t){return qf[t][e]}),this.pattern=function(e){return e=(e=e.split("%~").join("?")).split("%%").join("*")}(this.pattern)}}),$f=function(e,t){if("string"!=typeof e)throw new TypeError("micromatch.expand(): argument should be a string.");var n=new Wf(e,t||{}),r=n.options;if(!Uf.isGlob(e))return n.pattern=n.pattern.replace(/([\/.])/g,"\\$1"),n;n.pattern=n.pattern.replace(/(\+)(?!\()/g,"\\$1"),n.pattern=n.pattern.split("$").join("\\$"),"boolean"!=typeof r.braces&&"boolean"!=typeof r.nobraces&&(r.braces=!0);if(".*"===n.pattern)return{pattern:"\\."+Kf,tokens:i,options:r};if("*"===n.pattern)return{pattern:Qf(r.dot),tokens:i,options:r};n.parse();var i=n.tokens;i.is.negated=r.negated,!0!==r.dotfiles&&!i.is.dotfile||!1===r.dot||(r.dotfiles=!0,r.dot=!0);!0!==r.dotdirs&&!i.is.dotdir||!1===r.dot||(r.dotdirs=!0,r.dot=!0);/[{,]\./.test(n.pattern)&&(r.makeRe=!1,r.dot=!0);!0!==r.nonegate&&(r.negated=n.negated);"."===n.pattern.charAt(0)&&"/"!==n.pattern.charAt(1)&&(n.pattern="\\"+n.pattern);n.track("before braces"),i.is.braces&&n.braces();n.track("after braces"),n.track("before extglob"),i.is.extglob&&n.extglob();n.track("after extglob"),n.track("before brackets"),i.is.brackets&&n.brackets();n.track("after brackets"),n._replace("[!","[^"),n._replace("(?","(%~"),n._replace(/\[\]/,"\\[\\]"),n._replace("/[","/"+(r.dot?Jf:Yf)+"[",!0),n._replace("/?","/"+(r.dot?Jf:Yf)+"[^/]",!0),n._replace("/.","/(?=.)\\.",!0),n._replace(/^(\w):([\\\/]+?)/gi,"(?=.)$1:$2",!0),-1!==n.pattern.indexOf("[^")&&(n.pattern=n.pattern.replace(/\[\^([^\]]*?)\]/g,function(e,t){return-1===t.indexOf("/")&&(t="\\/"+t),"[^"+t+"]"}));!1!==r.globstar&&"**"===n.pattern?n.pattern=ep(r.dot):(n.pattern=function(e,t,n){var r=e.split(t),i=r.join("").length,o=e.split(n).join("").length;if(i!==o)return(e=r.join("\\"+t)).split(n).join("\\"+n);return e}(n.pattern,"[","]"),n.escape(n.pattern),i.is.globstar&&(n.pattern=Hf(n.pattern,"/**"),n.pattern=Hf(n.pattern,"**/"),n._replace("/**/","(?:/"+ep(r.dot)+"/|/)",!0),n._replace(/\*{2,}/g,"**"),n._replace(/(\w+)\*(?!\/)/g,"$1[^/]*?",!0),n._replace(/\*\*\/\*(\w)/g,ep(r.dot)+"\\/"+(r.dot?Jf:Yf)+"[^/]*?$1",!0),!0!==r.dot&&n._replace(/\*\*\/(.)/g,"(?:**\\/|)$1"),(""!==i.path.dirname||/,\*\*|\*\*,/.test(n.orig))&&n._replace("**",ep(r.dot),!0)),n._replace(/\/\*$/,"\\/"+Qf(r.dot),!0),n._replace(/(?!\/)\*$/,Kf,!0),n._replace(/([^\/]+)\*/,"$1"+Qf(!0),!0),n._replace("*",Qf(r.dot),!0),n._replace("?.","?\\.",!0),n._replace("?:","?:",!0),n._replace(/\?+/g,function(e){var t=e.length;return 1===t?Gf:Gf+"{"+t+"}"}),n._replace(/\.([*\w]+)/g,"\\.$1"),n._replace(/\[\^[\\\/]+\]/g,Gf),n._replace(/\/+/g,"\\/"),n._replace(/\\{2,}/g,"\\"));n.unescape(n.pattern),n._replace("__UNESC_STAR__","*"),n._replace("?.","?\\."),n._replace("[^\\/]",Gf),n.pattern.length>1&&/^[\[?*]/.test(n.pattern)&&(n.pattern=(r.dot?Jf:Yf)+n.pattern);return n};function Hf(e,t){var n=e.split(t),r=""===n[0],i=""===n[n.length-1];return n=n.filter(Boolean),r&&n.unshift(""),i&&n.push(""),n.join(t)}var Gf="[^/]",Kf=Gf+"*?",Yf="(?!\\.)(?=.)",Xf="(?:\\/|^)\\.{1,2}($|\\/)",Jf="(?!"+Xf+")(?=.)",Zf="(?:(?!"+Xf+").)*?";function Qf(e){return e?"(?!"+Xf+")(?=.)"+Kf:Yf+Kf}function ep(e){return e?Zf:"(?:(?!(?:\\/|^)\\.).)*?"}function tp(e,t,n){if(!e||!t)return[];if(void 0===(n=n||{}).cache&&(n.cache=!0),!Array.isArray(t))return np(e,t,n);for(var r=t.length,i=0,o=[],s=[];r--;){var a=t[i++];"string"==typeof a&&33===a.charCodeAt(0)?o.push.apply(o,np(e,a.slice(1),n)):s.push.apply(s,np(e,a,n))}return Uf.diff(s,o)}function np(e,t,n){if("string"!==Uf.typeOf(e)&&!Array.isArray(e))throw new Error(sp("match","files","a string or array"));e=Uf.arrayify(e);var r=(n=n||{}).negate||!1,i=t;"string"==typeof t&&((r="!"===t.charAt(0))&&(t=t.slice(1)),!0===n.nonegate&&(r=!1));for(var o=rp(t,n),s=e.length,a=0,u=[];a!function(e){return e instanceof RegExp}(e)?{test:ap.matcher(qt(e).split(Gt).join("/"))}:e;return e=up(e).map(n),t=up(t).map(n),function(n){if("string"!=typeof n)return!1;if(/\0/.test(n))return!1;n=n.split(Gt).join("/");for(let e=0;e15&&i.trigger(e)}};this.fsWatcher=t?mp.watch(e,t).on("all",s):Yr(e,gp,s),n.set(e,this)}return e.prototype.addTask=function(e,t){void 0===t&&(t=!1),t?this.transformDependencyTasks.add(e):this.tasks.add(e)},e.prototype.deleteTask=function(e,t){var n=this.tasks.delete(e);(n=this.transformDependencyTasks.delete(e)||n)&&0===this.tasks.size&&0===this.transformDependencyTasks.size&&(t.delete(this.id),this.close())},e.prototype.close=function(){this.fsWatcher.close()},e.prototype.trigger=function(e){this.tasks.forEach(function(t){t.invalidate(e,!1)}),this.transformDependencyTasks.forEach(function(t){t.invalidate(e,!0)})},e}(),Ep=function(e){function t(t){void 0===t&&(t=[]);var n=e.call(this)||this;return n.rerun=!1,n.succeeded=!1,n.invalidatedIds=new Set,Array.isArray(t)||(t=[t]),n.tasks=t.map(function(e){return new bp(n,e)}),n.running=!0,me(function(){return n.run()}),n}return Zr(t,e),t.prototype.close=function(){this.buildTimeout&&clearTimeout(this.buildTimeout),this.tasks.forEach(function(e){e.close()}),this.removeAllListeners()},t.prototype.invalidate=function(e){var t=this;e&&this.invalidatedIds.add(e),this.running?this.rerun=!0:(this.buildTimeout&&clearTimeout(this.buildTimeout),this.buildTimeout=setTimeout(function(){t.buildTimeout=void 0,t.invalidatedIds.forEach(function(e){return t.emit("change",e)}),t.invalidatedIds.clear(),t.emit("restart"),t.run()},200))},t.prototype.run=function(){var e=this;this.running=!0,this.emit("event",{code:"START"});for(var t=Promise.resolve(),n=function(e){t=t.then(function(){return e.run()})},r=0,i=this.tasks;r "+e.new}).join(", ")}),t=this.watcher,fh=t,gh(n).then(function(t){if(!e.closed){var n=e.watched=new Set;return e.cache=t.cache,e.watchFiles=t.watchFiles,e.cache.modules.forEach(function(t){t.transformDependencies&&t.transformDependencies.forEach(function(t){n.add(t),e.watchFile(t,!0)})}),e.watchFiles.forEach(function(t){n.add(t),e.watchFile(t)}),e.watched.forEach(function(t){n.has(t)||yp(t,e,e.chokidarOptionsHash)}),Promise.all(e.outputs.map(function(e){return t.write(e)})).then(function(){return t})}}).then(function(t){e.watcher.emit("event",{code:"BUNDLE_END",input:e.inputOptions.input,output:e.outputFiles,duration:Date.now()-r,result:t})}).catch(function(t){if(!e.closed)throw e.cache&&(e.cache.modules&&e.cache.modules.forEach(function(t){t.transformDependencies&&t.transformDependencies.forEach(function(t){e.watchFile(t,!0)})}),e.watchFiles.forEach(function(t){e.watchFile(t)})),t})}},e.prototype.watchFile=function(e,t){if(void 0===t&&(t=!1),this.filter(e)){if(this.outputFiles.some(function(t){return t===e}))throw new Error("Cannot import the generated bundle");!function(e,t,n,r,i){vp.has(r)||vp.set(r,new Map);var o=vp.get(r),s=o.get(e)||new _p(e,n,o);if(s.fileExists)s.addTask(t,i);else if(i)throw new Error("Transform dependency "+e+" does not exist.")}(e,this,this.chokidarOptions,this.chokidarOptionsHash,t)}},e}();var Dp=Object.freeze({rollup:gh,watch:function(e){return new Ep(e)},VERSION:Ul});function Ap(e,t){!function e(t,n,r,i,o,s){if(!t)return;if(r){var a=xp;xp=!1,r.call(wp,t,n,o,s);var u=xp;if(xp=a,u)return}var c=Cp[t.type]||(Cp[t.type]=Object.keys(t).filter(function(e){return"object"==typeof t[e]}));for(var l=0;l2&&(t=Sp(kp.call(arguments,1)));++i=0&&""!==e},Up=function(e){var t=typeof e;if("string"===t||e instanceof String){if(!e.trim())return!1}else if("number"!==t&&!(e instanceof Number))return!1;return e-e+1>=0},zp=Object.prototype.toString,Vp=function(e){if(void 0===e)return"undefined";if(null===e)return"null";var t=typeof e;if("boolean"===t)return"boolean";if("string"===t)return"string";if("number"===t)return"number";if("symbol"===t)return"symbol";if("function"===t)return"GeneratorFunction"===qp(e)?"generatorfunction":"function";if(function(e){return Array.isArray?Array.isArray(e):e instanceof Array}(e))return"array";if(function(e){if(e.constructor&&"function"==typeof e.constructor.isBuffer)return e.constructor.isBuffer(e);return!1}(e))return"buffer";if(function(e){try{if("number"==typeof e.length&&"function"==typeof e.callee)return!0}catch(e){if(-1!==e.message.indexOf("callee"))return!0}return!1}(e))return"arguments";if(function(e){return e instanceof Date||"function"==typeof e.toDateString&&"function"==typeof e.getDate&&"function"==typeof e.setDate}(e))return"date";if(function(e){return e instanceof Error||"string"==typeof e.message&&e.constructor&&"number"==typeof e.constructor.stackTraceLimit}(e))return"error";if(function(e){return e instanceof RegExp||"string"==typeof e.flags&&"boolean"==typeof e.ignoreCase&&"boolean"==typeof e.multiline&&"boolean"==typeof e.global}(e))return"regexp";switch(qp(e)){case"Symbol":return"symbol";case"Promise":return"promise";case"WeakMap":return"weakmap";case"WeakSet":return"weakset";case"Map":return"map";case"Set":return"set";case"Int8Array":return"int8array";case"Uint8Array":return"uint8array";case"Uint8ClampedArray":return"uint8clampedarray";case"Int16Array":return"int16array";case"Uint16Array":return"uint16array";case"Int32Array":return"int32array";case"Uint32Array":return"uint32array";case"Float32Array":return"float32array";case"Float64Array":return"float64array"}if(function(e){return"function"==typeof e.throw&&"function"==typeof e.return&&"function"==typeof e.next}(e))return"generator";switch(t=zp.call(e)){case"[object Object]":return"object";case"[object Map Iterator]":return"mapiterator";case"[object Set Iterator]":return"setiterator";case"[object String Iterator]":return"stringiterator";case"[object Array Iterator]":return"arrayiterator"}return t.slice(8,-1).toLowerCase().replace(/\s/g,"")};function qp(e){return e.constructor?e.constructor.name:null}var Wp=function(e){var t="Uint32Array"in e,n=e.crypto||e.msCrypto,r=n&&"function"==typeof n.getRandomValues;if(!(t&&n&&r))return Math.random;var i=new Uint32Array(1),o=Math.pow(2,32);function s(){return n.getRandomValues(i),i[0]/o}return s.cryptographic=!0,s}("undefined"!=typeof self?self:window),$p=function(e,t,n){if(void 0===e)throw new Error("randomatic expects a string or number.");var r=!1;1===arguments.length&&("string"==typeof e?t=e.length:Up(e)&&(n={},t=e,e="*"));"object"===Vp(t)&&t.hasOwnProperty("chars")&&(e=(n=t).chars,t=e.length,r=!0);var i=n||{},o="",s="";-1!==e.indexOf("?")&&(o+=i.chars);-1!==e.indexOf("a")&&(o+=Gp.lower);-1!==e.indexOf("A")&&(o+=Gp.upper);-1!==e.indexOf("0")&&(o+=Gp.number);-1!==e.indexOf("!")&&(o+=Gp.special);-1!==e.indexOf("*")&&(o+=Gp.all);r&&(o+=e);if(i.exclude){var a="string"===Vp(i.exclude)?i.exclude:i.exclude.join("");a=a.replace(new RegExp("[\\]]+","g"),""),o=o.replace(new RegExp("["+a+"]+","g"),""),-1!==i.exclude.indexOf("]")&&(o=o.replace(new RegExp("[\\]]+","g"),""))}for(;t--;)s+=o.charAt(parseInt(Wp()*o.length,10));return s},Hp=!!Wp.cryptographic,Gp={lower:"abcdefghijklmnopqrstuvwxyz",upper:"ABCDEFGHIJKLMNOPQRSTUVWXYZ",number:"0123456789",special:"~!@#$%^&()_+-={}[];',."};Gp.all=Gp.lower+Gp.upper+Gp.number+Gp.special,$p.isCrypto=Hp;var Kp,Yp="",Xp=function(e,t){if("string"!=typeof e)throw new TypeError("expected a string");if(1===t)return e;if(2===t)return e+e;var n=e.length*t;if(Kp!==e||void 0===Kp)Kp=e,Yp="";else if(Yp.length>=n)return Yp.substr(0,n);for(;n>Yp.length&&t>1;)1&t&&(Yp+=e),t>>=1,e+=e;return Yp=(Yp+=e).substr(0,n)};var Jp=function(e,t){for(var n=new Array(t),r=0;r|\||\+|\~/g.exec(n);if(h){var f=h.index,p=h[0];if("+"===p)return Jp(e,t);if("?"===p)return[$p(e,t)];">"===p?(n=n.substr(0,f)+n.substr(f+1),o=!0):"|"===p?(n=n.substr(0,f)+n.substr(f+1),o=!0,s=!0,a=p):"~"===p&&(n=n.substr(0,f)+n.substr(f+1),o=!0,s=!0,a=p)}else if(!jp(n)){if(!u.silent)throw new TypeError("fill-range: invalid step.");return null}}if(/[.&*()[\]^%$#@!]/.test(e)||/[.&*()[\]^%$#@!]/.test(t)){if(!u.silent)throw new RangeError("fill-range: invalid range arguments.");return null}if(!nd(e)||!nd(t)||rd(e)||rd(t)){if(!u.silent)throw new RangeError("fill-range: invalid range arguments.");return null}var d=jp(id(e)),m=jp(id(t));if(!d&&m||d&&!m){if(!u.silent)throw new TypeError("fill-range: first range argument is incompatible with second.");return null}var g=d,v=function(e){return Math.abs(e>>0)||1}(n);g?(e=+e,t=+t):(e=e.charCodeAt(0),t=t.charCodeAt(0));var y=e>t;(e<0||t<0)&&(o=!1,s=!1);var _,E,b=function(e,t){if(od(e)||od(t)){var n=sd(e),r=sd(t),i=n>=r?n:r;return function(e){return Xp("0",i-sd(e))}}return!1}(c,l),D=[],A=0;if(s&&function(e,t,n,r,i,o){if(r&&(e>9||t>9))return!1;return!i&&1===n&&e=t:e<=t;)b&&g&&(E=b(e)),null!==(_="function"==typeof i?i(e,g,E,A++):g?td(e,E):s&&(x=void 0,"\\"===(x=function(e){return String.fromCharCode(e)}(e))||"["===x||"]"===x||"^"===x||"("===x||")"===x||"`"===x)?null:String.fromCharCode(e))&&D.push(_),y?e-=v:e+=v;var x;if((s||o)&&!u.noexpand)return"|"!==a&&"~"!==a||(a=ed(e,t,v,g,y)),1===D.length||e<0||t<0?D:Qp(D,a,u);return D};function Qp(e,t,n){"~"===t&&(t="-");var r=e.join(t),i=n&&n.regexPrefix;return"|"===t&&(r="("+(r=i?i+r:r)+")"),"-"===t&&(r="["+(r=i&&"^"===i?i+r:r)+"]"),[r]}function ed(e,t,n,r,i){return function(e,t,n,r,i){return!i&&(r?e<=9&&t<=9:e3?e:1===o?i:("boolean"==typeof n&&!0===n&&(r.makeRe=!0),i.push(r),Zp.apply(null,i.concat(n)))};var ud,cd,ld={},hd={before:function(e,t){return e.replace(t,function(e){var t=Math.random().toString().slice(2,7);return ld[t]=e,"__ID"+t+"__"})},after:function(e){return e.replace(/__ID(.{5})__/g,function(e,t){return ld[t]})}},fd=function(e,t){if("string"!=typeof e)throw new Error("braces expects a string");return pd(e,t)};function pd(e,t,n){if(""===e)return[];Array.isArray(t)||(n=t,t=[]);var r=n||{};t=t||[],void 0===r.nodupes&&(r.nodupes=!0);var i,o=r.fn;switch("function"==typeof r&&(o=r,r={}),cd instanceof RegExp||(cd=/\${|( (?=[{,}])|(?=[{,}]) )|{}|{,}|\\,(?=.*[{}])|\/\.(?=.*[{}])|\\\.(?={)|\\{|\\}/),(e.match(cd)||[])[0]){case"\\,":return function(e,t,n){return/\w,/.test(e)?vd(pd(e=e.split("\\,").join("__ESC_COMMA__"),t,n),function(e){return e.split("__ESC_COMMA__").join(",")}):t.concat(e.split("\\").join(""))}(e,t,r);case"\\.":return function(e,t,n){return/[^\\]\..+\\\./.test(e)?vd(pd(e=e.split("\\.").join("__ESC_DOT__"),t,n),function(e){return e.split("__ESC_DOT__").join(".")}):t.concat(e.split("\\").join(""))}(e,t,r);case"/.":return function(e,t,n){return vd(pd(e=e.split("/.").join("__ESC_PATH__"),t,n),function(e){return e.split("__ESC_PATH__").join("/.")})}(e,t,r);case" ":return function(e){var t=e.split(" "),n=t.length,r=[],i=0;for(;n--;)r.push.apply(r,pd(t[i++]));return r}(e);case"{,}":return function(e,t,n){"function"==typeof t&&(n=t,t=null);var r,i=t||{},o="__ESC_EXP__",s=0,a=e.split("{,}");if(i.nodupes)return n(a.join(""),i);s=a.length-1;var u=(r=n(a.join(o),i)).length,c=[],l=0;for(;u--;){var h=r[l++],f=h.indexOf(o);if(-1===f)c.push(h);else if((h=h.split("__ESC_EXP__").join(""))&&!1!==i.nodupes)c.push(h);else{var p=Math.pow(2,s);c.push.apply(c,Jp(h,p))}}return c}(e,r,pd);case"{}":return function(e,t,n){return pd(e.split("{}").join("\\{\\}"),t,n)}(e,t,r);case"\\{":case"\\}":return function(e,t,n){return/\{[^{]+\{/.test(e)?vd(pd(e=(e=e.split("\\{").join("__LT_BRACE__")).split("\\}").join("__RT_BRACE__"),t,n),function(e){return(e=e.split("__LT_BRACE__").join("{")).split("__RT_BRACE__").join("}")}):t.concat(e.split("\\").join(""))}(e,t,r);case"${":if(!/\{[^{]+\{/.test(e))return t.concat(e);i=!0,e=hd.before(e,/\$\{([^}]+)\}/)}ud instanceof RegExp||(ud=/.*(\\?\{([^}]+)\})/);var s=ud.exec(e);if(null==s)return[e];var a,u,c=s[1],l=s[2];if(""===l)return[e];if(-1!==l.indexOf(".."))u=(a=ad(l,r,o)||l.split(",")).length;else{if('"'===l[0]||"'"===l[0])return t.concat(e.split(/['"]/).join(""));if(a=l.split(","),r.makeRe)return pd(e.replace(c,dd(a,"|")),r);1===(u=a.length)&&r.bash&&(a[0]=dd(a[0],"\\"))}for(var h,f=a.length,p=0;f--;){var d=a[p++];if(/(\.[^.\/])/.test(d))return u>1?a:[e];if(h=gd(e,c,d),/\{[^{}]+?\}/.test(h))t=pd(h,t,r);else if(""!==h){if(r.nodupes&&-1!==t.indexOf(h))continue;t.push(i?hd.after(h):h)}}return r.strict?function(e,t){if(null==e)return[];if("function"!=typeof t)throw new TypeError("braces: filter expects a callback function.");var n=e.length,r=e.slice(),i=0;for(;n--;)t(e[n],i++)||r.splice(n,1);return r}(t,md):t}function dd(e,t){return"|"===t?"("+e.join(t)+")":","===t?"{"+e.join(t)+"}":"-"===t?"["+e.join(t)+"]":"\\"===t?"\\{"+e+"\\}":void 0}function md(e){return!!e&&"\\"!==e}function gd(e,t,n){var r=e.indexOf(t);return e.substr(0,r)+n+e.substr(r+t.length)}function vd(e,t){if(null==e)return[];for(var n=e.length,r=new Array(n),i=-1;++i?@[\\]^_`{|}~",space:" \\t\\r\\n\\v\\f",upper:"A-Z",word:"A-Za-z0-9_",xdigit:"A-Fa-f0-9"},Ed=bd;function bd(e){if(!yd(e))return e;var t=!1;-1!==e.indexOf("[^")&&(t=!0,e=e.split("[^").join("[")),-1!==e.indexOf("[!")&&(t=!0,e=e.split("[!").join("["));for(var n=e.split("["),r=e.split("]"),i=n.length!==r.length,o=e.split(/(?::\]\[:|\[?\[:|:\]\]?)/),s=o.length,a=0,u="",c="",l=[];s--;){var h=o[a++];"^[!"!==h&&"[!"!==h||(h="",t=!0);var f=t?"^":"",p=_d[h];p?l.push("["+f+p+"]"):h&&(/^\[?\w-\w\]?$/.test(h)?a===o.length?l.push("["+f+h):1===a?l.push(f+h+"]"):l.push(f+h):1===a?c+=h:a===o.length?u+=h:l.push("["+f+h+"]"))}var d=l.join("|"),m=l.length||1;return m>1&&(d="(?:"+d+")",m=1),c&&(m++,"["===c.charAt(0)&&(i?c="\\["+c.slice(1):c+="]"),d=c+d),u&&(m++,"]"===u.slice(-1)&&(u=i?u.slice(0,u.length-1)+"\\]":"["+u),d+=u),m>1&&(-1===(d=d.split("][").join("]|[")).indexOf("|")||/\(\?/.test(d)||(d="(?:"+d+")")),d=d.replace(/\[+=|=\]+/g,"\\b")}bd.makeRe=function(e){try{return new RegExp(bd(e))}catch(e){}},bd.isMatch=function(e,t){try{return bd.makeRe(t).test(e)}catch(e){return!1}},bd.match=function(e,t){for(var n=e.length,r=0,i=e.slice(),o=bd.makeRe(t);r0&&("/"===n||kd&&"\\"===n)}var Od=function(e,t){if("string"!=typeof e)throw new TypeError("expected a string");return e=e.replace(/[\\\/]+/g,"/"),!1!==t&&(e=function(e){var t=e.length-1;if(t<2)return e;for(;Bd(e,t);)t--;return e.substr(0,t+1)}(e)),e},Rd=Object.prototype.hasOwnProperty,Id=function(e,t){if(null==(n=e)||"object"!=typeof n&&"function"!=typeof n)return{};var n,r,i=(t=[].concat.apply([],[].slice.call(arguments,1)))[t.length-1],o={};"function"==typeof i&&(r=t.pop());var s="function"==typeof r;return t.length||s?(function(e,t,n){!function(e,t,n){for(var r in e)if(!1===t.call(n,e[r],r,e))break}(e,function(r,i){if(Rd.call(e,i))return t.call(n,e[i],i,e)})}(e,function(n,i){-1===t.indexOf(i)&&(s?r(n,i,e)&&(o[i]=n):o[i]=n)}),o):e},Pd=function(e){if("string"!=typeof e)throw new TypeError("glob-base expects a string.");var t,n={};return n.base=function(e){e+="a";do{e=Jt.dirname(e)}while(Sd(e));return e}(e),n.isGlob=Sd(e),"."!==n.base?(n.glob=e.substr(n.base.length),"/"===n.glob.charAt(0)&&(n.glob=n.glob.substr(1))):n.glob=e,n.isGlob||(n.base="/"===(t=e).slice(-1)?t:Jt.dirname(t),n.glob="."!==n.base?e.substr(n.base.length):e),"./"===n.glob.substr(0,2)&&(n.glob=n.glob.substr(2)),"/"===n.glob.charAt(0)&&(n.glob=n.glob.substr(1)),n};var Td=function(e){if(46===e.charCodeAt(0)&&-1===e.indexOf("/",1))return!0;var t=e.lastIndexOf("/");return-1!==t&&46===e.charCodeAt(t+1)},Nd=r(function(e){var t=e.exports.cache={};function n(e,t,n){return e&&-1!==t.indexOf(n)}function r(e){return e=(e=e.split("__SLASH__").join("/")).split("__DOT__").join(".")}e.exports=function(e){if(t.hasOwnProperty(e))return t[e];var i={};i.orig=e,i.is={},e=e.replace(/\{([^{}]*?)}|\(([^()]*?)\)|\[([^\[\]]*?)\]/g,function(e,t,n,r){var i=t||n||r;return i?e.split(i).join(i.split("/").join("__SLASH__").split(".").join("__DOT__")):e});var o=Pd(e);i.is.glob=o.isGlob,i.glob=o.glob,i.base=o.base;var s=/([^\/]*)$/.exec(e);i.path={},i.path.dirname="",i.path.basename=s[1]||"",i.path.dirname=e.split(i.path.basename).join("")||"";var a=(i.path.basename||"").split(".")||"";i.path.filename=a[0]||"",i.path.extname=a.slice(1).join(".")||"",i.path.ext="",Sd(i.path.dirname)&&!i.path.basename&&(/\/$/.test(i.glob)||(i.path.basename=i.glob),i.path.dirname=i.base),-1!==e.indexOf("/")||i.is.globstar||(i.path.dirname="",i.path.basename=i.orig);var u=i.path.basename.indexOf(".");if(-1!==u&&(i.path.filename=i.path.basename.slice(0,u),i.path.extname=i.path.basename.slice(u)),"."===i.path.extname.charAt(0)){var c=i.path.extname.split(".");i.path.ext=c[c.length-1]}i.glob=r(i.glob),i.path.dirname=r(i.path.dirname),i.path.basename=r(i.path.basename),i.path.filename=r(i.path.filename),i.path.extname=r(i.path.extname);var l=e&&i.is.glob;return i.is.negated=e&&"!"===e.charAt(0),i.is.extglob=e&&Ad(e),i.is.braces=n(l,e,"{"),i.is.brackets=n(l,e,"[:"),i.is.globstar=n(l,e,"**"),i.is.dotfile=Td(i.path.basename)||Td(i.path.filename),i.is.dotdir=function(e){if(-1!==e.indexOf("/."))return!0;if("."===e.charAt(0)&&"/"!==e.charAt(1))return!0;return!1}(i.path.dirname),t[e]=i}}),Md=(Nd.cache,function(e,t){if(!e&&!t)return!0;if(!e&&t||e&&!t)return!1;var n,r,i=0,o=0;for(n in t)if(o++,null!=(r=t[n])&&("function"==typeof r||"object"==typeof r)||!e.hasOwnProperty(n)||e[n]!==t[n])return!1;for(n in e)i++;return i===o}),Ld={},jd={},Ud=function(e,t,n){var r,i,o="_default_";if(!t&&!n)return"function"!=typeof e?e:Ld[o]||(Ld[o]=e(t));if("string"==typeof t){if(!n)return Ld[t]||(Ld[t]=e(t));o=t}else n=t;if((i=jd[o])&&Md(i.opts,n))return i.regex;return function(e,t,n){jd[e]={regex:n,opts:t}}(o,n,r=e(t,n)),r};var zd=jd,Vd=Ld;Ud.cache=zd,Ud.basic=Vd;var qd,Wd,$d=r(function(e){var t=Se&&"win32"===Se.platform,n=e.exports;n.diff=Bp,n.unique=Op,n.braces=fd,n.brackets=Ed,n.extglob=wd,n.isExtglob=Ad,n.isGlob=Sd,n.typeOf=Lp,n.normalize=Od,n.omit=Id,n.parseGlob=Nd,n.cache=Ud,n.filename=function(e){var t=e.match(/([^\\\/]+)$/);return t&&t[0]},n.isPath=function(e,t){return t=t||{},function(r){var i=n.unixify(r,t);return t.nocase?e.toLowerCase()===i.toLowerCase():e===i}},n.hasPath=function(e,t){return function(r){return-1!==n.unixify(e,t).indexOf(r)}},n.matchPath=function(e,t){return t&&t.contains?n.hasPath(e,t):n.isPath(e,t)},n.hasFilename=function(e){return function(t){var r=n.filename(t);return r&&e.test(r)}},n.arrayify=function(e){return Array.isArray(e)?e:[e]},n.unixify=function(e,r){return r&&!1===r.unixify?e:r&&!0===r.unixify||t||"\\"===Jt.sep?n.normalize(e,!1):r&&!0===r.unescape?e?e.toString().replace(/\\(\w)/g,"$1"):"":e},n.escapePath=function(e){return e.replace(/[\\.]/g,"\\$&")},n.unescapeGlob=function(e){return e.replace(/[\\"']/g,"")},n.escapeRe=function(e){return e.replace(/[-[\\$*+?.#^\s{}(|)\]]/g,"\\$&")},e.exports=n}),Hd={};function Gd(e,t){return Object.keys(e).reduce(function(n,r){var i=t?t+r:r;return n[e[r]]=i,n},{})}Hd.escapeRegex={"?":/\?/g,"@":/\@/g,"!":/\!/g,"+":/\+/g,"*":/\*/g,"(":/\(/g,")":/\)/g,"[":/\[/g,"]":/\]/g},Hd.ESC={"?":"__UNESC_QMRK__","@":"__UNESC_AMPE__","!":"__UNESC_EXCL__","+":"__UNESC_PLUS__","*":"__UNESC_STAR__",",":"__UNESC_COMMA__","(":"__UNESC_LTPAREN__",")":"__UNESC_RTPAREN__","[":"__UNESC_LTBRACK__","]":"__UNESC_RTBRACK__"},Hd.UNESC=qd||(qd=Gd(Hd.ESC,"\\")),Hd.ESC_TEMP={"?":"__TEMP_QMRK__","@":"__TEMP_AMPE__","!":"__TEMP_EXCL__","*":"__TEMP_STAR__","+":"__TEMP_PLUS__",",":"__TEMP_COMMA__","(":"__TEMP_LTPAREN__",")":"__TEMP_RTPAREN__","[":"__TEMP_LTBRACK__","]":"__TEMP_RTBRACK__"},Hd.TEMP=Wd||(Wd=Gd(Hd.ESC_TEMP));var Kd=Hd,Yd=r(function(e){var t=e.exports=function e(t,n){if(!(this instanceof e))return new e(t,n);this.options=n||{},this.pattern=t,this.history=[],this.tokens={},this.init(t)};t.prototype.init=function(e){this.orig=e,this.negated=this.isNegated(),this.options.track=this.options.track||!1,this.options.makeRe=!0},t.prototype.track=function(e){this.options.track&&this.history.push({msg:e,pattern:this.pattern})},t.prototype.isNegated=function(){return 33===this.pattern.charCodeAt(0)&&(this.pattern=this.pattern.slice(1),!0)},t.prototype.braces=function(){if(!0!==this.options.nobraces&&!0!==this.options.nobrace){var e=this.pattern.match(/[\{\(\[]/g),t=this.pattern.match(/[\}\)\]]/g);e&&t&&e.length!==t.length&&(this.options.makeRe=!1);var n=$d.braces(this.pattern,this.options);this.pattern=n.join("|")}},t.prototype.brackets=function(){!0!==this.options.nobrackets&&(this.pattern=$d.brackets(this.pattern))},t.prototype.extglob=function(){!0!==this.options.noextglob&&$d.isExtglob(this.pattern)&&(this.pattern=$d.extglob(this.pattern,{escape:!0}))},t.prototype.parse=function(e){return this.tokens=$d.parseGlob(e||this.pattern,!0),this.tokens},t.prototype._replace=function(e,t,n){this.track('before (find): "'+e+'" (replace with): "'+t+'"'),n&&(t=t.split("?").join("%~").split("*").join("%%")),this.pattern=e&&t&&"string"==typeof e?this.pattern.split(e).join(t):this.pattern.replace(e,t),this.track("after")},t.prototype.escape=function(e){this.track("before escape: ");this.pattern=e.replace(/["\\](['"]?[^"'\\]['"]?)/g,function(e,t){var n=Kd.ESC,r=n&&n[t];return r||(/[a-z]/i.test(e)?e.split("\\").join(""):e)}),this.track("after escape: ")},t.prototype.unescape=function(e){this.pattern=e.replace(/__([A-Z]+)_([A-Z]+)__/g,function(e,t){return Kd[t][e]}),this.pattern=function(e){return e=(e=e.split("%~").join("?")).split("%%").join("*")}(this.pattern)}}),Xd=function(e,t){if("string"!=typeof e)throw new TypeError("micromatch.expand(): argument should be a string.");var n=new Yd(e,t||{}),r=n.options;if(!$d.isGlob(e))return n.pattern=n.pattern.replace(/([\/.])/g,"\\$1"),n;n.pattern=n.pattern.replace(/(\+)(?!\()/g,"\\$1"),n.pattern=n.pattern.split("$").join("\\$"),"boolean"!=typeof r.braces&&"boolean"!=typeof r.nobraces&&(r.braces=!0);if(".*"===n.pattern)return{pattern:"\\."+Qd,tokens:i,options:r};if("*"===n.pattern)return{pattern:im(r.dot),tokens:i,options:r};n.parse();var i=n.tokens;i.is.negated=r.negated,!0!==r.dotfiles&&!i.is.dotfile||!1===r.dot||(r.dotfiles=!0,r.dot=!0);!0!==r.dotdirs&&!i.is.dotdir||!1===r.dot||(r.dotdirs=!0,r.dot=!0);/[{,]\./.test(n.pattern)&&(r.makeRe=!1,r.dot=!0);!0!==r.nonegate&&(r.negated=n.negated);"."===n.pattern.charAt(0)&&"/"!==n.pattern.charAt(1)&&(n.pattern="\\"+n.pattern);n.track("before braces"),i.is.braces&&n.braces();n.track("after braces"),n.track("before extglob"),i.is.extglob&&n.extglob();n.track("after extglob"),n.track("before brackets"),i.is.brackets&&n.brackets();n.track("after brackets"),n._replace("[!","[^"),n._replace("(?","(%~"),n._replace(/\[\]/,"\\[\\]"),n._replace("/[","/"+(r.dot?nm:em)+"[",!0),n._replace("/?","/"+(r.dot?nm:em)+"[^/]",!0),n._replace("/.","/(?=.)\\.",!0),n._replace(/^(\w):([\\\/]+?)/gi,"(?=.)$1:$2",!0),-1!==n.pattern.indexOf("[^")&&(n.pattern=n.pattern.replace(/\[\^([^\]]*?)\]/g,function(e,t){return-1===t.indexOf("/")&&(t="\\/"+t),"[^"+t+"]"}));!1!==r.globstar&&"**"===n.pattern?n.pattern=om(r.dot):(n.pattern=function(e,t,n){var r=e.split(t),i=r.join("").length,o=e.split(n).join("").length;if(i!==o)return(e=r.join("\\"+t)).split(n).join("\\"+n);return e}(n.pattern,"[","]"),n.escape(n.pattern),i.is.globstar&&(n.pattern=Jd(n.pattern,"/**"),n.pattern=Jd(n.pattern,"**/"),n._replace("/**/","(?:/"+om(r.dot)+"/|/)",!0),n._replace(/\*{2,}/g,"**"),n._replace(/(\w+)\*(?!\/)/g,"$1[^/]*?",!0),n._replace(/\*\*\/\*(\w)/g,om(r.dot)+"\\/"+(r.dot?nm:em)+"[^/]*?$1",!0),!0!==r.dot&&n._replace(/\*\*\/(.)/g,"(?:**\\/|)$1"),(""!==i.path.dirname||/,\*\*|\*\*,/.test(n.orig))&&n._replace("**",om(r.dot),!0)),n._replace(/\/\*$/,"\\/"+im(r.dot),!0),n._replace(/(?!\/)\*$/,Qd,!0),n._replace(/([^\/]+)\*/,"$1"+im(!0),!0),n._replace("*",im(r.dot),!0),n._replace("?.","?\\.",!0),n._replace("?:","?:",!0),n._replace(/\?+/g,function(e){var t=e.length;return 1===t?Zd:Zd+"{"+t+"}"}),n._replace(/\.([*\w]+)/g,"\\.$1"),n._replace(/\[\^[\\\/]+\]/g,Zd),n._replace(/\/+/g,"\\/"),n._replace(/\\{2,}/g,"\\"));n.unescape(n.pattern),n._replace("__UNESC_STAR__","*"),n._replace("?.","?\\."),n._replace("[^\\/]",Zd),n.pattern.length>1&&/^[\[?*]/.test(n.pattern)&&(n.pattern=(r.dot?nm:em)+n.pattern);return n};function Jd(e,t){var n=e.split(t),r=""===n[0],i=""===n[n.length-1];return n=n.filter(Boolean),r&&n.unshift(""),i&&n.push(""),n.join(t)}var Zd="[^/]",Qd=Zd+"*?",em="(?!\\.)(?=.)",tm="(?:\\/|^)\\.{1,2}($|\\/)",nm="(?!"+tm+")(?=.)",rm="(?:(?!"+tm+").)*?";function im(e){return e?"(?!"+tm+")(?=.)"+Qd:em+Qd}function om(e){return e?rm:"(?:(?!(?:\\/|^)\\.).)*?"}function sm(e,t,n){if(!e||!t)return[];if(void 0===(n=n||{}).cache&&(n.cache=!0),!Array.isArray(t))return am(e,t,n);for(var r=t.length,i=0,o=[],s=[];r--;){var a=t[i++];"string"==typeof a&&33===a.charCodeAt(0)?o.push.apply(o,am(e,a.slice(1),n)):s.push.apply(s,am(e,a,n))}return $d.diff(s,o)}function am(e,t,n){if("string"!==$d.typeOf(e)&&!Array.isArray(e))throw new Error(hm("match","files","a string or array"));e=$d.arrayify(e);var r=(n=n||{}).negate||!1,i=t;"string"==typeof t&&((r="!"===t.charAt(0))&&(t=t.slice(1)),!0===n.nonegate&&(r=!1));for(var o=um(t,n),s=e.length,a=0,u=[];a0?",":"")+i+Am(e[o],t,n+t);return r+(t?"\n"+n:"")+"]"}(e,t,n):null===e?"null":"object"==typeof e?function(e,t,n){for(var r="{",i=t?"\n"+n+t:"",o=Object.keys(e),s=0;s0?",":"")+i+(Dm(a)===a?a:JSON.stringify(a))+":"+(t?" ":"")+Am(e[a],t,n+t)}return r+(t?"\n"+n:"")+"}"}(e,t,n):JSON.stringify(e)}function xm(e,t){void 0===t&&(t={});var n=t.compact?"":"indent"in t?t.indent:"\t",r=t.compact?"":" ",i=t.compact?"":"\n",o=t.preferConst?"const":"var";if(!1===t.namedExports||"object"!=typeof e||Array.isArray(e)||null===e)return"export default"+r+Am(e,t.compact?null:n,"")+";";for(var s="",a=[],u=Object.keys(e),c=0;c>=5)>0&&(n|=32),t+=wm[n]}while(e>0);return t}var Fm=function(e,t,n){this.start=e,this.end=t,this.original=n,this.intro="",this.outro="",this.content=n,this.storeName=!1,this.edited=!1,Object.defineProperties(this,{previous:{writable:!0,value:null},next:{writable:!0,value:null}})};Fm.prototype.appendLeft=function(e){this.outro+=e},Fm.prototype.appendRight=function(e){this.intro=this.intro+e},Fm.prototype.clone=function(){var e=new Fm(this.start,this.end,this.original);return e.intro=this.intro,e.outro=this.outro,e.content=this.content,e.storeName=this.storeName,e.edited=this.edited,e},Fm.prototype.contains=function(e){return this.start0&&(o+=";"),0!==a.length){for(var u=0,c=[],l=0,h=a;l1&&(p+=Cm(f[1]-t)+Cm(f[2]-n)+Cm(f[3]-r),t=f[1],n=f[2],r=f[3]),5===f.length&&(p+=Cm(f[4]-i),i=f[4]),c.push(p)}o+=c.join(",")}}return o}(e.mappings)};function Bm(e){var t=e.split("\n"),n=t.filter(function(e){return/^\t+/.test(e)}),r=t.filter(function(e){return/^ {2,}/.test(e)});if(0===n.length&&0===r.length)return null;if(n.length>=r.length)return"\t";var i=r.reduce(function(e,t){var n=/^ +/.exec(t)[0].length;return Math.min(n,e)},1/0);return new Array(i+1).join(" ")}function Om(e,t){var n=e.split(/[\/\\]/),r=t.split(/[\/\\]/);for(n.pop();n[0]===r[0];)n.shift(),r.shift();if(n.length)for(var i=n.length;i--;)n[i]="..";return n.concat(r).join("/")}km.prototype.toString=function(){return JSON.stringify(this)},km.prototype.toUrl=function(){return"data:application/json;charset=utf-8;base64,"+Sm(this.toString())};var Rm=Object.prototype.toString;function Im(e){for(var t=e.split("\n"),n=[],r=0,i=0;r>1;e=0&&i.push(r),this.rawSegments.push(i)}else this.pending&&this.rawSegments.push(this.pending);this.advance(t),this.pending=null},Pm.prototype.addUneditedChunk=function(e,t,n,r,i){for(var o=t.start,s=!0;o1){for(var n=0;n=e&&n<=t)throw new Error("Cannot move a selection inside itself");this._split(e),this._split(t),this._split(n);var r=this.byStart[e],i=this.byEnd[t],o=r.previous,s=i.next,a=this.byStart[n];if(!a&&i===this.lastChunk)return this;var u=a?a.previous:this.lastChunk;return o&&(o.next=s),s&&(s.previous=o),u&&(u.next=r),a&&(a.previous=i),r.previous||(this.firstChunk=i.next),i.next||(this.lastChunk=r.previous,this.lastChunk.next=null),r.previous=u,i.next=a||null,u||(this.firstChunk=r),a||(this.lastChunk=i),this},Nm.prototype.overwrite=function(e,t,n,r){if("string"!=typeof n)throw new TypeError("replacement content must be a string");for(;e<0;)e+=this.original.length;for(;t<0;)t+=this.original.length;if(t>this.original.length)throw new Error("end is out of bounds");if(e===t)throw new Error("Cannot overwrite a zero-length range – use appendLeft or prependRight instead");this._split(e),this._split(t),!0===r&&(Tm.storeName||(console.warn("The final argument to magicString.overwrite(...) should be an options object. See https://github.com/rich-harris/magic-string"),Tm.storeName=!0),r={storeName:!0});var i=void 0!==r&&r.storeName,o=void 0!==r&&r.contentOnly;if(i){var s=this.original.slice(e,t);this.storedNames[s]=!0}var a=this.byStart[e],u=this.byEnd[t];if(a){if(t>a.end&&a.next!==this.byStart[a.end])throw new Error("Cannot overwrite across a split point");if(a.edit(n,i,o),a!==u){for(var c=a.next;c!==u;)c.edit("",!1),c=c.next;c.edit("",!1)}}else{var l=new Fm(e,t,"").edit(n,i);u.next=l,l.previous=u}return this},Nm.prototype.prepend=function(e){if("string"!=typeof e)throw new TypeError("outro content must be a string");return this.intro=e+this.intro,this},Nm.prototype.prependLeft=function(e,t){if("string"!=typeof t)throw new TypeError("inserted content must be a string");this._split(e);var n=this.byEnd[e];return n?n.prependLeft(t):this.intro=t+this.intro,this},Nm.prototype.prependRight=function(e,t){if("string"!=typeof t)throw new TypeError("inserted content must be a string");this._split(e);var n=this.byStart[e];return n?n.prependRight(t):this.outro=t+this.outro,this},Nm.prototype.remove=function(e,t){for(;e<0;)e+=this.original.length;for(;t<0;)t+=this.original.length;if(e===t)return this;if(e<0||t>this.original.length)throw new Error("Character is out of bounds");if(e>t)throw new Error("end must be greater than start");this._split(e),this._split(t);for(var n=this.byStart[e];n;)n.intro="",n.outro="",n.edit(""),n=t>n.end?this.byStart[n.end]:null;return this},Nm.prototype.lastChar=function(){if(this.outro.length)return this.outro[this.outro.length-1];var e=this.lastChunk;do{if(e.outro.length)return e.outro[e.outro.length-1];if(e.content.length)return e.content[e.content.length-1];if(e.intro.length)return e.intro[e.intro.length-1]}while(e=e.previous);return this.intro.length?this.intro[this.intro.length-1]:""},Nm.prototype.lastLine=function(){var e=this.outro.lastIndexOf("\n");if(-1!==e)return this.outro.substr(e+1);var t=this.outro,n=this.lastChunk;do{if(n.outro.length>0){if(-1!==(e=n.outro.lastIndexOf("\n")))return n.outro.substr(e+1)+t;t=n.outro+t}if(n.content.length>0){if(-1!==(e=n.content.lastIndexOf("\n")))return n.content.substr(e+1)+t;t=n.content+t}if(n.intro.length>0){if(-1!==(e=n.intro.lastIndexOf("\n")))return n.intro.substr(e+1)+t;t=n.intro+t}}while(n=n.previous);return-1!==(e=this.intro.lastIndexOf("\n"))?this.intro.substr(e+1)+t:this.intro+t},Nm.prototype.slice=function(e,t){for(void 0===e&&(e=0),void 0===t&&(t=this.original.length);e<0;)e+=this.original.length;for(;t<0;)t+=this.original.length;for(var n="",r=this.firstChunk;r&&(r.start>e||r.end<=e);){if(r.start=t)return n;r=r.next}if(r&&r.edited&&r.start!==e)throw new Error("Cannot use replaced character "+e+" as slice start anchor.");for(var i=r;r;){!r.intro||i===r&&r.start!==e||(n+=r.intro);var o=r.start=t;if(o&&r.edited&&r.end!==t)throw new Error("Cannot use replaced character "+t+" as slice end anchor.");var s=i===r?e-r.start:0,a=o?r.content.length+t-r.end:r.content.length;if(n+=r.content.slice(s,a),!r.outro||o&&r.end!==t||(n+=r.outro),o)break;r=r.next}return n},Nm.prototype.snip=function(e,t){var n=this.clone();return n.remove(0,e),n.remove(t,n.original.length),n},Nm.prototype._split=function(e){if(!this.byStart[e]&&!this.byEnd[e])for(var t=this.lastSearchedChunk,n=e>t.end;t;){if(t.contains(e))return this._splitChunk(t,e);t=n?this.byStart[t.end]:this.byEnd[t.start]}},Nm.prototype._splitChunk=function(e,t){if(e.edited&&e.content.length){var n=Im(this.original)(t);throw new Error("Cannot split a chunk that has already been edited ("+n.line+":"+n.column+' – "'+e.original+'")')}var r=e.split(t);return this.byEnd[t]=e,this.byStart[t]=r,this.byEnd[r.end]=r,e===this.lastChunk&&(this.lastChunk=r),this.lastSearchedChunk=e,!0},Nm.prototype.toString=function(){for(var e=this.intro,t=this.firstChunk;t;)e+=t.toString(),t=t.next;return e+this.outro},Nm.prototype.isEmpty=function(){var e=this.firstChunk;do{if(e.intro.length&&e.intro.trim()||e.content.length&&e.content.trim()||e.outro.length&&e.outro.trim())return!1}while(e=e.next);return!0},Nm.prototype.length=function(){var e=this.firstChunk,t=0;do{t+=e.intro.length+e.content.length+e.outro.length}while(e=e.next);return t},Nm.prototype.trimLines=function(){return this.trim("[\\r\\n]")},Nm.prototype.trim=function(e){return this.trimStart(e).trimEnd(e)},Nm.prototype.trimEndAborted=function(e){var t=new RegExp((e||"\\s")+"+$");if(this.outro=this.outro.replace(t,""),this.outro.length)return!0;var n=this.lastChunk;do{var r=n.end,i=n.trimEnd(t);if(n.end!==r&&(this.lastChunk===n&&(this.lastChunk=n.next),this.byEnd[n.end]=n,this.byStart[n.next.start]=n.next,this.byEnd[n.next.end]=n.next),i)return!0;n=n.previous}while(n);return!1},Nm.prototype.trimEnd=function(e){return this.trimEndAborted(e),this},Nm.prototype.trimStartAborted=function(e){var t=new RegExp("^"+(e||"\\s")+"+");if(this.intro=this.intro.replace(t,""),this.intro.length)return!0;var n=this.firstChunk;do{var r=n.end,i=n.trimStart(t);if(n.end!==r&&(n===this.lastChunk&&(this.lastChunk=n.next),this.byEnd[n.end]=n,this.byStart[n.next.start]=n.next,this.byEnd[n.next.end]=n.next),i)return!0;n=n.next}while(n);return!1},Nm.prototype.trimStart=function(e){return this.trimStartAborted(e),this};var Mm={assert:!0,async_hooks:">= 8",buffer_ieee754:"< 0.9.7",buffer:!0,child_process:!0,cluster:!0,console:!0,constants:!0,crypto:!0,_debugger:"< 8",dgram:!0,dns:!0,domain:!0,events:!0,freelist:"< 6",fs:!0,"fs/promises":">= 10 && < 10.1",_http_agent:">= 0.11.1",_http_client:">= 0.11.1",_http_common:">= 0.11.1",_http_incoming:">= 0.11.1",_http_outgoing:">= 0.11.1",_http_server:">= 0.11.1",http:!0,http2:">= 8.8",https:!0,inspector:">= 8.0.0",_linklist:"< 8",module:!0,net:!0,"node-inspect/lib/_inspect":">= 7.6.0","node-inspect/lib/internal/inspect_client":">= 7.6.0","node-inspect/lib/internal/inspect_repl":">= 7.6.0",os:!0,path:!0,perf_hooks:">= 8.5",process:">= 1",punycode:!0,querystring:!0,readline:!0,repl:!0,smalloc:">= 0.11.5 && < 3",_stream_duplex:">= 0.9.4",_stream_transform:">= 0.9.4",_stream_wrap:">= 1.4.1",_stream_passthrough:">= 0.9.4",_stream_readable:">= 0.9.4",_stream_writable:">= 0.9.4",stream:!0,string_decoder:!0,sys:!0,timers:!0,_tls_common:">= 0.11.13",_tls_legacy:">= 0.11.3 && < 10",_tls_wrap:">= 0.11.3",tls:!0,trace_events:">= 10",tty:!0,url:!0,util:!0,"v8/tools/arguments":">= 10","v8/tools/codemap":[">= 4.4.0 && < 5",">= 5.2.0"],"v8/tools/consarray":[">= 4.4.0 && < 5",">= 5.2.0"],"v8/tools/csvparser":[">= 4.4.0 && < 5",">= 5.2.0"],"v8/tools/logreader":[">= 4.4.0 && < 5",">= 5.2.0"],"v8/tools/profile_view":[">= 4.4.0 && < 5",">= 5.2.0"],"v8/tools/splaytree":[">= 4.4.0 && < 5",">= 5.2.0"],v8:">= 1",vm:!0,zlib:!0},Lm=function(e){return e&&e.default||e}(Object.freeze({assert:!0,async_hooks:">= 8",buffer_ieee754:"< 0.9.7",buffer:!0,child_process:!0,cluster:!0,console:!0,constants:!0,crypto:!0,_debugger:"< 8",dgram:!0,dns:!0,domain:!0,events:!0,freelist:"< 6",fs:!0,_http_agent:">= 0.11.1",_http_client:">= 0.11.1",_http_common:">= 0.11.1",_http_incoming:">= 0.11.1",_http_outgoing:">= 0.11.1",_http_server:">= 0.11.1",http:!0,http2:">= 8.8",https:!0,inspector:">= 8.0.0",_linklist:"< 8",module:!0,net:!0,os:!0,path:!0,perf_hooks:">= 8.5",process:">= 1",punycode:!0,querystring:!0,readline:!0,repl:!0,smalloc:">= 0.11.5 && < 3",_stream_duplex:">= 0.9.4",_stream_transform:">= 0.9.4",_stream_wrap:">= 1.4.1",_stream_passthrough:">= 0.9.4",_stream_readable:">= 0.9.4",_stream_writable:">= 0.9.4",stream:!0,string_decoder:!0,sys:!0,timers:!0,_tls_common:">= 0.11.13",_tls_legacy:">= 0.11.3 && < 10",_tls_wrap:">= 0.11.3",tls:!0,trace_events:">= 10",tty:!0,url:!0,util:!0,v8:">= 1",vm:!0,zlib:!0,default:Mm})),jm=Se.versions&&Se.versions.node&&Se.versions.node.split(".")||[];function Um(e){for(var t=e.split(" "),n=t.length>1?t[0]:"=",r=(t.length>1?t[1]:t[0]).split("."),i=0;i<3;++i){var o=Number(jm[i]||0),s=Number(r[i]||0);if(o!==s)return"<"===n?o="===n&&o>=s}return">="===n}function zm(e){var t=e.split(/ ?&& ?/);if(0===t.length)return!1;for(var n=0;n1||"Literal"!==e.arguments[0].type&&("TemplateLiteral"!==e.arguments[0].type||e.arguments[0].expressions.length>0)}(e)&&!o(e.arguments[0].value))return!0}function x(e,t){var n=function(e){return"Literal"===e.arguments[0].type?e.arguments[0].value:e.arguments[0].quasis[0].value.cooked}(e);if(void 0===f[n]){if(!t)do{t="require$$"+d++}while(m.contains(t));p.push(n),f[n]={source:n,name:t,importsDefault:!1}}return f[n]}var w=new Set;if(Ap(l,{enter:function(e){"AssignmentExpression"===e.type&&"MemberExpression"!==e.left.type&&function(e){var t=[];return mg[e.type](t,e),t}(e.left).forEach(function(e){w.add(e)})}}),Ap(l,{enter:function(e,t){if(a&&(h.addSourcemapLocation(e.start),h.addSourcemapLocation(e.end)),t&&("IfStatement"===t.type||"ConditionalExpression"===t.type)){if(e===t.consequent&&vg(t.test))return this.skip();if(e===t.alternate&&gg(t.test))return this.skip()}if(e._skip)return this.skip();if(y+=1,e.scope&&(m=e.scope),Fg.test(e.type)&&(v+=1),"ReturnStatement"===e.type&&0===v&&(D=!0),"ThisExpression"===e.type&&0===v)return g.global=!0,void(i||h.overwrite(e.start,e.end,E+".commonjsGlobal",{storeName:!0}));if("UnaryExpression"===e.type&&"typeof"===e.operator){var n=dg(e.argument);if(!n)return;if(m.contains(n.name))return;"module.exports"!==n.keypath&&"module"!==n.keypath&&"exports"!==n.keypath||h.overwrite(e.start,e.end,"'object'",{storeName:!1})}if("Identifier"!==e.type){if("AssignmentExpression"===e.type){if("MemberExpression"!==e.left.type)return;var r=dg(e.left);if(!r)return;if(m.contains(r.name))return;var o=Ag.exec(r.keypath);if(!o||"exports"===r.keypath)return;return g[r.name]=!0,y>3&&(D=!0),e.left._skip=!0,"module.exports"===r.keypath&&"ObjectExpression"===e.right.type?e.right.properties.forEach(function(e){if(!e.computed&&"Identifier"===e.key.type){var t=e.key.name;t===Dm(t)&&(b[t]=!0)}}):void(o[1]&&(b[o[1]]=!0))}if("VariableDeclarator"===e.type&&"Identifier"===e.id.type&&A(e.init)){if(m.parent)return;if(w.has(e.id.name))return;var s=x(e.init,e.id.name);s.importsDefault=!0,s.name===e.id.name&&(e._shouldRemove=!0)}if(A(e)){var c=x(e);"ExpressionStatement"===t.type?h.remove(t.start,t.end):(c.importsDefault=!0,h.overwrite(e.start,e.end,c.name)),e.callee._skip=!0}}else if(function(e,t){return"MemberExpression"===t.type?t.computed||e===t.object:!("Property"===t.type&&e!==t.value||"MethodDefinition"===t.type||"ExportSpecifier"===t.type&&e!==t.local)}(e,t)&&!m.contains(e.name)){if(e.name in g){if("require"===e.name){if(u)return;h.overwrite(e.start,e.end,E+".commonjsRequire",{storeName:!0})}g[e.name]=!0,"global"!==e.name||i||h.overwrite(e.start,e.end,E+".commonjsGlobal",{storeName:!0}),"module"!==e.name&&"exports"!==e.name||(D=!0)}"define"===e.name&&h.overwrite(e.start,e.end,"undefined",{storeName:!0}),_.add(e.name)}},leave:function(e){if(y-=1,e.scope&&(m=m.parent),Fg.test(e.type)&&(v-=1),"VariableDeclaration"===e.type){for(var t=!1,n=e.declarations[0].start,r=0;r0||D||!r)&&h.append(U),{code:t=h.toString(),map:a?h.generateMap():null}}function Og(e){void 0===e&&(e={});var t=e.extensions||[".js"],n=ym(e.include,e.exclude),r=e.ignoreGlobal,i={};e.namedExports&&Object.keys(e.namedExports).forEach(function(t){var n;try{n=eg(t,{basedir:Se.cwd()})}catch(e){n=qt(t)}i[n]=e.namedExports[t]});var o=Object.create(null),s=Object.create(null),a=!!e.ignore,u="function"==typeof e.ignore?e.ignore:Array.isArray(e.ignore)?function(t){return e.ignore.includes(t)}:function(){return!1},c=null,l=pg(t),h=!1!==e.sourceMap;return{name:"commonjs",options:function(e){l.setRollupOptions(e);var t=e.input||e.entry,n=Array.isArray(t)?t:"object"==typeof t&&null!==t?Object.values(t):[t];c=Promise.all(n.map(function(e){return l(e)}))},resolveId:l,load:function(e){if(e===rg)return ig;if(e.startsWith(ng)){var t=e.slice(ng.length),n=hg(t);return"import "+n+" from "+JSON.stringify(t)+"; export default "+n+";"}if(e.startsWith(tg)){var r=e.slice(tg.length),i=hg(r);return function(e){var t=og[e];if(t)return t.promise;var n=new Promise(function(n){og[e]=t={resolve:n,promise:void 0}});return t.promise=n,n}(r).then(function(e){return e?"import { __moduleExports } from "+JSON.stringify(r)+"; export default __moduleExports;":o[r]?"import * as "+i+" from "+JSON.stringify(r)+"; export default "+i+";":s[r]?"export {default} from "+JSON.stringify(r)+";":"import * as "+i+" from "+JSON.stringify(r)+'; import {getCjsExportFromNamespace} from "'+rg+'"; export default getCjsExportFromNamespace('+i+")"})}},transform:function(e,l){var f=this;if(!n(l)||-1===t.indexOf(Xt(l)))return sg(l,Promise.resolve(null)),null;var p=c.then(function(t){var n=function(e,t,n){for(var r=kg(e,t,n),i=!1,o=0,s=r.body;o!=?({]|\/(?![\/*])))))|(0[xX][\da-fA-F]+|0[oO][0-7]+|0[bB][01]+|(?:\d*\.\d+|\d+\.?)(?:[eE][+-]?\d+)?)|((?!\d)(?:(?!\s)[$\w\u0080-\uFFFF]|\\u[\da-fA-F]{4}|\\u\{[\da-fA-F]+\})+)|(--|\+\+|&&|\|\||=>|\.{3}|(?:[+\-\/%&|^]|\*{1,2}|<{1,2}|>{1,3}|!=?|={1,2})=?|[?~.,:;[\](){}])|(\s+)|(^$|[\s\S])/g,t.matchToToken=function(e){var t={type:"invalid",value:e[0],closed:void 0};return e[1]?(t.type="string",t.closed=!(!e[3]&&!e[4])):e[5]?t.type="comment":e[6]?(t.type="comment",t.closed=!!e[7]):e[8]?t.type="regex":e[9]?t.type="number":e[10]?t.type="name":e[11]?t.type="punctuator":e[12]&&(t.type="whitespace"),t}});n(Ig);Ig.matchToToken;var Pg=r(function(e){!function(){function t(e){if(null==e)return!1;switch(e.type){case"BlockStatement":case"BreakStatement":case"ContinueStatement":case"DebuggerStatement":case"DoWhileStatement":case"EmptyStatement":case"ExpressionStatement":case"ForInStatement":case"ForStatement":case"IfStatement":case"LabeledStatement":case"ReturnStatement":case"SwitchStatement":case"ThrowStatement":case"TryStatement":case"VariableDeclaration":case"WhileStatement":case"WithStatement":return!0}return!1}function n(e){switch(e.type){case"IfStatement":return null!=e.alternate?e.alternate:e.consequent;case"LabeledStatement":case"ForStatement":case"ForInStatement":case"WhileStatement":case"WithStatement":return e.body}return null}e.exports={isExpression:function(e){if(null==e)return!1;switch(e.type){case"ArrayExpression":case"AssignmentExpression":case"BinaryExpression":case"CallExpression":case"ConditionalExpression":case"FunctionExpression":case"Identifier":case"Literal":case"LogicalExpression":case"MemberExpression":case"NewExpression":case"ObjectExpression":case"SequenceExpression":case"ThisExpression":case"UnaryExpression":case"UpdateExpression":return!0}return!1},isStatement:t,isIterationStatement:function(e){if(null==e)return!1;switch(e.type){case"DoWhileStatement":case"ForInStatement":case"ForStatement":case"WhileStatement":return!0}return!1},isSourceElement:function(e){return t(e)||null!=e&&"FunctionDeclaration"===e.type},isProblematicIfStatement:function(e){var t;if("IfStatement"!==e.type)return!1;if(null==e.alternate)return!1;t=e.consequent;do{if("IfStatement"===t.type&&null==t.alternate)return!0;t=n(t)}while(t);return!1},trailingStatement:n}}()}),Tg=(Pg.isExpression,Pg.isStatement,Pg.isIterationStatement,Pg.isSourceElement,Pg.isProblematicIfStatement,Pg.trailingStatement,r(function(e){!function(){var t,n,r,i,o,s;function a(e){return e<=65535?String.fromCharCode(e):String.fromCharCode(Math.floor((e-65536)/1024)+55296)+String.fromCharCode((e-65536)%1024+56320)}for(n={NonAsciiIdentifierStart:/[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u05D0-\u05EA\u05F0-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u08A0-\u08B2\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58\u0C59\u0C60\u0C61\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D60\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F4\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1711\u1720-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1877\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19C1-\u19C7\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4B\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1CE9-\u1CEC\u1CEE-\u1CF1\u1CF5\u1CF6\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2E2F\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309D-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FCC\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA78E\uA790-\uA7AD\uA7B0\uA7B1\uA7F7-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB5F\uAB64\uAB65\uABC0-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]/,NonAsciiIdentifierPart:/[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0300-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u0483-\u0487\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u05D0-\u05EA\u05F0-\u05F2\u0610-\u061A\u0620-\u0669\u066E-\u06D3\u06D5-\u06DC\u06DF-\u06E8\u06EA-\u06FC\u06FF\u0710-\u074A\u074D-\u07B1\u07C0-\u07F5\u07FA\u0800-\u082D\u0840-\u085B\u08A0-\u08B2\u08E4-\u0963\u0966-\u096F\u0971-\u0983\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BC-\u09C4\u09C7\u09C8\u09CB-\u09CE\u09D7\u09DC\u09DD\u09DF-\u09E3\u09E6-\u09F1\u0A01-\u0A03\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A59-\u0A5C\u0A5E\u0A66-\u0A75\u0A81-\u0A83\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABC-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AD0\u0AE0-\u0AE3\u0AE6-\u0AEF\u0B01-\u0B03\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3C-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B56\u0B57\u0B5C\u0B5D\u0B5F-\u0B63\u0B66-\u0B6F\u0B71\u0B82\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD0\u0BD7\u0BE6-\u0BEF\u0C00-\u0C03\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C58\u0C59\u0C60-\u0C63\u0C66-\u0C6F\u0C81-\u0C83\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBC-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CDE\u0CE0-\u0CE3\u0CE6-\u0CEF\u0CF1\u0CF2\u0D01-\u0D03\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D-\u0D44\u0D46-\u0D48\u0D4A-\u0D4E\u0D57\u0D60-\u0D63\u0D66-\u0D6F\u0D7A-\u0D7F\u0D82\u0D83\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E01-\u0E3A\u0E40-\u0E4E\u0E50-\u0E59\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB9\u0EBB-\u0EBD\u0EC0-\u0EC4\u0EC6\u0EC8-\u0ECD\u0ED0-\u0ED9\u0EDC-\u0EDF\u0F00\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E-\u0F47\u0F49-\u0F6C\u0F71-\u0F84\u0F86-\u0F97\u0F99-\u0FBC\u0FC6\u1000-\u1049\u1050-\u109D\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u135D-\u135F\u1380-\u138F\u13A0-\u13F4\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1714\u1720-\u1734\u1740-\u1753\u1760-\u176C\u176E-\u1770\u1772\u1773\u1780-\u17D3\u17D7\u17DC\u17DD\u17E0-\u17E9\u180B-\u180D\u1810-\u1819\u1820-\u1877\u1880-\u18AA\u18B0-\u18F5\u1900-\u191E\u1920-\u192B\u1930-\u193B\u1946-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u19D0-\u19D9\u1A00-\u1A1B\u1A20-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AA7\u1AB0-\u1ABD\u1B00-\u1B4B\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1BF3\u1C00-\u1C37\u1C40-\u1C49\u1C4D-\u1C7D\u1CD0-\u1CD2\u1CD4-\u1CF6\u1CF8\u1CF9\u1D00-\u1DF5\u1DFC-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u200C\u200D\u203F\u2040\u2054\u2071\u207F\u2090-\u209C\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D7F-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2DE0-\u2DFF\u2E2F\u3005-\u3007\u3021-\u302F\u3031-\u3035\u3038-\u303C\u3041-\u3096\u3099\u309A\u309D-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FCC\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA62B\uA640-\uA66F\uA674-\uA67D\uA67F-\uA69D\uA69F-\uA6F1\uA717-\uA71F\uA722-\uA788\uA78B-\uA78E\uA790-\uA7AD\uA7B0\uA7B1\uA7F7-\uA827\uA840-\uA873\uA880-\uA8C4\uA8D0-\uA8D9\uA8E0-\uA8F7\uA8FB\uA900-\uA92D\uA930-\uA953\uA960-\uA97C\uA980-\uA9C0\uA9CF-\uA9D9\uA9E0-\uA9FE\uAA00-\uAA36\uAA40-\uAA4D\uAA50-\uAA59\uAA60-\uAA76\uAA7A-\uAAC2\uAADB-\uAADD\uAAE0-\uAAEF\uAAF2-\uAAF6\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB5F\uAB64\uAB65\uABC0-\uABEA\uABEC\uABED\uABF0-\uABF9\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE00-\uFE0F\uFE20-\uFE2D\uFE33\uFE34\uFE4D-\uFE4F\uFE70-\uFE74\uFE76-\uFEFC\uFF10-\uFF19\uFF21-\uFF3A\uFF3F\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]/},t={NonAsciiIdentifierStart:/[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u05D0-\u05EA\u05F0-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u08A0-\u08B2\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58\u0C59\u0C60\u0C61\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D60\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F4\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1711\u1720-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1877\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19C1-\u19C7\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4B\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1CE9-\u1CEC\u1CEE-\u1CF1\u1CF5\u1CF6\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309B-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FCC\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA78E\uA790-\uA7AD\uA7B0\uA7B1\uA7F7-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB5F\uAB64\uAB65\uABC0-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDE80-\uDE9C\uDEA0-\uDED0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF75\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00\uDE10-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE4\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48]|\uD804[\uDC03-\uDC37\uDC83-\uDCAF\uDCD0-\uDCE8\uDD03-\uDD26\uDD50-\uDD72\uDD76\uDD83-\uDDB2\uDDC1-\uDDC4\uDDDA\uDE00-\uDE11\uDE13-\uDE2B\uDEB0-\uDEDE\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3D\uDF5D-\uDF61]|\uD805[\uDC80-\uDCAF\uDCC4\uDCC5\uDCC7\uDD80-\uDDAE\uDE00-\uDE2F\uDE44\uDE80-\uDEAA]|\uD806[\uDCA0-\uDCDF\uDCFF\uDEC0-\uDEF8]|\uD808[\uDC00-\uDF98]|\uD809[\uDC00-\uDC6E]|[\uD80C\uD840-\uD868\uD86A-\uD86C][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDED0-\uDEED\uDF00-\uDF2F\uDF40-\uDF43\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50\uDF93-\uDF9F]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB]|\uD83A[\uDC00-\uDCC4]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D]|\uD87E[\uDC00-\uDE1D]/,NonAsciiIdentifierPart:/[\xAA\xB5\xB7\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0300-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u0483-\u0487\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u05D0-\u05EA\u05F0-\u05F2\u0610-\u061A\u0620-\u0669\u066E-\u06D3\u06D5-\u06DC\u06DF-\u06E8\u06EA-\u06FC\u06FF\u0710-\u074A\u074D-\u07B1\u07C0-\u07F5\u07FA\u0800-\u082D\u0840-\u085B\u08A0-\u08B2\u08E4-\u0963\u0966-\u096F\u0971-\u0983\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BC-\u09C4\u09C7\u09C8\u09CB-\u09CE\u09D7\u09DC\u09DD\u09DF-\u09E3\u09E6-\u09F1\u0A01-\u0A03\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A59-\u0A5C\u0A5E\u0A66-\u0A75\u0A81-\u0A83\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABC-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AD0\u0AE0-\u0AE3\u0AE6-\u0AEF\u0B01-\u0B03\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3C-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B56\u0B57\u0B5C\u0B5D\u0B5F-\u0B63\u0B66-\u0B6F\u0B71\u0B82\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD0\u0BD7\u0BE6-\u0BEF\u0C00-\u0C03\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C58\u0C59\u0C60-\u0C63\u0C66-\u0C6F\u0C81-\u0C83\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBC-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CDE\u0CE0-\u0CE3\u0CE6-\u0CEF\u0CF1\u0CF2\u0D01-\u0D03\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D-\u0D44\u0D46-\u0D48\u0D4A-\u0D4E\u0D57\u0D60-\u0D63\u0D66-\u0D6F\u0D7A-\u0D7F\u0D82\u0D83\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E01-\u0E3A\u0E40-\u0E4E\u0E50-\u0E59\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB9\u0EBB-\u0EBD\u0EC0-\u0EC4\u0EC6\u0EC8-\u0ECD\u0ED0-\u0ED9\u0EDC-\u0EDF\u0F00\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E-\u0F47\u0F49-\u0F6C\u0F71-\u0F84\u0F86-\u0F97\u0F99-\u0FBC\u0FC6\u1000-\u1049\u1050-\u109D\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u135D-\u135F\u1369-\u1371\u1380-\u138F\u13A0-\u13F4\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1714\u1720-\u1734\u1740-\u1753\u1760-\u176C\u176E-\u1770\u1772\u1773\u1780-\u17D3\u17D7\u17DC\u17DD\u17E0-\u17E9\u180B-\u180D\u1810-\u1819\u1820-\u1877\u1880-\u18AA\u18B0-\u18F5\u1900-\u191E\u1920-\u192B\u1930-\u193B\u1946-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u19D0-\u19DA\u1A00-\u1A1B\u1A20-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AA7\u1AB0-\u1ABD\u1B00-\u1B4B\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1BF3\u1C00-\u1C37\u1C40-\u1C49\u1C4D-\u1C7D\u1CD0-\u1CD2\u1CD4-\u1CF6\u1CF8\u1CF9\u1D00-\u1DF5\u1DFC-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u200C\u200D\u203F\u2040\u2054\u2071\u207F\u2090-\u209C\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D7F-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2DE0-\u2DFF\u3005-\u3007\u3021-\u302F\u3031-\u3035\u3038-\u303C\u3041-\u3096\u3099-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FCC\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA62B\uA640-\uA66F\uA674-\uA67D\uA67F-\uA69D\uA69F-\uA6F1\uA717-\uA71F\uA722-\uA788\uA78B-\uA78E\uA790-\uA7AD\uA7B0\uA7B1\uA7F7-\uA827\uA840-\uA873\uA880-\uA8C4\uA8D0-\uA8D9\uA8E0-\uA8F7\uA8FB\uA900-\uA92D\uA930-\uA953\uA960-\uA97C\uA980-\uA9C0\uA9CF-\uA9D9\uA9E0-\uA9FE\uAA00-\uAA36\uAA40-\uAA4D\uAA50-\uAA59\uAA60-\uAA76\uAA7A-\uAAC2\uAADB-\uAADD\uAAE0-\uAAEF\uAAF2-\uAAF6\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB5F\uAB64\uAB65\uABC0-\uABEA\uABEC\uABED\uABF0-\uABF9\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE00-\uFE0F\uFE20-\uFE2D\uFE33\uFE34\uFE4D-\uFE4F\uFE70-\uFE74\uFE76-\uFEFC\uFF10-\uFF19\uFF21-\uFF3A\uFF3F\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDDFD\uDE80-\uDE9C\uDEA0-\uDED0\uDEE0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF7A\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDCA0-\uDCA9\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00-\uDE03\uDE05\uDE06\uDE0C-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE38-\uDE3A\uDE3F\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE6\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48]|\uD804[\uDC00-\uDC46\uDC66-\uDC6F\uDC7F-\uDCBA\uDCD0-\uDCE8\uDCF0-\uDCF9\uDD00-\uDD34\uDD36-\uDD3F\uDD50-\uDD73\uDD76\uDD80-\uDDC4\uDDD0-\uDDDA\uDE00-\uDE11\uDE13-\uDE37\uDEB0-\uDEEA\uDEF0-\uDEF9\uDF01-\uDF03\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3C-\uDF44\uDF47\uDF48\uDF4B-\uDF4D\uDF57\uDF5D-\uDF63\uDF66-\uDF6C\uDF70-\uDF74]|\uD805[\uDC80-\uDCC5\uDCC7\uDCD0-\uDCD9\uDD80-\uDDB5\uDDB8-\uDDC0\uDE00-\uDE40\uDE44\uDE50-\uDE59\uDE80-\uDEB7\uDEC0-\uDEC9]|\uD806[\uDCA0-\uDCE9\uDCFF\uDEC0-\uDEF8]|\uD808[\uDC00-\uDF98]|\uD809[\uDC00-\uDC6E]|[\uD80C\uD840-\uD868\uD86A-\uD86C][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDE60-\uDE69\uDED0-\uDEED\uDEF0-\uDEF4\uDF00-\uDF36\uDF40-\uDF43\uDF50-\uDF59\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50-\uDF7E\uDF8F-\uDF9F]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99\uDC9D\uDC9E]|\uD834[\uDD65-\uDD69\uDD6D-\uDD72\uDD7B-\uDD82\uDD85-\uDD8B\uDDAA-\uDDAD\uDE42-\uDE44]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB\uDFCE-\uDFFF]|\uD83A[\uDC00-\uDCC4\uDCD0-\uDCD6]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D]|\uD87E[\uDC00-\uDE1D]|\uDB40[\uDD00-\uDDEF]/},r=[5760,6158,8192,8193,8194,8195,8196,8197,8198,8199,8200,8201,8202,8239,8287,12288,65279],i=new Array(128),s=0;s<128;++s)i[s]=s>=97&&s<=122||s>=65&&s<=90||36===s||95===s;for(o=new Array(128),s=0;s<128;++s)o[s]=s>=97&&s<=122||s>=65&&s<=90||s>=48&&s<=57||36===s||95===s;e.exports={isDecimalDigit:function(e){return 48<=e&&e<=57},isHexDigit:function(e){return 48<=e&&e<=57||97<=e&&e<=102||65<=e&&e<=70},isOctalDigit:function(e){return e>=48&&e<=55},isWhiteSpace:function(e){return 32===e||9===e||11===e||12===e||160===e||e>=5760&&r.indexOf(e)>=0},isLineTerminator:function(e){return 10===e||13===e||8232===e||8233===e},isIdentifierStartES5:function(e){return e<128?i[e]:n.NonAsciiIdentifierStart.test(a(e))},isIdentifierPartES5:function(e){return e<128?o[e]:n.NonAsciiIdentifierPart.test(a(e))},isIdentifierStartES6:function(e){return e<128?i[e]:t.NonAsciiIdentifierStart.test(a(e))},isIdentifierPartES6:function(e){return e<128?o[e]:t.NonAsciiIdentifierPart.test(a(e))}}}()})),Ng=(Tg.isDecimalDigit,Tg.isHexDigit,Tg.isOctalDigit,Tg.isWhiteSpace,Tg.isLineTerminator,Tg.isIdentifierStartES5,Tg.isIdentifierPartES5,Tg.isIdentifierStartES6,Tg.isIdentifierPartES6,r(function(e){!function(){var t=Tg;function n(e,t){return!(!t&&"yield"===e)&&r(e,t)}function r(e,t){if(t&&function(e){switch(e){case"implements":case"interface":case"package":case"private":case"protected":case"public":case"static":case"let":return!0;default:return!1}}(e))return!0;switch(e.length){case 2:return"if"===e||"in"===e||"do"===e;case 3:return"var"===e||"for"===e||"new"===e||"try"===e;case 4:return"this"===e||"else"===e||"case"===e||"void"===e||"with"===e||"enum"===e;case 5:return"while"===e||"break"===e||"catch"===e||"throw"===e||"const"===e||"yield"===e||"class"===e||"super"===e;case 6:return"return"===e||"typeof"===e||"delete"===e||"switch"===e||"export"===e||"import"===e;case 7:return"default"===e||"finally"===e||"extends"===e;case 8:return"function"===e||"continue"===e||"debugger"===e;case 10:return"instanceof"===e;default:return!1}}function i(e,t){return"null"===e||"true"===e||"false"===e||n(e,t)}function o(e,t){return"null"===e||"true"===e||"false"===e||r(e,t)}function s(e){var n,r,i;if(0===e.length)return!1;if(i=e.charCodeAt(0),!t.isIdentifierStartES5(i))return!1;for(n=1,r=e.length;n=r)return!1;if(!(56320<=(o=e.charCodeAt(n))&&o<=57343))return!1;i=1024*(i-55296)+(o-56320)+65536}if(!s(i))return!1;s=t.isIdentifierPartES6}return!0}e.exports={isKeywordES5:n,isKeywordES6:r,isReservedWordES5:i,isReservedWordES6:o,isRestrictedWord:function(e){return"eval"===e||"arguments"===e},isIdentifierNameES5:s,isIdentifierNameES6:a,isIdentifierES5:function(e,t){return s(e)&&!i(e,t)},isIdentifierES6:function(e,t){return a(e)&&!o(e,t)}}}()})),Mg=(Ng.isKeywordES5,Ng.isKeywordES6,Ng.isReservedWordES5,Ng.isReservedWordES6,Ng.isRestrictedWord,Ng.isIdentifierNameES5,Ng.isIdentifierNameES6,Ng.isIdentifierES5,Ng.isIdentifierES6,r(function(e,t){t.ast=Pg,t.code=Tg,t.keyword=Ng})),Lg=(Mg.ast,Mg.code,Mg.keyword,/[|\\{}()[\]^$+*?.]/g),jg=function(e){if("string"!=typeof e)throw new TypeError("Expected a string");return e.replace(Lg,"\\$&")},Ug={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]},zg=r(function(e){var t={};for(var n in Ug)Ug.hasOwnProperty(n)&&(t[Ug[n]]=n);var r=e.exports={rgb:{channels:3,labels:"rgb"},hsl:{channels:3,labels:"hsl"},hsv:{channels:3,labels:"hsv"},hwb:{channels:3,labels:"hwb"},cmyk:{channels:4,labels:"cmyk"},xyz:{channels:3,labels:"xyz"},lab:{channels:3,labels:"lab"},lch:{channels:3,labels:"lch"},hex:{channels:1,labels:["hex"]},keyword:{channels:1,labels:["keyword"]},ansi16:{channels:1,labels:["ansi16"]},ansi256:{channels:1,labels:["ansi256"]},hcg:{channels:3,labels:["h","c","g"]},apple:{channels:3,labels:["r16","g16","b16"]},gray:{channels:1,labels:["gray"]}};for(var i in r)if(r.hasOwnProperty(i)){if(!("channels"in r[i]))throw new Error("missing channels property: "+i);if(!("labels"in r[i]))throw new Error("missing channel labels property: "+i);if(r[i].labels.length!==r[i].channels)throw new Error("channel and label counts mismatch: "+i);var o=r[i].channels,s=r[i].labels;delete r[i].channels,delete r[i].labels,Object.defineProperty(r[i],"channels",{value:o}),Object.defineProperty(r[i],"labels",{value:s})}r.rgb.hsl=function(e){var t,n,r=e[0]/255,i=e[1]/255,o=e[2]/255,s=Math.min(r,i,o),a=Math.max(r,i,o),u=a-s;return a===s?t=0:r===a?t=(i-o)/u:i===a?t=2+(o-r)/u:o===a&&(t=4+(r-i)/u),(t=Math.min(60*t,360))<0&&(t+=360),n=(s+a)/2,[t,100*(a===s?0:n<=.5?u/(a+s):u/(2-a-s)),100*n]},r.rgb.hsv=function(e){var t,n,r,i,o,s=e[0]/255,a=e[1]/255,u=e[2]/255,c=Math.max(s,a,u),l=c-Math.min(s,a,u),h=function(e){return(c-e)/6/l+.5};return 0===l?i=o=0:(o=l/c,t=h(s),n=h(a),r=h(u),s===c?i=r-n:a===c?i=1/3+t-r:u===c&&(i=2/3+n-t),i<0?i+=1:i>1&&(i-=1)),[360*i,100*o,100*c]},r.rgb.hwb=function(e){var t=e[0],n=e[1],i=e[2];return[r.rgb.hsl(e)[0],100*(1/255*Math.min(t,Math.min(n,i))),100*(i=1-1/255*Math.max(t,Math.max(n,i)))]},r.rgb.cmyk=function(e){var t,n=e[0]/255,r=e[1]/255,i=e[2]/255;return[100*((1-n-(t=Math.min(1-n,1-r,1-i)))/(1-t)||0),100*((1-r-t)/(1-t)||0),100*((1-i-t)/(1-t)||0),100*t]},r.rgb.keyword=function(e){var n=t[e];if(n)return n;var r,i,o,s=1/0;for(var a in Ug)if(Ug.hasOwnProperty(a)){var u=Ug[a],c=(i=e,o=u,Math.pow(i[0]-o[0],2)+Math.pow(i[1]-o[1],2)+Math.pow(i[2]-o[2],2));c.04045?Math.pow((t+.055)/1.055,2.4):t/12.92)+.3576*(n=n>.04045?Math.pow((n+.055)/1.055,2.4):n/12.92)+.1805*(r=r>.04045?Math.pow((r+.055)/1.055,2.4):r/12.92)),100*(.2126*t+.7152*n+.0722*r),100*(.0193*t+.1192*n+.9505*r)]},r.rgb.lab=function(e){var t=r.rgb.xyz(e),n=t[0],i=t[1],o=t[2];return i/=100,o/=108.883,n=(n/=95.047)>.008856?Math.pow(n,1/3):7.787*n+16/116,[116*(i=i>.008856?Math.pow(i,1/3):7.787*i+16/116)-16,500*(n-i),200*(i-(o=o>.008856?Math.pow(o,1/3):7.787*o+16/116))]},r.hsl.rgb=function(e){var t,n,r,i,o,s=e[0]/360,a=e[1]/100,u=e[2]/100;if(0===a)return[o=255*u,o,o];t=2*u-(n=u<.5?u*(1+a):u+a-u*a),i=[0,0,0];for(var c=0;c<3;c++)(r=s+1/3*-(c-1))<0&&r++,r>1&&r--,o=6*r<1?t+6*(n-t)*r:2*r<1?n:3*r<2?t+(n-t)*(2/3-r)*6:t,i[c]=255*o;return i},r.hsl.hsv=function(e){var t=e[0],n=e[1]/100,r=e[2]/100,i=n,o=Math.max(r,.01);return n*=(r*=2)<=1?r:2-r,i*=o<=1?o:2-o,[t,100*(0===r?2*i/(o+i):2*n/(r+n)),100*((r+n)/2)]},r.hsv.rgb=function(e){var t=e[0]/60,n=e[1]/100,r=e[2]/100,i=Math.floor(t)%6,o=t-Math.floor(t),s=255*r*(1-n),a=255*r*(1-n*o),u=255*r*(1-n*(1-o));switch(r*=255,i){case 0:return[r,u,s];case 1:return[a,r,s];case 2:return[s,r,u];case 3:return[s,a,r];case 4:return[u,s,r];case 5:return[r,s,a]}},r.hsv.hsl=function(e){var t,n,r,i=e[0],o=e[1]/100,s=e[2]/100,a=Math.max(s,.01);return r=(2-o)*s,n=o*a,[i,100*(n=(n/=(t=(2-o)*a)<=1?t:2-t)||0),100*(r/=2)]},r.hwb.rgb=function(e){var t,n,r,i,o,s,a,u=e[0]/360,c=e[1]/100,l=e[2]/100,h=c+l;switch(h>1&&(c/=h,l/=h),r=6*u-(t=Math.floor(6*u)),0!=(1&t)&&(r=1-r),i=c+r*((n=1-l)-c),t){default:case 6:case 0:o=n,s=i,a=c;break;case 1:o=i,s=n,a=c;break;case 2:o=c,s=n,a=i;break;case 3:o=c,s=i,a=n;break;case 4:o=i,s=c,a=n;break;case 5:o=n,s=c,a=i}return[255*o,255*s,255*a]},r.cmyk.rgb=function(e){var t=e[0]/100,n=e[1]/100,r=e[2]/100,i=e[3]/100;return[255*(1-Math.min(1,t*(1-i)+i)),255*(1-Math.min(1,n*(1-i)+i)),255*(1-Math.min(1,r*(1-i)+i))]},r.xyz.rgb=function(e){var t,n,r,i=e[0]/100,o=e[1]/100,s=e[2]/100;return n=-.9689*i+1.8758*o+.0415*s,r=.0557*i+-.204*o+1.057*s,t=(t=3.2406*i+-1.5372*o+-.4986*s)>.0031308?1.055*Math.pow(t,1/2.4)-.055:12.92*t,n=n>.0031308?1.055*Math.pow(n,1/2.4)-.055:12.92*n,r=r>.0031308?1.055*Math.pow(r,1/2.4)-.055:12.92*r,[255*(t=Math.min(Math.max(0,t),1)),255*(n=Math.min(Math.max(0,n),1)),255*(r=Math.min(Math.max(0,r),1))]},r.xyz.lab=function(e){var t=e[0],n=e[1],r=e[2];return n/=100,r/=108.883,t=(t/=95.047)>.008856?Math.pow(t,1/3):7.787*t+16/116,[116*(n=n>.008856?Math.pow(n,1/3):7.787*n+16/116)-16,500*(t-n),200*(n-(r=r>.008856?Math.pow(r,1/3):7.787*r+16/116))]},r.lab.xyz=function(e){var t,n,r,i=e[0];t=e[1]/500+(n=(i+16)/116),r=n-e[2]/200;var o=Math.pow(n,3),s=Math.pow(t,3),a=Math.pow(r,3);return n=o>.008856?o:(n-16/116)/7.787,t=s>.008856?s:(t-16/116)/7.787,r=a>.008856?a:(r-16/116)/7.787,[t*=95.047,n*=100,r*=108.883]},r.lab.lch=function(e){var t,n=e[0],r=e[1],i=e[2];return(t=360*Math.atan2(i,r)/2/Math.PI)<0&&(t+=360),[n,Math.sqrt(r*r+i*i),t]},r.lch.lab=function(e){var t,n=e[0],r=e[1];return t=e[2]/360*2*Math.PI,[n,r*Math.cos(t),r*Math.sin(t)]},r.rgb.ansi16=function(e){var t=e[0],n=e[1],i=e[2],o=1 in arguments?arguments[1]:r.rgb.hsv(e)[2];if(0===(o=Math.round(o/50)))return 30;var s=30+(Math.round(i/255)<<2|Math.round(n/255)<<1|Math.round(t/255));return 2===o&&(s+=60),s},r.hsv.ansi16=function(e){return r.rgb.ansi16(r.hsv.rgb(e),e[2])},r.rgb.ansi256=function(e){var t=e[0],n=e[1],r=e[2];return t===n&&n===r?t<8?16:t>248?231:Math.round((t-8)/247*24)+232:16+36*Math.round(t/255*5)+6*Math.round(n/255*5)+Math.round(r/255*5)},r.ansi16.rgb=function(e){var t=e%10;if(0===t||7===t)return e>50&&(t+=3.5),[t=t/10.5*255,t,t];var n=.5*(1+~~(e>50));return[(1&t)*n*255,(t>>1&1)*n*255,(t>>2&1)*n*255]},r.ansi256.rgb=function(e){if(e>=232){var t=10*(e-232)+8;return[t,t,t]}var n;return e-=16,[Math.floor(e/36)/5*255,Math.floor((n=e%36)/6)/5*255,n%6/5*255]},r.rgb.hex=function(e){var t=(((255&Math.round(e[0]))<<16)+((255&Math.round(e[1]))<<8)+(255&Math.round(e[2]))).toString(16).toUpperCase();return"000000".substring(t.length)+t},r.hex.rgb=function(e){var t=e.toString(16).match(/[a-f0-9]{6}|[a-f0-9]{3}/i);if(!t)return[0,0,0];var n=t[0];3===t[0].length&&(n=n.split("").map(function(e){return e+e}).join(""));var r=parseInt(n,16);return[r>>16&255,r>>8&255,255&r]},r.rgb.hcg=function(e){var t,n=e[0]/255,r=e[1]/255,i=e[2]/255,o=Math.max(Math.max(n,r),i),s=Math.min(Math.min(n,r),i),a=o-s;return t=a<=0?0:o===n?(r-i)/a%6:o===r?2+(i-n)/a:4+(n-r)/a+4,t/=6,[360*(t%=1),100*a,100*(a<1?s/(1-a):0)]},r.hsl.hcg=function(e){var t=e[1]/100,n=e[2]/100,r=1,i=0;return(r=n<.5?2*t*n:2*t*(1-n))<1&&(i=(n-.5*r)/(1-r)),[e[0],100*r,100*i]},r.hsv.hcg=function(e){var t=e[1]/100,n=e[2]/100,r=t*n,i=0;return r<1&&(i=(n-r)/(1-r)),[e[0],100*r,100*i]},r.hcg.rgb=function(e){var t=e[0]/360,n=e[1]/100,r=e[2]/100;if(0===n)return[255*r,255*r,255*r];var i,o=[0,0,0],s=t%1*6,a=s%1,u=1-a;switch(Math.floor(s)){case 0:o[0]=1,o[1]=a,o[2]=0;break;case 1:o[0]=u,o[1]=1,o[2]=0;break;case 2:o[0]=0,o[1]=1,o[2]=a;break;case 3:o[0]=0,o[1]=u,o[2]=1;break;case 4:o[0]=a,o[1]=0,o[2]=1;break;default:o[0]=1,o[1]=0,o[2]=u}return i=(1-n)*r,[255*(n*o[0]+i),255*(n*o[1]+i),255*(n*o[2]+i)]},r.hcg.hsv=function(e){var t=e[1]/100,n=t+e[2]/100*(1-t),r=0;return n>0&&(r=t/n),[e[0],100*r,100*n]},r.hcg.hsl=function(e){var t=e[1]/100,n=e[2]/100*(1-t)+.5*t,r=0;return n>0&&n<.5?r=t/(2*n):n>=.5&&n<1&&(r=t/(2*(1-n))),[e[0],100*r,100*n]},r.hcg.hwb=function(e){var t=e[1]/100,n=t+e[2]/100*(1-t);return[e[0],100*(n-t),100*(1-n)]},r.hwb.hcg=function(e){var t=e[1]/100,n=1-e[2]/100,r=n-t,i=0;return r<1&&(i=(n-r)/(1-r)),[e[0],100*r,100*i]},r.apple.rgb=function(e){return[e[0]/65535*255,e[1]/65535*255,e[2]/65535*255]},r.rgb.apple=function(e){return[e[0]/255*65535,e[1]/255*65535,e[2]/255*65535]},r.gray.rgb=function(e){return[e[0]/100*255,e[0]/100*255,e[0]/100*255]},r.gray.hsl=r.gray.hsv=function(e){return[0,0,e[0]]},r.gray.hwb=function(e){return[0,100,e[0]]},r.gray.cmyk=function(e){return[0,0,0,e[0]]},r.gray.lab=function(e){return[e[0],0,0]},r.gray.hex=function(e){var t=255&Math.round(e[0]/100*255),n=((t<<16)+(t<<8)+t).toString(16).toUpperCase();return"000000".substring(n.length)+n},r.rgb.gray=function(e){return[(e[0]+e[1]+e[2])/3/255*100]}});zg.rgb,zg.hsl,zg.hsv,zg.hwb,zg.cmyk,zg.xyz,zg.lab,zg.lch,zg.hex,zg.keyword,zg.ansi16,zg.ansi256,zg.hcg,zg.apple,zg.gray;function Vg(e){var t=function(){for(var e={},t=Object.keys(zg),n=t.length,r=0;r1&&(t=Array.prototype.slice.call(arguments));var n=e(t);if("object"==typeof n)for(var r=n.length,i=0;i1&&(t=Array.prototype.slice.call(arguments)),e(t))};return"conversion"in e&&(t.conversion=e.conversion),t}(r)})});var Hg=$g,Gg=r(function(e){const t=(e,t)=>(function(){return`[${e.apply(Hg,arguments)+t}m`}),n=(e,t)=>(function(){const n=e.apply(Hg,arguments);return`[${38+t};5;${n}m`}),r=(e,t)=>(function(){const n=e.apply(Hg,arguments);return`[${38+t};2;${n[0]};${n[1]};${n[2]}m`});Object.defineProperty(e,"exports",{enumerable:!0,get:function(){const e=new Map,i={modifier:{reset:[0,0],bold:[1,22],dim:[2,22],italic:[3,23],underline:[4,24],inverse:[7,27],hidden:[8,28],strikethrough:[9,29]},color:{black:[30,39],red:[31,39],green:[32,39],yellow:[33,39],blue:[34,39],magenta:[35,39],cyan:[36,39],white:[37,39],gray:[90,39],redBright:[91,39],greenBright:[92,39],yellowBright:[93,39],blueBright:[94,39],magentaBright:[95,39],cyanBright:[96,39],whiteBright:[97,39]},bgColor:{bgBlack:[40,49],bgRed:[41,49],bgGreen:[42,49],bgYellow:[43,49],bgBlue:[44,49],bgMagenta:[45,49],bgCyan:[46,49],bgWhite:[47,49],bgBlackBright:[100,49],bgRedBright:[101,49],bgGreenBright:[102,49],bgYellowBright:[103,49],bgBlueBright:[104,49],bgMagentaBright:[105,49],bgCyanBright:[106,49],bgWhiteBright:[107,49]}};i.color.grey=i.color.gray;for(const t of Object.keys(i)){const n=i[t];for(const t of Object.keys(n)){const r=n[t];i[t]={open:`[${r[0]}m`,close:`[${r[1]}m`},n[t]=i[t],e.set(r[0],r[1])}Object.defineProperty(i,t,{value:n,enumerable:!1}),Object.defineProperty(i,"codes",{value:e,enumerable:!1})}const o=e=>e,s=(e,t,n)=>[e,t,n];i.color.close="",i.bgColor.close="",i.color.ansi={ansi:t(o,0)},i.color.ansi256={ansi256:n(o,0)},i.color.ansi16m={rgb:r(s,0)},i.bgColor.ansi={ansi:t(o,10)},i.bgColor.ansi256={ansi256:n(o,10)},i.bgColor.ansi16m={rgb:r(s,10)};for(let e of Object.keys(Hg)){if("object"!=typeof Hg[e])continue;const o=Hg[e];"ansi16"===e&&(e="ansi"),"ansi16"in o&&(i.color.ansi[e]=t(o.ansi16,0),i.bgColor.ansi[e]=t(o.ansi16,10)),"ansi256"in o&&(i.color.ansi256[e]=n(o.ansi256,0),i.bgColor.ansi256[e]=n(o.ansi256,10)),"rgb"in o&&(i.color.ansi16m[e]=r(o.rgb,0),i.bgColor.ansi16m[e]=r(o.rgb,10))}return i}})}),Kg=!1;const Yg=/(?:\\(u[a-f\d]{4}|x[a-f\d]{2}|.))|(?:\{(~)?(\w+(?:\([^)]*\))?(?:\.\w+(?:\([^)]*\))?)*)(?:[ \t]|(?=\r?\n)))|(\})|((?:.|[\r\n\f])+?)/gi,Xg=/(?:^|\.)(\w+)(?:\(([^)]*)\))?/g,Jg=/^(['"])((?:\\.|(?!\1)[^\\])*)\1$/,Zg=/\\(u[a-f\d]{4}|x[a-f\d]{2}|.)|([^\\])/gi,Qg=new Map([["n","\n"],["r","\r"],["t","\t"],["b","\b"],["f","\f"],["v","\v"],["0","\0"],["\\","\\"],["e",""],["a",""]]);function ev(e){return"u"===e[0]&&5===e.length||"x"===e[0]&&3===e.length?String.fromCharCode(parseInt(e.slice(1),16)):Qg.get(e)||e}function tv(e,t){const n=[],r=t.trim().split(/\s*,\s*/g);let i;for(const t of r)if(isNaN(t)){if(!(i=t.match(Jg)))throw new Error(`Invalid Chalk template style argument: ${t} (in style '${e}')`);n.push(i[2].replace(Zg,(e,t,n)=>t?ev(t):n))}else n.push(Number(t));return n}function nv(e){Xg.lastIndex=0;const t=[];let n;for(;null!==(n=Xg.exec(e));){const e=n[1];if(n[2]){const r=tv(e,n[2]);t.push([e].concat(r))}else t.push([e])}return t}function rv(e,t){const n={};for(const e of t)for(const t of e.styles)n[t[0]]=e.inverse?null:t.slice(1);let r=e;for(const e of Object.keys(n))if(Array.isArray(n[e])){if(!(e in r))throw new Error(`Unknown Chalk style: ${e}`);r=n[e].length>0?r[e].apply(r,n[e]):r[e]}return r}var iv=(e,t)=>{const n=[],r=[];let i=[];if(t.replace(Yg,(t,o,s,a,u,c)=>{if(o)i.push(ev(o));else if(a){const t=i.join("");i=[],r.push(0===n.length?t:rv(e,n)(t)),n.push({inverse:s,styles:nv(a)})}else if(u){if(0===n.length)throw new Error("Found extraneous } in Chalk template literal");r.push(rv(e,n)(i.join(""))),i=[],n.pop()}else i.push(c)}),r.push(i.join("")),n.length>0){const e=`Chalk template literal is missing ${n.length} closing bracket${1===n.length?"":"s"} (\`}\`)`;throw new Error(e)}return r.join("")},ov=r(function(e){const t=Kg,n="win32"===Se.platform&&!(Se.env.TERM||"").toLowerCase().startsWith("xterm"),r=["ansi","ansi","ansi256","ansi16m"],i=new Set(["gray"]),o=Object.create(null);function s(e,n){n=n||{};const r=t?t.level:0;e.level=void 0===n.level?r:n.level,e.enabled="enabled"in n?n.enabled:e.level>0}function a(e){if(!this||!(this instanceof a)||this.template){const t={};return s(t,e),t.template=function(){const e=[].slice.call(arguments);return function(e,t){if(!Array.isArray(t))return[].slice.call(arguments,1).join(" ");const n=[].slice.call(arguments,2),r=[t.raw[0]];for(let e=1;e{},o);function c(e,t,r){const i=function(){return function(){const e=arguments,t=e.length;let r=String(arguments[0]);if(0===t)return"";if(t>1)for(let n=1;no.level,set(e){o.level=e}}),Object.defineProperty(i,"enabled",{enumerable:!0,get:()=>o.enabled,set(e){o.enabled=e}}),i.hasGrey=this.hasGrey||"gray"===r||"grey"===r,i.__proto__=u,i}Object.defineProperties(a.prototype,o),e.exports=a(),e.exports.supportsColor=t,e.exports.default=e.exports}),sv=(ov.supportsColor,r(function(e,t){function n(){const e=function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)if(Object.prototype.hasOwnProperty.call(e,n)){var r=Object.defineProperty&&Object.getOwnPropertyDescriptor?Object.getOwnPropertyDescriptor(e,n):{};r.get||r.set?Object.defineProperty(t,n,r):t[n]=e[n]}return t.default=e,t}(Ig);return n=function(){return e},e}function r(){const e=o(Mg);return r=function(){return e},e}function i(){const e=o(ov);return i=function(){return e},e}function o(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.shouldHighlight=c,t.getChalk=l,t.default=function(e,t={}){if(c(t)){const i=l(t),o=function(e){return{keyword:e.cyan,capitalized:e.yellow,jsx_tag:e.yellow,punctuator:e.yellow,number:e.magenta,string:e.green,regex:e.magenta,comment:e.grey,invalid:e.white.bgRed.bold}}(i);return function(e,t){return t.replace(n().default,function(...t){const i=function(e){const[t,i]=e.slice(-2),o=(0,n().matchToToken)(e);if("name"===o.type){if(r().default.keyword.isReservedWordES6(o.value))return"keyword";if(a.test(o.value)&&("<"===i[t-1]||"o(e)).join("\n"):t[0]})}(o,e)}return e};const s=/\r\n|[\n\r\u2028\u2029]/,a=/^[a-z][\w-]*$/i,u=/^[()[\]{}]$/;function c(e){return i().default.supportsColor||e.forceColor}function l(e){let t=i().default;return e.forceColor&&(t=new(i().default.constructor)({enabled:!0,level:1})),t}}));n(sv);sv.shouldHighlight,sv.getChalk;var av=r(function(e,t){function n(){const e=function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)if(Object.prototype.hasOwnProperty.call(e,n)){var r=Object.defineProperty&&Object.getOwnPropertyDescriptor?Object.getOwnPropertyDescriptor(e,n):{};r.get||r.set?Object.defineProperty(t,n,r):t[n]=e[n]}return t.default=e,t}(sv);return n=function(){return e},e}Object.defineProperty(t,"__esModule",{value:!0}),t.codeFrameColumns=o,t.default=function(e,t,n,i={}){if(!r){r=!0;const e="Passing lineNumber and colNumber is deprecated to @babel/code-frame. Please use `codeFrameColumns`.";if(Se.emitWarning)Se.emitWarning(e,"DeprecationWarning");else{const t=new Error(e);t.name="DeprecationWarning",console.warn(new Error(e))}}return n=Math.max(n,0),o(e,{start:{column:n,line:t}},i)};let r=!1;const i=/\r\n|[\n\r\u2028\u2029]/;function o(e,t,r={}){const o=(r.highlightCode||r.forceColor)&&(0,n().shouldHighlight)(r),s=(0,n().getChalk)(r),a=function(e){return{gutter:e.grey,marker:e.red.bold,message:e.red.bold}}(s),u=(e,t)=>o?e(t):t;o&&(e=(0,n().default)(e,r));const c=e.split(i),{start:l,end:h,markerLines:f}=function(e,t,n){const r=Object.assign({column:0,line:-1},e.start),i=Object.assign({},r,e.end),{linesAbove:o=2,linesBelow:s=3}=n||{},a=r.line,u=r.column,c=i.line,l=i.column;let h=Math.max(a-(o+1),0),f=Math.min(t.length,c+s);-1===a&&(h=0),-1===c&&(f=t.length);const p=c-a,d={};if(p)for(let e=0;e<=p;e++){const n=e+a;if(u)if(0===e){const e=t[n-1].length;d[n]=[u,e-u]}else if(e===p)d[n]=[0,l];else{const r=t[n-e].length;d[n]=[0,r]}else d[n]=!0}else d[a]=u===l?!u||[u,0]:[u,l-u];return{start:h,end:f,markerLines:d}}(t,c,r),p=t.start&&"number"==typeof t.start.column,d=String(h).length;let m=c.slice(l,h).map((e,t)=>{const n=l+1+t,i=` ${` ${n}`.slice(-d)} | `,o=f[n],s=!f[n+1];if(o){let t="";if(Array.isArray(o)){const n=e.slice(0,Math.max(o[0]-1,0)).replace(/[^\t]/g," "),c=o[1]||1;t=["\n ",u(a.gutter,i.replace(/\d/g," ")),n,u(a.marker,"^").repeat(c)].join(""),s&&r.message&&(t+=" "+u(a.message,r.message))}return[u(a.marker,">"),u(a.gutter,i),e,t].join("")}return` ${u(a.gutter,i)}${e}`}).join("\n");return r.message&&!p&&(m=`${" ".repeat(d+1)}${r.message}\n${m}`),o?s.reset(m):m}});n(av);av.codeFrameColumns;var uv="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".split(""),cv=function(e){if(0<=e&&e>>=5)>0&&(t|=32),n+=cv(t)}while(r>0);return n},fv=function(e,t,n){var r,i,o,s,a=e.length,u=0,c=0;do{if(t>=a)throw new Error("Expected more digits in base 64 VLQ value.");if(-1===(i=lv(e.charCodeAt(t++))))throw new Error("Invalid base64 digit: "+e.charAt(t-1));r=!!(32&i),u+=(i&=31)<>1,1==(1&o)?-s:s),n.rest=t},pv=r(function(e,t){t.getArg=function(e,t,n){if(t in e)return e[t];if(3===arguments.length)return n;throw new Error('"'+t+'" is a required argument.')};var n=/^(?:([\w+\-.]+):)?\/\/(?:(\w+:\w+)@)?([\w.-]*)(?::(\d+))?(.*)$/,r=/^data:.+\,.+$/;function i(e){var t=e.match(n);return t?{scheme:t[1],auth:t[2],host:t[3],port:t[4],path:t[5]}:null}function o(e){var t="";return e.scheme&&(t+=e.scheme+":"),t+="//",e.auth&&(t+=e.auth+"@"),e.host&&(t+=e.host),e.port&&(t+=":"+e.port),e.path&&(t+=e.path),t}function s(e){var n=e,r=i(e);if(r){if(!r.path)return e;n=r.path}for(var s,a=t.isAbsolute(n),u=n.split(/\/+/),c=0,l=u.length-1;l>=0;l--)"."===(s=u[l])?u.splice(l,1):".."===s?c++:c>0&&(""===s?(u.splice(l+1,c),c=0):(u.splice(l,2),c--));return""===(n=u.join("/"))&&(n=a?"/":"."),r?(r.path=n,o(r)):n}function a(e,t){""===e&&(e="."),""===t&&(t=".");var n=i(t),a=i(e);if(a&&(e=a.path||"/"),n&&!n.scheme)return a&&(n.scheme=a.scheme),o(n);if(n||t.match(r))return t;if(a&&!a.host&&!a.path)return a.host=t,o(a);var u="/"===t.charAt(0)?t:s(e.replace(/\/+$/,"")+"/"+t);return a?(a.path=u,o(a)):u}t.urlParse=i,t.urlGenerate=o,t.normalize=s,t.join=a,t.isAbsolute=function(e){return"/"===e.charAt(0)||n.test(e)},t.relative=function(e,t){""===e&&(e="."),e=e.replace(/\/$/,"");for(var n=0;0!==t.indexOf(e+"/");){var r=e.lastIndexOf("/");if(r<0)return t;if((e=e.slice(0,r)).match(/^([^\/]+:\/)?\/*$/))return t;++n}return Array(n+1).join("../")+t.substr(e.length+1)};var u=!("__proto__"in Object.create(null));function c(e){return e}function l(e){if(!e)return!1;var t=e.length;if(t<9)return!1;if(95!==e.charCodeAt(t-1)||95!==e.charCodeAt(t-2)||111!==e.charCodeAt(t-3)||116!==e.charCodeAt(t-4)||111!==e.charCodeAt(t-5)||114!==e.charCodeAt(t-6)||112!==e.charCodeAt(t-7)||95!==e.charCodeAt(t-8)||95!==e.charCodeAt(t-9))return!1;for(var n=t-10;n>=0;n--)if(36!==e.charCodeAt(n))return!1;return!0}function h(e,t){return e===t?0:null===e?1:null===t?-1:e>t?1:-1}t.toSetString=u?c:function(e){return l(e)?"$"+e:e},t.fromSetString=u?c:function(e){return l(e)?e.slice(1):e},t.compareByOriginalPositions=function(e,t,n){var r=h(e.source,t.source);return 0!==r?r:0!=(r=e.originalLine-t.originalLine)?r:0!=(r=e.originalColumn-t.originalColumn)||n?r:0!=(r=e.generatedColumn-t.generatedColumn)?r:0!=(r=e.generatedLine-t.generatedLine)?r:h(e.name,t.name)},t.compareByGeneratedPositionsDeflated=function(e,t,n){var r=e.generatedLine-t.generatedLine;return 0!==r?r:0!=(r=e.generatedColumn-t.generatedColumn)||n?r:0!==(r=h(e.source,t.source))?r:0!=(r=e.originalLine-t.originalLine)?r:0!=(r=e.originalColumn-t.originalColumn)?r:h(e.name,t.name)},t.compareByGeneratedPositionsInflated=function(e,t){var n=e.generatedLine-t.generatedLine;return 0!==n?n:0!=(n=e.generatedColumn-t.generatedColumn)?n:0!==(n=h(e.source,t.source))?n:0!=(n=e.originalLine-t.originalLine)?n:0!=(n=e.originalColumn-t.originalColumn)?n:h(e.name,t.name)},t.parseSourceMapInput=function(e){return JSON.parse(e.replace(/^\)]}'[^\n]*\n/,""))},t.computeSourceURL=function(e,t,n){if(t=t||"",e&&("/"!==e[e.length-1]&&"/"!==t[0]&&(e+="/"),t=e+t),n){var r=i(n);if(!r)throw new Error("sourceMapURL could not be parsed");if(r.path){var u=r.path.lastIndexOf("/");u>=0&&(r.path=r.path.substring(0,u+1))}t=a(o(r),t)}return s(t)}}),dv=(pv.getArg,pv.urlParse,pv.urlGenerate,pv.normalize,pv.join,pv.isAbsolute,pv.relative,pv.toSetString,pv.fromSetString,pv.compareByOriginalPositions,pv.compareByGeneratedPositionsDeflated,pv.compareByGeneratedPositionsInflated,pv.parseSourceMapInput,pv.computeSourceURL,Object.prototype.hasOwnProperty),mv="undefined"!=typeof Map;function gv(){this._array=[],this._set=mv?new Map:Object.create(null)}gv.fromArray=function(e,t){for(var n=new gv,r=0,i=e.length;r=0)return t}else{var n=pv.toSetString(e);if(dv.call(this._set,n))return this._set[n]}throw new Error('"'+e+'" is not in the set.')},gv.prototype.at=function(e){if(e>=0&&er||i==r&&s>=o||pv.compareByGeneratedPositionsInflated(t,n)<=0?(this._last=e,this._array.push(e)):(this._sorted=!1,this._array.push(e))},yv.prototype.toArray=function(){return this._sorted||(this._array.sort(pv.compareByGeneratedPositionsInflated),this._sorted=!0),this._array};var _v=vv.ArraySet,Ev={MappingList:yv}.MappingList;function bv(e){e||(e={}),this._file=pv.getArg(e,"file",null),this._sourceRoot=pv.getArg(e,"sourceRoot",null),this._skipValidation=pv.getArg(e,"skipValidation",!1),this._sources=new _v,this._names=new _v,this._mappings=new Ev,this._sourcesContents=null}bv.prototype._version=3,bv.fromSourceMap=function(e){var t=e.sourceRoot,n=new bv({file:e.file,sourceRoot:t});return e.eachMapping(function(e){var r={generated:{line:e.generatedLine,column:e.generatedColumn}};null!=e.source&&(r.source=e.source,null!=t&&(r.source=pv.relative(t,r.source)),r.original={line:e.originalLine,column:e.originalColumn},null!=e.name&&(r.name=e.name)),n.addMapping(r)}),e.sources.forEach(function(r){var i=r;null!==t&&(i=pv.relative(t,r)),n._sources.has(i)||n._sources.add(i);var o=e.sourceContentFor(r);null!=o&&n.setSourceContent(r,o)}),n},bv.prototype.addMapping=function(e){var t=pv.getArg(e,"generated"),n=pv.getArg(e,"original",null),r=pv.getArg(e,"source",null),i=pv.getArg(e,"name",null);this._skipValidation||this._validateMapping(t,n,r,i),null!=r&&(r=String(r),this._sources.has(r)||this._sources.add(r)),null!=i&&(i=String(i),this._names.has(i)||this._names.add(i)),this._mappings.add({generatedLine:t.line,generatedColumn:t.column,originalLine:null!=n&&n.line,originalColumn:null!=n&&n.column,source:r,name:i})},bv.prototype.setSourceContent=function(e,t){var n=e;null!=this._sourceRoot&&(n=pv.relative(this._sourceRoot,n)),null!=t?(this._sourcesContents||(this._sourcesContents=Object.create(null)),this._sourcesContents[pv.toSetString(n)]=t):this._sourcesContents&&(delete this._sourcesContents[pv.toSetString(n)],0===Object.keys(this._sourcesContents).length&&(this._sourcesContents=null))},bv.prototype.applySourceMap=function(e,t,n){var r=t;if(null==t){if(null==e.file)throw new Error('SourceMapGenerator.prototype.applySourceMap requires either an explicit source file, or the source map\'s "file" property. Both were omitted.');r=e.file}var i=this._sourceRoot;null!=i&&(r=pv.relative(i,r));var o=new _v,s=new _v;this._mappings.unsortedForEach(function(t){if(t.source===r&&null!=t.originalLine){var a=e.originalPositionFor({line:t.originalLine,column:t.originalColumn});null!=a.source&&(t.source=a.source,null!=n&&(t.source=pv.join(n,t.source)),null!=i&&(t.source=pv.relative(i,t.source)),t.originalLine=a.line,t.originalColumn=a.column,null!=a.name&&(t.name=a.name))}var u=t.source;null==u||o.has(u)||o.add(u);var c=t.name;null==c||s.has(c)||s.add(c)},this),this._sources=o,this._names=s,e.sources.forEach(function(t){var r=e.sourceContentFor(t);null!=r&&(null!=n&&(t=pv.join(n,t)),null!=i&&(t=pv.relative(i,t)),this.setSourceContent(t,r))},this)},bv.prototype._validateMapping=function(e,t,n,r){if(t&&"number"!=typeof t.line&&"number"!=typeof t.column)throw new Error("original.line and original.column are not numbers -- you probably meant to omit the original mapping entirely and only map the generated position. If so, pass null for the original mapping instead of an object with empty or null values.");if((!(e&&"line"in e&&"column"in e&&e.line>0&&e.column>=0)||t||n||r)&&!(e&&"line"in e&&"column"in e&&t&&"line"in t&&"column"in t&&e.line>0&&e.column>=0&&t.line>0&&t.column>=0&&n))throw new Error("Invalid mapping: "+JSON.stringify({generated:e,source:n,original:t,name:r}))},bv.prototype._serializeMappings=function(){for(var e,t,n,r,i=0,o=1,s=0,a=0,u=0,c=0,l="",h=this._mappings.toArray(),f=0,p=h.length;f0){if(!pv.compareByGeneratedPositionsInflated(t,h[f-1]))continue;e+=","}e+=hv(t.generatedColumn-i),i=t.generatedColumn,null!=t.source&&(r=this._sources.indexOf(t.source),e+=hv(r-c),c=r,e+=hv(t.originalLine-1-a),a=t.originalLine-1,e+=hv(t.originalColumn-s),s=t.originalColumn,null!=t.name&&(n=this._names.indexOf(t.name),e+=hv(n-u),u=n)),l+=e}return l},bv.prototype._generateSourcesContent=function(e,t){return e.map(function(e){if(!this._sourcesContents)return null;null!=t&&(e=pv.relative(t,e));var n=pv.toSetString(e);return Object.prototype.hasOwnProperty.call(this._sourcesContents,n)?this._sourcesContents[n]:null},this)},bv.prototype.toJSON=function(){var e={version:this._version,sources:this._sources.toArray(),names:this._names.toArray(),mappings:this._serializeMappings()};return null!=this._file&&(e.file=this._file),null!=this._sourceRoot&&(e.sourceRoot=this._sourceRoot),this._sourcesContents&&(e.sourcesContent=this._generateSourcesContent(e.sources,e.sourceRoot)),e},bv.prototype.toString=function(){return JSON.stringify(this.toJSON())};var Dv={SourceMapGenerator:bv},Av=r(function(e,t){t.GREATEST_LOWER_BOUND=1,t.LEAST_UPPER_BOUND=2,t.search=function(e,n,r,i){if(0===n.length)return-1;var o=function e(n,r,i,o,s,a){var u=Math.floor((r-n)/2)+n,c=s(i,o[u],!0);return 0===c?u:c>0?r-u>1?e(u,r,i,o,s,a):a==t.LEAST_UPPER_BOUND?r1?e(n,u,i,o,s,a):a==t.LEAST_UPPER_BOUND?u:n<0?-1:n}(-1,n.length,e,n,r,i||t.GREATEST_LOWER_BOUND);if(o<0)return-1;for(;o-1>=0&&0===r(n[o],n[o-1],!0);)--o;return o}});Av.GREATEST_LOWER_BOUND,Av.LEAST_UPPER_BOUND,Av.search;function xv(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function wv(e,t,n,r){if(n=0){var o=this._originalMappings[i];if(void 0===e.column)for(var s=o.originalLine;o&&o.originalLine===s;)r.push({line:pv.getArg(o,"generatedLine",null),column:pv.getArg(o,"generatedColumn",null),lastColumn:pv.getArg(o,"lastGeneratedColumn",null)}),o=this._originalMappings[++i];else for(var a=o.originalColumn;o&&o.originalLine===t&&o.originalColumn==a;)r.push({line:pv.getArg(o,"generatedLine",null),column:pv.getArg(o,"generatedColumn",null),lastColumn:pv.getArg(o,"lastGeneratedColumn",null)}),o=this._originalMappings[++i]}return r};var kv=Sv;function Bv(e,t){var n=e;"string"==typeof e&&(n=pv.parseSourceMapInput(e));var r=pv.getArg(n,"version"),i=pv.getArg(n,"sources"),o=pv.getArg(n,"names",[]),s=pv.getArg(n,"sourceRoot",null),a=pv.getArg(n,"sourcesContent",null),u=pv.getArg(n,"mappings"),c=pv.getArg(n,"file",null);if(r!=this._version)throw new Error("Unsupported version: "+r);s&&(s=pv.normalize(s)),i=i.map(String).map(pv.normalize).map(function(e){return s&&pv.isAbsolute(s)&&pv.isAbsolute(e)?pv.relative(s,e):e}),this._names=Cv.fromArray(o.map(String),!0),this._sources=Cv.fromArray(i,!0),this._absoluteSources=this._sources.toArray().map(function(e){return pv.computeSourceURL(s,e,t)}),this.sourceRoot=s,this.sourcesContent=a,this._mappings=u,this._sourceMapURL=t,this.file=c}function Ov(){this.generatedLine=0,this.generatedColumn=0,this.source=null,this.originalLine=null,this.originalColumn=null,this.name=null}Bv.prototype=Object.create(Sv.prototype),Bv.prototype.consumer=Sv,Bv.prototype._findSourceIndex=function(e){var t,n=e;if(null!=this.sourceRoot&&(n=pv.relative(this.sourceRoot,n)),this._sources.has(n))return this._sources.indexOf(n);for(t=0;t1&&(n.source=h+i[1],h+=i[1],n.originalLine=c+i[2],c=n.originalLine,n.originalLine+=1,n.originalColumn=l+i[3],l=n.originalColumn,i.length>4&&(n.name=f+i[4],f+=i[4])),y.push(n),"number"==typeof n.originalLine&&v.push(n)}Fv(y,pv.compareByGeneratedPositionsDeflated),this.__generatedMappings=y,Fv(v,pv.compareByOriginalPositions),this.__originalMappings=v},Bv.prototype._findMapping=function(e,t,n,r,i,o){if(e[n]<=0)throw new TypeError("Line must be greater than or equal to 1, got "+e[n]);if(e[r]<0)throw new TypeError("Column must be greater than or equal to 0, got "+e[r]);return Av.search(e,t,i,o)},Bv.prototype.computeColumnSpans=function(){for(var e=0;e=0){var r=this._generatedMappings[n];if(r.generatedLine===t.generatedLine){var i=pv.getArg(r,"source",null);null!==i&&(i=this._sources.at(i),i=pv.computeSourceURL(this.sourceRoot,i,this._sourceMapURL));var o=pv.getArg(r,"name",null);return null!==o&&(o=this._names.at(o)),{source:i,line:pv.getArg(r,"originalLine",null),column:pv.getArg(r,"originalColumn",null),name:o}}}return{source:null,line:null,column:null,name:null}},Bv.prototype.hasContentsOfAllSources=function(){return!!this.sourcesContent&&(this.sourcesContent.length>=this._sources.size()&&!this.sourcesContent.some(function(e){return null==e}))},Bv.prototype.sourceContentFor=function(e,t){if(!this.sourcesContent)return null;var n=this._findSourceIndex(e);if(n>=0)return this.sourcesContent[n];var r,i=e;if(null!=this.sourceRoot&&(i=pv.relative(this.sourceRoot,i)),null!=this.sourceRoot&&(r=pv.urlParse(this.sourceRoot))){var o=i.replace(/^file:\/\//,"");if("file"==r.scheme&&this._sources.has(o))return this.sourcesContent[this._sources.indexOf(o)];if((!r.path||"/"==r.path)&&this._sources.has("/"+i))return this.sourcesContent[this._sources.indexOf("/"+i)]}if(t)return null;throw new Error('"'+i+'" is not in the SourceMap.')},Bv.prototype.generatedPositionFor=function(e){var t=pv.getArg(e,"source");if((t=this._findSourceIndex(t))<0)return{line:null,column:null,lastColumn:null};var n={source:t,originalLine:pv.getArg(e,"line"),originalColumn:pv.getArg(e,"column")},r=this._findMapping(n,this._originalMappings,"originalLine","originalColumn",pv.compareByOriginalPositions,pv.getArg(e,"bias",Sv.GREATEST_LOWER_BOUND));if(r>=0){var i=this._originalMappings[r];if(i.source===n.source)return{line:pv.getArg(i,"generatedLine",null),column:pv.getArg(i,"generatedColumn",null),lastColumn:pv.getArg(i,"lastGeneratedColumn",null)}}return{line:null,column:null,lastColumn:null}};var Rv=Bv;function Iv(e,t){var n=e;"string"==typeof e&&(n=pv.parseSourceMapInput(e));var r=pv.getArg(n,"version"),i=pv.getArg(n,"sections");if(r!=this._version)throw new Error("Unsupported version: "+r);this._sources=new Cv,this._names=new Cv;var o={line:-1,column:0};this._sections=i.map(function(e){if(e.url)throw new Error("Support for url field in sections not implemented.");var n=pv.getArg(e,"offset"),r=pv.getArg(n,"line"),i=pv.getArg(n,"column");if(r=0;t--)this.prepend(e[t]);else{if(!e[Mv]&&"string"!=typeof e)throw new TypeError("Expected a SourceNode, string, or an array of SourceNodes and strings. Got "+e);this.children.unshift(e)}return this},Lv.prototype.walk=function(e){for(var t,n=0,r=this.children.length;n0){for(t=[],n=0;n=0}function i(e,t){for(var n=0,r=t.length;n=0&&!l(););u.reverse(),c.reverse()}else for(a=0;a=0;)e[n]===t&&e.splice(n,1)}function y(e,t){return e.length<2?e.slice():function e(n){if(n.length<=1)return n;var r=Math.floor(n.length/2),i=n.slice(0,r),o=n.slice(r);return function(e,n){for(var r=[],i=0,o=0,s=0;i3){for(n.sort(function(e,t){return t.length-e.length}),t+="switch(str.length){",r=0;r=0;)if(!t(e[n]))return!1;return!0}function D(){this._values=Object.create(null),this._size=0}function A(e,t){return Object.prototype.hasOwnProperty.call(e,t)}function x(e){for(var t,n=e.parent(-1),r=0;t=e.parent(r);r++){if(t instanceof k&&t.body===n)return!0;if(!(t instanceof Oe&&t.expressions[0]===n||"Call"==t.TYPE&&t.expression===n||t instanceof Ie&&t.expression===n||t instanceof Pe&&t.expression===n||t instanceof je&&t.condition===n||t instanceof Le&&t.left===n||t instanceof Me&&t.expression===n))return!1;n=t}}function w(e,t){return!0===e||e instanceof RegExp&&e.test(t)}function C(t,n,r,i){arguments.length<4&&(i=S);var o=n=n?n.split(/\s+/):[];i&&i.PROPS&&(n=n.concat(i.PROPS));for(var s="return function AST_"+t+"(props){ if (props) { ",a=n.length;--a>=0;)s+="this."+n[a]+" = props."+n[a]+";";var u=i&&new i;(u&&u.initialize||r&&r.initialize)&&(s+="this.initialize();"),s+="}}";var c=new Function(s)();if(u&&(c.prototype=u,c.BASE=i),i&&i.SUBCLASSES.push(c),c.prototype.CTOR=c,c.PROPS=n||null,c.SELF_PROPS=o,c.SUBCLASSES=[],t&&(c.prototype.TYPE=c.TYPE=t),r)for(a in r)A(r,a)&&(/^\$/.test(a)?c[a.substr(1)]=r[a]:c.prototype[a]=r[a]);return c.DEFMETHOD=function(e,t){this.prototype[e]=t},void 0!==e&&(e["AST_"+t]=c),c}D.prototype={set:function(e,t){return this.has(e)||++this._size,this._values["$"+e]=t,this},add:function(e,t){return this.has(e)?this.get(e).push(t):this.set(e,[t]),this},get:function(e){return this._values["$"+e]},del:function(e){return this.has(e)&&(--this._size,delete this._values["$"+e]),this},has:function(e){return"$"+e in this._values},each:function(e){for(var t in this._values)e(this._values[t],t.substr(1))},size:function(){return this._size},map:function(e){var t=[];for(var n in this._values)t.push(e(this._values[n],n.substr(1)));return t},clone:function(){var e=new D;for(var t in this._values)e._values[t]=this._values[t];return e._size=this._size,e},toObject:function(){return this._values}},D.fromObject=function(e){var t=new D;return t._size=u(t._values,e),t};var F=C("Token","type value line col pos endline endcol endpos nlb comments_before comments_after file raw",{},null),S=C("Node","start end",{_clone:function(e){if(e){var t=this.clone();return t.transform(new bn(function(e){if(e!==t)return e.clone(!0)}))}return new this.CTOR(this)},clone:function(e){return this._clone(e)},$documentation:"Base class of all AST nodes",$propdoc:{start:"[AST_Token] The first token of this node",end:"[AST_Token] The last token of this node"},_walk:function(e){return e._visit(this)},walk:function(e){return this._walk(e)}},null);S.warn_function=null,S.warn=function(e,t){S.warn_function&&S.warn_function(g(e,t))};var k=C("Statement",null,{$documentation:"Base class of all statements"}),B=C("Debugger",null,{$documentation:"Represents a debugger statement"},k),O=C("Directive","value quote",{$documentation:'Represents a directive, like "use strict";',$propdoc:{value:"[string] The value of this directive as a plain string (it's not an AST_String!)",quote:"[string] the original quote character"}},k),R=C("SimpleStatement","body",{$documentation:"A statement consisting of an expression, i.e. a = 1 + 2",$propdoc:{body:"[AST_Node] an expression node (should not be instanceof AST_Statement)"},_walk:function(e){return e._visit(this,function(){this.body._walk(e)})}},k);function I(e,t){var n=e.body;if(n instanceof S)n._walk(t);else for(var r=0,i=n.length;r SymbolDef for all variables/functions defined in this scope",functions:"[Object/S] like `variables`, but only lists function declarations",uses_with:"[boolean/S] tells whether this scope uses the `with` statement",uses_eval:"[boolean/S] tells whether this scope contains a direct call to the global `eval`",parent_scope:"[AST_Scope?/S] link to the parent scope",enclosed:"[SymbolDef*/S] a list of all symbol definitions that are accessed from this scope or any subscopes",cname:"[integer/S] current index for mangling variables (used internally by the mangler)"},get_defun_scope:function(){for(var e=this;e.is_block_scope();)e=e.parent_scope;return e},clone:function(e){var t=this._clone(e);return this.variables&&(t.variables=this.variables.clone()),this.functions&&(t.functions=this.functions.clone()),this.enclosed&&(t.enclosed=this.enclosed.slice()),t},pinned:function(){return this.uses_eval||this.uses_with}},T),Y=C("Toplevel","globals",{$documentation:"The toplevel scope",$propdoc:{globals:"[Object/S] a map of name -> SymbolDef for all undeclared names"},wrap_commonjs:function(e){var t=this.body,n="(function(exports){'$ORIG';})(typeof "+e+"=='undefined'?("+e+"={}):"+e+");";return(n=En(n)).transform(new bn(function(e){if(e instanceof O&&"$ORIG"==e.value)return d.splice(t)}))},wrap_enclose:function(e){"string"!=typeof e&&(e="");var t=e.indexOf(":");t<0&&(t=e.length);var n=this.body;return En(["(function(",e.slice(0,t),'){"$ORIG"})(',e.slice(t+1),")"].join("")).transform(new bn(function(e){if(e instanceof O&&"$ORIG"==e.value)return d.splice(n)}))}},K),X=C("Expansion","expression",{$documentation:"An expandible argument, such as ...rest, a splat, such as [1,2,...all], or an expansion in a variable declaration, such as var [first, ...rest] = list",$propdoc:{expression:"[AST_Node] the thing to be expanded"},_walk:function(e){var t=this;return e._visit(this,function(){t.expression.walk(e)})}}),J=C("Lambda","name argnames uses_arguments is_generator async",{$documentation:"Base class for functions",$propdoc:{name:"[AST_SymbolDeclaration?] the name of this function",argnames:"[AST_SymbolFunarg|AST_Destructuring|AST_Expansion|AST_DefaultAssign*] array of function arguments, destructurings, or expanding arguments",uses_arguments:"[boolean/S] tells whether this function accesses the arguments array",is_generator:"[boolean] is this a generator method",async:"[boolean] is this method async"},args_as_names:function(){for(var e=[],t=0;t b)"},J),te=C("Defun","inlined",{$documentation:"A function definition"},J),ne=C("Destructuring","names is_array",{$documentation:"A destructuring of several names. Used in destructuring assignment and with destructuring function argument names",$propdoc:{names:"[AST_Node*] Array of properties or elements",is_array:"[Boolean] Whether the destructuring represents an object or array"},_walk:function(e){return e._visit(this,function(){this.names.forEach(function(t){t._walk(e)})})},all_symbols:function(){var e=[];return this.walk(new Nt(function(t){t instanceof Ze&&e.push(t),t instanceof X&&e.push(t.expression)})),e}}),re=C("PrefixedTemplateString","template_string prefix",{$documentation:"A templatestring with a prefix, such as String.raw`foobarbaz`",$propdoc:{template_string:"[AST_TemplateString] The template string",prefix:"[AST_SymbolRef|AST_PropAccess] The prefix, which can be a symbol such as `foo` or a dotted expression such as `String.raw`."},_walk:function(e){this.prefix._walk(e),this.template_string._walk(e)}}),ie=C("TemplateString","segments",{$documentation:"A template string literal",$propdoc:{segments:"[AST_Node*] One or more segments, starting with AST_TemplateSegment. AST_Node may follow AST_TemplateSegment, but each AST_Node must be followed by AST_TemplateSegment."},_walk:function(e){return e._visit(this,function(){this.segments.forEach(function(t){t._walk(e)})})}}),oe=C("TemplateSegment","value raw",{$documentation:"A segment of a template string literal",$propdoc:{value:"Content of the segment",raw:"Raw content of the segment"}}),se=C("Jump",null,{$documentation:"Base class for “jumps” (for now that's `return`, `throw`, `break` and `continue`)"},k),ae=C("Exit","value",{$documentation:"Base class for “exits” (`return` and `throw`)",$propdoc:{value:"[AST_Node?] the value returned or thrown by this statement; could be null for AST_Return"},_walk:function(e){return e._visit(this,this.value&&function(){this.value._walk(e)})}},se),ue=C("Return",null,{$documentation:"A `return` statement"},ae),ce=C("Throw",null,{$documentation:"A `throw` statement"},ae),le=C("LoopControl","label",{$documentation:"Base class for loop control statements (`break` and `continue`)",$propdoc:{label:"[AST_LabelRef?] the label, or null if none"},_walk:function(e){return e._visit(this,this.label&&function(){this.label._walk(e)})}},se),he=C("Break",null,{$documentation:"A `break` statement"},le),fe=C("Continue",null,{$documentation:"A `continue` statement"},le),pe=C("If","condition alternative",{$documentation:"A `if` statement",$propdoc:{condition:"[AST_Node] the `if` condition",alternative:"[AST_Statement?] the `else` part, or null if not present"},_walk:function(e){return e._visit(this,function(){this.condition._walk(e),this.body._walk(e),this.alternative&&this.alternative._walk(e)})}},L),de=C("Switch","expression",{$documentation:"A `switch` statement",$propdoc:{expression:"[AST_Node] the `switch` “discriminant”"},_walk:function(e){return e._visit(this,function(){this.expression._walk(e),I(this,e)})}},T),me=C("SwitchBranch",null,{$documentation:"Base class for `switch` branches"},T),ge=C("Default",null,{$documentation:"A `default` switch branch"},me),ve=C("Case","expression",{$documentation:"A `case` switch branch",$propdoc:{expression:"[AST_Node] the `case` expression"},_walk:function(e){return e._visit(this,function(){this.expression._walk(e),I(this,e)})}},me),ye=C("Try","bcatch bfinally",{$documentation:"A `try` statement",$propdoc:{bcatch:"[AST_Catch?] the catch block, or null if not present",bfinally:"[AST_Finally?] the finally block, or null if not present"},_walk:function(e){return e._visit(this,function(){I(this,e),this.bcatch&&this.bcatch._walk(e),this.bfinally&&this.bfinally._walk(e)})}},T),_e=C("Catch","argname",{$documentation:"A `catch` node; only makes sense as part of a `try` statement",$propdoc:{argname:"[AST_SymbolCatch|AST_Destructuring|AST_Expansion|AST_DefaultAssign] symbol for the exception"},_walk:function(e){return e._visit(this,function(){this.argname&&this.argname._walk(e),I(this,e)})}},T),Ee=C("Finally",null,{$documentation:"A `finally` node; only makes sense as part of a `try` statement"},T),be=C("Definitions","definitions",{$documentation:"Base class for `var` or `const` nodes (variable declarations/initializations)",$propdoc:{definitions:"[AST_VarDef*] array of variable definitions"},_walk:function(e){return e._visit(this,function(){for(var t=this.definitions,n=0,r=t.length;n a`"},Le),Ve=C("Array","elements",{$documentation:"An array literal",$propdoc:{elements:"[AST_Node*] array of elements"},_walk:function(e){return e._visit(this,function(){for(var t=this.elements,n=0,r=t.length;n=0;){var r=t[n];if(r instanceof e)return r}},has_directive:function(e){var t=this.directives[e];if(t)return t;var n=this.stack[this.stack.length-1];if(n instanceof K&&n.body)for(var r=0;r=0;)if((r=t[n])instanceof j&&r.label.name==e.label.name)return r.body}else for(n=t.length;--n>=0;){var r;if((r=t[n])instanceof U||e instanceof he&&r instanceof de)return r}}};var Mt="break case catch class const continue debugger default delete do else export extends finally for function if in instanceof let new return switch throw try typeof var void while with",Lt="false null true",jt="enum implements import interface package private protected public static super this "+Lt+" "+Mt,Ut="return new delete throw else case yield await";Mt=E(Mt),jt=E(jt),Ut=E(Ut),Lt=E(Lt);var zt=E(n("+-*&%=<>!?|~^")),Vt=/[0-9a-f]/i,qt=/^0x[0-9a-f]+$/i,Wt=/^0[0-7]+$/,$t=/^0o[0-7]+$/i,Ht=/^0b[01]+$/i,Gt=/^\d*\.?\d*(?:e[+-]?\d*(?:\d\.?|\.?\d)\d*)?$/i,Kt=E(["in","instanceof","typeof","new","void","delete","++","--","+","-","!","~","&","|","^","*","**","/","%",">>","<<",">>>","<",">","<=",">=","==","===","!=","!==","?","=","+=","-=","/=","*=","**=","%=",">>=","<<=",">>>=","|=","^=","&=","&&","||"]),Yt=E(n("  \n\r\t\f\v​           \u2028\u2029   \ufeff")),Xt=E(n("\n\r\u2028\u2029")),Jt=E(n(";]),:")),Zt=E(n("[{(,;:")),Qt=E(n("[]{}(),;:")),en={ID_Start:/[A-Za-z\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u05D0-\u05EA\u05F0-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u08A0-\u08B4\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C60\u0C61\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1711\u1720-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1877\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4B\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1CE9-\u1CEC\u1CEE-\u1CF1\u1CF5\u1CF6\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309B-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AD\uA7B0-\uA7B7\uA7F7-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDE80-\uDE9C\uDEA0-\uDED0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF75\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDCE0-\uDCF2\uDCF4\uDCF5\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00\uDE10-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE4\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48\uDC80-\uDCB2\uDCC0-\uDCF2]|\uD804[\uDC03-\uDC37\uDC83-\uDCAF\uDCD0-\uDCE8\uDD03-\uDD26\uDD50-\uDD72\uDD76\uDD83-\uDDB2\uDDC1-\uDDC4\uDDDA\uDDDC\uDE00-\uDE11\uDE13-\uDE2B\uDE80-\uDE86\uDE88\uDE8A-\uDE8D\uDE8F-\uDE9D\uDE9F-\uDEA8\uDEB0-\uDEDE\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3D\uDF50\uDF5D-\uDF61]|\uD805[\uDC80-\uDCAF\uDCC4\uDCC5\uDCC7\uDD80-\uDDAE\uDDD8-\uDDDB\uDE00-\uDE2F\uDE44\uDE80-\uDEAA\uDF00-\uDF19]|\uD806[\uDCA0-\uDCDF\uDCFF\uDEC0-\uDEF8]|\uD808[\uDC00-\uDF99]|\uD809[\uDC00-\uDC6E\uDC80-\uDD43]|[\uD80C\uD840-\uD868\uD86A-\uD86C\uD86F-\uD872][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD811[\uDC00-\uDE46]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDED0-\uDEED\uDF00-\uDF2F\uDF40-\uDF43\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50\uDF93-\uDF9F]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB]|\uD83A[\uDC00-\uDCC4]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D\uDC20-\uDFFF]|\uD873[\uDC00-\uDEA1]|\uD87E[\uDC00-\uDE1D]/,ID_Continue:/[0-9A-Z_a-z\xAA\xB5\xB7\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0300-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u0483-\u0487\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u05D0-\u05EA\u05F0-\u05F2\u0610-\u061A\u0620-\u0669\u066E-\u06D3\u06D5-\u06DC\u06DF-\u06E8\u06EA-\u06FC\u06FF\u0710-\u074A\u074D-\u07B1\u07C0-\u07F5\u07FA\u0800-\u082D\u0840-\u085B\u08A0-\u08B4\u08E3-\u0963\u0966-\u096F\u0971-\u0983\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BC-\u09C4\u09C7\u09C8\u09CB-\u09CE\u09D7\u09DC\u09DD\u09DF-\u09E3\u09E6-\u09F1\u0A01-\u0A03\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A59-\u0A5C\u0A5E\u0A66-\u0A75\u0A81-\u0A83\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABC-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AD0\u0AE0-\u0AE3\u0AE6-\u0AEF\u0AF9\u0B01-\u0B03\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3C-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B56\u0B57\u0B5C\u0B5D\u0B5F-\u0B63\u0B66-\u0B6F\u0B71\u0B82\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD0\u0BD7\u0BE6-\u0BEF\u0C00-\u0C03\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C58-\u0C5A\u0C60-\u0C63\u0C66-\u0C6F\u0C81-\u0C83\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBC-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CDE\u0CE0-\u0CE3\u0CE6-\u0CEF\u0CF1\u0CF2\u0D01-\u0D03\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D-\u0D44\u0D46-\u0D48\u0D4A-\u0D4E\u0D57\u0D5F-\u0D63\u0D66-\u0D6F\u0D7A-\u0D7F\u0D82\u0D83\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E01-\u0E3A\u0E40-\u0E4E\u0E50-\u0E59\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB9\u0EBB-\u0EBD\u0EC0-\u0EC4\u0EC6\u0EC8-\u0ECD\u0ED0-\u0ED9\u0EDC-\u0EDF\u0F00\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E-\u0F47\u0F49-\u0F6C\u0F71-\u0F84\u0F86-\u0F97\u0F99-\u0FBC\u0FC6\u1000-\u1049\u1050-\u109D\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u135D-\u135F\u1369-\u1371\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1714\u1720-\u1734\u1740-\u1753\u1760-\u176C\u176E-\u1770\u1772\u1773\u1780-\u17D3\u17D7\u17DC\u17DD\u17E0-\u17E9\u180B-\u180D\u1810-\u1819\u1820-\u1877\u1880-\u18AA\u18B0-\u18F5\u1900-\u191E\u1920-\u192B\u1930-\u193B\u1946-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u19D0-\u19DA\u1A00-\u1A1B\u1A20-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AA7\u1AB0-\u1ABD\u1B00-\u1B4B\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1BF3\u1C00-\u1C37\u1C40-\u1C49\u1C4D-\u1C7D\u1CD0-\u1CD2\u1CD4-\u1CF6\u1CF8\u1CF9\u1D00-\u1DF5\u1DFC-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u203F\u2040\u2054\u2071\u207F\u2090-\u209C\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D7F-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2DE0-\u2DFF\u3005-\u3007\u3021-\u302F\u3031-\u3035\u3038-\u303C\u3041-\u3096\u3099-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA62B\uA640-\uA66F\uA674-\uA67D\uA67F-\uA6F1\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AD\uA7B0-\uA7B7\uA7F7-\uA827\uA840-\uA873\uA880-\uA8C4\uA8D0-\uA8D9\uA8E0-\uA8F7\uA8FB\uA8FD\uA900-\uA92D\uA930-\uA953\uA960-\uA97C\uA980-\uA9C0\uA9CF-\uA9D9\uA9E0-\uA9FE\uAA00-\uAA36\uAA40-\uAA4D\uAA50-\uAA59\uAA60-\uAA76\uAA7A-\uAAC2\uAADB-\uAADD\uAAE0-\uAAEF\uAAF2-\uAAF6\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABEA\uABEC\uABED\uABF0-\uABF9\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFE70-\uFE74\uFE76-\uFEFC\uFF10-\uFF19\uFF21-\uFF3A\uFF3F\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDDFD\uDE80-\uDE9C\uDEA0-\uDED0\uDEE0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF7A\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDCA0-\uDCA9\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDCE0-\uDCF2\uDCF4\uDCF5\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00-\uDE03\uDE05\uDE06\uDE0C-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE38-\uDE3A\uDE3F\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE6\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48\uDC80-\uDCB2\uDCC0-\uDCF2]|\uD804[\uDC00-\uDC46\uDC66-\uDC6F\uDC7F-\uDCBA\uDCD0-\uDCE8\uDCF0-\uDCF9\uDD00-\uDD34\uDD36-\uDD3F\uDD50-\uDD73\uDD76\uDD80-\uDDC4\uDDCA-\uDDCC\uDDD0-\uDDDA\uDDDC\uDE00-\uDE11\uDE13-\uDE37\uDE80-\uDE86\uDE88\uDE8A-\uDE8D\uDE8F-\uDE9D\uDE9F-\uDEA8\uDEB0-\uDEEA\uDEF0-\uDEF9\uDF00-\uDF03\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3C-\uDF44\uDF47\uDF48\uDF4B-\uDF4D\uDF50\uDF57\uDF5D-\uDF63\uDF66-\uDF6C\uDF70-\uDF74]|\uD805[\uDC80-\uDCC5\uDCC7\uDCD0-\uDCD9\uDD80-\uDDB5\uDDB8-\uDDC0\uDDD8-\uDDDD\uDE00-\uDE40\uDE44\uDE50-\uDE59\uDE80-\uDEB7\uDEC0-\uDEC9\uDF00-\uDF19\uDF1D-\uDF2B\uDF30-\uDF39]|\uD806[\uDCA0-\uDCE9\uDCFF\uDEC0-\uDEF8]|\uD808[\uDC00-\uDF99]|\uD809[\uDC00-\uDC6E\uDC80-\uDD43]|[\uD80C\uD840-\uD868\uD86A-\uD86C\uD86F-\uD872][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD811[\uDC00-\uDE46]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDE60-\uDE69\uDED0-\uDEED\uDEF0-\uDEF4\uDF00-\uDF36\uDF40-\uDF43\uDF50-\uDF59\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50-\uDF7E\uDF8F-\uDF9F]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99\uDC9D\uDC9E]|\uD834[\uDD65-\uDD69\uDD6D-\uDD72\uDD7B-\uDD82\uDD85-\uDD8B\uDDAA-\uDDAD\uDE42-\uDE44]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB\uDFCE-\uDFFF]|\uD836[\uDE00-\uDE36\uDE3B-\uDE6C\uDE75\uDE84\uDE9B-\uDE9F\uDEA1-\uDEAF]|\uD83A[\uDC00-\uDCC4\uDCD0-\uDCD6]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D\uDC20-\uDFFF]|\uD873[\uDC00-\uDEA1]|\uD87E[\uDC00-\uDE1D]|\uDB40[\uDD00-\uDDEF]/};function tn(e,t){var n=e.charAt(t);if(nn(n)){var r=e.charAt(t+1);if(rn(r))return n+r}if(rn(n)){var i=e.charAt(t-1);if(nn(i))return i+n}return n}function nn(e){return"string"==typeof e&&(e=e.charCodeAt(0)),e>=55296&&e<=56319}function rn(e){return"string"==typeof e&&(e=e.charCodeAt(0)),e>=56320&&e<=57343}function on(e){return e>=48&&e<=57}function sn(e){return"string"==typeof e&&!jt(e)}function an(e){var t=e.charCodeAt(0);return en.ID_Start.test(e)||36==t||95==t}function un(e){var t=e.charCodeAt(0);return en.ID_Continue.test(e)||36==t||95==t||8204==t||8205==t}function cn(e){return/^[a-z_$][a-z0-9_$]*$/i.test(e)}function ln(e,t,n,r,i){this.message=e,this.filename=t,this.line=n,this.col=r,this.pos=i}function hn(e,t,n,r,i){throw new ln(e,t,n,r,i)}function fn(e,t,n){return e.type==t&&(null==n||e.value==n)}ln.prototype=Object.create(Error.prototype),ln.prototype.constructor=ln,ln.prototype.name="SyntaxError",o(ln);var pn={};function dn(e,t,n,r){var i={text:e,filename:t,pos:0,tokpos:0,line:1,tokline:0,col:0,tokcol:0,newline_before:!1,regex_allowed:!1,brace_counter:0,template_braces:[],comments_before:[],directives:{},directive_stack:[]};function o(){return tn(i.text,i.pos)}function s(e,t){var n=tn(i.text,i.pos++);if(e&&!n)throw pn;return Xt(n)?(i.newline_before=i.newline_before||!t,++i.line,i.col=0,t||"\r"!=n||"\n"!=o()||(++i.pos,n="\n")):(n.length>1&&(++i.pos,++i.col),++i.col),n}function a(e){for(;e-- >0;)s()}function u(e){return i.text.substr(i.pos,e.length)==e}function c(e,t){var n=i.text.indexOf(e,i.pos);if(t&&-1==n)throw pn;return n}function l(){i.tokline=i.line,i.tokcol=i.col,i.tokpos=i.pos}var h=!1,f=null;function p(n,r,o){i.regex_allowed="operator"==n&&!gn(r)||"keyword"==n&&Ut(r)||"punc"==n&&Zt(r)||"arrow"==n,"punc"==n&&"."==r?h=!0:o||(h=!1);var s={type:n,value:r,line:i.tokline,col:i.tokcol,pos:i.tokpos,endline:i.line,endcol:i.col,endpos:i.pos,nlb:i.newline_before,file:t};return/^(?:num|string|regexp)$/i.test(n)&&(s.raw=e.substring(s.pos,s.endpos)),o||(s.comments_before=i.comments_before,s.comments_after=i.comments_before=[]),i.newline_before=!1,s=new F(s),o||(f=s),s}function d(){for(;Yt(o());)s()}function m(e){hn(e,t,i.tokline,i.tokcol,i.tokpos)}function g(e){var t=!1,n=!1,r=!1,i="."==e,a=function(e){for(var t,n="",r=0;(t=o())&&e(t,r++);)n+=s();return n}(function(o,s){switch(o.charCodeAt(0)){case 98:case 66:return r=!0;case 111:case 79:case 120:case 88:return!r&&(r=!0);case 101:case 69:return!!r||!t&&(t=n=!0);case 45:return n||0==s&&!e;case 43:return n;case n=!1,46:return!(i||r||t)&&(i=!0)}return Vt.test(o)});e&&(a=e+a),Wt.test(a)&&k.has_directive("use strict")&&m("Legacy octal literals are not allowed in strict mode");var u=function(e){if(qt.test(e))return parseInt(e.substr(2),16);if(Wt.test(e))return parseInt(e.substr(1),8);if($t.test(e))return parseInt(e.substr(2),8);if(Ht.test(e))return parseInt(e.substr(2),2);if(Gt.test(e))return parseFloat(e);var t=parseFloat(e);return t==e?t:void 0}(a);if(!isNaN(u))return p("num",u);m("Invalid syntax: "+a)}function v(e,t,n){var r,a=s(!0,e);switch(a.charCodeAt(0)){case 110:return"\n";case 114:return"\r";case 116:return"\t";case 98:return"\b";case 118:return"\v";case 102:return"\f";case 120:return String.fromCharCode(y(2,t));case 117:if("{"==o()){for(s(!0),"}"===o()&&m("Expecting hex-character between {}");"0"==o();)s(!0);var u,l=c("}",!0)-i.pos;return(l>6||(u=y(l,t))>1114111)&&m("Unicode reference out of bounds"),s(!0),(r=u)>65535?(r-=65536,String.fromCharCode(55296+(r>>10))+String.fromCharCode(r%1024+56320)):String.fromCharCode(r)}return String.fromCharCode(y(4,t));case 10:return"";case 13:if("\n"==o())return s(!0,e),""}return a>="0"&&a<="7"?(n&&t&&m("Octal escape sequences are not allowed in template strings"),function(e,t){var n=o();return n>="0"&&n<="7"&&(e+=s(!0))[0]<="3"&&(n=o())>="0"&&n<="7"&&(e+=s(!0)),"0"===e?"\0":(e.length>0&&k.has_directive("use strict")&&t&&m("Legacy octal escape sequences are not allowed in strict mode"),String.fromCharCode(parseInt(e,8)))}(a,t)):a}function y(e,t){for(var n=0;e>0;--e){if(!t&&isNaN(parseInt(o(),16)))return parseInt(n,16)||"";var r=s(!0);isNaN(parseInt(r,16))&&m("Invalid hex-character pattern in string"),n+=r}return parseInt(n,16)}var _=S("Unterminated string constant",function(e){for(var t=s(),n="";;){var r=s(!0,!0);if("\\"==r)r=v(!0,!0);else if(Xt(r))m("Unterminated string constant");else if(r==t)break;n+=r}var i=p("string",n);return i.quote=e,i}),E=S("Unterminated template",function(e){e&&i.template_braces.push(i.brace_counter);var t,n,r="",a="";for(s(!0,!0);"`"!=(t=s(!0,!0));){if("\r"==t)"\n"==o()&&++i.pos,t="\n";else if("$"==t&&"{"==o())return s(!0,!0),i.brace_counter++,(n=p(e?"template_head":"template_substitution",r)).begin=e,n.raw=a,n.end=!1,n;if(a+=t,"\\"==t){var u=i.pos;t=v(!0,!("name"===f.type||"punc"===f.type&&(")"===f.value||"]"===f.value)),!0),a+=i.text.substr(u,i.pos-u)}r+=t}return i.template_braces.pop(),(n=p(e?"template_head":"template_substitution",r)).begin=e,n.raw=a,n.end=!0,n});function b(e){var t,n=i.regex_allowed,r=function(){for(var e=i.text,t=i.pos,n=i.text.length;t=0,i.regex_allowed=e,k}),A=S("Unterminated identifier name",function(){var e,t="",n=!1,r=function(){return n=!0,s(),"u"!==o()&&m("Expecting UnicodeEscapeSequence -- uXXXX or u{XXXX}"),v(!1,!0)};if("\\"===(t=o()))an(t=r())||m("First identifier char is an invalid identifier char");else{if(!an(t))return"";s()}for(;null!=(e=o());){if("\\"===(e=o()))un(e=r())||m("Invalid escaped identifier char");else{if(!un(e))break;s()}t+=e}return jt(t)&&n&&m("Escaped characters are not allowed in keywords"),t}),x=S("Unterminated regular expression",function(e){for(var t,n=!1,r=!1;t=s(!0);)if(Xt(t))m("Unexpected line terminator");else if(n)e+="\\"+t,n=!1;else if("["==t)r=!0,e+=t;else if("]"==t&&r)r=!1,e+=t;else{if("/"==t&&!r)break;"\\"==t?n=!0:e+=t}var i=A();try{var o=new RegExp(e,i);return o.raw_source="/"+e+"/"+i,p("regexp",o)}catch(e){m(e.message)}});function w(e){return p("operator",function e(t){if(!o())return t;var n=t+o();return Kt(n)?(s(),e(n)):t}(e||s()))}function C(){switch(s(),o()){case"/":return s(),b("comment1");case"*":return s(),D()}return i.regex_allowed?x(""):w("/")}function S(e,t){return function(n){try{return t(n)}catch(t){if(t!==pn)throw t;m(e)}}}function k(e){if(null!=e)return x(e);for(r&&0==i.pos&&u("#!")&&(l(),a(2),b("comment5"));;){if(d(),l(),n){if(u("\x3c!--")){a(4),b("comment3");continue}if(u("--\x3e")&&i.newline_before){a(3),b("comment4");continue}}var t=o();if(!t)return p("eof");var c=t.charCodeAt(0);switch(c){case 34:case 39:return _(t);case 46:return s(),on(o().charCodeAt(0))?g("."):"."===o()?(s(),s(),p("expand","...")):p("punc",".");case 47:var f=C();if(f===k)continue;return f;case 61:return s(),">"===o()?(s(),p("arrow","=>")):w("=");case 96:return E(!0);case 123:i.brace_counter++;break;case 125:if(i.brace_counter--,i.template_braces.length>0&&i.template_braces[i.template_braces.length-1]===i.brace_counter)return E(!1)}if(on(c))return g();if(Qt(t))return p("punc",s());if(zt(t))return w();if(92==c||an(t))return void 0,v=A(),h?p("name",v):Lt(v)?p("atom",v):Mt(v)?Kt(v)?p("operator",v):p("keyword",v):p("name",v);break}var v;m("Unexpected character '"+t+"'")}return k.next=s,k.peek=o,k.context=function(e){return e&&(i=e),i},k.add_directive=function(e){i.directive_stack[i.directive_stack.length-1].push(e),void 0===i.directives[e]?i.directives[e]=1:i.directives[e]++},k.push_directives_stack=function(){i.directive_stack.push([])},k.pop_directives_stack=function(){for(var e=i.directive_stack[i.directive_stack.length-1],t=0;t0},k}var mn=E(["typeof","void","delete","--","++","!","~","-","+"]),gn=E(["--","++"]),vn=E(["=","+=","-=","/=","*=","**=","%=",">>=","<<=",">>>=","|=","^=","&="]),yn=function(e,t){for(var n=0;n","<=",">=","in","instanceof"],[">>","<<",">>>"],["+","-"],["*","/","%"],["**"]],{}),_n=E(["atom","num","string","regexp","name"]);function En(e,t){t=a(t,{bare_returns:!1,ecma:8,expression:!1,filename:null,html5_comments:!0,module:!1,shebang:!0,strict:!1,toplevel:null},!0);var n={input:"string"==typeof e?dn(e,t.filename,t.html5_comments,t.shebang):e,token:null,prev:null,peeked:null,in_function:0,in_async:-1,in_generator:-1,in_directives:!0,in_loop:0,labels:[]};function r(e,t){return fn(n.token,e,t)}function o(){return n.peeked||(n.peeked=n.input())}function s(){return n.prev=n.token,n.peeked||o(),n.token=n.peeked,n.peeked=null,n.in_directives=n.in_directives&&("string"==n.token.type||r("punc",";")),n.token}function u(){return n.prev}function c(e,t,r,i){var o=n.input.context();hn(e,o.filename,null!=t?t:o.tokline,null!=r?r:o.tokcol,null!=i?i:o.tokpos)}function l(e,t){c(t,e.line,e.col)}function h(e){null==e&&(e=n.token),l(e,"Unexpected token: "+e.type+" ("+e.value+")")}function f(e,t){if(r(e,t))return s();l(n.token,"Unexpected token "+n.token.type+" «"+n.token.value+"», expected "+e+" «"+t+"»")}function p(e){return f("punc",e)}function d(e){return e.nlb||!b(e.comments_before,function(e){return!e.nlb})}function m(){return!t.strict&&(r("eof")||r("punc","}")||d(n.token))}function g(){return n.in_generator===n.in_function}function v(){return n.in_async===n.in_function}function y(e){r("punc",";")?s():e||m()||h()}function _(){p("(");var e=en(!0);return p(")"),e}function E(e){return function(){var t=n.token,r=e.apply(null,arguments),i=u();return r.start=t,r.end=i,r}}function D(){(r("operator","/")||r("operator","/="))&&(n.peeked=null,n.token=n.input(n.token.value.substr(1)))}n.token=s();var x=E(function(e,a,g){switch(D(),n.token.type){case"string":if(n.in_directives){var E=o();-1==n.token.raw.indexOf("\\")&&(fn(E,"punc",";")||fn(E,"punc","}")||d(E)||fn(E,"eof"))?n.input.add_directive(n.token.value):n.in_directives=!1}var b=n.in_directives,A=w();return b&&A.body instanceof Dt?new O(A.body):A;case"template_head":case"num":case"regexp":case"operator":case"atom":return w();case"name":if("async"==n.token.value&&fn(o(),"keyword","function"))return s(),s(),a&&c("functions are not allowed as the body of a loop"),k(te,!1,!0,e);if("import"==n.token.value&&!fn(o(),"punc","(")){s();var F=function(){var e,t,i=u();r("name")&&(e=qt(ft)),r("punc",",")&&s(),((t=Lt(!0))||e)&&f("name","from");var o=n.token;return"string"!==o.type&&h(),s(),new Ce({start:i,imported_name:e,imported_names:t,module_name:new Dt({start:o,value:o.value,quote:o.quote,end:o}),end:n.token})}();return y(),F}return fn(o(),"punc",":")?function(){var e=qt(dt);"await"===e.name&&v()&&l(n.prev,"await cannot be used as label inside async function"),i(function(t){return t.name==e.name},n.labels)&&c("Label "+e.name+" defined twice"),p(":"),n.labels.push(e);var t=x();return n.labels.pop(),t instanceof U||e.references.forEach(function(t){t instanceof fe&&(t=t.label.start,c("Continue label `"+e.name+"` refers to non-IterationStatement.",t.line,t.col,t.pos))}),new j({body:t,label:e})}():w();case"punc":switch(n.token.value){case"{":return new N({start:n.token,body:z(),end:u()});case"[":case"(":return w();case";":return n.in_directives=!1,s(),new M;default:h()}case"keyword":switch(n.token.value){case"break":return s(),C(he);case"continue":return s(),C(fe);case"debugger":return s(),y(),new B;case"do":s();var S=tn(x);f("keyword","while");var I=_();return y(!0),new V({body:S,condition:I});case"while":return s(),new q({condition:_(),body:tn(function(){return x(!1,!0)})});case"for":return s(),function(){var e="`for await` invalid in this context",t=n.token;"name"==t.type&&"await"==t.value?(v()||l(t,e),s()):t=!1,p("(");var i=null;if(r("punc",";"))t&&l(t,e);else{i=r("keyword","var")?(s(),ae(!0)):r("keyword","let")?(s(),le(!0)):r("keyword","const")?(s(),me(!0)):en(!0,!0);var o=r("operator","in"),a=r("name","of");if(t&&!a&&l(t,e),o||a)return i instanceof be?i.definitions.length>1&&l(i.start,"Only one variable declaration allowed in for..in loop"):Xt(i)||(i=Zt(i))instanceof ne||l(i.start,"Invalid left-hand side in for..in loop"),s(),o?function(e){var t=en(!0);return p(")"),new $({init:e,object:t,body:tn(function(){return x(!1,!0)})})}(i):function(e,t){var n=e instanceof be?e.definitions[0].name:null,r=en(!0);return p(")"),new H({await:t,init:e,name:n,object:r,body:tn(function(){return x(!1,!0)})})}(i,!!t)}return function(e){p(";");var t=r("punc",";")?null:en(!0);p(";");var n=r("punc",")")?null:en(!0);return p(")"),new W({init:e,condition:t,step:n,body:tn(function(){return x(!1,!0)})})}(i)}();case"class":return s(),a&&c("classes are not allowed as the body of a loop"),g&&c("classes are not allowed as the body of an if"),Bt(Xe);case"function":return s(),a&&c("functions are not allowed as the body of a loop"),k(te,!1,!1,e);case"if":return s(),function(){var e=_(),t=x(!1,!1,!0),n=null;return r("keyword","else")&&(s(),n=x(!1,!1,!0)),new pe({condition:e,body:t,alternative:n})}();case"return":0!=n.in_function||t.bare_returns||c("'return' outside of function"),s();var T=null;return r("punc",";")?s():m()||(T=en(!0),y()),new ue({value:T});case"switch":return s(),new de({expression:_(),body:tn(K)});case"throw":return s(),d(n.token)&&c("Illegal newline after 'throw'"),T=en(!0),y(),new ce({value:T});case"try":return s(),function(){var e=z(),t=null,i=null;if(r("keyword","catch")){var o=n.token;if(s(),r("punc","{"))var a=null;else{p("(");a=P(void 0,ht);p(")")}t=new _e({start:o,argname:a,body:z(),end:u()})}if(r("keyword","finally")){o=n.token;s(),i=new Ee({start:o,body:z(),end:u()})}return t||i||c("Missing catch/finally blocks"),new ye({body:e,bcatch:t,bfinally:i})}();case"var":return s(),F=ae(),y(),F;case"let":return s(),F=le(),y(),F;case"const":return s(),F=me(),y(),F;case"with":return n.input.has_directive("use strict")&&c("Strict mode may not include a with statement"),s(),new G({expression:_(),body:x()});case"export":if(!fn(o(),"punc","("))return s(),F=function(){var e,t,i,a,c,l=n.token;if(r("keyword","default"))e=!0,s();else if(t=Lt(!1)){if(r("name","from")){s();var f=n.token;return"string"!==f.type&&h(),s(),new Fe({start:l,is_default:e,exported_names:t,module_name:new Dt({start:f,value:f.value,quote:f.quote,end:f}),end:u()})}return new Fe({start:l,is_default:e,exported_names:t,end:u()})}return r("punc","{")||e&&(r("keyword","class")||r("keyword","function"))&&fn(o(),"punc")?(a=en(!1),y()):(i=x(e))instanceof be&&e?h(i.start):i instanceof be||i instanceof J||i instanceof Xe?c=i:i instanceof R?a=i.body:h(i.start),new Fe({start:l,is_default:e,exported_value:a,exported_definition:c,end:u()})}(),r("punc",";")&&y(),F}}h()});function w(e){return new R({body:(e=en(!0),y(),e)})}function C(e){var t,r=null;m()||(r=qt(yt,!0)),null!=r?((t=i(function(e){return e.name==r.name},n.labels))||c("Undefined label "+r.name),r.thedef=t):0==n.in_loop&&c(e.TYPE+" not inside a loop or switch"),y();var o=new e({label:r});return t&&t.references.push(o),o}var F=function(e,t,i){d(n.token)&&c("Unexpected newline before arrow (=>)"),f("arrow","=>");var o=L(r("punc","{"),!1,i),s=o instanceof Array&&o.length?o[o.length-1].end:o instanceof Array?e:o.end;return new ee({start:e,end:s,async:i,argnames:t,body:o})},k=function(e,t,n,i){var o=e===te,a=r("operator","*");a&&s();var c=r("name")?qt(o?st:ut):null;o&&!c&&(i?e=Q:h()),!c||e===Z||c instanceof et||h(u());var l=[],f=L(!0,a||t,n,c,l);return new e({start:l.start,end:f.end,is_generator:a,async:n,name:c,argnames:l,body:f})};function I(e,t){var n={},r=!1,i=!1,o=!1,s=!!t,a={add_parameter:function(t){if(void 0!==n["$"+t.value])!1===r&&(r=t),a.check_strict();else if(n["$"+t.value]=!0,e)switch(t.value){case"arguments":case"eval":case"yield":s&&l(t,"Unexpected "+t.value+" identifier as parameter inside strict mode");break;default:jt(t.value)&&h()}},mark_default_assignment:function(e){!1===i&&(i=e)},mark_spread:function(e){!1===o&&(o=e)},mark_strict_mode:function(){s=!0},is_strict:function(){return!1!==i||!1!==o||s},check_strict:function(){a.is_strict()&&!1!==r&&l(r,"Parameter "+r.value+" was used already")}};return a}function P(e,t){var i,o=!1;return void 0===e&&(e=I(!0,n.input.has_directive("use strict"))),r("expand","...")&&(o=n.token,e.mark_spread(n.token),s()),i=T(e,t),r("operator","=")&&!1===o&&(e.mark_default_assignment(n.token),s(),i=new ze({start:i.start,left:i,operator:"=",right:en(!1),end:n.token})),!1!==o&&(r("punc",")")||h(),i=new X({start:o,expression:i,end:o})),e.check_strict(),i}function T(e,t){var i,a=[],l=!0,f=!1,d=n.token;if(void 0===e&&(e=I(!1,n.input.has_directive("use strict"))),t=void 0===t?ot:t,r("punc","[")){for(s();!r("punc","]");){if(l?l=!1:p(","),r("expand","...")&&(f=!0,i=n.token,e.mark_spread(n.token),s()),r("punc"))switch(n.token.value){case",":a.push(new kt({start:n.token,end:n.token}));continue;case"]":break;case"[":case"{":a.push(T(e,t));break;default:h()}else r("name")?(e.add_parameter(n.token),a.push(qt(t))):c("Invalid function parameter");r("operator","=")&&!1===f&&(e.mark_default_assignment(n.token),s(),a[a.length-1]=new ze({start:a[a.length-1].start,left:a[a.length-1],operator:"=",right:en(!1),end:n.token})),f&&(r("punc","]")||c("Rest element must be last element"),a[a.length-1]=new X({start:i,expression:a[a.length-1],end:i}))}return p("]"),e.check_strict(),new ne({start:d,names:a,is_array:!0,end:u()})}if(r("punc","{")){for(s();!r("punc","}");){if(l?l=!1:p(","),r("expand","...")&&(f=!0,i=n.token,e.mark_spread(n.token),s()),r("name")&&(fn(o(),"punc")||fn(o(),"operator"))&&-1!==[",","}","="].indexOf(o().value)){e.add_parameter(n.token);var m=u(),g=qt(t);f?a.push(new X({start:i,expression:g,end:g.end})):a.push(new $e({start:m,key:g.name,value:g,end:g.end}))}else{if(r("punc","}"))continue;var v=n.token,y=Ut();null===y?h(u()):"name"!==u().type||r("punc",":")?(p(":"),a.push(new $e({start:v,quote:v.quote,key:y,value:T(e,t),end:u()}))):a.push(new $e({start:u(),key:y,value:new t({start:u(),name:y,end:u()}),end:u()}))}f?r("punc","}")||c("Rest element must be last element"):r("operator","=")&&(e.mark_default_assignment(n.token),s(),a[a.length-1].value=new ze({start:a[a.length-1].value.start,left:a[a.length-1].value,operator:"=",right:en(!1),end:n.token}))}return p("}"),e.check_strict(),new ne({start:d,names:a,is_array:!1,end:u()})}if(r("name"))return e.add_parameter(n.token),qt(t);c("Invalid function parameter")}function L(e,i,o,a,u){var c=n.in_loop,l=n.labels,f=n.in_generator,d=n.in_async;if(++n.in_function,i&&(n.in_generator=n.in_function),o&&(n.in_async=n.in_function),u&&function(e){var i=I(!0,n.input.has_directive("use strict"));for(p("(");!r("punc",")");){var o=P(i);if(e.push(o),r("punc",")")||(p(","),r("punc",")")&&t.ecma<8&&h()),o instanceof X)break}s()}(u),e&&(n.in_directives=!0),n.in_loop=0,n.labels=[],e){n.input.push_directives_stack();var m=z();a&&Vt(a),u&&u.forEach(Vt),n.input.pop_directives_stack()}else m=en(!1);return--n.in_function,n.in_loop=c,n.labels=l,n.in_generator=f,n.in_async=d,m}function z(){p("{");for(var e=[];!r("punc","}");)r("eof")&&h(),e.push(x());return s(),e}function K(){p("{");for(var e,t=[],i=null,o=null;!r("punc","}");)r("eof")&&h(),r("keyword","case")?(o&&(o.end=u()),i=[],o=new ve({start:(e=n.token,s(),e),expression:en(!0),body:i}),t.push(o),p(":")):r("keyword","default")?(o&&(o.end=u()),i=[],o=new ge({start:(e=n.token,s(),p(":"),e),body:i}),t.push(o)):(i||h(),i.push(x()));return o&&(o.end=u()),s(),t}function se(e,t){for(var i,o=[];;){var a="var"===t?tt:"const"===t?rt:"let"===t?it:null;if(r("punc","{")||r("punc","[")?i=new Se({start:n.token,name:T(void 0,a),value:r("operator","=")?(f("operator","="),en(!1,e)):null,end:u()}):"import"==(i=new Se({start:n.token,name:qt(a),value:r("operator","=")?(s(),en(!1,e)):e||"const"!==t?null:c("Missing initializer in const declaration"),end:u()})).name.name&&c("Unexpected token: import"),o.push(i),!r("punc",","))break;s()}return o}var ae=function(e){return new De({start:u(),definitions:se(e,"var"),end:u()})},le=function(e){return new Ae({start:u(),definitions:se(e,"let"),end:u()})},me=function(e){return new xe({start:u(),definitions:se(e,"const"),end:u()})};function Te(){var e,t=n.token;switch(t.type){case"name":e=zt(mt);break;case"num":e=new At({start:t,end:t,value:t.value});break;case"string":e=new Dt({start:t,end:t,value:t.value,quote:t.quote});break;case"regexp":e=new xt({start:t,end:t,value:t.value});break;case"atom":switch(t.value){case"false":e=new Rt({start:t,end:t});break;case"true":e=new It({start:t,end:t});break;case"null":e=new Ct({start:t,end:t})}}return s(),e}function Ye(e,t,n,r){var i=function(e,t){return t?new ze({start:e.start,left:e,operator:"=",right:t,end:t.end}):e};return e instanceof qe?i(new ne({start:e.start,end:e.end,is_array:!1,names:e.properties.map(Ye)}),r):e instanceof $e?(e.value=Ye(e.value,0,[e.key]),i(e,r)):e instanceof kt?e:e instanceof ne?(e.names=e.names.map(Ye),i(e,r)):e instanceof mt?i(new ot({name:e.name,start:e.start,end:e.end}),r):e instanceof X?(e.expression=Ye(e.expression),i(e,r)):e instanceof Ve?i(new ne({start:e.start,end:e.end,is_array:!0,names:e.elements.map(Ye)}),r):e instanceof Ue?i(Ye(e.left,void 0,void 0,e.right),r):e instanceof ze?(e.left=Ye(e.left,0,[e.left]),e):void c("Invalid function parameter",e.start.line,e.start.col)}var Ze=function(e,i){if(r("operator","new"))return function(e){var i=n.token;if(f("operator","new"),r("punc","."))return s(),f("name","target"),$t(new Qe({start:i,end:u()}),e);var o,a=Ze(!1);r("punc","(")?(s(),o=bt(")",t.ecma>=8)):o=[];var c=new Be({start:i,expression:a,args:o,end:u()});return Wt(c),$t(c,e)}(e);var a,c=n.token,l=r("name","async")&&"["!=(a=o()).value&&"arrow"!=a.type&&Te();if(r("punc")){switch(n.token.value){case"(":if(l&&!e)break;var d=function(e,i){var o,a,c,l=[];for(p("(");!r("punc",")");)o&&h(o),r("expand","...")?(o=n.token,i&&(a=n.token),s(),l.push(new X({start:u(),expression:en(),end:n.token}))):l.push(en()),r("punc",")")||(p(","),r("punc",")")&&(t.ecma<8&&h(),c=u(),i&&(a=c)));return p(")"),e&&r("arrow","=>")?o&&c&&h(c):a&&h(a),l}(i,!l);if(i&&r("arrow","=>"))return F(c,d.map(Ye),!!l);var m=l?new ke({expression:l,args:d}):1==d.length?d[0]:new Oe({expressions:d});if(m.start){var g=c.comments_before.length;if([].unshift.apply(m.start.comments_before,c.comments_before),c.comments_before=m.start.comments_before,c.comments_before_length=g,0==g&&c.comments_before.length>0){var v=c.comments_before[0];v.nlb||(v.nlb=c.nlb,c.nlb=!1)}c.comments_after=m.start.comments_after}m.start=c;var y=u();return m.end&&(y.comments_before=m.end.comments_before,[].push.apply(m.end.comments_after,y.comments_after),y.comments_after=m.end.comments_after),m.end=y,m instanceof ke&&Wt(m),$t(m,e);case"[":return $t(wt(),e);case"{":return $t(St(),e)}l||h()}if(i&&r("name")&&fn(o(),"arrow")){var _=new ot({name:n.token.value,start:c,end:c});return s(),F(c,[_],!!l)}if(r("keyword","function")){s();var E=k(Q,!1,!!l);return E.start=c,E.end=u(),$t(E,e)}if(l)return $t(l,e);if(r("keyword","class")){s();var b=Bt(Je);return b.start=c,b.end=u(),$t(b,e)}return r("template_head")?$t(nt(!1),e):_n(n.token.type)?$t(Te(),e):void h()};function nt(e){var t=[],r=n.token;for(t.push(new oe({start:n.token,raw:n.token.raw,value:n.token.value,end:n.token}));!1===n.token.end;)s(),D(),t.push(en(!0)),fn("template_substitution")||h(),t.push(new oe({start:n.token,raw:n.token.raw,value:n.token.value,end:n.token}));return s(),new ie({start:r,segments:t,end:n.token})}function bt(e,t,i){for(var o=!0,a=[];!r("punc",e)&&(o?o=!1:p(","),!t||!r("punc",e));)r("punc",",")&&i?a.push(new kt({start:n.token,end:n.token})):r("expand","...")?(s(),a.push(new X({start:u(),expression:en(),end:n.token}))):a.push(en(!1));return s(),a}var wt=E(function(){return p("["),new Ve({elements:bt("]",!t.strict,!0)})}),Ft=E(function(e,t){return k(Z,e,t)}),St=E(function(){var e=n.token,i=!0,o=[];for(p("{");!r("punc","}")&&(i?i=!1:p(","),t.strict||!r("punc","}"));)if("expand"!=(e=n.token).type){var a,c=Ut();if(r("punc",":"))null===c?h(u()):(s(),a=en(!1));else{var l=Ot(c,e);if(l){o.push(l);continue}a=new mt({start:u(),name:c,end:u()})}r("operator","=")&&(s(),a=new Ue({start:e,left:a,operator:"=",right:en(!1),end:u()})),o.push(new $e({start:e,quote:e.quote,key:c instanceof S?c:""+c,value:a,end:u()}))}else s(),o.push(new X({start:e,expression:en(!1),end:u()}));return s(),new qe({properties:o})});function Bt(e){var t,i,o,a,c=[];for(n.input.push_directives_stack(),n.input.add_directive("use strict"),"name"==n.token.type&&"extends"!=n.token.value&&(o=qt(e===Xe?ct:lt)),e!==Xe||o||h(),"extends"==n.token.value&&(s(),a=en(!0)),p("{"),r("punc",";")&&s();!r("punc","}");)t=n.token,(i=Ot(Ut(),t,!0))||h(),c.push(i),r("punc",";")&&s();return n.input.pop_directives_stack(),s(),new e({start:t,name:o,extends:a,properties:c,end:u()})}function Ot(e,t,i){var o=function(e,t){return"string"==typeof e||"number"==typeof e?new at({start:t,name:""+e,end:u()}):(null===e&&h(),e)},s=!1,a=!1,c=!1,l=t;if(i&&"static"===e&&!r("punc","(")&&(a=!0,l=n.token,e=Ut()),"async"!==e||r("punc","(")||r("punc",",")||r("punc","}")||(s=!0,l=n.token,e=Ut()),null===e&&(c=!0,l=n.token,null===(e=Ut())&&h()),r("punc","("))return e=o(e,t),new Ke({start:t,static:a,is_generator:c,async:s,key:e,quote:e instanceof at?l.quote:void 0,value:Ft(c,s),end:u()});if(l=n.token,"get"==e){if(!r("punc")||r("punc","["))return e=o(Ut(),t),new Ge({start:t,static:a,key:e,quote:e instanceof at?l.quote:void 0,value:Ft(),end:u()})}else if("set"==e&&(!r("punc")||r("punc","[")))return e=o(Ut(),t),new He({start:t,static:a,key:e,quote:e instanceof at?l.quote:void 0,value:Ft(),end:u()})}function Nt(e){function t(e){return new e({name:Ut(),start:u(),end:u()})}var i,o,a=e?pt:vt,c=e?ft:gt,l=n.token;return e?i=t(a):o=t(c),r("name","as")?(s(),e?o=t(c):i=t(a)):e?o=new c(i):i=new a(o),new we({start:l,foreign_name:i,name:o,end:u()})}function Mt(e,t){var r,i=e?pt:vt,o=e?ft:gt,s=n.token,a=u();return t=t||new o({name:"*",start:s,end:a}),r=new i({name:"*",start:s,end:a}),new we({start:s,foreign_name:r,name:t,end:a})}function Lt(e){var t;if(r("punc","{")){for(s(),t=[];!r("punc","}");)t.push(Nt(e)),r("punc",",")&&s();s()}else if(r("operator","*")){var n;s(),e&&r("name","as")&&(s(),n=qt(e?ft:vt)),t=[Mt(e,n)]}return t}function Ut(){var e=n.token;switch(e.type){case"punc":if("["===e.value){s();var t=en(!1);return p("]"),t}h(e);case"operator":if("*"===e.value)return s(),null;-1===["delete","in","instanceof","new","typeof","void"].indexOf(e.value)&&h(e);case"name":"yield"==e.value&&(g()?l(e,"Yield cannot be used as identifier inside generators"):fn(o(),"punc",":")||fn(o(),"punc","(")||!n.input.has_directive("use strict")||l(e,"Unexpected yield identifier inside strict mode"));case"string":case"num":case"keyword":case"atom":return s(),e.value;default:h(e)}}function zt(e){var t=n.token.value;return new("this"==t?_t:"super"==t?Et:e)({name:String(t),start:n.token,end:n.token})}function Vt(e){var t=e.name;g()&&"yield"==t&&l(e.start,"Yield cannot be used as identifier inside generators"),n.input.has_directive("use strict")&&("yield"==t&&l(e.start,"Unexpected yield identifier inside strict mode"),e instanceof et&&("arguments"==t||"eval"==t)&&l(e.start,"Unexpected "+t+" in strict mode"))}function qt(e,t){if(!r("name"))return t||c("Name expected"),null;var n=zt(e);return Vt(n),s(),n}function Wt(e){for(var t=e.start,n=t.comments_before,r=A(t,"comments_before_length")?t.comments_before_length:n.length;--r>=0;){var i=n[r];if(/[@#]__PURE__/.test(i.value)){e.pure=i;break}}}var $t=function(e,t){var i,o=e.start;if(r("punc","."))return s(),$t(new Ie({start:o,expression:e,property:(i=n.token,"name"!=i.type&&h(),s(),i.value),end:u()}),t);if(r("punc","[")){s();var a=en(!0);return p("]"),$t(new Pe({start:o,expression:e,property:a,end:u()}),t)}if(t&&r("punc","(")){s();var c=new ke({start:o,expression:e,args:Ht(),end:u()});return Wt(c),$t(c,!0)}return r("template_head")?$t(new re({start:o,prefix:e,template_string:nt(),end:u()}),t):e},Ht=E(function(){for(var e=[];!r("punc",")");)r("expand","...")?(s(),e.push(new X({start:u(),expression:en(!1),end:u()}))):e.push(en(!1)),r("punc",")")||(p(","),r("punc",")")&&t.ecma<8&&h());return s(),e}),Gt=function(e,t){var i=n.token;if("name"==i.type&&"await"==i.value){if(v())return s(),v()||c("Unexpected await expression outside async function",n.prev.line,n.prev.col,n.prev.pos),new Pt({start:u(),end:n.token,expression:Gt(!0)});n.input.has_directive("use strict")&&l(n.token,"Unexpected await identifier inside strict mode")}if(r("operator")&&mn(i.value)){s(),D();var o=Kt(Ne,i,Gt(e));return o.start=i,o.end=u(),o}for(var a=Ze(e,t);r("operator")&&gn(n.token.value)&&!d(n.token);)a instanceof ee&&h(),(a=Kt(Me,n.token,a)).start=i,a.end=n.token,s();return a};function Kt(e,t,r){var i=t.value;switch(i){case"++":case"--":Xt(r)||c("Invalid use of "+i+" operator",t.line,t.col,t.pos);break;case"delete":r instanceof mt&&n.input.has_directive("use strict")&&c("Calling delete on expression not allowed in strict mode",r.start.line,r.start.col,r.start.pos)}return new e({operator:i,expression:r})}var Yt=function(e,t,i){var o=r("operator")?n.token.value:null;"in"==o&&i&&(o=null),"**"==o&&e instanceof Ne&&!fn(e.start,"punc","(")&&"--"!==e.operator&&"++"!==e.operator&&h(e.start);var a=null!=o?yn[o]:null;if(null!=a&&(a>t||"**"===o&&t===a)){s();var u=Yt(Gt(!0),a,i);return Yt(new Le({start:e.start,left:e,operator:o,right:u,end:u.end}),t,i)}return e};function Xt(e){return e instanceof Re||e instanceof mt}function Zt(e){if(e instanceof qe)e=new ne({start:e.start,names:e.properties.map(Zt),is_array:!1,end:e.end});else if(e instanceof Ve){for(var t=[],n=0;n=0;){var s=n[o];if(i==(s.mangled_name||s.unmangleable(t)&&s.name))continue e}return i}}}Dn.prototype={unmangleable:function(e){return e||(e={}),this.global&&!e.toplevel||this.export&An||this.undeclared||!e.eval&&this.scope.pinned()||(this.orig[0]instanceof ut||this.orig[0]instanceof st)&&w(e.keep_fnames,this.orig[0].name)||this.orig[0]instanceof at||(this.orig[0]instanceof lt||this.orig[0]instanceof ct)&&w(e.keep_classnames,this.orig[0].name)},mangle:function(e){var t=e.cache&&e.cache.props;if(this.global&&t&&t.has(this.name))this.mangled_name=t.get(this.name);else if(!this.mangled_name&&!this.unmangleable(e)){var n,r=this.scope,i=this.orig[0];e.ie8&&i instanceof ut&&(r=r.parent_scope),(n=this.redefined())?this.mangled_name=n.mangled_name||n.name:this.mangled_name=r.next_mangled(e,this),this.global&&t&&t.set(this.name,this.mangled_name)}},redefined:function(){return this.defun&&this.defun.variables.get(this.name)}},Y.DEFMETHOD("figure_out_scope",function(e){e=a(e,{cache:null,ie8:!1,safari10:!1});var t=this,n=t.parent_scope=null,r=new D,i=null,o=null,s=[],u=new Nt(function(t,a){if(t.is_block_scope()){var c=n;return t.block_scope=n=new K(t),n.init_scope_vars(c),t instanceof K||(n.uses_with=c.uses_with,n.uses_eval=c.uses_eval,n.directives=c.directives),e.safari10&&(t instanceof W||t instanceof $)&&s.push(n),a(),n=c,!0}if(t instanceof ne)return o=t,a(),o=null,!0;if(t instanceof K){t.init_scope_vars(n),c=n;var l=i,h=r;return i=n=t,r=new D,a(),n=c,i=l,r=h,!0}if(t instanceof j){var f=t.label;if(r.has(f.name))throw new Error(g("Label {name} defined twice",f));return r.set(f.name,f),a(),r.del(f.name),!0}if(t instanceof G)for(var p=n;p;p=p.parent_scope)p.uses_with=!0;else{if(t instanceof Ze&&(t.scope=n),t instanceof dt&&(t.thedef=t,t.references=[]),t instanceof ut)i.def_function(t,"arguments"==t.name?void 0:i);else if(t instanceof st)v((t.scope=i.parent_scope.get_defun_scope()).def_function(t,i),1);else if(t instanceof lt)v(i.def_variable(t,i),1);else if(t instanceof ft)n.def_variable(t);else if(t instanceof ct)v((t.scope=i.parent_scope).def_function(t,i),1);else if(t instanceof tt||t instanceof it||t instanceof rt){if(b((d=t instanceof nt?n.def_variable(t,null):i.def_variable(t,"SymbolVar"==t.TYPE?null:void 0)).orig,function(e){return e===t||(t instanceof nt?e instanceof ut:!(e instanceof it||e instanceof rt))})||hn(t.name+" redeclared",t.start.file,t.start.line,t.start.col,t.start.pos),t instanceof ot||v(d,2),d.destructuring=o,i!==n){t.mark_enclosed(e);var d=n.find_variable(t);t.thedef!==d&&(t.thedef=d,t.reference(e))}}else if(t instanceof ht)n.def_variable(t).defun=i;else if(t instanceof yt){var m=r.get(t.name);if(!m)throw new Error(g("Undefined label {name} [{line},{col}]",{name:t.name,line:t.start.line,col:t.start.col}));t.thedef=m}n instanceof Y||!(t instanceof Fe||t instanceof Ce)||hn(t.TYPE+" statement may only appear at top level",t.start.file,t.start.line,t.start.col,t.start.pos)}function v(e,t){if(o){var n=0;do{t++}while(u.parent(n++)!==o)}var r=u.parent(t);if(e.export=r instanceof Fe&&An){var i=r.exported_definition;(i instanceof te||i instanceof Xe)&&r.is_default&&(e.export=xn)}}});if(t.walk(u),t.globals=new D,u=new Nt(function(n,r){if(n instanceof le&&n.label)return n.label.thedef.references.push(n),!0;if(n instanceof mt){var i,o=n.name;if("eval"==o&&u.parent()instanceof ke)for(var s=n.scope;s&&!s.uses_eval;s=s.parent_scope)s.uses_eval=!0;return u.parent()instanceof we&&u.parent(1).module_name||!(i=n.scope.find_variable(o))?(i=t.def_global(n),n instanceof gt&&(i.export=An)):i.scope instanceof J&&"arguments"==o&&(i.scope.uses_arguments=!0),n.thedef=i,n.reference(e),!n.scope.is_block_scope()||i.orig[0]instanceof nt||(n.scope=n.scope.get_defun_scope()),!0}var a;if(n instanceof ht&&(a=n.definition().redefined()))for(s=n.scope;s&&(m(s.enclosed,a),s!==a.scope);)s=s.parent_scope}),t.walk(u),(e.ie8||e.safari10)&&t.walk(new Nt(function(n,r){if(n instanceof ht){var i=n.name,o=n.thedef.references,s=n.thedef.defun,a=s.find_variable(i)||t.globals.get(i)||s.def_variable(n);return o.forEach(function(t){t.thedef=a,t.reference(e)}),n.thedef=a,n.reference(e),!0}})),e.safari10)for(var c=0;c0);return n}return s.consider=function(e,n){for(var r=e.length;--r>=0;)t[e[r]]+=n},s.sort=function(){e=y(n,o).concat(y(r,o))},s.reset=i,i(),s}(),Fn=/^$|[;{][\s\n]*$/;function Sn(e){return"comment2"==e.type&&/@preserve|@license|@cc_on/i.test(e.value)}function kn(e){var t=!e;void 0===(e=a(e,{ascii_only:!1,beautify:!1,braces:!1,comments:!1,ecma:5,ie8:!1,indent_level:4,indent_start:0,inline_script:!0,keep_quoted_props:!1,max_line_len:!1,preamble:null,quote_keys:!1,quote_style:0,safari10:!1,semicolons:!0,shebang:!0,shorthand:void 0,source_map:null,webkit:!1,width:80,wrap_iife:!1},!0)).shorthand&&(e.shorthand=e.ecma>5);var n=l;if(e.comments){var r=e.comments;if("string"==typeof e.comments&&/^\/.*\/[a-zA-Z]*$/.test(e.comments)){var i=e.comments.lastIndexOf("/");r=new RegExp(e.comments.substr(1,i-1),e.comments.substr(i+1))}n=r instanceof RegExp?function(e){return"comment5"!=e.type&&r.test(e.value)}:"function"==typeof r?function(e){return"comment5"!=e.type&&r(this,e)}:"some"===r?Sn:h}var o=0,s=0,u=1,f=0,p="",d=e.ascii_only?function(t,n){return e.ecma>=6&&(t=t.replace(/[\ud800-\udbff][\udc00-\udfff]/g,function(e){var t;return"\\u{"+(t=e,0,nn(t.charAt(0))?65536+(t.charCodeAt(0)-55296<<10)+t.charCodeAt(1)-56320:t.charCodeAt(0)).toString(16)+"}"})),t.replace(/[\u0000-\u001f\u007f-\uffff]/g,function(e){var t=e.charCodeAt(0).toString(16);if(t.length<=2&&!n){for(;t.length<2;)t="0"+t;return"\\x"+t}for(;t.length<4;)t="0"+t;return"\\u"+t})}:function(e){for(var t="",n=0,r=e.length;ni?o():s()}}(t,n);return e.inline_script&&(r=(r=(r=r.replace(/<\x2f(script)([>\/\t\n\f\r ])/gi,"<\\/$1$2")).replace(/\x3c!--/g,"\\x3c!--")).replace(/--\x3e/g,"--\\x3e")),r}var g,v,y=!1,_=!1,D=!1,A=0,x=!1,w=!1,C=-1,F="",B=e.source_map&&[],O=B?function(){B.forEach(function(t){try{e.source_map.add(t.token.file,t.line,t.col,t.token.line,t.token.col,t.name||"name"!=t.token.type?t.name:t.token.value)}catch(e){null!=t.token.file&&S.warn("Couldn't figure out mapping for {file}:{line},{col} → {cline},{ccol} [{name}]",{file:t.token.file,line:t.token.line,col:t.token.col,cline:t.line,ccol:t.col,name:t.name||""})}}),B=[]}:c,R=e.max_line_len?function(){if(s>e.max_line_len){if(A){var t=p.slice(0,A),n=p.slice(A);if(B){var r=n.length-s;B.forEach(function(e){e.line++,e.col+=r})}p=t+"\n"+n,u++,f++,s=n.length}s>e.max_line_len&&S.warn("Output exceeds {max_line_len} characters",e)}A&&(A=0,O())}:c,I=E("( [ + * / - , . `");function P(t){var n=tn(t=String(t),0),r=tn(F,F.length-1);x&&n&&(x=!1,"\n"!=n&&(P("\n"),N())),w&&n&&(w=!1,/[\s;})]/.test(n)||T()),C=-1,r=F.charAt(F.length-1),D&&(D=!1,(":"==r&&"}"==n||(!n||";}".indexOf(n)<0)&&";"!=r)&&(e.semicolons||I(n)?(p+=";",s++,f++):(R(),p+="\n",f++,u++,s=0,/^\s+$/.test(t)&&(D=!0)),e.beautify||(_=!1))),_&&((un(r)&&(un(n)||"\\"==n)||"/"==n&&n==r||("+"==n||"-"==n)&&n==F)&&(p+=" ",s++,f++),_=!1),g&&(B.push({token:g,name:v,line:u,col:s}),g=!1,A||O()),p+=t,y="("==t[t.length-1],f+=t.length;var i=t.split(/\r?\n/),o=i.length-1;u+=o,s+=i[0].length,o>0&&(R(),s=i[o].length),F=t}var T=e.beautify?function(){P(" ")}:function(){_=!0},N=e.beautify?function(t){e.beautify&&P(function(t){return function e(t,n){if(n<=0)return"";if(1==n)return t;var r=e(t,n>>1);return r+=r,1&n&&(r+=t),r}(" ",e.indent_start+o-t*e.indent_level)}(t?.5:0))}:c,M=e.beautify?function(e,t){!0===e&&(e=z());var n=o;o=e;var r=t();return o=n,r}:function(e,t){return t()},L=e.beautify?function(){if(C<0)return P("\n");"\n"!=p[C]&&(p=p.slice(0,C)+"\n"+p.slice(C),f++,u++),C++}:e.max_line_len?function(){R(),A=p.length}:c,j=e.beautify?function(){P(";")}:function(){D=!0};function U(){D=!1,P(";")}function z(){return o+e.indent_level}function V(){return A&&R(),p}function q(){var e=p.lastIndexOf("\n");return/^ *$/.test(p.slice(e+1))}var W=[];return{get:V,toString:V,indent:N,indentation:function(){return o},current_width:function(){return s-o},should_break:function(){return e.width&&this.current_width()>=e.width},has_parens:function(){return y},newline:L,print:P,star:function(){P("*")},space:T,comma:function(){P(","),T()},colon:function(){P(":"),T()},last:function(){return F},semicolon:j,force_semicolon:U,to_utf8:d,print_name:function(e){P(function(e){return e=e.toString(),d(e,!0)}(e))},print_string:function(e,t,n){var r=m(e,t);!0===n&&-1===r.indexOf("\\")&&(Fn.test(p)||U(),U()),P(r)},print_template_string_chars:function(e){var t=m(e,"`").replace(/\${/g,"\\${");return P(t.substr(1,t.length-2))},encode_string:m,next_indent:z,with_indent:M,with_block:function(e){var t;return P("{"),L(),M(z(),function(){t=e()}),N(),P("}"),t},with_parens:function(e){P("(");var t=e();return P(")"),t},with_square:function(e){P("[");var t=e();return P("]"),t},add_mapping:B?function(e,t){g=e,v=t}:c,option:function(t){return e[t]},prepend_comments:t?c:function(t){var r=this,i=t.start;if(i&&(!i.comments_before||i.comments_before._dumped!==r)){var o=i.comments_before;if(o||(o=i.comments_before=[]),o._dumped=r,t instanceof ae&&t.value){var s=new Nt(function(e){var t=s.parent();if(!(t instanceof ae||t instanceof Le&&t.left===e||"Call"==t.TYPE&&t.expression===e||t instanceof je&&t.condition===e||t instanceof Ie&&t.expression===e||t instanceof Oe&&t.expressions[0]===e||t instanceof Pe&&t.expression===e||t instanceof Me))return!0;if(e.start){var n=e.start.comments_before;n&&n._dumped!==r&&(n._dumped=r,o=o.concat(n))}});s.push(t),t.value.walk(s)}if(0==f){o.length>0&&e.shebang&&"comment5"==o[0].type&&(P("#!"+o.shift().value+"\n"),N());var a=e.preamble;a&&P(a.replace(/\r\n?|[\n\u2028\u2029]|\s*$/g,"\n"))}if(0!=(o=o.filter(n,t)).length){var u=q();o.forEach(function(e,t){u||(e.nlb?(P("\n"),N(),u=!0):t>0&&T()),/comment[134]/.test(e.type)?(P("//"+e.value.replace(/[@#]__PURE__/g," ")+"\n"),N(),u=!0):"comment2"==e.type&&(P("/*"+e.value.replace(/[@#]__PURE__/g," ")+"*/"),u=!1)}),u||(i.nlb?(P("\n"),N()):T())}}},append_comments:t||n===l?c:function(e,t){var r=e.end;if(r){var i=r[t?"comments_before":"comments_after"];if(i&&i._dumped!==this&&(e instanceof k||b(i,function(e){return!/comment[134]/.test(e.type)}))){i._dumped=this;var o=p.length;i.filter(n,e).forEach(function(e,n){w=!1,x?(P("\n"),N(),x=!1):e.nlb&&(n>0||!q())?(P("\n"),N()):(n>0||!t)&&T(),/comment[134]/.test(e.type)?(P("//"+e.value.replace(/[@#]__PURE__/g," ")),x=!0):"comment2"==e.type&&(P("/*"+e.value.replace(/[@#]__PURE__/g," ")+"*/"),w=!0)}),p.length>o&&(C=o)}}},line:function(){return u},col:function(){return s},pos:function(){return f},push_node:function(e){W.push(e)},pop_node:function(){return W.pop()},parent:function(e){return W[W.length-2-(e||0)]}}}function Bn(e,t){if(!(this instanceof Bn))return new Bn(e,t);bn.call(this,this.before,this.after),void 0===e.defaults||e.defaults||(t=!0),this.options=a(e,{arguments:!1,arrows:!t,booleans:!t,booleans_as_integers:!1,collapse_vars:!t,comparisons:!t,computed_props:!t,conditionals:!t,dead_code:!t,defaults:!0,directives:!t,drop_console:!1,drop_debugger:!t,ecma:5,evaluate:!t,expression:!1,global_defs:!1,hoist_funs:!1,hoist_props:!t,hoist_vars:!1,ie8:!1,if_return:!t,inline:!t,join_vars:!t,keep_classnames:!1,keep_fargs:!0,keep_fnames:!1,keep_infinity:!1,loops:!t,module:!1,negate_iife:!t,passes:1,properties:!t,pure_getters:!t&&"strict",pure_funcs:null,reduce_funcs:!t,reduce_vars:!t,sequences:!t,side_effects:!t,switches:!t,top_retain:null,toplevel:!(!e||!e.top_retain),typeofs:!t,unsafe:!1,unsafe_arrows:!1,unsafe_comps:!1,unsafe_Function:!1,unsafe_math:!1,unsafe_methods:!1,unsafe_proto:!1,unsafe_regexp:!1,unsafe_undefined:!1,unused:!t,warnings:!1},!0);var n=this.options.global_defs;if("object"==typeof n)for(var r in n)/^@/.test(r)&&A(n,r)&&(n[r.slice(1)]=En(n[r],{expression:!0}));!0===this.options.inline&&(this.options.inline=3);var i=this.options.pure_funcs;this.pure_funcs="function"==typeof i?i:i?function(e){return i.indexOf(e.expression.print_to_string())<0}:h;var o=this.options.top_retain;o instanceof RegExp?this.top_retain=function(e){return o.test(e.name)}:"function"==typeof o?this.top_retain=o:o&&("string"==typeof o&&(o=o.split(/,/)),this.top_retain=function(e){return o.indexOf(e.name)>=0}),this.options.module&&(this.directives["use strict"]=!0,this.options.toplevel=!0);var s=this.options.toplevel;this.toplevel="string"==typeof s?{funcs:/funcs/.test(s),vars:/vars/.test(s)}:{funcs:s,vars:s};var u=this.options.sequences;this.sequences_limit=1==u?800:0|u,this.warnings_produced={}}function On(e,t){function n(e){m(t,e)}e.walk(new Nt(function(e){e instanceof $e&&e.quote?n(e.key):e instanceof We&&e.quote?n(e.key.name):e instanceof Pe&&Rn(e.property,n)}))}function Rn(e,t){e.walk(new Nt(function(e){return e instanceof Oe?Rn(e.tail_node(),t):e instanceof Dt?t(e.value):e instanceof je&&(Rn(e.consequent,t),Rn(e.alternative,t)),!0}))}function In(e,n){var r=(n=a(n,{builtins:!1,cache:null,debug:!1,keep_quoted:!1,only_cache:!1,regex:null,reserved:null},!0)).reserved;Array.isArray(r)||(r=[]),n.builtins||function(e){var n={},r="object"==typeof t?t:self;function i(t){m(e,t)}["Symbol","Map","Promise","Proxy","Reflect","Set","WeakMap","WeakSet"].forEach(function(e){n[e]=r[e]||new Function}),["null","true","false","Infinity","-Infinity","undefined"].forEach(i),[Object,Array,Function,Number,String,Boolean,Error,Math,Date,RegExp,n.Symbol,ArrayBuffer,DataView,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,eval,EvalError,Float32Array,Float64Array,Int8Array,Int16Array,Int32Array,isFinite,isNaN,JSON,n.Map,parseFloat,parseInt,n.Promise,n.Proxy,RangeError,ReferenceError,n.Reflect,n.Set,SyntaxError,TypeError,Uint8Array,Uint8ClampedArray,Uint16Array,Uint32Array,URIError,n.WeakMap,n.WeakSet].forEach(function(e){Object.getOwnPropertyNames(e).map(i),e.prototype&&Object.getOwnPropertyNames(e.prototype).map(i)})}(r);var i,o=-1;n.cache?(i=n.cache.props).each(function(e){m(r,e)}):i=new D;var s,u=n.regex,c=!1!==n.debug;c&&(s=!0===n.debug?"":n.debug);var l=[],h=[];return e.walk(new Nt(function(e){e instanceof $e?"string"==typeof e.key&&d(e.key):e instanceof We?d(e.key.name):e instanceof Ie?d(e.property):e instanceof Pe?Rn(e.property,d):e instanceof ke&&"Object.defineProperty"==e.expression.print_to_string()&&Rn(e.args[1],d)})),e.transform(new bn(function(e){e instanceof $e?"string"==typeof e.key&&(e.key=g(e.key)):e instanceof We?e.key.name=g(e.key.name):e instanceof Ie?e.property=g(e.property):!n.keep_quoted&&e instanceof Pe?e.property=v(e.property):e instanceof ke&&"Object.defineProperty"==e.expression.print_to_string()&&(e.args[1]=v(e.args[1]))}));function f(e){return!(h.indexOf(e)>=0)&&!(r.indexOf(e)>=0)&&(n.only_cache?i.has(e):!/^-?[0-9]+(\.[0-9]+)?(e[+-][0-9]+)?$/.test(e))}function p(e){return!(u&&!u.test(e))&&!(r.indexOf(e)>=0)&&(i.has(e)||l.indexOf(e)>=0)}function d(e){f(e)&&m(l,e),p(e)||m(h,e)}function g(e){if(!p(e))return e;var t=i.get(e);if(!t){if(c){var n="_$"+e+"$"+s+"_";f(n)&&(t=n)}if(!t)do{t=Cn(++o)}while(!f(t));i.set(e,t)}return t}function v(e){return e.transform(new bn(function(e){if(e instanceof Oe){var t=e.expressions.length-1;e.expressions[t]=v(e.expressions[t])}else e instanceof Dt?e.value=g(e.value):e instanceof je&&(e.consequent=v(e.consequent),e.alternative=v(e.alternative));return e}))}}!function(){function e(e,t){e.DEFMETHOD("_codegen",t)}var t=!1,n=null,r=null;function i(e,t){Array.isArray(e)?e.forEach(function(e){i(e,t)}):e.DEFMETHOD("needs_parens",t)}function o(e,n,r,i){var o=e.length-1;t=i,e.forEach(function(e,i){!0!==t||e instanceof O||e instanceof M||e instanceof R&&e.body instanceof Dt||(t=!1),e instanceof M||(r.indent(),e.print(r),i==o&&n||(r.newline(),n&&r.newline())),!0===t&&e instanceof R&&e.body instanceof Dt&&(t=!1)}),t=!1}function s(e,t){t.print("{"),t.with_indent(t.next_indent(),function(){t.append_comments(e,!0)}),t.print("}")}function a(e,t,n){e.body.length>0?t.with_block(function(){o(e.body,!1,t,n)}):s(e,t)}function u(e,t,n){var r=!1;n&&e.walk(new Nt(function(e){return!!(r||e instanceof K)||(e instanceof Le&&"in"==e.operator?(r=!0,!0):void 0)})),e.print(t,r)}function h(e,t,n){n.option("quote_keys")?n.print_string(e):""+ +e==e&&e>=0?n.print(d(e)):(jt(e)?!n.option("ie8"):cn(e))?t&&n.option("keep_quoted_props")?n.print_string(e,t):n.print_name(e):n.print_string(e,t)}function f(e,t){t.option("braces")?m(e,t):!e||e instanceof M?t.force_semicolon():e.print(t)}function p(e,t){return e.args.length>0||t.option("beautify")}function d(e){var t,n=e.toString(10),r=[n.replace(/^0\./,".").replace("e+","e")];return Math.floor(e)===e?(e>=0?r.push("0x"+e.toString(16).toLowerCase(),"0"+e.toString(8)):r.push("-0x"+(-e).toString(16).toLowerCase(),"-0"+(-e).toString(8)),(t=/^(.*?)(0+)$/.exec(e))&&r.push(t[1]+"e"+t[2].length)):(t=/^0?\.(0+)(.*)$/.exec(e))&&r.push(t[2]+"e-"+(t[1].length+t[2].length),n.substr(n.indexOf("."))),function(e){for(var t=e[0],n=t.length,r=1;ro||r==o&&(this===t.right||"**"==n))return!0}}),i(Tt,function(e){var t=e.parent();return t instanceof Le&&"="!==t.operator||t instanceof ke&&t.expression===this||t instanceof je&&t.condition===this||t instanceof Te||t instanceof Re&&t.expression===this||void 0}),i(Re,function(e){var t=e.parent();if(t instanceof Be&&t.expression===this){var n=!1;return this.walk(new Nt(function(e){return!!(n||e instanceof K)||(e instanceof ke?(n=!0,!0):void 0)})),n}}),i(ke,function(e){var t,n=e.parent();return!!(n instanceof Be&&n.expression===this||n instanceof Fe&&n.is_default&&this.expression instanceof Q)||this.expression instanceof Q&&n instanceof Re&&n.expression===this&&(t=e.parent(1))instanceof Ue&&t.left===n}),i(Be,function(e){var t=e.parent();if(!p(this,e)&&(t instanceof Re||t instanceof ke&&t.expression===this))return!0}),i(At,function(e){var t=e.parent();if(t instanceof Re&&t.expression===this){var n=this.getValue();if(n<0||/^0/.test(d(n)))return!0}}),i([Ue,je],function(e){var t=e.parent();return t instanceof Te||t instanceof Le&&!(t instanceof Ue)||t instanceof ke&&t.expression===this||t instanceof je&&t.condition===this||t instanceof Re&&t.expression===this||this instanceof Ue&&this.left instanceof ne&&!1===this.left.is_array||void 0}),e(O,function(e,t){t.print_string(e.value,e.quote),t.semicolon()}),e(X,function(e,t){t.print("..."),e.expression.print(t)}),e(ne,function(e,t){t.print(e.is_array?"[":"{");var n=e.names.length;e.names.forEach(function(e,r){r>0&&t.comma(),e.print(t),r==n-1&&e instanceof kt&&t.comma()}),t.print(e.is_array?"]":"}")}),e(B,function(e,t){t.print("debugger"),t.semicolon()}),L.DEFMETHOD("_do_print_body",function(e){f(this.body,e)}),e(k,function(e,t){e.body.print(t),t.semicolon()}),e(Y,function(e,t){o(e.body,!0,t,!0),t.print("")}),e(j,function(e,t){e.label.print(t),t.colon(),e.body.print(t)}),e(R,function(e,t){e.body.print(t),t.semicolon()}),e(N,function(e,t){a(e,t)}),e(M,function(e,t){t.semicolon()}),e(V,function(e,t){t.print("do"),t.space(),m(e.body,t),t.space(),t.print("while"),t.space(),t.with_parens(function(){e.condition.print(t)}),t.semicolon()}),e(q,function(e,t){t.print("while"),t.space(),t.with_parens(function(){e.condition.print(t)}),t.space(),e._do_print_body(t)}),e(W,function(e,t){t.print("for"),t.space(),t.with_parens(function(){e.init?(e.init instanceof be?e.init.print(t):u(e.init,t,!0),t.print(";"),t.space()):t.print(";"),e.condition?(e.condition.print(t),t.print(";"),t.space()):t.print(";"),e.step&&e.step.print(t)}),t.space(),e._do_print_body(t)}),e($,function(e,t){t.print("for"),e.await&&(t.space(),t.print("await")),t.space(),t.with_parens(function(){e.init.print(t),t.space(),t.print(e instanceof H?"of":"in"),t.space(),e.object.print(t)}),t.space(),e._do_print_body(t)}),e(G,function(e,t){t.print("with"),t.space(),t.with_parens(function(){e.expression.print(t)}),t.space(),e._do_print_body(t)}),J.DEFMETHOD("_do_print",function(e,t){var n=this;t||(n.async&&(e.print("async"),e.space()),e.print("function"),n.is_generator&&e.star(),n.name&&e.space()),n.name instanceof Ze?n.name.print(e):t&&n.name instanceof S&&e.with_square(function(){n.name.print(e)}),e.with_parens(function(){n.argnames.forEach(function(t,n){n&&e.comma(),t.print(e)})}),e.space(),a(n,e,!0)}),e(J,function(e,t){e._do_print(t)}),e(re,function(e,t){var n=e.prefix,r=n instanceof ee||n instanceof Le||n instanceof je||n instanceof Oe||n instanceof Te;r&&t.print("("),e.prefix.print(t),r&&t.print(")"),e.template_string.print(t)}),e(ie,function(e,t){var n=t.parent()instanceof re;t.print("`");for(var r=0;r"),e.space(),t.body instanceof S?t.body.print(e):a(t,e),r&&e.print(")")}),ae.DEFMETHOD("_do_print",function(e,t){e.print(t),this.value&&(e.space(),this.value.print(e)),e.semicolon()}),e(ue,function(e,t){e._do_print(t,"return")}),e(ce,function(e,t){e._do_print(t,"throw")}),e(Tt,function(e,t){var n=e.is_star?"*":"";t.print("yield"+n),e.expression&&(t.space(),e.expression.print(t))}),e(Pt,function(e,t){t.print("await"),t.space();var n=e.expression,r=!(n instanceof ke||n instanceof mt||n instanceof Re||n instanceof Te||n instanceof bt);r&&t.print("("),e.expression.print(t),r&&t.print(")")}),le.DEFMETHOD("_do_print",function(e,t){e.print(t),this.label&&(e.space(),this.label.print(e)),e.semicolon()}),e(he,function(e,t){e._do_print(t,"break")}),e(fe,function(e,t){e._do_print(t,"continue")}),e(pe,function(e,t){t.print("if"),t.space(),t.with_parens(function(){e.condition.print(t)}),t.space(),e.alternative?(function(e,t){var n=e.body;if(t.option("braces")||t.option("ie8")&&n instanceof V)return m(n,t);if(!n)return t.force_semicolon();for(;;)if(n instanceof pe){if(!n.alternative)return void m(e.body,t);n=n.alternative}else{if(!(n instanceof L))break;n=n.body}f(e.body,t)}(e,t),t.space(),t.print("else"),t.space(),e.alternative instanceof pe?e.alternative.print(t):f(e.alternative,t)):e._do_print_body(t)}),e(de,function(e,t){t.print("switch"),t.space(),t.with_parens(function(){e.expression.print(t)}),t.space();var n=e.body.length-1;n<0?s(e,t):t.with_block(function(){e.body.forEach(function(e,r){t.indent(!0),e.print(t),r0&&t.newline()})})}),me.DEFMETHOD("_do_print_body",function(e){e.newline(),this.body.forEach(function(t){e.indent(),t.print(e),e.newline()})}),e(ge,function(e,t){t.print("default:"),e._do_print_body(t)}),e(ve,function(e,t){t.print("case"),t.space(),e.expression.print(t),t.print(":"),e._do_print_body(t)}),e(ye,function(e,t){t.print("try"),t.space(),a(e,t),e.bcatch&&(t.space(),e.bcatch.print(t)),e.bfinally&&(t.space(),e.bfinally.print(t))}),e(_e,function(e,t){t.print("catch"),e.argname&&(t.space(),t.with_parens(function(){e.argname.print(t)})),t.space(),a(e,t)}),e(Ee,function(e,t){t.print("finally"),t.space(),a(e,t)}),be.DEFMETHOD("_do_print",function(e,t){e.print(t),e.space(),this.definitions.forEach(function(t,n){n&&e.comma(),t.print(e)});var n=e.parent();(!(n instanceof W||n instanceof $)||n&&n.init!==this)&&e.semicolon()}),e(Ae,function(e,t){e._do_print(t,"let")}),e(De,function(e,t){e._do_print(t,"var")}),e(xe,function(e,t){e._do_print(t,"const")}),e(Ce,function(e,t){t.print("import"),t.space(),e.imported_name&&e.imported_name.print(t),e.imported_name&&e.imported_names&&(t.print(","),t.space()),e.imported_names&&(1===e.imported_names.length&&"*"===e.imported_names[0].foreign_name.name?e.imported_names[0].print(t):(t.print("{"),e.imported_names.forEach(function(n,r){t.space(),n.print(t),r0&&(e.comma(),e.should_break()&&(e.newline(),e.indent())),t.print(e)})}),e(Oe,function(e,t){e._do_print(t)}),e(Ie,function(e,t){var n=e.expression;n.print(t);var r=e.property;t.option("ie8")&&jt(r)?(t.print("["),t.add_mapping(e.end),t.print_string(r),t.print("]")):(n instanceof At&&n.getValue()>=0&&(/[xa-f.)]/i.test(t.last())||t.print(".")),t.print("."),t.add_mapping(e.end),t.print_name(r))}),e(Pe,function(e,t){e.expression.print(t),t.print("["),e.property.print(t),t.print("]")}),e(Ne,function(e,t){var n=e.operator;t.print(n),(/^[a-z]/i.test(n)||/[+-]$/.test(n)&&e.expression instanceof Ne&&/^[+-]/.test(e.expression.operator))&&t.space(),e.expression.print(t)}),e(Me,function(e,t){e.expression.print(t),t.print(e.operator)}),e(Le,function(e,t){var n=e.operator;e.left.print(t),">"==n[0]&&e.left instanceof Me&&"--"==e.left.operator?t.print(" "):t.space(),t.print(n),("<"==n||"<<"==n)&&e.right instanceof Ne&&"!"==e.right.operator&&e.right.expression instanceof Ne&&"--"==e.right.expression.operator?t.print(" "):t.space(),e.right.print(t)}),e(je,function(e,t){e.condition.print(t),t.space(),t.print("?"),t.space(),e.consequent.print(t),t.space(),t.colon(),e.alternative.print(t)}),e(Ve,function(e,t){t.with_square(function(){var n=e.elements,r=n.length;r>0&&t.space(),n.forEach(function(e,n){n&&t.comma(),e.print(t),n===r-1&&e instanceof kt&&t.comma()}),r>0&&t.space()})}),e(qe,function(e,t){e.properties.length>0?t.with_block(function(){e.properties.forEach(function(e,n){n&&(t.print(","),t.newline()),t.indent(),e.print(t)}),t.newline()}):s(e,t)}),e(Ye,function(e,t){if(t.print("class"),t.space(),e.name&&(e.name.print(t),t.space()),e.extends){var n=!(e.extends instanceof mt||e.extends instanceof Re||e.extends instanceof Je||e.extends instanceof Q);t.print("extends"),n?t.print("("):t.space(),e.extends.print(t),n?t.print(")"):t.space()}e.properties.length>0?t.with_block(function(){e.properties.forEach(function(e,n){n&&t.newline(),t.indent(),e.print(t)}),t.newline()}):t.print("{}")}),e(Qe,function(e,t){t.print("new.target")}),e($e,function(e,t){function n(e){var t=e.definition();return t?t.mangled_name||t.name:e.name}var r=t.option("shorthand");r&&e.value instanceof Ze&&cn(e.key)&&n(e.value)===e.key&&sn(e.key)?h(e.key,e.quote,t):r&&e.value instanceof ze&&e.value.left instanceof Ze&&cn(e.key)&&n(e.value.left)===e.key?(h(e.key,e.quote,t),t.space(),t.print("="),t.space(),e.value.right.print(t)):(e.key instanceof S?t.with_square(function(){e.key.print(t)}):h(e.key,e.quote,t),t.colon(),e.value.print(t))}),We.DEFMETHOD("_print_getter_setter",function(e,t){var n=this;n.static&&(t.print("static"),t.space()),e&&(t.print(e),t.space()),n.key instanceof at?h(n.key.name,n.quote,t):t.with_square(function(){n.key.print(t)}),n.value._do_print(t,!0)}),e(He,function(e,t){e._print_getter_setter("set",t)}),e(Ge,function(e,t){e._print_getter_setter("get",t)}),e(Ke,function(e,t){var n;e.is_generator&&e.async?n="async*":e.is_generator?n="*":e.async&&(n="async"),e._print_getter_setter(n,t)}),Ze.DEFMETHOD("_do_print",function(e){var t=this.definition();e.print_name(t?t.mangled_name||t.name:this.name)}),e(Ze,function(e,t){e._do_print(t)}),e(kt,c),e(_t,function(e,t){t.print("this")}),e(Et,function(e,t){t.print("super")}),e(bt,function(e,t){t.print(e.getValue())}),e(Dt,function(e,n){n.print_string(e.getValue(),e.quote,t)}),e(At,function(e,t){r&&e.start&&null!=e.start.raw?t.print(e.start.raw):t.print(d(e.getValue()))}),e(xt,function(e,t){var n=e.getValue().toString();n=t.to_utf8(n),t.print(n);var r=t.parent();r instanceof Le&&/^in/.test(r.operator)&&r.left===e&&t.print(" ")}),g([S,j,Y],c),g([Ve,N,_e,Ye,bt,B,be,O,Ee,se,J,Be,qe,L,Ze,de,me,ye],function(e){e.add_mapping(this.start)}),g([Ge,He],function(e){e.add_mapping(this.start,this.key.name)}),g([We],function(e){e.add_mapping(this.start,this.key)})}(),Bn.prototype=new bn,u(Bn.prototype,{option:function(e){return this.options[e]},exposed:function(e){if(e.export)return!0;if(e.global)for(var t=0,n=e.orig.length;t0||this.option("reduce_vars"))&&e.reset_opt_flags(this),e=e.transform(this),t>1){var s=0;if(e.walk(new Nt(function(){s++})),this.info("pass "+o+": last_count: "+n+", count: "+s),s=0;){if(!(i[o]instanceof $e))return;n||i[o].key!==t||(n=i[o].value)}}return n instanceof mt&&n.fixed_value()||n}}function n(e,r,i,o,s,a){var u=r.parent(s),c=Lt(i,u);if(c)return c;if(!a&&u instanceof ke&&u.expression===i&&!(o instanceof ee)&&!(o instanceof Ye)&&!u.is_expr_pure(e)&&(!(o instanceof Q)||!(u instanceof Be)&&o.contains_this()))return!0;if(u instanceof Ve)return n(e,r,u,u,s+1);if(u instanceof $e&&i===u.value){var l=r.parent(s+1);return n(e,r,l,l,s+2)}if(u instanceof Re&&u.expression===i){var h=t(o,u.property);return!a&&n(e,r,u,h,s+1)}}function o(e){return e instanceof ee||e instanceof Q}function s(e){if(e instanceof _t)return!0;if(e instanceof mt)return e.definition().orig[0]instanceof ut;if(e instanceof Re){if((e=e.expression)instanceof mt){if(e.is_immutable())return!1;e=e.fixed_value()}return!e||!(e instanceof xt)&&(e instanceof bt||s(e))}return!1}function a(e,t){if(!(e instanceof mt))return!1;for(var n=e.definition().orig,r=n.length;--r>=0;)if(n[r]instanceof t)return!0}function u(e,t){for(var n,r=0;(n=e.parent(r++))&&!(n instanceof K);)if(n instanceof _e&&n.argname){n=n.argname.definition().scope;break}return n.find_variable(t)}function m(e,t,n){return n||(n={}),t&&(n.start||(n.start=t.start),n.end||(n.end=t.end)),new e(n)}function y(e,t){return 1==t.length?t[0]:m(Oe,e,{expressions:t.reduce(F,[])})}function _(e,t){switch(typeof e){case"string":return m(Dt,t,{value:e});case"number":return isNaN(e)?m(Ft,t):isFinite(e)?1/e<0?m(Ne,t,{operator:"-",expression:m(At,t,{value:-e})}):m(At,t,{value:e}):e<0?m(Ne,t,{operator:"-",expression:m(Bt,t)}):m(Bt,t);case"boolean":return m(e?It:Rt,t);case"undefined":return m(St,t);default:if(null===e)return m(Ct,t,{value:null});if(e instanceof RegExp)return m(xt,t,{value:e});throw new Error(g("Can't handle constant of type: {type}",{type:typeof e}))}}function C(e,t,n){return e instanceof Ne&&"delete"==e.operator||e instanceof ke&&e.expression===t&&(n instanceof Re||n instanceof mt&&"eval"==n.name)?y(t,[m(At,t,{value:0}),n]):n}function F(e,t){return t instanceof Oe?e.push.apply(e,t.expressions):e.push(t),e}function P(e){if(null===e)return[];if(e instanceof N)return e.body;if(e instanceof M)return[];if(e instanceof k)return[e];throw new Error("Can't convert thing to statement array")}function L(e){return null===e||e instanceof M||e instanceof N&&0==e.body.length}function H(e){return!(e instanceof Xe||e instanceof te||e instanceof Ae||e instanceof xe||e instanceof Fe||e instanceof Ce)}function ce(e){return e instanceof U&&e.body instanceof N?e.body:e}function we(e){return"Call"==e.TYPE&&(e.expression instanceof Q||we(e.expression))}function He(e){return e instanceof mt&&e.definition().undeclared}e(S,function(e,t){return e}),Y.DEFMETHOD("drop_console",function(){return this.transform(new bn(function(e){if("Call"==e.TYPE){var t=e.expression;if(t instanceof Re){for(var n=t.expression;n.expression;)n=n.expression;if(He(n)&&"console"==n.name)return m(St,e)}}}))}),S.DEFMETHOD("equivalent_to",function(e){return this.TYPE==e.TYPE&&this.print_to_string()==e.print_to_string()}),K.DEFMETHOD("process_expression",function(e,t){var n=this,r=new bn(function(i){if(e&&i instanceof R)return m(ue,i,{value:i.body});if(!e&&i instanceof ue){if(t){var o=i.value&&i.value.drop_side_effect_free(t,!0);return o?m(R,i,{body:o}):m(M,i)}return m(R,i,{body:i.value||m(Ne,i,{operator:"void",expression:m(At,i,{value:0})})})}if(i instanceof Ye||i instanceof J&&i!==n)return i;if(i instanceof T){var s=i.body.length-1;s>=0&&(i.body[s]=i.body[s].transform(r))}else i instanceof pe?(i.body=i.body.transform(r),i.alternative&&(i.alternative=i.alternative.transform(r))):i instanceof G&&(i.body=i.body.transform(r));return i});n.transform(r)}),function(e){function r(e,t){t.assignments=0,t.chained=!1,t.direct_access=!1,t.escaped=!1,t.scope.pinned()?t.fixed=!1:t.orig[0]instanceof rt||!e.exposed(t)?t.fixed=t.init:t.fixed=!1,t.recursive_refs=0,t.references=[],t.should_replace=void 0,t.single_use=void 0}function i(e,t,n){n.variables.each(function(n){r(t,n),null===n.fixed?(n.safe_ids=e.safe_ids,u(e,n,!0)):n.fixed&&(e.loop_ids[n.id]=e.in_loop,u(e,n,!0))})}function o(e,t){t.block_scope&&t.block_scope.variables.each(function(t){r(e,t)})}function s(e){e.safe_ids=Object.create(e.safe_ids)}function a(e){e.safe_ids=Object.getPrototypeOf(e.safe_ids)}function u(e,t,n){e.safe_ids[t.id]=n}function l(e,t){if("m"==t.single_use)return!1;if(e.safe_ids[t.id]){if(null==t.fixed){var n=t.orig[0];if(n instanceof ot||"arguments"==n.name)return!1;t.fixed=m(St,n)}return!0}return t.fixed instanceof te}function h(e,t,n){return void 0===t.fixed||(null===t.fixed&&t.safe_ids?(t.safe_ids[t.id]=!1,delete t.safe_ids,!0):!!A(e.safe_ids,t.id)&&!!l(e,t)&&!1!==t.fixed&&!(null!=t.fixed&&(!n||t.references.length>t.assignments))&&b(t.orig,function(e){return!(e instanceof rt||e instanceof st||e instanceof ut)}))}function f(e,n,r,i,o,s,a){var u=e.parent(s);if(o){if(o.is_constant())return;if(o instanceof Je)return}if(u instanceof Ue&&"="==u.operator&&i===u.right||u instanceof ke&&(i!==u.expression||u instanceof Be)||u instanceof ae&&i===u.value&&i.scope!==n.scope||u instanceof Se&&i===u.value||u instanceof Tt&&i===u.value&&i.scope!==n.scope)return!(a>1)||o&&o.is_constant_expression(r)||(a=1),void((!n.escaped||n.escaped>a)&&(n.escaped=a));if(u instanceof Ve||u instanceof Pt||u instanceof Le&&wt(u.operator)||u instanceof je&&i!==u.condition||u instanceof X||u instanceof Oe&&i===u.tail_node())f(e,n,r,u,u,s+1,a);else if(u instanceof $e&&i===u.value){var c=e.parent(s+1);f(e,n,r,c,c,s+2,a)}else if(u instanceof Re&&i===u.expression&&(f(e,n,r,u,o=t(o,u.property),s+1,a+1),o))return;s>0||u instanceof Oe&&i!==u.tail_node()||u instanceof R||(n.direct_access=!0)}e(S,c);var p=new Nt(function(e){if(e instanceof Ze){var t=e.definition();t&&(e instanceof mt&&t.references.push(e),t.fixed=!1)}});function d(e,t,n){this.inlined=!1;var r=e.safe_ids;return e.safe_ids=Object.create(null),i(e,n,this),t(),e.safe_ids=r,!0}function g(e,t,n){var r,o=this;return o.inlined=!1,s(e),i(e,n,o),!o.name&&(r=e.parent())instanceof ke&&r.expression===o&&o.argnames.forEach(function(t,n){if(t.definition){var i=t.definition();void 0!==i.fixed||o.uses_arguments&&!e.has_directive("use strict")?i.fixed=!1:(i.fixed=function(){return r.args[n]||m(St,r)},e.loop_ids[i.id]=e.in_loop,u(e,i,!0))}}),t(),a(e),!0}e(Z,function(e,t,n){return s(e),i(e,n,this),t(),a(e),!0}),e(ee,g),e(Ue,function(e,t,r){var i=this;if(i.left instanceof ne)i.left.walk(p);else{var o=i.left;if(o instanceof mt){var s=o.definition(),a=h(e,s,o.scope,i.right);if(s.assignments++,a){var c=s.fixed;if(c||"="==i.operator){var l="="==i.operator,d=l?i.right:i;if(!n(r,e,i,d,0))return s.references.push(o),l||(s.chained=!0),s.fixed=l?function(){return i.right}:function(){return m(Le,i,{operator:i.operator.slice(0,-1),left:c instanceof S?c:c(),right:i.right})},u(e,s,!1),i.right.walk(e),u(e,s,!0),f(e,s,o.scope,i,d,0,1),!0}}}}}),e(Le,function(e){if(wt(this.operator))return this.left.walk(e),s(e),this.right.walk(e),a(e),!0}),e(T,function(e,t,n){o(n,this)}),e(ve,function(e){return s(e),this.expression.walk(e),a(e),s(e),I(this,e),a(e),!0}),e(Je,function(e,t){return this.inlined=!1,s(e),t(),a(e),!0}),e(je,function(e){return this.condition.walk(e),s(e),this.consequent.walk(e),a(e),s(e),this.alternative.walk(e),a(e),!0}),e(ge,function(e,t){return s(e),t(),a(e),!0}),e(Xe,d),e(te,d),e(V,function(e,t,n){o(n,this);var r=e.in_loop;return e.in_loop=this,s(e),this.body.walk(e),Yt(this)&&(a(e),s(e)),this.condition.walk(e),a(e),e.in_loop=r,!0}),e(W,function(e,t,n){o(n,this),this.init&&this.init.walk(e);var r=e.in_loop;return e.in_loop=this,s(e),this.condition&&this.condition.walk(e),this.body.walk(e),this.step&&(Yt(this)&&(a(e),s(e)),this.step.walk(e)),a(e),e.in_loop=r,!0}),e($,function(e,t,n){o(n,this),this.init.walk(p),this.object.walk(e);var r=e.in_loop;return e.in_loop=this,s(e),this.body.walk(e),a(e),e.in_loop=r,!0}),e(Q,g),e(pe,function(e){return this.condition.walk(e),s(e),this.body.walk(e),a(e),this.alternative&&(s(e),this.alternative.walk(e),a(e)),!0}),e(j,function(e){return s(e),this.body.walk(e),a(e),!0}),e(ht,function(){this.definition().fixed=!1}),e(mt,function(e,t,r){var i,o=this.definition();o.references.push(this),1==o.references.length&&!o.fixed&&o.orig[0]instanceof st&&(e.loop_ids[o.id]=e.in_loop),void 0!==o.fixed&&l(e,o)?o.fixed&&((i=this.fixed_value())instanceof J&&Zt(e,o)?o.recursive_refs++:i&&!r.exposed(o)&&function(e,t,n){return t.option("unused")&&!n.scope.pinned()&&n.references.length-n.recursive_refs==1&&e.loop_ids[n.id]===e.in_loop}(e,r,o)?o.single_use=i instanceof J&&!i.pinned()||i instanceof Ye||o.scope===this.scope&&i.is_constant_expression():o.single_use=!1,n(r,e,this,i,0,function(e){return!!e&&(e.is_constant()||e instanceof J||e instanceof _t)}(i))&&(o.single_use?o.single_use="m":o.fixed=!1)):o.fixed=!1,f(e,o,this.scope,this,i,0,1)}),e(Y,function(e,t,n){this.globals.each(function(e){r(n,e)}),i(e,n,this)}),e(ye,function(e,t,n){return o(n,this),s(e),I(this,e),a(e),this.bcatch&&(s(e),this.bcatch.walk(e),a(e)),this.bfinally&&this.bfinally.walk(e),!0}),e(Te,function(e,t){var n=this;if("++"==n.operator||"--"==n.operator){var r=n.expression;if(r instanceof mt){var i=r.definition(),o=h(e,i,!0);if(i.assignments++,o){var s=i.fixed;if(s)return i.references.push(r),i.chained=!0,i.fixed=function(){return m(Le,n,{operator:n.operator.slice(0,-1),left:m(Ne,n,{operator:"+",expression:s instanceof S?s:s()}),right:m(At,n,{value:1})})},u(e,i,!0),!0}}}}),e(Se,function(e,t){var n=this;if(n.name instanceof ne)n.name.walk(p);else{var r=n.name.definition();if(n.value){if(h(e,r,n.value))return r.fixed=function(){return n.value},e.loop_ids[r.id]=e.in_loop,u(e,r,!1),t(),u(e,r,!0),!0;r.fixed=!1}}}),e(q,function(e,t,n){o(n,this);var r=e.in_loop;return e.in_loop=this,s(e),t(),a(e),e.in_loop=r,!0})}(function(e,t){e.DEFMETHOD("reduce_vars",t)}),Y.DEFMETHOD("reset_opt_flags",function(e){var t=this,n=e.option("reduce_vars"),r=new Nt(function(i,o){if(i._squeezed=!1,i._optimized=!1,n)return e.top_retain&&(r.parent()===t?i._top=!0:delete i._top),i.reduce_vars(r,o,e)});r.safe_ids=Object.create(null),r.in_loop=null,r.loop_ids=Object.create(null),t.walk(r)}),Ze.DEFMETHOD("fixed_value",function(){var e=this.definition().fixed;return!e||e instanceof S?e:e()}),mt.DEFMETHOD("is_immutable",function(){var e=this.definition().orig;return 1==e.length&&e[0]instanceof ut});var Qe=E("Array Boolean clearInterval clearTimeout console Date decodeURI decodeURIComponent encodeURI encodeURIComponent Error escape eval EvalError Function isFinite isNaN JSON Math Number parseFloat parseInt RangeError ReferenceError RegExp Object setInterval setTimeout String SyntaxError TypeError unescape URIError");mt.DEFMETHOD("is_declared",function(e){return!this.definition().undeclared||e.option("unsafe")&&Qe(this.name)});var it,ct,lt,ft=E("Infinity NaN undefined");function pt(e){return e instanceof Bt||e instanceof Ft||e instanceof St}function dt(e,t){var i,u,c=t.find_parent(K).get_defun_scope();!function(){var e=t.self(),n=0;do{if(e instanceof _e||e instanceof Ee)n++;else if(e instanceof U)i=!0;else{if(e instanceof K){c=e;break}e instanceof ye&&(u=!0)}}while(e=t.parent(n++))}();var l,h=10;do{l=!1,p(e),t.option("dead_code")&&_(e,t),t.option("if_return")&&g(e,t),t.sequences_limit>0&&(D(e,t),x(e,t)),t.option("join_vars")&&k(e),t.option("collapse_vars")&&f(e,t)}while(l&&h-- >0);function f(e,t){if(c.pinned())return e;for(var h,f=[],p=e.length,g=new bn(function(e,n){if(M)return e;if(!N)return e!==y[_]?e:++_=0;){0==p&&t.option("unused")&&Q();var y=[];for(te(e[p]);f.length>0;){y=f.pop();var _=0,E=y[y.length-1],D=null,A=null,x=null,w=re(E);if(w&&!s(w)&&!w.has_side_effects(t)){var F=oe(E),S=ue(w);w instanceof mt&&(F[w.name]=!1);var k=ce(E),O=he(),I=E.may_throw(t),P=E.name instanceof ot,N=P,M=!1,L=0,j=!h||!N;if(!j){for(var V=t.self().argnames.lastIndexOf(E.name)+1;!M&&VL)L=!1;else{for(M=!1,_=0,N=P,q=p;!M&&q=0;){var c=n.argnames[u],l=e.args[u];if(h.unshift(m(Se,c,{name:c,value:l})),!(c.name in a))if(a[c.name]=!0,c instanceof X){var p=e.args.slice(u);b(p,function(e){return!Z(n,e,i)})&&f.unshift([m(Se,c,{name:c.expression,value:m(Ve,e,{elements:p})})])}else l?(l instanceof J&&l.pinned()||Z(n,l,i))&&(l=null):l=m(St,c).transform(t),l&&f.unshift([m(Se,c,{name:c,value:l})])}}}function te(e){if(y.push(e),e instanceof Ue)e.left.has_side_effects(t)||f.push(y.slice()),te(e.right);else if(e instanceof Le)te(e.left),te(e.right);else if(e instanceof ke)te(e.expression),e.args.forEach(te);else if(e instanceof ve)te(e.expression);else if(e instanceof je)te(e.condition),te(e.consequent),te(e.alternative);else if(!(e instanceof be)||!t.option("unused")&&e instanceof xe)e instanceof z?(te(e.condition),e.body instanceof T||te(e.body)):e instanceof ae?e.value&&te(e.value):e instanceof W?(e.init&&te(e.init),e.condition&&te(e.condition),e.step&&te(e.step),e.body instanceof T||te(e.body)):e instanceof $?(te(e.object),e.body instanceof T||te(e.body)):e instanceof pe?(te(e.condition),e.body instanceof T||te(e.body),!e.alternative||e.alternative instanceof T||te(e.alternative)):e instanceof Oe?e.expressions.forEach(te):e instanceof R?te(e.body):e instanceof de?(te(e.expression),e.body.forEach(te)):e instanceof Te?"++"!=e.operator&&"--"!=e.operator||f.push(y.slice()):e instanceof Se&&e.value&&(f.push(y.slice()),te(e.value));else{var n=e.definitions.length,r=n-200;for(r<0&&(r=0);r1&&!(e.name instanceof ot)||(o>1?function(e){var t=e.value;if(t instanceof mt&&"arguments"!=t.name){var n=t.definition();if(!n.undeclared)return D=n}}(e):!t.exposed(i))?m(mt,e.name,e.name):void 0}}function ie(e){return e[e instanceof Ue?"right":"value"]}function oe(e){var r=Object.create(null);if(e instanceof Te)return r;var i=new Nt(function(e,o){for(var s=e;s instanceof Re;)s=s.expression;(s instanceof mt||s instanceof _t)&&(r[s.name]=r[s.name]||n(t,i,e,e,0))});return ie(e).walk(i),r}function se(n){if(n.name instanceof ot){var r=t.parent(),i=t.self().argnames,o=i.indexOf(n.name);if(o<0)r.args.length=Math.min(r.args.length,i.length-1);else{var s=r.args;s[o]&&(s[o]=m(At,s[o],{value:0}))}return!0}var a=!1;return e[p].transform(new bn(function(e,t,r){return a?e:e===n||e.body===n?(a=!0,e instanceof Se?(e.value=null,e):r?d.skip:null):void 0},function(e){if(e instanceof Oe)switch(e.expressions.length){case 0:return null;case 1:return e.expressions[0]}}))}function ue(e){for(;e instanceof Re;)e=e.expression;return e instanceof mt&&e.definition().scope===c&&!(i&&(e.name in F||E instanceof Te||E instanceof Ue&&"="!=E.operator))}function ce(e){return!(e instanceof Te)&&ie(e).has_side_effects(t)}function he(){if(k)return!1;if(D)return!0;if(w instanceof mt){var e=w.definition();if(e.references.length-e.replaced==(E instanceof Se?1:2))return!0}return!1}function fe(e){if(!e.definition)return!0;var t=e.definition();return!(1==t.orig.length&&t.orig[0]instanceof st||t.scope.get_defun_scope()===c&&b(t.references,function(e){var t=e.scope.get_defun_scope();return"Scope"==t.TYPE&&(t=t.parent_scope),t===c}))}}function p(e){for(var t=[],n=0;n=0;){var r=e[n];if(r instanceof pe&&r.body instanceof ue&&++t>1)return!0}return!1}(e),i=n instanceof J,o=e.length;--o>=0;){var s=e[o],a=_(o),u=e[a];if(i&&!u&&s instanceof ue){if(!s.value){l=!0,e.splice(o,1);continue}if(s.value instanceof Ne&&"void"==s.value.operator){l=!0,e[o]=m(R,s,{body:s.value.expression});continue}}if(s instanceof pe){var c;if(d(c=Ht(s.body))){c.label&&v(c.label.thedef.references,c),l=!0,(s=s.clone()).condition=s.condition.negate(t);var h=y(s.body,c);s.body=m(N,s,{body:P(s.alternative).concat(g())}),s.alternative=m(N,s,{body:h}),e[o]=s.transform(t);continue}if(d(c=Ht(s.alternative))){c.label&&v(c.label.thedef.references,c),l=!0,(s=s.clone()).body=m(N,s.body,{body:P(s.body).concat(g())}),h=y(s.alternative,c),s.alternative=m(N,s.alternative,{body:h}),e[o]=s.transform(t);continue}}if(s instanceof pe&&s.body instanceof ue){var f=s.body.value;if(!f&&!s.alternative&&(i&&!u||u instanceof ue&&!u.value)){l=!0,e[o]=m(R,s.condition,{body:s.condition});continue}if(f&&!s.alternative&&u instanceof ue&&u.value){l=!0,(s=s.clone()).alternative=u,e.splice(o,1,s.transform(t)),e.splice(a,1);continue}if(f&&!s.alternative&&(!u&&i&&r||u instanceof ue)){l=!0,(s=s.clone()).alternative=u||m(ue,s,{value:null}),e.splice(o,1,s.transform(t)),u&&e.splice(a,1);continue}var p=e[b(o)];if(t.option("sequences")&&i&&!s.alternative&&p instanceof pe&&p.body instanceof ue&&_(a)==e.length&&u instanceof R){l=!0,(s=s.clone()).alternative=m(N,u,{body:[u,m(ue,u,{value:null})]}),e.splice(o,1,s.transform(t)),e.splice(a,1);continue}}}function d(r){if(!r)return!1;for(var s=o+1,a=e.length;s=0;){var r=e[n];if(!(r instanceof De&&E(r)))break}return n}}function _(e,t){for(var n,r=t.self(),i=0,o=0,s=e.length;i=t.sequences_limit&&u();var a=s.body;n.length>0&&(a=a.drop_side_effect_free(t)),a&&F(n,a)}else s instanceof be&&E(s)||s instanceof te?e[r++]=s:(u(),e[r++]=s)}u(),e.length=r,r!=o&&(l=!0)}function u(){if(n.length){var t=y(n[0],n);e[r++]=m(R,t,{body:t}),n=[]}}}function A(e,t){if(!(e instanceof N))return e;for(var n=null,r=0,i=e.body.length;r0){var f=u.length;u.push(m(pe,s,{condition:s.condition,body:c||m(M,s.body),alternative:h})),u.unshift(i,1),[].splice.apply(e,u),o+=f,i+=f+1,r=null,l=!0;continue}}e[i++]=s,r=s instanceof R?s:null}e.length=i}function w(e,n){if(e instanceof be){var r,i=e.definitions[e.definitions.length-1];if(i.value instanceof qe&&(n instanceof Ue?r=[n]:n instanceof Oe&&(r=n.expressions.slice()),r)){var o=!1;do{var s=r[0];if(!(s instanceof Ue))break;if("="!=s.operator)break;if(!(s.left instanceof Re))break;var a=s.left.expression;if(!(a instanceof mt))break;if(i.name.name!=a.name)break;if(!s.right.is_constant_expression(c))break;var u=s.left.property;if(u instanceof S&&(u=u.evaluate(t)),u instanceof S)break;u=""+u;var l=t.option("ecma")<6&&t.has_directive("use strict")?function(e){return e.key!=u&&e.key.name!=u}:function(e){return e.key.name!=u};if(!b(i.value.properties,l))break;i.value.properties.push(m($e,s,{key:u,value:s.right})),r.shift(),o=!0}while(r.length);return o&&r}}}function k(e){for(var t,n=0,r=-1,i=e.length;n=0;)if(this.properties[n]._dot_throw(e))return!0;return!1}),e(We,l),e(Ge,h),e(X,function(e){return this.expression._dot_throw(e)}),e(Q,l),e(ee,l),e(Me,l),e(Ne,function(){return"void"==this.operator}),e(Le,function(e){return("&&"==this.operator||"||"==this.operator)&&(this.left._dot_throw(e)||this.right._dot_throw(e))}),e(Ue,function(e){return"="==this.operator&&this.right._dot_throw(e)}),e(je,function(e){return this.consequent._dot_throw(e)||this.alternative._dot_throw(e)}),e(Ie,function(e){return!(!t(e)||this.expression instanceof Q&&"prototype"==this.property)}),e(Oe,function(e){return this.tail_node()._dot_throw(e)}),e(mt,function(e){if(this.is_undefined)return!0;if(!t(e))return!1;if(He(this)&&this.is_declared(e))return!1;if(this.is_immutable())return!1;var n=this.fixed_value();return!n||n._dot_throw(e)})}(function(e,t){e.DEFMETHOD("_dot_throw",t)}),ct=["!","delete"],lt=["in","instanceof","==","!=","===","!==","<","<=",">=",">"],(it=function(e,t){e.DEFMETHOD("is_boolean",t)})(S,l),it(Ne,function(){return r(this.operator,ct)}),it(Le,function(){return r(this.operator,lt)||wt(this.operator)&&this.left.is_boolean()&&this.right.is_boolean()}),it(je,function(){return this.consequent.is_boolean()&&this.alternative.is_boolean()}),it(Ue,function(){return"="==this.operator&&this.right.is_boolean()}),it(Oe,function(){return this.tail_node().is_boolean()}),it(It,h),it(Rt,h),function(e){e(S,l),e(At,h);var t=E("+ - ~ ++ --");e(Te,function(){return t(this.operator)});var n=E("- * / % & | ^ << >> >>>");e(Le,function(e){return n(this.operator)||"+"==this.operator&&this.left.is_number(e)&&this.right.is_number(e)}),e(Ue,function(e){return n(this.operator.slice(0,-1))||"="==this.operator&&this.right.is_number(e)}),e(Oe,function(e){return this.tail_node().is_number(e)}),e(je,function(e){return this.consequent.is_number(e)&&this.alternative.is_number(e)})}(function(e,t){e.DEFMETHOD("is_number",t)}),function(e){e(S,l),e(Dt,h),e(ie,function(){return 1===this.segments.length}),e(Ne,function(){return"typeof"==this.operator}),e(Le,function(e){return"+"==this.operator&&(this.left.is_string(e)||this.right.is_string(e))}),e(Ue,function(e){return("="==this.operator||"+="==this.operator)&&this.right.is_string(e)}),e(Oe,function(e){return this.tail_node().is_string(e)}),e(je,function(e){return this.consequent.is_string(e)&&this.alternative.is_string(e)})}(function(e,t){e.DEFMETHOD("is_string",t)});var wt=E("&& ||"),Mt=E("delete ++ --");function Lt(e,t){return t instanceof Te&&Mt(t.operator)?t.expression:t instanceof Ue&&t.left===e?e:void 0}function jt(e,t){return e.print_to_string().length>t.print_to_string().length?t:e}function Ut(e,t,n){return(x(e)?function(e,t){return jt(m(R,e,{body:e}),m(R,t,{body:t})).body}:jt)(t,n)}function zt(e){for(var t in e)e[t]=E(e[t])}!function(e){function t(e,t){e.warn("global_defs "+t.print_to_string()+" redefined [{file}:{line},{col}]",t.start)}Y.DEFMETHOD("resolve_defines",function(e){return e.option("global_defs")?(this.figure_out_scope({ie8:e.option("ie8")}),this.transform(new bn(function(n){var r=n._find_defs(e,"");if(r){for(var i,o=0,s=n;(i=this.parent(o++))&&i instanceof Re&&i.expression===s;)s=i;if(!Lt(s,i))return r;t(e,n)}}))):this}),e(S,c),e(Ie,function(e,t){return this.expression._find_defs(e,"."+this.property+t)}),e(et,function(e){this.global()&&A(e.option("global_defs"),this.name)&&t(e,this)}),e(mt,function(e,t){if(this.global()){var n=e.option("global_defs"),r=this.name+t;return A(n,r)?function e(t,n){if(t instanceof S)return m(t.CTOR,n,t);if(Array.isArray(t))return m(Ve,n,{elements:t.map(function(t){return e(t,n)})});if(t&&"object"==typeof t){var r=[];for(var i in t)A(t,i)&&r.push(m($e,n,{key:i,value:e(t[i],n)}));return m(qe,n,{properties:r})}return _(t,n)}(n[r],this):void 0}})}(function(e,t){e.DEFMETHOD("_find_defs",t)});var Vt=["constructor","toString","valueOf"],qt={Array:["indexOf","join","lastIndexOf","slice"].concat(Vt),Boolean:Vt,Function:Vt,Number:["toExponential","toFixed","toPrecision"].concat(Vt),Object:Vt,RegExp:["test"].concat(Vt),String:["charAt","charCodeAt","concat","indexOf","italics","lastIndexOf","match","replace","search","slice","split","substr","substring","toLowerCase","toUpperCase","trim"].concat(Vt)};zt(qt);var Wt={Array:["isArray"],Math:["abs","acos","asin","atan","ceil","cos","exp","floor","log","round","sin","sqrt","tan","atan2","pow","max","min"],Number:["isFinite","isNaN"],Object:["create","getOwnPropertyDescriptor","getOwnPropertyNames","getPrototypeOf","isExtensible","isFrozen","isSealed","keys"],String:["fromCharCode"]};zt(Wt),function(e){S.DEFMETHOD("evaluate",function(e){if(!e.option("evaluate"))return this;var t=this._eval(e,1);return!t||t instanceof RegExp?t:"function"==typeof t||"object"==typeof t?this:t});var t=E("! ~ - + void");S.DEFMETHOD("is_constant",function(){return this instanceof bt?!(this instanceof xt):this instanceof Ne&&this.expression instanceof bt&&t(this.operator)}),e(k,function(){throw new Error(g("Cannot evaluate a statement [{file}:{line},{col}]",this.start))}),e(J,f),e(Ye,f),e(S,f),e(bt,function(){return this.getValue()}),e(ie,function(){return 1!==this.segments.length?this:this.segments[0].value}),e(Q,function(e){if(e.option("unsafe")){var t=function(){};return t.node=this,t.toString=function(){return this.node.print_to_string()},t}return this}),e(Ve,function(e,t){if(e.option("unsafe")){for(var n=[],r=0,i=this.elements.length;r>":i=n>>o;break;case">>>":i=n>>>o;break;case"==":i=n==o;break;case"===":i=n===o;break;case"!=":i=n!=o;break;case"!==":i=n!==o;break;case"<":i=n":i=n>o;break;case">=":i=n>=o;break;default:return this}return isNaN(i)&&e.find_parent(G)?this:i}),e(je,function(e,t){var n=this.condition._eval(e,t);if(n===this.condition)return this;var r=n?this.consequent:this.alternative,i=r._eval(e,t);return i===r?this:i}),e(mt,function(e,t){var n,r=this.fixed_value();if(!r)return this;if(A(r,"_eval"))n=r._eval();else{if(this._eval=f,n=r._eval(e,t),delete this._eval,n===r)return this;r._eval=function(){return n}}if(n&&"object"==typeof n){var i=this.definition().escaped;if(i&&t>i)return this}return n});var i={Array:Array,Math:Math,Number:Number,Object:Object,String:String},o={Math:["E","LN10","LN2","LOG2E","LOG10E","PI","SQRT1_2","SQRT2"],Number:["MAX_VALUE","MIN_VALUE","NaN","NEGATIVE_INFINITY","POSITIVE_INFINITY"]};zt(o),e(Re,function(e,t){if(e.option("unsafe")){var n=this.property;if(n instanceof S&&(n=n._eval(e,t))===this.property)return this;var r,s=this.expression;if(He(s)){if(!(o[s.name]||l)(n))return this;r=i[s.name]}else{if(!(r=s._eval(e,t+1))||r===s||!A(r,n))return this;if("function"==typeof r)switch(n){case"name":return r.node.name?r.node.name.name:"";case"length":return r.node.argnames.length;default:return this}}return r[n]}return this}),e(ke,function(e,t){var n=this.expression;if(e.option("unsafe")&&n instanceof Re){var r,o=n.property;if(o instanceof S&&(o=o._eval(e,t))===n.property)return this;var s=n.expression;if(He(s)){if(!(Wt[s.name]||l)(o))return this;r=i[s.name]}else if((r=s._eval(e,t+1))===s||!(r&&qt[r.constructor.name]||l)(o))return this;for(var a=[],u=0,c=this.args.length;u=":return i.operator="<",i;case">":return i.operator="<=",i}switch(o){case"==":return i.operator="!=",i;case"!=":return i.operator="==",i;case"===":return i.operator="!==",i;case"!==":return i.operator="===",i;case"&&":return i.operator="||",i.left=i.left.negate(e,r),i.right=i.right.negate(e),n(this,i,r);case"||":return i.operator="&&",i.left=i.left.negate(e,r),i.right=i.right.negate(e),n(this,i,r)}return t(this)})}(function(e,t){e.DEFMETHOD("negate",function(e,n){return t.call(this,e,n)})});var $t=E("Boolean decodeURI decodeURIComponent Date encodeURI encodeURIComponent Error escape EvalError isFinite isNaN Number Object parseFloat parseInt RangeError ReferenceError String SyntaxError TypeError unescape URIError");function Ht(e){return e&&e.aborts()}ke.DEFMETHOD("is_expr_pure",function(e){if(e.option("unsafe")){var t=this.expression;if(He(t)&&$t(t.name))return!0;if(t instanceof Ie&&He(t.expression)&&(Wt[t.expression.name]||l)(t.property))return!0}return this.pure||!e.pure_funcs(this)}),S.DEFMETHOD("is_call_pure",l),Ie.DEFMETHOD("is_call_pure",function(e){if(e.option("unsafe")){var t=this.expression,n=l;return t instanceof Ve?n=qt.Array:t.is_boolean()?n=qt.Boolean:t.is_number(e)?n=qt.Number:t instanceof xt?n=qt.RegExp:t.is_string(e)?n=qt.String:this.may_throw_on_access(e)||(n=qt.Object),n(this.property)}}),function(e){function t(e,t){for(var n=e.length;--n>=0;)if(e[n].has_side_effects(t))return!0;return!1}e(S,h),e(M,l),e(bt,l),e(_t,l),e(T,function(e){return t(this.body,e)}),e(ke,function(e){return!(this.is_expr_pure(e)||this.expression.is_call_pure(e)&&!this.expression.has_side_effects(e))||t(this.args,e)}),e(de,function(e){return this.expression.has_side_effects(e)||t(this.body,e)}),e(ve,function(e){return this.expression.has_side_effects(e)||t(this.body,e)}),e(ye,function(e){return t(this.body,e)||this.bcatch&&this.bcatch.has_side_effects(e)||this.bfinally&&this.bfinally.has_side_effects(e)}),e(pe,function(e){return this.condition.has_side_effects(e)||this.body&&this.body.has_side_effects(e)||this.alternative&&this.alternative.has_side_effects(e)}),e(j,function(e){return this.body.has_side_effects(e)}),e(R,function(e){return this.body.has_side_effects(e)}),e(J,l),e(Ye,l),e(Xe,h),e(Le,function(e){return this.left.has_side_effects(e)||this.right.has_side_effects(e)}),e(Ue,h),e(je,function(e){return this.condition.has_side_effects(e)||this.consequent.has_side_effects(e)||this.alternative.has_side_effects(e)}),e(Te,function(e){return Mt(this.operator)||this.expression.has_side_effects(e)}),e(mt,function(e){return!this.is_declared(e)}),e(et,l),e(qe,function(e){return t(this.properties,e)}),e(We,function(e){return!!(this.key instanceof $e&&this.key.has_side_effects(e))||this.value.has_side_effects(e)}),e(Ve,function(e){return t(this.elements,e)}),e(Ie,function(e){return this.expression.may_throw_on_access(e)||this.expression.has_side_effects(e)}),e(Pe,function(e){return this.expression.may_throw_on_access(e)||this.expression.has_side_effects(e)||this.property.has_side_effects(e)}),e(Oe,function(e){return t(this.expressions,e)}),e(be,function(e){return t(this.definitions,e)}),e(Se,function(e){return this.value}),e(oe,l),e(ie,function(e){return t(this.segments,e)})}(function(e,t){e.DEFMETHOD("has_side_effects",t)}),function(e){function t(e,t){for(var n=e.length;--n>=0;)if(e[n].may_throw(t))return!0;return!1}e(S,h),e(Ye,l),e(bt,l),e(M,l),e(J,l),e(et,l),e(_t,l),e(Ve,function(e){return t(this.elements,e)}),e(Ue,function(e){return!!this.right.may_throw(e)||!(!e.has_directive("use strict")&&"="==this.operator&&this.left instanceof mt)&&this.left.may_throw(e)}),e(Le,function(e){return this.left.may_throw(e)||this.right.may_throw(e)}),e(T,function(e){return t(this.body,e)}),e(ke,function(e){return!!t(this.args,e)||!this.is_expr_pure(e)&&(!!this.expression.may_throw(e)||!(this.expression instanceof J)||t(this.expression.body,e))}),e(ve,function(e){return this.expression.may_throw(e)||t(this.body,e)}),e(je,function(e){return this.condition.may_throw(e)||this.consequent.may_throw(e)||this.alternative.may_throw(e)}),e(be,function(e){return t(this.definitions,e)}),e(Ie,function(e){return this.expression.may_throw_on_access(e)||this.expression.may_throw(e)}),e(pe,function(e){return this.condition.may_throw(e)||this.body&&this.body.may_throw(e)||this.alternative&&this.alternative.may_throw(e)}),e(j,function(e){return this.body.may_throw(e)}),e(qe,function(e){return t(this.properties,e)}),e(We,function(e){return this.value.may_throw(e)}),e(ue,function(e){return this.value&&this.value.may_throw(e)}),e(Oe,function(e){return t(this.expressions,e)}),e(R,function(e){return this.body.may_throw(e)}),e(Pe,function(e){return this.expression.may_throw_on_access(e)||this.expression.may_throw(e)||this.property.may_throw(e)}),e(de,function(e){return this.expression.may_throw(e)||t(this.body,e)}),e(mt,function(e){return!this.is_declared(e)}),e(ye,function(e){return this.bcatch?this.bcatch.may_throw(e):t(this.body,e)||this.bfinally&&this.bfinally.may_throw(e)}),e(Te,function(e){return!("typeof"==this.operator&&this.expression instanceof mt)&&this.expression.may_throw(e)}),e(Se,function(e){return!!this.value&&this.value.may_throw(e)})}(function(e,t){e.DEFMETHOD("may_throw",t)}),function(e){function t(e){for(var t=e.length;--t>=0;)if(!e[t].is_constant_expression())return!1;return!0}function n(e){var t=this,n=!0;return t.walk(new Nt(function(i){if(!n)return!0;if(i instanceof mt){if(t.inlined)return n=!1,!0;var o=i.definition();if(r(o,t.enclosed)&&!t.variables.has(o.name)){if(e){var s=e.find_variable(i);if(o.undeclared?!s:s===o)return n="f",!0}n=!1}return!0}return i instanceof _t&&t instanceof ee?(n=!1,!0):void 0})),n}e(S,l),e(bt,h),e(Ye,function(e){return!(this.extends&&!this.extends.is_constant_expression(e))&&n.call(this,e)}),e(J,n),e(Te,function(){return this.expression.is_constant_expression()}),e(Le,function(){return this.left.is_constant_expression()&&this.right.is_constant_expression()}),e(Ve,function(){return t(this.elements)}),e(qe,function(){return t(this.properties)}),e(We,function(){return!(this.key instanceof S)&&this.value.is_constant_expression()})}(function(e,t){e.DEFMETHOD("is_constant_expression",t)}),function(e){function t(){for(var e=0;e1)||(o.name=null)),o instanceof J&&!(o instanceof Z))for(var _=!e.option("keep_fargs"),E=o.argnames,D=E.length;--D>=0;){var x;(x=E[D])instanceof X&&(x=x.expression),x instanceof ze&&(x=x.left),x instanceof ne||x.definition().id in s?_=!1:(x.__unused=!0,_&&(E.pop(),e[x.unreferenced()?"warn":"info"]("Dropping unused function argument {name} [{file}:{line},{col}]",T(x))))}if((o instanceof te||o instanceof Xe)&&o!==t&&!((g=o.name.definition()).id in s||!n&&g.global))return e[o.name.unreferenced()?"warn":"info"]("Dropping unused function {name} [{file}:{line},{col}]",T(o.name)),g.eliminated++,m(M,o);if(o instanceof be&&!(h instanceof $&&h.init===o)){var F=!(h instanceof Y||o instanceof De),S=[],k=[],B=[],O=[];switch(o.definitions.forEach(function(t){t.value&&(t.value=t.value.transform(A));var n=t.name instanceof ne,i=n?new Dn(null,{name:""}):t.name.definition();if(F&&i.global)return B.push(t);if(!r&&!F||n&&(t.name.names.length||t.name.is_array||1!=e.option("pure_getters"))||i.id in s){if(t.value&&i.id in u&&u[i.id]!==t&&(t.value=t.value.drop_side_effect_free(e)),t.name instanceof tt){var a=c.get(i.id);if(a.length>1&&(!t.value||i.orig.indexOf(t.name)>i.eliminated)){if(e.warn("Dropping duplicated definition of variable {name} [{file}:{line},{col}]",T(t.name)),t.value){var l=m(mt,t.name,t.name);i.references.push(l);var h=m(Ue,t,{operator:"=",left:l,right:t.value});u[i.id]===t&&(u[i.id]=h),O.push(h.transform(A))}return v(a,t),void i.eliminated++}}t.value?(O.length>0&&(B.length>0?(O.push(t.value),t.value=y(t.value,O)):S.push(m(R,o,{body:y(o,O)})),O=[]),B.push(t)):k.push(t)}else if(i.orig[0]instanceof ht)(f=t.value&&t.value.drop_side_effect_free(e))&&O.push(f),t.value=null,k.push(t);else{var f;(f=t.value&&t.value.drop_side_effect_free(e))?(n||e.warn("Side effects in initialization of unused variable {name} [{file}:{line},{col}]",T(t.name)),O.push(f)):n||e[t.name.unreferenced()?"warn":"info"]("Dropping unused variable {name} [{file}:{line},{col}]",T(t.name)),i.eliminated++}}),(k.length>0||B.length>0)&&(o.definitions=k.concat(B),S.push(o)),O.length>0&&S.push(m(R,o,{body:y(o,O)})),S.length){case 0:return l?d.skip:m(M,o);case 1:return S[0];default:return l?d.splice(S):m(N,o,{body:S})}}if(o instanceof W)return a(o,this),o.init instanceof N&&(I=o.init,o.init=I.body.pop(),I.body.push(o)),o.init instanceof R?o.init=o.init.body:L(o.init)&&(o.init=null),I?l?d.splice(I.body):I:o;if(o instanceof j&&o.body instanceof W){if(a(o,this),o.body instanceof N){var I=o.body;return o.body=I.body.pop(),I.body.push(o),l?d.splice(I.body):I}return o}if(o instanceof N)return a(o,this),l&&b(o.body,H)?d.splice(o.body):o;if(o instanceof K){var P=p;return p=o,a(o,this),p=P,o}}function T(e){return{name:e.name,file:e.start.file,line:e.start.line,col:e.start.col}}});t.transform(A)}}function x(e,n){var r,c=i(e);if(c instanceof mt&&!a(e.left,nt)&&t.variables.get(c.name)===(r=c.definition()))return e instanceof Ue&&(e.right.walk(g),r.chained||e.left.fixed_value()!==e.right||(u[r.id]=e)),!0;if(e instanceof mt)return(r=e.definition()).id in s||(s[r.id]=!0,o.push(r),(r=r.redefined())&&(s[r.id]=!0,o.push(r))),!0;if(e instanceof K){var l=p;return p=e,n(),p=l,!0}}}),K.DEFMETHOD("hoist_declarations",function(e){var t=this;if(e.has_directive("use asm"))return t;if(!Array.isArray(t.body))return t;var n=e.option("hoist_funs"),r=e.option("hoist_vars");if(n||r){var o=[],s=[],a=new D,u=0,c=0;t.walk(new Nt(function(e){return e instanceof K&&e!==t||(e instanceof De?(++c,!0):void 0)})),r=r&&c>1;var l=new bn(function(i){if(i!==t){if(i instanceof O)return o.push(i),m(M,i);if(n&&i instanceof te&&!(l.parent()instanceof Fe)&&l.parent()===t)return s.push(i),m(M,i);if(r&&i instanceof De){i.definitions.forEach(function(e){e.name instanceof ne||(a.set(e.name.name,e),++u)});var c=i.to_assignments(e),h=l.parent();if(h instanceof $&&h.init===i){if(null==c){var f=i.definitions[0].name;return m(mt,f,f)}return c}return h instanceof W&&h.init===i?c:c?m(R,i,{body:c}):m(M,i)}if(i instanceof K)return i}});if(t=t.transform(l),u>0){var h=[];if(a.each(function(e,n){t instanceof J&&i(function(t){return t.name==e.name.name},t.args_as_names())?a.del(n):((e=e.clone()).value=null,h.push(e),a.set(n,e))}),h.length>0){for(var f=0;f0&&(u[0].body=a.concat(u[0].body)),e.body=u;n=u[u.length-1];){var p=n.body[n.body.length-1];if(p instanceof he&&t.loopcontrol_target(p)===e&&n.body.pop(),n.body.length||n instanceof ve&&(o||n.expression.has_side_effects(t)))break;u.pop()===o&&(o=null)}if(0==u.length)return m(N,e,{body:a.concat(m(R,e.expression,{body:e.expression}))}).optimize(t);if(1==u.length&&(u[0]===s||u[0]===o)){var d=!1,g=new Nt(function(t){if(d||t instanceof J||t instanceof R)return!0;t instanceof he&&g.loopcontrol_target(t)===e&&(d=!0)});if(e.walk(g),!d){var v,y=u[0].body.slice();return(v=u[0].expression)&&y.unshift(m(R,v,{body:v})),y.unshift(m(R,e.expression,{body:e.expression})),m(N,e,{body:y}).optimize(t)}}return e;function E(e,n){n&&!Ht(n)?n.body=n.body.concat(e.body):vt(t,e,a)}}),e(ye,function(e,t){if(dt(e.body,t),e.bcatch&&e.bfinally&&b(e.bfinally.body,L)&&(e.bfinally=null),t.option("dead_code")&&b(e.body,L)){var n=[];return e.bcatch&&(vt(t,e.bcatch,n),n.forEach(function(e){e instanceof be&&e.definitions.forEach(function(e){var t=e.name.definition().redefined();t&&(e.name=e.name.clone(),e.name.thedef=t)})})),e.bfinally&&(n=n.concat(e.bfinally.body)),m(N,e,{body:n}).optimize(t)}return e}),be.DEFMETHOD("remove_initializers",function(){var e=[];this.definitions.forEach(function(t){t.name instanceof et?(t.value=null,e.push(t)):t.name.walk(new Nt(function(n){n instanceof et&&e.push(m(Se,t,{name:n,value:null}))}))}),this.definitions=e}),be.DEFMETHOD("to_assignments",function(e){var t=e.option("reduce_vars"),n=this.definitions.reduce(function(e,n){if(!n.value||n.name instanceof ne){if(n.value){var r=m(Se,n,{name:n.name,value:n.value}),i=m(De,n,{definitions:[r]});e.push(i)}}else{var o=m(mt,n.name,n.name);e.push(m(Ue,n,{operator:"=",left:o,right:n.value})),t&&(o.definition().fixed=!1)}return(n=n.name.definition()).eliminated++,n.replaced--,e},[]);return 0==n.length?null:y(this,n)}),e(be,function(e,t){return 0==e.definitions.length?m(M,e):e}),e(Ce,function(e,t){return e}),e(ke,function(e,t){var n=e.expression,r=n,i=b(e.args,function(e){return!(e instanceof X)});t.option("reduce_vars")&&r instanceof mt&&Xt(r=r.fixed_value(),t)&&(r=n);var s=r instanceof J;if(t.option("unused")&&i&&s&&!r.uses_arguments&&!r.pinned()){for(var a=0,u=0,c=0,l=e.args.length;c=r.argnames.length;if(h||r.argnames[c].__unused){if(g=e.args[c].drop_side_effect_free(t))e.args[a++]=g;else if(!h){e.args[a++]=m(At,e.args[c],{value:0});continue}}else e.args[a++]=e.args[c];u=a}e.args.length=u}if(t.option("unsafe"))if(He(n))switch(n.name){case"Array":if(1!=e.args.length)return m(Ve,e,{elements:e.args}).optimize(t);break;case"Object":if(0==e.args.length)return m(qe,e,{properties:[]});break;case"String":if(0==e.args.length)return m(Dt,e,{value:""});if(e.args.length<=1)return m(Le,e,{left:e.args[0],operator:"+",right:m(Dt,e,{value:""})}).optimize(t);break;case"Number":if(0==e.args.length)return m(At,e,{value:0});if(1==e.args.length)return m(Ne,e,{expression:e.args[0],operator:"+"}).optimize(t);case"Boolean":if(0==e.args.length)return m(Rt,e);if(1==e.args.length)return m(Ne,e,{expression:m(Ne,e,{expression:e.args[0],operator:"!"}),operator:"!"}).optimize(t);break;case"RegExp":var f=[];if(b(e.args,function(e){var n=e.evaluate(t);return f.unshift(n),e!==n}))try{return Ut(t,e,m(xt,e,{value:RegExp.apply(RegExp,f)}))}catch(n){t.warn("Error converting {expr} [{file}:{line},{col}]",{expr:e.print_to_string(),file:e.start.file,line:e.start.line,col:e.start.col})}}else if(n instanceof Ie)switch(n.property){case"toString":if(0==e.args.length&&!n.expression.may_throw_on_access(t))return m(Le,e,{left:m(Dt,e,{value:""}),operator:"+",right:n.expression}).optimize(t);break;case"join":if(n.expression instanceof Ve)e:{var p;if(!(e.args.length>0&&(p=e.args[0].evaluate(t))===e.args[0])){var d,g,v=[],E=[];for(c=0,l=n.expression.elements.length;c0&&(v.push(m(Dt,e,{value:E.join(p)})),E.length=0),v.push(D))}return E.length>0&&v.push(m(Dt,e,{value:E.join(p)})),0==v.length?m(Dt,e,{value:""}):1==v.length?v[0].is_string(t)?v[0]:m(Le,v[0],{operator:"+",left:m(Dt,e,{value:""}),right:v[0]}):""==p?(d=v[0].is_string(t)||v[1].is_string(t)?v.shift():m(Dt,e,{value:""}),v.reduce(function(e,t){return m(Le,t,{operator:"+",left:e,right:t})},d).optimize(t)):((g=e.clone()).expression=g.expression.clone(),g.expression.expression=g.expression.expression.clone(),g.expression.expression.elements=v,Ut(t,e,g))}}break;case"charAt":if(n.expression.is_string(t)){var A=e.args[0],x=A?A.evaluate(t):0;if(x!==A)return m(Pe,n,{expression:n.expression,property:_(0|x,A||n)}).optimize(t)}break;case"apply":if(2==e.args.length&&e.args[1]instanceof Ve)return(M=e.args[1].elements.slice()).unshift(e.args[0]),m(ke,e,{expression:m(Ie,n,{expression:n.expression,property:"call"}),args:M}).optimize(t);break;case"call":var w=n.expression;if(w instanceof mt&&(w=w.fixed_value()),w instanceof J&&!w.contains_this())return(e.args.length?y(this,[e.args[0],m(ke,e,{expression:n.expression,args:e.args.slice(1)})]):m(ke,e,{expression:n.expression,args:[]})).optimize(t)}if(t.option("unsafe_Function")&&He(n)&&"Function"==n.name){if(0==e.args.length)return m(Q,e,{argnames:[],body:[]}).optimize(t);if(b(e.args,function(e){return e instanceof Dt}))try{var C=En(O="n(function("+e.args.slice(0,-1).map(function(e){return e.value}).join(",")+"){"+e.args[e.args.length-1].value+"})"),F={ie8:t.option("ie8")};C.figure_out_scope(F);var k,B=new Bn(t.options);(C=C.transform(B)).figure_out_scope(F),Cn.reset(),C.compute_char_frequency(F),C.mangle_names(F),C.walk(new Nt(function(e){return!!k||(o(e)?(k=e,!0):void 0)})),k.body instanceof S&&(k.body=[m(ue,k.body,{value:k.body})]);var O=kn();return N.prototype._codegen.call(k,k,O),e.args=[m(Dt,e,{value:k.argnames.map(function(e){return e.print_to_string()}).join(",")}),m(Dt,e.args[e.args.length-1],{value:O.get().replace(/^\{|\}$/g,"")})],e}catch(n){if(!(n instanceof ln))throw n;t.warn("Error parsing code passed to new Function [{file}:{line},{col}]",e.args[e.args.length-1].start),t.warn(n.toString())}}var I=s&&r.body;I instanceof S?I=m(ue,I,{value:I}):I&&(I=I[0]);var P=s&&!r.is_generator&&!r.async,T=t.option("inline")&&!e.is_expr_pure(t);if(T&&I instanceof ue&&P&&(!(z=I.value)||z.is_constant_expression())){z=z?z.clone(!0):m(St,e);var M=e.args.concat(z);return y(e,M).optimize(t)}if(P){var j,z,V,q,W=-1;if(T&&i&&!r.uses_arguments&&!r.pinned()&&!(t.parent()instanceof Ye)&&!(r.name&&r instanceof Q)&&(!(t.find_parent(J)instanceof ee)||0==r.argnames.length&&(r.body instanceof S||1==r.body.length))&&(z=function(e){var n=r.body instanceof S?[r.body]:r.body,i=n.length;if(t.option("inline")<3)return 1==i&&H(e);e=null;for(var o=0;o=0;){var a=o.definitions[s].name;if(a instanceof ne||e[a.name]||ft(a.name)||V.var_names()[a.name])return!1;q&&q.push(a.definition())}}}return!0}(e,i>=3&&n)||!function(e,t){for(var n=0,i=r.argnames.length;n=2&&n)||q&&0!=q.length&&en(r,q))}()&&!(V instanceof Ye))return r._squeezed=!0,y(e,function(){var n=[],i=[];return function(t,n){for(var i=r.argnames.length,o=e.args.length;--o>=i;)n.push(e.args[o]);for(o=i;--o>=0;){var s=r.argnames[o],a=e.args[o];if(s.__unused||!s.name||V.var_names()[s.name])a&&n.push(a);else{var u=m(tt,s,s);s.definition().orig.push(u),!a&&q&&(a=m(St,e)),G(t,n,u,a)}}t.reverse(),n.reverse()}(n,i),function(e,t){for(var n=t.length,i=0,o=r.body.length;i0&&Et(i[o],t);)o--;o0)return(n=this.clone()).right=y(this.right,t.slice(o)),(t=t.slice(0,o)).push(n),y(this,t).optimize(e)}}return this});var Jt=E("== === != !== * & | ^");function Zt(e,t){for(var n,r=0;n=e.parent(r);r++)if(n instanceof J){var i=n.name;if(i&&i.definition()===t)break}return n}function Qt(e,t){return e instanceof mt||e.TYPE===t.TYPE}function en(e,t){var n=!1,i=new Nt(function(e){return!!n||(e instanceof mt&&r(e.definition(),t)?n=!0:void 0)}),o=new Nt(function(t){if(n)return!0;if(t instanceof K&&t!==e){var r=o.parent();if(r instanceof ke&&r.expression===t)return;return t.walk(i),!0}});return e.walk(o),n}e(Le,function(e,t){function n(){return e.left.is_constant()||e.right.is_constant()||!e.left.has_side_effects(t)&&!e.right.has_side_effects(t)}function r(t){if(n()){t&&(e.operator=t);var r=e.left;e.left=e.right,e.right=r}}if(Jt(e.operator)&&e.right.is_constant()&&!e.left.is_constant()&&(e.left instanceof Le&&yn[e.left.operator]>=yn[e.operator]||r()),e=e.lift_sequences(t),t.option("comparisons"))switch(e.operator){case"===":case"!==":(e.left.is_string(t)&&e.right.is_string(t)||e.left.is_number(t)&&e.right.is_number(t)||e.left.is_boolean()&&e.right.is_boolean()||e.left.equivalent_to(e.right))&&(e.operator=e.operator.substr(0,2));case"==":case"!=":if(t.option("typeofs")&&e.left instanceof Dt&&"undefined"==e.left.value&&e.right instanceof Ne&&"typeof"==e.right.operator){var i=e.right.expression;(i instanceof mt?!i.is_declared(t):i instanceof Re&&t.option("ie8"))||(e.right=i,e.left=m(St,e.left).optimize(t),2==e.operator.length&&(e.operator+="="))}else if(e.left instanceof mt&&e.right instanceof mt&&e.left.definition()===e.right.definition()&&((a=e.left.fixed_value())instanceof Ve||a instanceof J||a instanceof qe||a instanceof Ye))return m("="==e.operator[0]?It:Rt,e);break;case"&&":case"||":var o=e.left;if(o.operator==e.operator&&(o=o.right),o instanceof Le&&o.operator==("&&"==e.operator?"!==":"===")&&e.right instanceof Le&&o.operator==e.right.operator&&(Et(o.left,t)&&e.right.left instanceof Ct||o.left instanceof Ct&&Et(e.right.left,t))&&!o.right.has_side_effects(t)&&o.right.equivalent_to(e.right.right)){var s=m(Le,e,{operator:o.operator.slice(0,-1),left:m(Ct,e),right:o.right});return o!==e.left&&(s=m(Le,e,{operator:e.operator,left:e.left.left,right:s})),s}}var a;if("+"==e.operator&&t.in_boolean_context()){var u=e.left.evaluate(t),c=e.right.evaluate(t);if(u&&"string"==typeof u)return t.warn("+ in boolean context always true [{file}:{line},{col}]",e.start),y(e,[e.right,m(It,e)]).optimize(t);if(c&&"string"==typeof c)return t.warn("+ in boolean context always true [{file}:{line},{col}]",e.start),y(e,[e.left,m(It,e)]).optimize(t)}if(t.option("comparisons")&&e.is_boolean()){if(!(t.parent()instanceof Le)||t.parent()instanceof Ue){var l=m(Ne,e,{operator:"!",expression:e.negate(t,x(t))});e=Ut(t,e,l)}if(t.option("unsafe_comps"))switch(e.operator){case"<":r(">");break;case"<=":r(">=")}}if("+"==e.operator){if(e.right instanceof Dt&&""==e.right.getValue()&&e.left.is_string(t))return e.left;if(e.left instanceof Dt&&""==e.left.getValue()&&e.right.is_string(t))return e.right;if(e.left instanceof Le&&"+"==e.left.operator&&e.left.left instanceof Dt&&""==e.left.left.getValue()&&e.right.is_string(t))return e.left=e.left.right,e.transform(t)}if(t.option("evaluate")){switch(e.operator){case"&&":if(!(u=!!e.left.truthy||!e.left.falsy&&e.left.evaluate(t)))return t.warn("Condition left of && always false [{file}:{line},{col}]",e.start),C(t.parent(),t.self(),e.left).optimize(t);if(!(u instanceof S))return t.warn("Condition left of && always true [{file}:{line},{col}]",e.start),y(e,[e.left,e.right]).optimize(t);if(c=e.right.evaluate(t)){if(!(c instanceof S)&&("&&"==(h=t.parent()).operator&&h.left===t.self()||t.in_boolean_context()))return t.warn("Dropping side-effect-free && [{file}:{line},{col}]",e.start),e.left.optimize(t)}else{if(t.in_boolean_context())return t.warn("Boolean && always false [{file}:{line},{col}]",e.start),y(e,[e.left,m(Rt,e)]).optimize(t);e.falsy=!0}if("||"==e.left.operator&&!(f=e.left.right.evaluate(t)))return m(je,e,{condition:e.left.left,consequent:e.right,alternative:e.left.right}).optimize(t);break;case"||":var h,f;if(!(u=!!e.left.truthy||!e.left.falsy&&e.left.evaluate(t)))return t.warn("Condition left of || always false [{file}:{line},{col}]",e.start),y(e,[e.left,e.right]).optimize(t);if(!(u instanceof S))return t.warn("Condition left of || always true [{file}:{line},{col}]",e.start),C(t.parent(),t.self(),e.left).optimize(t);if(c=e.right.evaluate(t)){if(!(c instanceof S)){if(t.in_boolean_context())return t.warn("Boolean || always true [{file}:{line},{col}]",e.start),y(e,[e.left,m(It,e)]).optimize(t);e.truthy=!0}}else if("||"==(h=t.parent()).operator&&h.left===t.self()||t.in_boolean_context())return t.warn("Dropping side-effect-free || [{file}:{line},{col}]",e.start),e.left.optimize(t);if("&&"==e.left.operator&&(f=e.left.right.evaluate(t))&&!(f instanceof S))return m(je,e,{condition:e.left.left,consequent:e.left.right,alternative:e.right}).optimize(t)}var p=!0;switch(e.operator){case"+":if(e.left instanceof bt&&e.right instanceof Le&&"+"==e.right.operator&&e.right.left instanceof bt&&e.right.is_string(t)&&(e=m(Le,e,{operator:"+",left:m(Dt,e.left,{value:""+e.left.getValue()+e.right.left.getValue(),start:e.left.start,end:e.right.left.end}),right:e.right.right})),e.right instanceof bt&&e.left instanceof Le&&"+"==e.left.operator&&e.left.right instanceof bt&&e.left.is_string(t)&&(e=m(Le,e,{operator:"+",left:e.left.left,right:m(Dt,e.right,{value:""+e.left.right.getValue()+e.right.getValue(),start:e.left.right.start,end:e.right.end})})),e.left instanceof Le&&"+"==e.left.operator&&e.left.is_string(t)&&e.left.right instanceof bt&&e.right instanceof Le&&"+"==e.right.operator&&e.right.left instanceof bt&&e.right.is_string(t)&&(e=m(Le,e,{operator:"+",left:m(Le,e.left,{operator:"+",left:e.left.left,right:m(Dt,e.left.right,{value:""+e.left.right.getValue()+e.right.left.getValue(),start:e.left.right.start,end:e.right.left.end})}),right:e.right.right})),e.right instanceof Ne&&"-"==e.right.operator&&e.left.is_number(t)){e=m(Le,e,{operator:"-",left:e.left,right:e.right.expression});break}if(e.left instanceof Ne&&"-"==e.left.operator&&n()&&e.right.is_number(t)){e=m(Le,e,{operator:"-",left:e.right,right:e.left.expression});break}case"*":p=t.option("unsafe_math");case"&":case"|":case"^":if(e.left.is_number(t)&&e.right.is_number(t)&&n()&&!(e.left instanceof Le&&e.left.operator!=e.operator&&yn[e.left.operator]>=yn[e.operator])){var d=m(Le,e,{operator:e.operator,left:e.right,right:e.left});e=e.right instanceof bt&&!(e.left instanceof bt)?Ut(t,d,e):Ut(t,e,d)}p&&e.is_number(t)&&(e.right instanceof Le&&e.right.operator==e.operator&&(e=m(Le,e,{operator:e.operator,left:m(Le,e.left,{operator:e.operator,left:e.left,right:e.right.left,start:e.left.start,end:e.right.left.end}),right:e.right.right})),e.right instanceof bt&&e.left instanceof Le&&e.left.operator==e.operator&&(e.left.left instanceof bt?e=m(Le,e,{operator:e.operator,left:m(Le,e.left,{operator:e.operator,left:e.left.left,right:e.right,start:e.left.left.start,end:e.right.end}),right:e.left.right}):e.left.right instanceof bt&&(e=m(Le,e,{operator:e.operator,left:m(Le,e.left,{operator:e.operator,left:e.left.right,right:e.right,start:e.left.right.start,end:e.right.end}),right:e.left.left}))),e.left instanceof Le&&e.left.operator==e.operator&&e.left.right instanceof bt&&e.right instanceof Le&&e.right.operator==e.operator&&e.right.left instanceof bt&&(e=m(Le,e,{operator:e.operator,left:m(Le,e.left,{operator:e.operator,left:m(Le,e.left.left,{operator:e.operator,left:e.left.right,right:e.right.left,start:e.left.right.start,end:e.right.left.end}),right:e.left.left}),right:e.right.right})))}}if(e.right instanceof Le&&e.right.operator==e.operator&&(wt(e.operator)||"+"==e.operator&&(e.right.left.is_string(t)||e.left.is_string(t)&&e.right.right.is_string(t))))return e.left=m(Le,e.left,{operator:e.operator,left:e.left,right:e.right.left}),e.right=e.right.right,e.transform(t);var g=e.evaluate(t);return g!==e?(g=_(g,e).optimize(t),Ut(t,g,e)):e}),e(gt,function(e,t){return e}),e(mt,function(e,t){if(!t.option("ie8")&&He(e)&&(!e.scope.uses_with||!t.find_parent(G)))switch(e.name){case"undefined":return m(St,e).optimize(t);case"NaN":return m(Ft,e).optimize(t);case"Infinity":return m(Bt,e).optimize(t)}var n=t.parent();if(t.option("reduce_vars")&&Lt(e,n)!==e){var r=e.definition();if(t.top_retain&&r.global&&t.top_retain(r))return r.fixed=!1,r.should_replace=!1,r.single_use=!1,e;var i=e.fixed_value(),s=r.single_use&&!(n instanceof ke&&n.is_expr_pure(t));if(s&&(i instanceof J||i instanceof Ye))if(Xt(i,t))s=!1;else if(r.scope!==e.scope&&(!t.option("reduce_funcs")&&i instanceof J||1==r.escaped||i.inlined||function(e){for(var t,n=0;t=e.parent(n++);){if(t instanceof k)return!1;if(t instanceof Ve||t instanceof $e||t instanceof qe)return!0}return!1}(t)))s=!1;else if(Zt(t,r))s=!1;else if((r.scope!==e.scope||r.orig[0]instanceof ot)&&"f"==(s=i.is_constant_expression(e.scope))){var a=e.scope;do{(a instanceof te||o(a))&&(a.inlined=!0)}while(a=a.parent_scope)}if(s&&i){var u;if(i instanceof Xe&&(i=m(Je,i,i)),i instanceof te&&(i._squeezed=!0,i=m(Q,i,i)),r.recursive_refs>0&&i.name instanceof st){var c=(u=i.clone(!0)).name.definition(),l=u.variables.get(u.name.name),h=l&&l.orig[0];h instanceof ut||((h=m(ut,u.name,u.name)).scope=u,u.name=h,l=u.def_function(h)),u.walk(new Nt(function(e){e instanceof mt&&e.definition()===c&&(e.thedef=l,l.references.push(e))}))}else(u=i.optimize(t))===i&&(u=i.clone(!0));return u}if(i&&void 0===r.should_replace){var f;if(i instanceof _t)r.orig[0]instanceof ot||!b(r.references,function(e){return r.scope===e.scope})||(f=i);else{var p=i.evaluate(t);p===i||!t.option("unsafe_regexp")&&p instanceof RegExp||(f=_(p,i))}if(f){var d,g=f.optimize(t).print_to_string().length;!function(e){var t;return i.walk(new Nt(function(e){if(e instanceof mt&&(t=!0),t)return!0})),t}()?(g=Math.min(g,i.print_to_string().length),d=function(){var e=jt(f.optimize(t),i);return e===f||e===i?e.clone(!0):e}):d=function(){var e=f.optimize(t);return e===f?e.clone(!0):e};var v=r.name.length,y=0;t.option("unused")&&!t.exposed(r)&&(y=(v+2+g)/(r.references.length-r.assignments)),r.should_replace=g<=v+y&&d}else r.should_replace=!1}if(r.should_replace)return r.should_replace()}return e}),e(St,function(e,t){if(t.option("unsafe_undefined")){var n=u(t,"undefined");if(n){var r=m(mt,e,{name:"undefined",scope:n.scope,thedef:n});return r.is_undefined=!0,r}}var i=Lt(t.self(),t.parent());return i&&Qt(i,e)?e:m(Ne,e,{operator:"void",expression:m(At,e,{value:0})})}),e(Bt,function(e,t){var n=Lt(t.self(),t.parent());return n&&Qt(n,e)?e:!t.option("keep_infinity")||n&&!Qt(n,e)||u(t,"Infinity")?m(Le,e,{operator:"/",left:m(At,e,{value:1}),right:m(At,e,{value:0})}):e}),e(Ft,function(e,t){var n=Lt(t.self(),t.parent());return n&&!Qt(n,e)||u(t,"NaN")?m(Le,e,{operator:"/",left:m(At,e,{value:0}),right:m(At,e,{value:0})}):e});var tn=["+","-","/","*","%",">>","<<",">>>","|","^","&"],nn=["*","|","^","&"];function rn(e,t){return e instanceof mt&&(e=e.fixed_value()),!!e&&(!(e instanceof J||e instanceof Ye)||t.parent()instanceof Be||!e.contains_this())}function on(e,t){return t.in_boolean_context()?Ut(t,e,y(e,[e,m(It,e)]).optimize(t)):e}function sn(e,t){if(!t.option("computed_props"))return e;if(!(e.key instanceof bt))return e;if(e.key instanceof Dt||e.key instanceof At){if("constructor"==e.key.value&&t.parent()instanceof Ye)return e;e.key=e instanceof $e?e.key.value:m(at,e.key,{name:e.key.value})}return e}e(Ue,function(e,t){var n;if(t.option("dead_code")&&e.left instanceof mt&&(n=e.left.definition()).scope===t.find_parent(J)){var i,o=0,s=e;do{if(i=s,(s=t.parent(o++))instanceof ae){if(a(o,s))break;if(en(n.scope,[n]))break;return"="==e.operator?e.right:(n.fixed=!1,m(Le,e,{operator:e.operator.slice(0,-1),left:e.left,right:e.right}).optimize(t))}}while(s instanceof Le&&s.right===i||s instanceof Oe&&s.tail_node()===i)}return"="==(e=e.lift_sequences(t)).operator&&e.left instanceof mt&&e.right instanceof Le&&(e.right.left instanceof mt&&e.right.left.name==e.left.name&&r(e.right.operator,tn)?(e.operator=e.right.operator+"=",e.right=e.right.right):e.right.right instanceof mt&&e.right.right.name==e.left.name&&r(e.right.operator,nn)&&!e.right.left.has_side_effects(t)&&(e.operator=e.right.operator+"=",e.right=e.right.left)),e;function a(n,r){var i=e.right;e.right=m(Ct,i);var o=r.may_throw(t);e.right=i;for(var s,a=e.left.definition().scope;(s=t.parent(n++))!==a;)if(s instanceof ye){if(s.bfinally)return!0;if(o&&s.bcatch)return!0}}}),e(ze,function(e,t){if(!t.option("evaluate"))return e;var n=e.right.evaluate(t);return void 0===n?e=e.left:n!==e.right&&(n=_(n,e.right),e.right=jt(n,e.right)),e}),e(je,function(e,t){if(!t.option("conditionals"))return e;if(e.condition instanceof Oe){var n=e.condition.expressions.slice();return e.condition=n.pop(),n.push(e),y(e,n)}var r=e.condition.evaluate(t);if(r!==e.condition)return r?(t.warn("Condition always true [{file}:{line},{col}]",e.start),C(t.parent(),t.self(),e.consequent)):(t.warn("Condition always false [{file}:{line},{col}]",e.start),C(t.parent(),t.self(),e.alternative));var i=r.negate(t,x(t));Ut(t,r,i)===i&&(e=m(je,e,{condition:i,consequent:e.alternative,alternative:e.consequent}));var o,s=e.condition,a=e.consequent,u=e.alternative;if(s instanceof mt&&a instanceof mt&&s.definition()===a.definition())return m(Le,e,{operator:"||",left:s,right:u});if(a instanceof Ue&&u instanceof Ue&&a.operator==u.operator&&a.left.equivalent_to(u.left)&&(!e.condition.has_side_effects(t)||"="==a.operator&&!a.left.has_side_effects(t)))return m(Ue,e,{operator:a.operator,left:a.left,right:m(je,e,{condition:e.condition,consequent:a.right,alternative:u.right})});if(a instanceof ke&&u.TYPE===a.TYPE&&a.args.length>0&&a.args.length==u.args.length&&a.expression.equivalent_to(u.expression)&&!e.condition.has_side_effects(t)&&!a.expression.has_side_effects(t)&&"number"==typeof(o=function(){for(var e=a.args,t=u.args,n=0,r=e.length;n1)&&(f=null)}else if(!f&&!t.option("keep_fargs")&&a=n.argnames.length;)f=m(ot,n,{name:n.make_var_name("argument_"+n.argnames.length),scope:n}),n.argnames.push(f),n.enclosed.push(n.def_variable(f));if(f){var d=m(mt,e,f);return d.reference({}),delete f.__unused,d}}if(Lt(e,t.parent()))return e;if(o!==i){var g=e.flatten_object(s,t);g&&(r=e.expression=g.expression,i=e.property=g.property)}if(t.option("properties")&&t.option("side_effects")&&i instanceof At&&r instanceof Ve){a=i.getValue();var v=r.elements,E=v[a];e:if(rn(E,t)){for(var b=!0,D=[],A=v.length;--A>a;)(x=v[A].drop_side_effect_free(t))&&(D.unshift(x),b&&x.has_side_effects(t)&&(b=!1));if(E instanceof X)break e;for(E=E instanceof kt?m(St,E):E,b||D.unshift(E);--A>=0;){var x;if((x=v[A])instanceof X)break e;(x=x.drop_side_effect_free(t))?D.unshift(x):a--}return b?(D.push(E),y(e,D).optimize(t)):m(Pe,e,{expression:m(Ve,r,{elements:D}),property:m(At,i,{value:a})})}}var w=e.evaluate(t);return w!==e?Ut(t,w=_(w,e).optimize(t),e):e}),J.DEFMETHOD("contains_this",function(){var e,t=this;return t.walk(new Nt(function(n){return!!e||(n instanceof _t?e=!0:n!==t&&n instanceof K&&!(n instanceof ee)||void 0)})),e}),Re.DEFMETHOD("flatten_object",function(e,t){if(t.option("properties")){var n=t.option("unsafe_arrows")&&t.option("ecma")>=6,r=this.expression;if(r instanceof qe)for(var i=r.properties,o=i.length;--o>=0;){var s=i[o];if(""+(s instanceof Ke?s.key.name:s.key)==e){if(!b(i,function(e){return e instanceof $e||n&&e instanceof Ke&&!e.is_generator}))break;if(!rn(s.value,t))break;return m(Pe,this,{expression:m(Ve,r,{elements:i.map(function(e){var t=e.value;t instanceof Z&&(t=m(Q,t,t));var n=e.key;return n instanceof S&&!(n instanceof at)?y(e,[n,t]):t})}),property:m(At,this,{value:o})})}}}}),e(Ie,function(e,t){if("arguments"!=e.property&&"caller"!=e.property||t.warn("Function.protoype.{prop} not supported [{file}:{line},{col}]",{prop:e.property,file:e.start.file,line:e.start.line,col:e.start.col}),Lt(e,t.parent()))return e;if(t.option("unsafe_proto")&&e.expression instanceof Ie&&"prototype"==e.expression.property){var n=e.expression.expression;if(He(n))switch(n.name){case"Array":e.expression=m(Ve,e.expression,{elements:[]});break;case"Function":e.expression=m(Q,e.expression,{argnames:[],body:[]});break;case"Number":e.expression=m(At,e.expression,{value:0});break;case"Object":e.expression=m(qe,e.expression,{properties:[]});break;case"RegExp":e.expression=m(xt,e.expression,{value:/t/});break;case"String":e.expression=m(Dt,e.expression,{value:""})}}var r=e.flatten_object(e.property,t);if(r)return r.optimize(t);var i=e.evaluate(t);return i!==e?Ut(t,i=_(i,e).optimize(t),e):e}),e(Ve,on),e(qe,on),e(xt,on),e(ue,function(e,t){return e.value&&Et(e.value,t)&&(e.value=null),e}),e(ee,function(e,t){if(e.body instanceof S||(e=Kt(e,t)),t.option("arrows")&&1==e.body.length&&e.body[0]instanceof ue){var n=e.body[0].value;e.body=n||[]}return e}),e(Q,function(e,t){if(e=Kt(e,t),t.option("unsafe_arrows")&&t.option("ecma")>=6&&!e.name&&!e.is_generator&&!e.uses_arguments&&!e.pinned()){var n=!1;if(e.walk(new Nt(function(e){return!!n||(e instanceof _t?(n=!0,!0):void 0)})),!n)return m(ee,e,e).optimize(t)}return e}),e(Ye,function(e,t){return e}),e(Tt,function(e,t){return e.expression&&!e.is_star&&Et(e.expression,t)&&(e.expression=null),e}),e(ie,function(e,t){if(!t.option("evaluate")||t.parent()instanceof re)return e;for(var n=[],r=0;r=6&&(!(n instanceof RegExp)||n.test(e.key+""))){var r=e.key,i=e.value;if((i instanceof ee&&Array.isArray(i.body)&&!i.contains_this()||i instanceof Q)&&!i.name)return m(Ke,e,{async:i.async,is_generator:i.is_generator,key:r instanceof S?r:m(at,e,{name:r}),value:m(Z,i,i),quote:e.quote})}return e}),e(ne,function(e,t){if(1==t.option("pure_getters")&&t.option("unused")&&!e.is_array&&Array.isArray(e.names)&&!function(e){for(var t=[/^VarDef$/,/^(Const|Let|Var)$/,/^Export$/],n=0,r=0,i=t.length;n|%)([a-z0-9$_]+)/i.exec(e);if(!t)throw new Error("Can't understand property map: "+e);var n=t[1],r=t[2],i=t[3];switch(a+=",\n"+i+": ",l+=",\n"+n+": ",r){case"@":a+="M."+n+".map(from_moz)",l+="M."+i+".map(to_moz)";break;case">":a+="from_moz(M."+n+")",l+="to_moz(M."+i+")";break;case"=":a+="M."+n,l+="M."+i;break;case"%":a+="from_moz(M."+n+").body",l+="to_moz_block(M)";break;default:throw new Error("Can't understand operator in propmap: "+e)}}),a+="\n})\n}",l+="\n}\n}",a=new Function("U2","my_start_token","my_end_token","from_moz","return("+a+")")(e,i,o,u),l=new Function("to_moz","to_moz_block","to_moz_scope","return("+l+")")(h,p,d),n[t]=a,c(r,l)}n.UpdateExpression=n.UnaryExpression=function(e){return new(("prefix"in e?e.prefix:"UnaryExpression"==e.type)?Ne:Me)({start:i(e),end:o(e),operator:e.operator,expression:u(e.argument)})},n.ClassDeclaration=n.ClassExpression=function(e){return new("ClassDeclaration"===e.type?Xe:Je)({start:i(e),end:o(e),name:u(e.id),extends:u(e.superClass),properties:e.body.body.map(u)})},s("EmptyStatement",M),s("BlockStatement",N,"body@body"),s("IfStatement",pe,"test>condition, consequent>body, alternate>alternative"),s("LabeledStatement",j,"label>label, body>body"),s("BreakStatement",he,"label>label"),s("ContinueStatement",fe,"label>label"),s("WithStatement",G,"object>expression, body>body"),s("SwitchStatement",de,"discriminant>expression, cases@body"),s("ReturnStatement",ue,"argument>value"),s("ThrowStatement",ce,"argument>value"),s("WhileStatement",q,"test>condition, body>body"),s("DoWhileStatement",V,"test>condition, body>body"),s("ForStatement",W,"init>init, test>condition, update>step, body>body"),s("ForInStatement",$,"left>init, right>object, body>body"),s("ForOfStatement",H,"left>init, right>object, body>body, await=await"),s("AwaitExpression",Pt,"argument>expression"),s("YieldExpression",Tt,"argument>expression, delegate=is_star"),s("DebuggerStatement",B),s("VariableDeclarator",Se,"id>name, init>value"),s("CatchClause",_e,"param>argname, body%body"),s("ThisExpression",_t),s("Super",Et),s("BinaryExpression",Le,"operator=operator, left>left, right>right"),s("LogicalExpression",Le,"operator=operator, left>left, right>right"),s("AssignmentExpression",Ue,"operator=operator, left>left, right>right"),s("ConditionalExpression",je,"test>condition, consequent>consequent, alternate>alternative"),s("NewExpression",Be,"callee>expression, arguments@args"),s("CallExpression",ke,"callee>expression, arguments@args"),c(Y,function(e){return d("Program",e)}),c(X,function(e,t){return{type:f()?"RestElement":"SpreadElement",argument:h(e.expression)}}),c(re,function(e){return{type:"TaggedTemplateExpression",tag:h(e.prefix),quasi:h(e.template_string)}}),c(ie,function(e){for(var t=[],n=[],r=0;r1)throw new Error("inline source map only works with singular input");t.sourceMap.content=(n=e[l],void 0,(r=/\n\/\/# sourceMappingURL=data:application\/json(;.*?)?;base64,(.*)/.exec(n))?Pn(r[2]):(S.warn("inline source map not found"),null))}u=t.parse.toplevel}o&&On(u,o),t.wrap&&(u=u.wrap_commonjs(t.wrap)),t.enclose&&(u=u.wrap_enclose(t.enclose)),s&&(s.rename=Date.now()),s&&(s.compress=Date.now()),t.compress&&(u=new Bn(t.compress).compress(u)),s&&(s.scope=Date.now()),t.mangle&&u.figure_out_scope(t.mangle),s&&(s.mangle=Date.now()),t.mangle&&(Cn.reset(),u.compute_char_frequency(t.mangle),u.mangle_names(t.mangle)),s&&(s.properties=Date.now()),t.mangle&&t.mangle.properties&&(u=In(u,t.mangle.properties)),s&&(s.output=Date.now());var h={};if(t.output.ast&&(h.ast=u),!A(t.output,"code")||t.output.code){if(t.sourceMap&&("string"==typeof t.sourceMap.content&&(t.sourceMap.content=JSON.parse(t.sourceMap.content)),t.output.source_map=function(e){e=a(e,{file:null,root:null,orig:null,orig_line_diff:0,dest_line_diff:0});var t=new jv.SourceMapGenerator({file:e.file,sourceRoot:e.root}),n=e.orig&&new jv.SourceMapConsumer(e.orig);return n&&Array.isArray(e.orig.sources)&&n._sources.toArray().forEach(function(e){var r=n.sourceContentFor(e,!0);r&&t.setSourceContent(e,r)}),{add:function(r,i,o,s,a,u){if(n){var c=n.originalPositionFor({line:s,column:a});if(null===c.source)return;r=c.source,s=c.line,a=c.column,u=c.name||u}t.addMapping({generated:{line:i+e.dest_line_diff,column:o},original:{line:s+e.orig_line_diff,column:a},source:r,name:u})},get:function(){return t},toString:function(){return JSON.stringify(t.toJSON())}}}({file:t.sourceMap.filename,orig:t.sourceMap.content,root:t.sourceMap.root}),t.sourceMap.includeSources)){if(e instanceof Y)throw new Error("original source content unavailable");for(var l in e)A(e,l)&&t.output.source_map.get().setSourceContent(l,e[l])}delete t.output.ast,delete t.output.code;var f=kn(t.output);u.print(f),h.code=f.get(),t.sourceMap&&(h.map=t.output.source_map.toString(),"inline"==t.sourceMap.url?h.code+="\n//# sourceMappingURL=data:application/json;charset=utf-8;base64,"+Tn(h.map):t.sourceMap.url&&(h.code+="\n//# sourceMappingURL="+t.sourceMap.url))}return t.nameCache&&t.mangle&&(t.mangle.cache&&(t.nameCache.vars=Ln(t.mangle.cache)),t.mangle.properties&&t.mangle.properties.cache&&(t.nameCache.props=Ln(t.mangle.properties.cache))),s&&(s.end=Date.now(),h.timings={parse:.001*(s.rename-s.parse),rename:.001*(s.compress-s.rename),compress:.001*(s.scope-s.compress),scope:.001*(s.mangle-s.scope),mangle:.001*(s.properties-s.mangle),properties:.001*(s.output-s.properties),output:.001*(s.end-s.output),total:.001*(s.end-s.start)}),c.length&&(h.warnings=c),h}catch(e){return{error:e}}finally{S.warn_function=i}},e.parse=En,e.push_uniq=m,e.OutputStream=kn,e.TreeTransformer=bn,e.TreeWalker=Nt,e.string_template=g,e.Compressor=Bn,e.defaults=a,e.base54=Cn,e.mangle_properties=In,e.reserve_quoted_keys=On,e.to_ascii=Pn}(e.exports)});const{codeFrameColumns:zv}=av,{minify:Vv}=Uv,qv=(e,t)=>{const n=Vv(e,t);if(n.error)throw n.error;return n},Wv=(e,t)=>new Promise(n=>n(qv(e,t)));var $v,Hv,Gv={minify:qv,plugin:function(e={}){if(null!=e.sourceMap)throw Error("sourceMap option is removed, use sourcemap instead");const t=Object.assign({},e,{sourceMap:!1!==e.sourcemap});return delete t.sourcemap,{name:"terser sync",renderChunk:e=>Wv(e,t).catch(t=>{const{message:n,line:r,col:i}=t;throw console.error(zv(e,{start:{line:r,column:i}},{message:n})),t})}}},Kv=ry(i.fetch)&&ry(i.ReadableStream);function Yv(e){Hv||(Hv=new i.XMLHttpRequest).open("GET",i.location.host?"/":"https://example.com");try{return Hv.responseType=e,Hv.responseType===e}catch(e){return!1}}var Xv=void 0!==i.ArrayBuffer,Jv=Xv&&ry(i.ArrayBuffer.prototype.slice),Zv=Xv&&Yv("arraybuffer"),Qv=!Kv&&Jv&&Yv("ms-stream"),ey=!Kv&&Xv&&Yv("moz-chunked-arraybuffer"),ty=ry(Hv.overrideMimeType),ny=ry(i.VBArray);function ry(e){return"function"==typeof e}Hv=null;var iy=3,oy=4;function sy(e,t,n){var r,i=this;if(ln.call(i),i._mode=n,i.headers={},i.rawHeaders=[],i.trailers={},i.rawTrailers=[],i.on("end",function(){me(function(){i.emit("close")})}),"fetch"===n){i._fetchResponse=t,i.url=t.url,i.statusCode=t.status,i.statusMessage=t.statusText;for(var o,s,a=t.headers[Symbol.iterator]();o=(s=a.next()).value,!s.done;)i.headers[o[0].toLowerCase()]=o[1],i.rawHeaders.push(o[0],o[1]);var u=t.body.getReader();(r=function(){u.read().then(function(e){i._destroyed||(e.done?i.push(null):(i.push(new _(e.value)),r()))})})()}else{if(i._xhr=e,i._pos=0,i.url=e.responseURL,i.statusCode=e.status,i.statusMessage=e.statusText,e.getAllResponseHeaders().split(/\r?\n/).forEach(function(e){var t=e.match(/^([^:]+):\s*(.*)/);if(t){var n=t[1].toLowerCase();"set-cookie"===n?(void 0===i.headers[n]&&(i.headers[n]=[]),i.headers[n].push(t[2])):void 0!==i.headers[n]?i.headers[n]+=", "+t[2]:i.headers[n]=t[2],i.rawHeaders.push(t[1],t[2])}}),i._charset="x-user-defined",!ty){var c=i.rawHeaders["mime-type"];if(c){var l=c.match(/;\s*charset=([^;])(;|$)/);l&&(i._charset=l[1].toLowerCase())}i._charset||(i._charset="utf-8")}}}function ay(e){var t,n=this;Fn.call(n),n._opts=e,n._body=[],n._headers={},e.auth&&n.setHeader("Authorization","Basic "+new _(e.auth).toString("base64")),Object.keys(e.headers).forEach(function(t){n.setHeader(t,e.headers[t])});var r=!0;if("disable-fetch"===e.mode)r=!1,t=!0;else if("prefer-streaming"===e.mode)t=!1;else if("allow-wrong-content-type"===e.mode)t=!ty;else{if(e.mode&&"default"!==e.mode&&"prefer-fast"!==e.mode)throw new Error("Invalid value for opts.mode");t=!0}n._mode=function(e,t){return Kv&&t?"fetch":ey?"moz-chunked-arraybuffer":Qv?"ms-stream":Zv&&e?"arraybuffer":ny&&e?"text:vbarray":"text"}(t,r),n.on("finish",function(){n._onFinish()})}je(sy,ln),sy.prototype._read=function(){},sy.prototype._onXHRProgress=function(){var e=this,t=e._xhr,n=null;switch(e._mode){case"text:vbarray":if(t.readyState!==oy)break;try{n=new i.VBArray(t.responseBody).toArray()}catch(e){}if(null!==n){e.push(new _(n));break}case"text":try{n=t.responseText}catch(t){e._mode="text:vbarray";break}if(n.length>e._pos){var r=n.substr(e._pos);if("x-user-defined"===e._charset){for(var o=new _(r.length),s=0;se._pos&&(e.push(new _(new Uint8Array(a.result.slice(e._pos)))),e._pos=a.result.byteLength)},a.onload=function(){e.push(null)},a.readAsArrayBuffer(n)}e._xhr.readyState===oy&&"ms-stream"!==e._mode&&e.push(null)},je(ay,Fn);var uy=["accept-charset","accept-encoding","access-control-request-headers","access-control-request-method","connection","content-length","cookie","cookie2","date","dnt","expect","host","keep-alive","origin","referer","te","trailer","transfer-encoding","upgrade","user-agent","via"];function cy(e,t){"string"==typeof e&&(e=Pr(e));var n=-1===i.location.protocol.search(/^https?:$/)?"http:":"",r=e.protocol||n,o=e.hostname||e.host,s=e.port,a=e.path||"/";o&&-1!==o.indexOf(":")&&(o="["+o+"]"),e.url=(o?r+"//"+o:"")+(s?":"+s:"")+a,e.method=(e.method||"GET").toUpperCase(),e.headers=e.headers||{};var u=new ay(e);return t&&u.on("response",t),u}function ly(){}ay.prototype.setHeader=function(e,t){var n=e.toLowerCase();-1===uy.indexOf(n)&&(this._headers[n]={name:e,value:t})},ay.prototype.getHeader=function(e){return this._headers[e.toLowerCase()].value},ay.prototype.removeHeader=function(e){delete this._headers[e.toLowerCase()]},ay.prototype._onFinish=function(){var e=this;if(!e._destroyed){var t,n=e._opts,r=e._headers;if("POST"!==n.method&&"PUT"!==n.method&&"PATCH"!==n.method||(t=function(){if(void 0!==$v)return $v;try{new i.Blob([new ArrayBuffer(1)]),$v=!0}catch(e){$v=!1}return $v}()?new i.Blob(e._body.map(function(e){return function(e){if(e instanceof Uint8Array){if(0===e.byteOffset&&e.byteLength===e.buffer.byteLength)return e.buffer;if("function"==typeof e.buffer.slice)return e.buffer.slice(e.byteOffset,e.byteOffset+e.byteLength)}if(te(e)){for(var t=new Uint8Array(e.length),n=e.length,r=0;r{const n=t.externals&&t.externals.getURL;return n?n(e):(e=>new Promise((t,n)=>hy.get(e,r=>{const{statusCode:i}=r;let o;if(200!==i&&(o=new Error(`Getting ${e}\nStatus Code: ${i}`)),o)return r.resume(),void n(o);let s="";r.setEncoding("utf8"),r.on("data",e=>{s+=e}),r.on("error",e=>n(e)),r.on("end",()=>t(s))})))(e)};var py={httpGET:fy,fetchEspruinoBoardJSON:(e,t)=>{const n=t.job.BOARD_JSON_URL||"http://www.espruino.com/json";return fy(`${n}/${e}.json`,t)},fetchEspruinoModule:(e,t)=>{const n=t.externals&&t.externals.getModule;if(n)return n(e);const r=t.job.MODULE_URL||"https://www.espruino.com/modules",i=t.job.MODULE_EXTENSIONS.split("|").filter(e=>!(!1===t.minifyModules&&e.match("min.js"))),o=n=>{const i=n.shift();return fy(`${r}/${e}${i}`,t).catch(e=>{if(n.length)return o(n);throw e})};return o(i)}};var dy=function(e){const t={name:"github-modules",buildStart(){t._resolves={}},resolveId(n,r){if(void 0===r||n===r||"\0"===n.charAt(0))return null;var i=n&&n.match(/^https?:\/\/github.com\/([^\/]+)\/([^\/]+)\/blob\/([^\/]+)\/(.*)$/);if(!i)return null;var o=i[1],s=i[2],a=i[3],u=i[4],c="https://raw.githubusercontent.com/"+o+"/"+s+"/"+a+"/"+u;return n="github_"+(n=o+"/"+s+"/"+a+"/"+u).replace(/\//g,"-"),t._resolves[n]=t._resolves[n]||new Promise((t,r)=>{const i=Jt.resolve("./modules",n);zr.stat(i,function(n,o){n?(console.log(`[github] fetching ${c}...`),py.httpGET(c,e).then(e=>{console.log(`[github] ...resolved ${c}`),zr.writeFile(i,e,"utf8",e=>{if(e)throw e;t(i)})}).catch(e=>r(e))):t(i)})})}};return t};var my=function(e){const t={name:"espruino-modules",options:function(n){t._opts=n,t._opts._input=Jt.resolve(n.input),e.job=n.job||{MODULE_URL:"https://www.espruino.com/modules",BOARD_JSON_URL:"https://www.espruino.com/json",MODULE_EXTENSIONS:".min.js|.js",MODULE_AS_FUNCTION:!0,MODULE_PROXY_ENABLED:!1,MODULE_PROXY_URL:"",MODULE_PROXY_PORT:""},void 0===e.mergeModules&&(e.mergeModules=!!e.job.MODULE_MERGE),void 0===e.minify&&(e.minify=!!e.job.MINIFICATION_LEVEL),void 0===e.minifyModules&&(e.minifyModules=!!e.job.MODULE_MINIFICATION_LEVEL),e.version;let r=e.board;if(!r)try{const e=JSON.parse(zr.readFileSync("package.json","utf8"));r=e.espruino&&e.espruino.board}catch(e){}"object"!=typeof r?(console.log("board: ",r),t._opts._boardJSON=new Promise((t,n)=>{const i=Jt.resolve("./modules",".board_"+r+".json");zr.stat(i,function(o,s){if(o)py.fetchEspruinoBoardJSON(r,e).then(e=>{zr.writeFile(i,e,"utf8",n=>{if(n)throw n;t(e)})}).catch(e=>n(e));else{const e=zr.readFileSync(i,"utf8");t(e)}})}).then(e=>JSON.parse(e))):t._opts._boardJSON=new Promise(e=>e(r))},isEntryId:e=>e===t._opts._input,addModule(n,r,i){const o=t._resolves[r];return o||(t._resolves[r]=i().then(()=>e.mergeModules?r:(t._modules.push({id:n,filename:r}),!1)))},stringifyCachedModules:e=>t._modules.map(function({id:t,filename:n}){let r=zr.readFileSync(n,"utf8");return t.endsWith(".json")&&(r=`module.exports=${JSON.stringify(JSON.parse(r))};`),`Modules.addCached('${t}',function() {${e}${r}${e}})`}).join("\n")+(t._modules.length?"\n":""),buildStart(){t._modules=[],t._resolves={}},resolveId:(n,r)=>void 0===r||n===r||"\0"===n[0]?null:Jt.isAbsolute(n)||"."===n[0]?null:t._opts._boardJSON.then(r=>{if(r.info.builtin_modules.indexOf(n)>=0)return!1;const i=Jt.resolve("./modules",n+".js");return t.addModule(n,i,()=>new Promise((t,r)=>{zr.stat(i,function(o,s){o?(console.log(`fetching ${n}...`),py.fetchEspruinoModule(n,e).then(e=>{console.log("...resolved",n),zr.writeFile(i,e,"utf8",e=>{if(e)throw e;t(i)})}).catch(e=>r(e))):t(i)})}))}),transform:(e,n)=>(t.isEntryId(n)&&(e+="\n;ESPRUINO__ROLLUP_MAIN(() => onInit())"),e),generateBundle(n,r,i){const o=!1===e.minifyModules?"\n":"";Object.entries(r).forEach(([n,r])=>{r.code=r.code.replace(/(,?)\s*ESPRUINO__ROLLUP_MAIN\(\s*\(\)\s*=>\s*onInit\(\)\s*\)\s*([;,]?)/m,(e,t,n)=>t&&n?n:""),r.code=t.stringifyCachedModules(o)+(e.minify?r.code.trim():o+r.code)})}};return t};const gy={output:{format:"cjs",exports:null,freeze:!1,interop:!1,strict:!1}},vy={toplevel:!0,mangle:{reserved:["onInit"]},compress:{unused:!0,dead_code:!0,passes:3,inline:0,top_retain:["onInit"],keep_fnames:!0,reduce_funcs:!1,ecma:5,global_defs:{DEBUG:!1}}},yy=e=>{const t={...vy,...e};return"object"==typeof e.mangle&&(t.mangle={...vy.mangle,...e.mangle}),"object"==typeof e.compress&&(t.compress={...vy.compress,...e.compress}),t};var _y={espruinoModules:my,buildRollupConfig:e=>{const t={...gy,...e};return t.output={...gy.output,...e.output},t.espruino=t.espruino||{},t.plugins=(e=>[dy(e.espruino),my(e.espruino),Rg(),Og(),!1===e.espruino.minify?{requireId:()=>null}:Gv.plugin(yy(e.espruino.minify))])(t),delete t.espruino,t},buildMinifyConfig:yy,minify:Gv.minify};const{writeFileSync:Ey,vol:by}=zr;var Dy={bundle:function(e){const t={...e};if(void 0!==by&&(by.fromJSON({"/modules":null}),t.modules)){try{t.modules.forEach(([e,t])=>Ey(e,t))}catch(e){console.error("Write file failed:",e)}delete t.modules}const n=[];t.onwarn=(t=>(n.push(t),e.onwarn&&e.onwarn(t)));const r=_y.buildRollupConfig(t);return Dp.rollup(r).then(e=>e.generate(r.output).then(e=>(e.warnings=n,e)))},minify:function(e,t){return new Promise((n,r)=>{try{const i=_y.buildMinifyConfig(t);n(_y.minify(e,i))}catch(e){r(e)}})}},Ay=Dy.bundle,xy=Dy.minify;e.default=Dy,e.bundle=Ay,e.minify=xy,Object.defineProperty(e,"__esModule",{value:!0})}); diff --git a/libs/rollup/espruino-rollup.js b/libs/rollup/espruino-rollup.js new file mode 100644 index 0000000..291712d --- /dev/null +++ b/libs/rollup/espruino-rollup.js @@ -0,0 +1,49 @@ +const { writeFileSync, vol } = require('fs'); +const rollup = require('rollup'); +const espruinoModules = require('rollup-plugin-espruino-modules'); + +function bundle(options) { + const opts = { ...options }; + + if (typeof vol !== 'undefined') { // only in browser (fs = memfs) + vol.fromJSON({'/modules': null}); + + if (opts.modules) { + try { + opts.modules.forEach(([name, code]) => writeFileSync(name, code)); + } catch (err) { + console.error('Write file failed:', err); + } + delete opts.modules; + } + } + + const warnings = []; + opts.onwarn = warning => (warnings.push( warning ), (options.onwarn && options.onwarn(warning))); + + const config = espruinoModules.buildRollupConfig(opts); + + return rollup.rollup(config).then(bundle => + bundle.generate(config.output).then(generated => { + generated.warnings = warnings; + return generated; + }) + ); +} + +function minify(code, options) { + return new Promise((resolve, reject) => { + try { + const minifyOptions = espruinoModules.buildMinifyConfig(options) + const generated = espruinoModules.minify(code, minifyOptions); + resolve(generated); + } catch(e) { + reject(e); + } + }); +} + +module.exports = { + bundle, + minify +} diff --git a/libs/rollup/index.js b/libs/rollup/index.js new file mode 100644 index 0000000..f47f8ec --- /dev/null +++ b/libs/rollup/index.js @@ -0,0 +1,98 @@ +(function (root, factory) { + 'use strict'; + + if (typeof define === 'function' && define.amd) { + define(['exports'], factory); + } else if (typeof exports !== 'undefined') { + factory(exports); + } else { + factory((root.rollupTools = {})); + } +}(this, function(exports) { + +// ========================================================= + +function loadModulesRollup(code) { + var board = Espruino.Core.Env.getBoardData(); + var env = Espruino.Core.Env.getData(); + var modules = []; + + var entryFilename = env.FILE; + + // the env.FILE is only present in the espruino-cli + if (!entryFilename) { + // the 'modules' contents is written the filesystem in the espruinoRollup() + // for in-browser setup with filesystem simulation + entryFilename = 'main.js'; + modules.push([entryFilename, code]); + } + + var job = Espruino.Config; + var minify = job.MINIFICATION_LEVEL === 'TERSER'; + var minifyModules = job.MODULE_MINIFICATION_LEVEL === 'TERSER'; + + return espruinoRollup.bundle({ + modules, + input: entryFilename, + output: { + format: 'cjs' + }, + espruino: { + job, + + externals: { + // for proxy and offline support + getURL: url => new Promise((resolve, reject) => { + Espruino.Core.Utils.getURL(url, data => data!==undefined ? resolve(data) : reject(null)); + }), + // for project sandbox chrome app + getModule: moduleName => new Promise((resolve, reject) => { + Espruino.callProcessor("getModule", + { moduleName, moduleCode:undefined, isMinified:false }, + data => data.moduleCode!==undefined ? resolve(data.moduleCode) : reject(null)); + }) + }, + + board: board.BOARD ? board : env, + mergeModules: job.MODULE_MERGE, + minify: minify ? buildEspruinoMinifyOptions() : false, + minifyModules + } + }); +} + +function buildEspruinoMinifyOptions() { + var job = Espruino.Config; + + var options = {}; + if (job.MINIFICATION_Mangle === false) { + options.mangle = false; + } + if (job.MINIFICATION_Unused === false) { + options.compress = options.compress || {}; + options.compress.unused = false; + } + if (job.MINIFICATION_DeadCode === false) { + options.compress = options.compress || {}; + options.compress.dead_code = false; + } + if (job.MINIFICATION_Unreachable === false) { + options.compress = options.compress || {}; + options.compress.dead_code = false; // in Terser dead_code ~ unreachable + } + if (job.MINIFICATION_Literal === false) { + options.compress = options.compress || {}; + options.compress.reduce_vars = false; + } + + return options; +} + +function minifyCodeTerser(code) { + return espruinoRollup.minify(code, buildEspruinoMinifyOptions()); +} + +exports.loadModulesRollup = loadModulesRollup +exports.minifyCodeTerser = minifyCodeTerser; + +})); diff --git a/libs/rollup/package.json b/libs/rollup/package.json new file mode 100644 index 0000000..bb7c8e3 --- /dev/null +++ b/libs/rollup/package.json @@ -0,0 +1,26 @@ +{ + "name": "espruino-rollup", + "version": "0.1.0", + "description": "Espruino rollup bundling pipeline", + "main": "espruino-rollup.js", + "scripts": { + "build": "rollup -c" + }, + "keywords": [], + "author": "Standa Opichal", + "license": "MIT", + "dependencies": { + "memfs": "=2.12.1", + "rollup": "^0.67.4", + "rollup-plugin-espruino-modules": "opichals/rollup-plugin-espruino-modules" + }, + "devDependencies": { + "rollup-plugin-alias": "^1.4.0", + "rollup-plugin-commonjs": "^9.1.8", + "rollup-plugin-json": "^3.1.0", + "rollup-plugin-node-builtins": "^2.1.2", + "rollup-plugin-node-globals": "^1.4.0", + "rollup-plugin-node-resolve": "^3.4.0", + "rollup-plugin-terser": "^3.0.0" + } +} diff --git a/libs/rollup/rollup.config.js b/libs/rollup/rollup.config.js new file mode 100644 index 0000000..9421a37 --- /dev/null +++ b/libs/rollup/rollup.config.js @@ -0,0 +1,61 @@ +import json from 'rollup-plugin-json'; +import alias from 'rollup-plugin-alias'; +import resolve from 'rollup-plugin-node-resolve'; +import builtins from 'rollup-plugin-node-builtins'; +import globals from 'rollup-plugin-node-globals'; +import commonjs from 'rollup-plugin-commonjs'; +import { terser } from 'rollup-plugin-terser'; + +const buildPlugins = opts => [ + json(), + resolve({ + preferBuiltins: true, + ...opts.resolve + }), + commonjs({ + namedExports: { + 'node_modules/resolve/index.js': [ 'sync' ], + 'node_modules/async/dist/async.js': [ 'eachSeries' ], + ...opts.commonjs.namedExports + } + }), + ]; + +const config = { + input : 'espruino-rollup.js', + output : { + file: 'espruino-rollup.browser.js', + name: 'espruinoRollup', + format: 'umd', + }, + plugins: [ + alias({ + fs: require.resolve('memfs'), + debug: require.resolve('./debug-shim') + }), + ...buildPlugins({ + resolve: { + browser: true, + }, + commonjs: { + namedExports: { + 'node_modules/memfs/lib/index.js': [ + 'statSync', 'lstatSync', 'realpathSync', + 'mkdirSync', 'readdirSync', + 'readFileSync', + 'writeFile', 'writeFileSync', + 'watch', + ] + } + } + }), + builtins(), + globals({ + dirname: false + }), + terser(), + ] +}; + +// console.log( config ); +export default config; diff --git a/package.json b/package.json index 4b7f700..6bf5c76 100644 --- a/package.json +++ b/package.json @@ -7,7 +7,7 @@ "espruino": "./bin/espruino-cli.js" }, "scripts": { - "test": "echo \"Error: no test specified\" && exit 1" + "build": "cd libs/rollup && npm install && npm run build" }, "repository": { "type": "git", @@ -19,6 +19,8 @@ "escodegen": "", "esmangle": "", "esprima": "", + "rollup": "^0.66.2", + "rollup-plugin-espruino-modules": "opichals/rollup-plugin-espruino-modules", "request": "^2.74.0", "tar.gz": "^1.0.7", "utf8": "^2.1.2" diff --git a/plugins/minify.js b/plugins/minify.js index 41094d2..fc3a6a1 100644 --- a/plugins/minify.js +++ b/plugins/minify.js @@ -29,6 +29,7 @@ name : "Minification", description : "Automatically minify code from the Editor window?", type : { "":"No Minification", + "TERSER":"Terser (uglify-es)", "ESPRIMA":"Esprima (offline)", "WHITESPACE_ONLY":"Closure (online) - Whitespace Only", "SIMPLE_OPTIMIZATIONS":"Closure (online) - Simple Optimizations", @@ -40,6 +41,7 @@ name : "Module Minification", description : "Automatically minify modules? Only modules with a .js extension will be minified - if a file with a .min.js extension exists then it will be used instead.", type : { "":"No Minification", + "TERSER":"Terser (uglify-es)", "ESPRIMA":"Esprima (offline)", "WHITESPACE_ONLY":"Closure (online) - Whitespace Only", "SIMPLE_OPTIMIZATIONS":"Closure (online) - Simple Optimizations", @@ -47,6 +49,20 @@ defaultValue : "ESPRIMA" }); + Espruino.Core.Config.add("ROLLUP",{ + section : "Rollup", + name : "Use Rollup", + description : "Uses rollup.js along with rollup-plugin-espruino-modules for bundling", + type : "boolean", + defaultValue : false + }); + Espruino.Core.Config.add("MODULE_MERGE",{ + section : "Rollup", + name : "Unwrap modules using rollup.js", + description : "Uses rollup.js wihout the Modules.addCache", + type : "boolean", + defaultValue : true + }); Espruino.Core.Config.add("MINIFICATION_Mangle",{ section : "Minification", @@ -246,7 +262,29 @@ } } + function minifyCodeTerser(code, callback, description){ + rollupTools.minifyCodeTerser(code) + .then(generated => { + var minified = generated.code; + + // FIXME: needs warnings? + Espruino.Core.Notifications.info('Terser no errors'+description+'. Minifying ' + code.length + ' bytes to ' + minified.length + ' bytes'); + callback(minified); + }) + .catch(err => { + Espruino.Core.Notifications.warning("Terser errors"+description+" - sending unminified code."); + Espruino.Core.Notifications.error(String(err).trim()); + callback(code); + }); + } + + function minify(code, callback, level, isModule, description) { + if (Espruino.Config.ROLLUP) { + // already minified by the ROLLUP pipeline + return callback(code); + } + var minifyCode = code; var minifyCallback = callback; if (isModule) { @@ -265,6 +303,7 @@ case "SIMPLE_OPTIMIZATIONS": case "ADVANCED_OPTIMIZATIONS": minifyCodeGoogle(code, callback, level, description); break; case "ESPRIMA": minifyCodeEsprima(code, callback, description); break; + case "TERSER": minifyCodeTerser(code, callback, description); break; default: callback(code); break; } }