// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3.0 /** * Copyright (c) 2014-present, Facebook, Inc. * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ var runtime = (function (exports) { "use strict"; var Op = Object.prototype; var hasOwn = Op.hasOwnProperty; var undefined; // More compressible than void 0. var $Symbol = typeof Symbol === "function" ? Symbol : {}; var iteratorSymbol = $Symbol.iterator || "@@iterator"; var asyncIteratorSymbol = $Symbol.asyncIterator || "@@asyncIterator"; var toStringTagSymbol = $Symbol.toStringTag || "@@toStringTag"; function define(obj, key, value) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); return obj[key]; } try { // IE 8 has a broken Object.defineProperty that only works on DOM objects. define({}, ""); } catch (err) { define = function(obj, key, value) { return obj[key] = value; }; } function wrap(innerFn, outerFn, self, tryLocsList) { // If outerFn provided and outerFn.prototype is a Generator, then outerFn.prototype instanceof Generator. var protoGenerator = outerFn && outerFn.prototype instanceof Generator ? outerFn : Generator; var generator = Object.create(protoGenerator.prototype); var context = new Context(tryLocsList || []); // The ._invoke method unifies the implementations of the .next, // .throw, and .return methods. generator._invoke = makeInvokeMethod(innerFn, self, context); return generator; } exports.wrap = wrap; // Try/catch helper to minimize deoptimizations. Returns a completion // record like context.tryEntries[i].completion. This interface could // have been (and was previously) designed to take a closure to be // invoked without arguments, but in all the cases we care about we // already have an existing method we want to call, so there's no need // to create a new function object. We can even get away with assuming // the method takes exactly one argument, since that happens to be true // in every case, so we don't have to touch the arguments object. The // only additional allocation required is the completion record, which // has a stable shape and so hopefully should be cheap to allocate. function tryCatch(fn, obj, arg) { try { return { type: "normal", arg: fn.call(obj, arg) }; } catch (err) { return { type: "throw", arg: err }; } } var GenStateSuspendedStart = "suspendedStart"; var GenStateSuspendedYield = "suspendedYield"; var GenStateExecuting = "executing"; var GenStateCompleted = "completed"; // Returning this object from the innerFn has the same effect as // breaking out of the dispatch switch statement. var ContinueSentinel = {}; // Dummy constructor functions that we use as the .constructor and // .constructor.prototype properties for functions that return Generator // objects. For full spec compliance, you may wish to configure your // minifier not to mangle the names of these two functions. function Generator() {} function GeneratorFunction() {} function GeneratorFunctionPrototype() {} // This is a polyfill for %IteratorPrototype% for environments that // don't natively support it. var IteratorPrototype = {}; define(IteratorPrototype, iteratorSymbol, function () { return this; }); var getProto = Object.getPrototypeOf; var NativeIteratorPrototype = getProto && getProto(getProto(values([]))); if (NativeIteratorPrototype && NativeIteratorPrototype !== Op && hasOwn.call(NativeIteratorPrototype, iteratorSymbol)) { // This environment has a native %IteratorPrototype%; use it instead // of the polyfill. IteratorPrototype = NativeIteratorPrototype; } var Gp = GeneratorFunctionPrototype.prototype = Generator.prototype = Object.create(IteratorPrototype); GeneratorFunction.prototype = GeneratorFunctionPrototype; define(Gp, "constructor", GeneratorFunctionPrototype); define(GeneratorFunctionPrototype, "constructor", GeneratorFunction); GeneratorFunction.displayName = define( GeneratorFunctionPrototype, toStringTagSymbol, "GeneratorFunction" ); // Helper for defining the .next, .throw, and .return methods of the // Iterator interface in terms of a single ._invoke method. function defineIteratorMethods(prototype) { ["next", "throw", "return"].forEach(function(method) { define(prototype, method, function(arg) { return this._invoke(method, arg); }); }); } exports.isGeneratorFunction = function(genFun) { var ctor = typeof genFun === "function" && genFun.constructor; return ctor ? ctor === GeneratorFunction || // For the native GeneratorFunction constructor, the best we can // do is to check its .name property. (ctor.displayName || ctor.name) === "GeneratorFunction" : false; }; exports.mark = function(genFun) { if (Object.setPrototypeOf) { Object.setPrototypeOf(genFun, GeneratorFunctionPrototype); } else { genFun.__proto__ = GeneratorFunctionPrototype; define(genFun, toStringTagSymbol, "GeneratorFunction"); } genFun.prototype = Object.create(Gp); return genFun; }; // Within the body of any async function, `await x` is transformed to // `yield regeneratorRuntime.awrap(x)`, so that the runtime can test // `hasOwn.call(value, "__await")` to determine if the yielded value is // meant to be awaited. exports.awrap = function(arg) { return { __await: arg }; }; function AsyncIterator(generator, PromiseImpl) { function invoke(method, arg, resolve, reject) { var record = tryCatch(generator[method], generator, arg); if (record.type === "throw") { reject(record.arg); } else { var result = record.arg; var value = result.value; if (value && typeof value === "object" && hasOwn.call(value, "__await")) { return PromiseImpl.resolve(value.__await).then(function(value) { invoke("next", value, resolve, reject); }, function(err) { invoke("throw", err, resolve, reject); }); } return PromiseImpl.resolve(value).then(function(unwrapped) { // When a yielded Promise is resolved, its final value becomes // the .value of the Promise<{value,done}> result for the // current iteration. result.value = unwrapped; resolve(result); }, function(error) { // If a rejected Promise was yielded, throw the rejection back // into the async generator function so it can be handled there. return invoke("throw", error, resolve, reject); }); } } var previousPromise; function enqueue(method, arg) { function callInvokeWithMethodAndArg() { return new PromiseImpl(function(resolve, reject) { invoke(method, arg, resolve, reject); }); } return previousPromise = // If enqueue has been called before, then we want to wait until // all previous Promises have been resolved before calling invoke, // so that results are always delivered in the correct order. If // enqueue has not been called before, then it is important to // call invoke immediately, without waiting on a callback to fire, // so that the async generator function has the opportunity to do // any necessary setup in a predictable way. This predictability // is why the Promise constructor synchronously invokes its // executor callback, and why async functions synchronously // execute code before the first await. Since we implement simple // async functions in terms of async generators, it is especially // important to get this right, even though it requires care. previousPromise ? previousPromise.then( callInvokeWithMethodAndArg, // Avoid propagating failures to Promises returned by later // invocations of the iterator. callInvokeWithMethodAndArg ) : callInvokeWithMethodAndArg(); } // Define the unified helper method that is used to implement .next, // .throw, and .return (see defineIteratorMethods). this._invoke = enqueue; } defineIteratorMethods(AsyncIterator.prototype); define(AsyncIterator.prototype, asyncIteratorSymbol, function () { return this; }); exports.AsyncIterator = AsyncIterator; // Note that simple async functions are implemented on top of // AsyncIterator objects; they just return a Promise for the value of // the final result produced by the iterator. exports.async = function(innerFn, outerFn, self, tryLocsList, PromiseImpl) { if (PromiseImpl === void 0) PromiseImpl = Promise; var iter = new AsyncIterator( wrap(innerFn, outerFn, self, tryLocsList), PromiseImpl ); return exports.isGeneratorFunction(outerFn) ? iter // If outerFn is a generator, return the full iterator. : iter.next().then(function(result) { return result.done ? result.value : iter.next(); }); }; function makeInvokeMethod(innerFn, self, context) { var state = GenStateSuspendedStart; return function invoke(method, arg) { if (state === GenStateExecuting) { throw new Error("Generator is already running"); } if (state === GenStateCompleted) { if (method === "throw") { throw arg; } // Be forgiving, per 25.3.3.3.3 of the spec: // https://people.mozilla.org/~jorendorff/es6-draft.html#sec-generatorresume return doneResult(); } context.method = method; context.arg = arg; while (true) { var delegate = context.delegate; if (delegate) { var delegateResult = maybeInvokeDelegate(delegate, context); if (delegateResult) { if (delegateResult === ContinueSentinel) continue; return delegateResult; } } if (context.method === "next") { // Setting context._sent for legacy support of Babel's // function.sent implementation. context.sent = context._sent = context.arg; } else if (context.method === "throw") { if (state === GenStateSuspendedStart) { state = GenStateCompleted; throw context.arg; } context.dispatchException(context.arg); } else if (context.method === "return") { context.abrupt("return", context.arg); } state = GenStateExecuting; var record = tryCatch(innerFn, self, context); if (record.type === "normal") { // If an exception is thrown from innerFn, we leave state === // GenStateExecuting and loop back for another invocation. state = context.done ? GenStateCompleted : GenStateSuspendedYield; if (record.arg === ContinueSentinel) { continue; } return { value: record.arg, done: context.done }; } else if (record.type === "throw") { state = GenStateCompleted; // Dispatch the exception by looping back around to the // context.dispatchException(context.arg) call above. context.method = "throw"; context.arg = record.arg; } } }; } // Call delegate.iterator[context.method](context.arg) and handle the // result, either by returning a { value, done } result from the // delegate iterator, or by modifying context.method and context.arg, // setting context.delegate to null, and returning the ContinueSentinel. function maybeInvokeDelegate(delegate, context) { var method = delegate.iterator[context.method]; if (method === undefined) { // A .throw or .return when the delegate iterator has no .throw // method always terminates the yield* loop. context.delegate = null; if (context.method === "throw") { // Note: ["return"] must be used for ES3 parsing compatibility. if (delegate.iterator["return"]) { // If the delegate iterator has a return method, give it a // chance to clean up. context.method = "return"; context.arg = undefined; maybeInvokeDelegate(delegate, context); if (context.method === "throw") { // If maybeInvokeDelegate(context) changed context.method from // "return" to "throw", let that override the TypeError below. return ContinueSentinel; } } context.method = "throw"; context.arg = new TypeError( "The iterator does not provide a 'throw' method"); } return ContinueSentinel; } var record = tryCatch(method, delegate.iterator, context.arg); if (record.type === "throw") { context.method = "throw"; context.arg = record.arg; context.delegate = null; return ContinueSentinel; } var info = record.arg; if (! info) { context.method = "throw"; context.arg = new TypeError("iterator result is not an object"); context.delegate = null; return ContinueSentinel; } if (info.done) { // Assign the result of the finished delegate to the temporary // variable specified by delegate.resultName (see delegateYield). context[delegate.resultName] = info.value; // Resume execution at the desired location (see delegateYield). context.next = delegate.nextLoc; // If context.method was "throw" but the delegate handled the // exception, let the outer generator proceed normally. If // context.method was "next", forget context.arg since it has been // "consumed" by the delegate iterator. If context.method was // "return", allow the original .return call to continue in the // outer generator. if (context.method !== "return") { context.method = "next"; context.arg = undefined; } } else { // Re-yield the result returned by the delegate method. return info; } // The delegate iterator is finished, so forget it and continue with // the outer generator. context.delegate = null; return ContinueSentinel; } // Define Generator.prototype.{next,throw,return} in terms of the // unified ._invoke helper method. defineIteratorMethods(Gp); define(Gp, toStringTagSymbol, "Generator"); // A Generator should always return itself as the iterator object when the // @@iterator function is called on it. Some browsers' implementations of the // iterator prototype chain incorrectly implement this, causing the Generator // object to not be returned from this call. This ensures that doesn't happen. // See https://github.com/facebook/regenerator/issues/274 for more details. define(Gp, iteratorSymbol, function() { return this; }); define(Gp, "toString", function() { return "[object Generator]"; }); function pushTryEntry(locs) { var entry = { tryLoc: locs[0] }; if (1 in locs) { entry.catchLoc = locs[1]; } if (2 in locs) { entry.finallyLoc = locs[2]; entry.afterLoc = locs[3]; } this.tryEntries.push(entry); } function resetTryEntry(entry) { var record = entry.completion || {}; record.type = "normal"; delete record.arg; entry.completion = record; } function Context(tryLocsList) { // The root entry object (effectively a try statement without a catch // or a finally block) gives us a place to store values thrown from // locations where there is no enclosing try statement. this.tryEntries = [{ tryLoc: "root" }]; tryLocsList.forEach(pushTryEntry, this); this.reset(true); } exports.keys = function(object) { var keys = []; for (var key in object) { keys.push(key); } keys.reverse(); // Rather than returning an object with a next method, we keep // things simple and return the next function itself. return function next() { while (keys.length) { var key = keys.pop(); if (key in object) { next.value = key; next.done = false; return next; } } // To avoid creating an additional object, we just hang the .value // and .done properties off the next function object itself. This // also ensures that the minifier will not anonymize the function. next.done = true; return next; }; }; function values(iterable) { if (iterable) { var iteratorMethod = iterable[iteratorSymbol]; if (iteratorMethod) { return iteratorMethod.call(iterable); } if (typeof iterable.next === "function") { return iterable; } if (!isNaN(iterable.length)) { var i = -1, next = function next() { while (++i < iterable.length) { if (hasOwn.call(iterable, i)) { next.value = iterable[i]; next.done = false; return next; } } next.value = undefined; next.done = true; return next; }; return next.next = next; } } // Return an iterator with no values. return { next: doneResult }; } exports.values = values; function doneResult() { return { value: undefined, done: true }; } Context.prototype = { constructor: Context, reset: function(skipTempReset) { this.prev = 0; this.next = 0; // Resetting context._sent for legacy support of Babel's // function.sent implementation. this.sent = this._sent = undefined; this.done = false; this.delegate = null; this.method = "next"; this.arg = undefined; this.tryEntries.forEach(resetTryEntry); if (!skipTempReset) { for (var name in this) { // Not sure about the optimal order of these conditions: if (name.charAt(0) === "t" && hasOwn.call(this, name) && !isNaN(+name.slice(1))) { this[name] = undefined; } } } }, stop: function() { this.done = true; var rootEntry = this.tryEntries[0]; var rootRecord = rootEntry.completion; if (rootRecord.type === "throw") { throw rootRecord.arg; } return this.rval; }, dispatchException: function(exception) { if (this.done) { throw exception; } var context = this; function handle(loc, caught) { record.type = "throw"; record.arg = exception; context.next = loc; if (caught) { // If the dispatched exception was caught by a catch block, // then let that catch block handle the exception normally. context.method = "next"; context.arg = undefined; } return !! caught; } for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; var record = entry.completion; if (entry.tryLoc === "root") { // Exception thrown outside of any try block that could handle // it, so set the completion value of the entire function to // throw the exception. return handle("end"); } if (entry.tryLoc <= this.prev) { var hasCatch = hasOwn.call(entry, "catchLoc"); var hasFinally = hasOwn.call(entry, "finallyLoc"); if (hasCatch && hasFinally) { if (this.prev < entry.catchLoc) { return handle(entry.catchLoc, true); } else if (this.prev < entry.finallyLoc) { return handle(entry.finallyLoc); } } else if (hasCatch) { if (this.prev < entry.catchLoc) { return handle(entry.catchLoc, true); } } else if (hasFinally) { if (this.prev < entry.finallyLoc) { return handle(entry.finallyLoc); } } else { throw new Error("try statement without catch or finally"); } } } }, abrupt: function(type, arg) { for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; if (entry.tryLoc <= this.prev && hasOwn.call(entry, "finallyLoc") && this.prev < entry.finallyLoc) { var finallyEntry = entry; break; } } if (finallyEntry && (type === "break" || type === "continue") && finallyEntry.tryLoc <= arg && arg <= finallyEntry.finallyLoc) { // Ignore the finally entry if control is not jumping to a // location outside the try/catch block. finallyEntry = null; } var record = finallyEntry ? finallyEntry.completion : {}; record.type = type; record.arg = arg; if (finallyEntry) { this.method = "next"; this.next = finallyEntry.finallyLoc; return ContinueSentinel; } return this.complete(record); }, complete: function(record, afterLoc) { if (record.type === "throw") { throw record.arg; } if (record.type === "break" || record.type === "continue") { this.next = record.arg; } else if (record.type === "return") { this.rval = this.arg = record.arg; this.method = "return"; this.next = "end"; } else if (record.type === "normal" && afterLoc) { this.next = afterLoc; } return ContinueSentinel; }, finish: function(finallyLoc) { for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; if (entry.finallyLoc === finallyLoc) { this.complete(entry.completion, entry.afterLoc); resetTryEntry(entry); return ContinueSentinel; } } }, "catch": function(tryLoc) { for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; if (entry.tryLoc === tryLoc) { var record = entry.completion; if (record.type === "throw") { var thrown = record.arg; resetTryEntry(entry); } return thrown; } } // The context.catch method must only be called with a location // argument that corresponds to a known catch block. throw new Error("illegal catch attempt"); }, delegateYield: function(iterable, resultName, nextLoc) { this.delegate = { iterator: values(iterable), resultName: resultName, nextLoc: nextLoc }; if (this.method === "next") { // Deliberately forget the last sent value so that we don't // accidentally pass it on to the delegate. this.arg = undefined; } return ContinueSentinel; } }; // Regardless of whether this script is executing as a CommonJS module // or not, return the runtime object so that we can declare the variable // regeneratorRuntime in the outer scope, which allows this module to be // injected easily by `bin/regenerator --include-runtime script.js`. return exports; }( // If this script is executing as a CommonJS module, use module.exports // as the regeneratorRuntime namespace. Otherwise create a new empty // object. Either way, the resulting object will be used to initialize // the regeneratorRuntime variable at the top of this file. typeof module === "object" ? module.exports : {} )); try { regeneratorRuntime = runtime; } catch (accidentalStrictMode) { // This module should not be running in strict mode, so the above // assignment should always work unless something is misconfigured. Just // in case runtime.js accidentally runs in strict mode, in modern engines // we can explicitly access globalThis. In older engines we can escape // strict mode using a global Function call. This could conceivably fail // if a Content Security Policy forbids using Function, but in that case // the proper solution is to fix the accidental strict mode problem. If // you've misconfigured your bundler to force strict mode and applied a // CSP to forbid Function, and you're not willing to fix either of those // problems, please detail your unique predicament in a GitHub issue. if (typeof globalThis === "object") { globalThis.regeneratorRuntime = runtime; } else { Function("r", "regeneratorRuntime = r")(runtime); } } "use strict";var _regeneratorRuntime=_interopRequireDefault(regeneratorRuntime);function _arrayLikeToArray(U,ye){(ye==null||ye>U.length)&&(ye=U.length);for(var lt=0,ht=new Array(ye);lt'," "]);return _templateObject=function(){return U},U}function _templateObject1(){var U=_taggedTemplateLiteral(['\n
\n
\n
','
\n
\n
\n ','\n
\n \n
\n
\n
\n ']);return _templateObject1=function(){return U},U}function _templateObject2(){var U=_taggedTemplateLiteral(["var(--formSectionBadgeTransition, 0.25s ease-out)"]);return _templateObject2=function(){return U},U}function _templateObject3(){var U=_taggedTemplateLiteral(["var(--formSectionBadgeMargin, 1rem)"]);return _templateObject3=function(){return U},U}function _templateObject4(){var U=_taggedTemplateLiteral(["var(--formSectionBadgeBackgroundColor, #333)"]);return _templateObject4=function(){return U},U}function _templateObject5(){var U=_taggedTemplateLiteral(["var(--formSectionBadgeRadius, 1.2rem)"]);return _templateObject5=function(){return U},U}function _templateObject6(){var U=_taggedTemplateLiteral(["calc("," * 2)"]);return _templateObject6=function(){return U},U}function _templateObject7(){var U=_taggedTemplateLiteral(["var(--formSectionBadgeFontSize, 1.8rem)"]);return _templateObject7=function(){return U},U}function _templateObject8(){var U=_taggedTemplateLiteral(["var(--formSectionBadgeFontWeight, bold)"]);return _templateObject8=function(){return U},U}function _templateObject9(){var U=_taggedTemplateLiteral(["var(--formSectionBadgeFontColor, #fff)"]);return _templateObject9=function(){return U},U}function _templateObject10(){var U=_taggedTemplateLiteral(["var(--formSectionTitleFontSize, 1.8rem)"]);return _templateObject10=function(){return U},U}function _templateObject11(){var U=_taggedTemplateLiteral(["var(--formSectionTitleFontWeight, bold)"]);return _templateObject11=function(){return U},U}function _templateObject12(){var U=_taggedTemplateLiteral(["var(--formSectionContentBackgroundColor, transparent)"]);return _templateObject12=function(){return U},U}function _templateObject13(){var U=_taggedTemplateLiteral(["var(--formSectionTextColor, #333)"]);return _templateObject13=function(){return U},U}function _templateObject14(){var U=_taggedTemplateLiteral(["calc("," * 2)"]);return _templateObject14=function(){return U},U}function _templateObject15(){var U=_taggedTemplateLiteral(["\n :host {\n display: block;\n background-color: ",";\n color: ",";\n }\n .container {\n position: relative;\n padding: 0.5rem;\n }\n\n .content-container {\n position: relative;\n left: calc("," + ",");\n width: calc(100% - ("," + ","));\n transition: ",";\n z-index: 1;\n }\n\n .hidebadge .content-container {\n left: 0;\n width: 100%;\n }\n\n .hidebadge .badge-container {\n display: none;\n }\n\n .hidebadgeleavespacing .badge {\n display: none;\n }\n\n .badge-container {\n position: absolute;\n width: ",";\n }\n\n .badge {\n background-color: ",";\n color: ",";\n width: ",";\n height: ",";\n border-radius: ",";\n display: flex;\n justify-content: center;\n align-items: center;\n font-weight: ",";\n font-size: ",";\n }\n\n .title {\n line-height: ",";\n margin-bottom: 0.5rem;\n font-size: ",";\n font-weight: ",";\n }\n "]);return _templateObject15=function(){return U},U}function _templateObject16(){var U=_taggedTemplateLiteral(['']);return _templateObject16=function(){return U},U}function _templateObject17(){var U=_taggedTemplateLiteral(['
  • ',"
  • "]);return _templateObject17=function(){return U},U}function _templateObject18(){var U=_taggedTemplateLiteral(['\n
    \n ',"\n ","\n
    "]);return _templateObject18=function(){return U},U}function _templateObject19(){var U=_taggedTemplateLiteral(["\n ",'\n\n \n ',"\n ",'\n \n\n
    ',"
    \n\n ","\n \n "]);return _templateObject19=function(){return U},U}function _templateObject20(){var U=_taggedTemplateLiteral(['\n \n
      \n ',"\n
    \n \n "]);return _templateObject20=function(){return U},U}function _templateObject21(){var U=_taggedTemplateLiteral(['\n
    \n \n \n
    \n ']);return _templateObject21=function(){return U},U}function _templateObject22(){var U=_taggedTemplateLiteral(['\n
    \n \n \n
    \n "]);return _templateObject22=function(){return U},U}function _templateObject23(){var U=_taggedTemplateLiteral([" I'll generously add "," to cover fees. "]);return _templateObject23=function(){return U},U}function _templateObject24(){var U=_taggedTemplateLiteral(["\n
  • \n ","\n
  • \n\n
  • \n ","\n
  • \n "]);return _templateObject24=function(){return U},U}function _templateObject25(){var U=_taggedTemplateLiteral(["\n
  • \n ","\n
  • \n "]);return _templateObject25=function(){return U},U}function _templateObject26(){var U=_taggedTemplateLiteral(["\n ","\n "]);return _templateObject26=function(){return U},U}function _templateObject27(){var U=_taggedTemplateLiteral(['\n
    \n \n \n\n
    \n ","\n \n \n "]);return _templateObject49=function(){return U},U}function _templateObject50(){var U=_taggedTemplateLiteral(["",""]);return _templateObject50=function(){return U},U}function _templateObject51(){var U=_taggedTemplateLiteral(['\n
    ',"
    \n "]);return _templateObject51=function(){return U},U}function _templateObject52(){var U=_taggedTemplateLiteral(["var(--bannerThermometerHeight, 20px)"]);return _templateObject52=function(){return U},U}function _templateObject53(){var U=_taggedTemplateLiteral(["var(--bannerThermometerCurrentValueLeftColor, #fff)"]);return _templateObject53=function(){return U},U}function _templateObject54(){var U=_taggedTemplateLiteral(["var(--bannerThermometerProgressColor, #23765D)"]);return _templateObject54=function(){return U},U}function _templateObject55(){var U=_taggedTemplateLiteral(["var(--bannerThermometerCurrentValueRightColor, ",")"]);return _templateObject55=function(){return U},U}function _templateObject56(){var U=_taggedTemplateLiteral(["var(--bannerThermometerBackgroundColor, #B8F5E2)"]);return _templateObject56=function(){return U},U}function _templateObject57(){var U=_taggedTemplateLiteral(["var(--bannerThermometerBorder, 1px solid ",")"]);return _templateObject57=function(){return U},U}function _templateObject58(){var U=_taggedTemplateLiteral(["var(--bannerThermometerBorderRadius, calc("," / 2))"]);return _templateObject58=function(){return U},U}function _templateObject59(){var U=_taggedTemplateLiteral(["var(--bannerThermometerGoalMessagePadding, 0 10px)"]);return _templateObject59=function(){return U},U}function _templateObject60(){var U=_taggedTemplateLiteral(["var(--bannerThermometerGoalValueColor, #2c2c2c)"]);return _templateObject60=function(){return U},U}function _templateObject61(){var U=_taggedTemplateLiteral(["\n :host {\n display: block;\n }\n\n .container {\n height: 100%;\n }\n\n .thermometer-message-container {\n height: 100%;\n display: flex;\n align-items: center;\n }\n\n .thermometer-container {\n height: 100%;\n flex: 1;\n }\n\n .thermometer-background {\n background-color: ",";\n padding: 0;\n height: 100%;\n border-radius: ",";\n border: ",";\n overflow: hidden;\n display: flex;\n align-items: center;\n }\n\n .thermometer-fill {\n background-color: ",";\n text-align: right;\n height: 100%;\n display: flex;\n justify-content: flex-end;\n align-items: center;\n }\n\n .thermometer-value {\n font-weight: bold;\n }\n\n .value-left .thermometer-value {\n color: ",";\n padding: 0 0.5rem 0 1rem;\n }\n\n .value-right .thermometer-value {\n color: ",";\n padding: 0 1rem 0 0.5rem;\n }\n\n .donate-goal {\n text-align: left;\n padding: ",";\n text-transform: uppercase;\n font-weight: bold;\n color: ",";\n }\n "]);return _templateObject61=function(){return U},U}(function(){var U=function(t){for(var u=1;u2&&arguments[2]!==void 0?arguments[2]:"false",c=arguments.length>3&&arguments[3]!==void 0?arguments[3]:null;if(typeof t!="string")throw new Error("first arg should be a string");z(t).on("click",c,function(a){var h=u(a);return l==="callback"&&h?h:l==="default"?!0:(a&&a.preventDefault&&a.preventDefault(),a&&a.stopPropagation&&a.stopPropagation(),!1)})},ic=function(t,u){for(var l=u&&location.search===""?location.href.slice(1).split("&"):location.search.slice(1).split("&"),c=0;c0?unescape(a):""}return""},Oi=function(t){for(var u="".concat(t).split("."),l=u[0],c=u.length>1?".".concat(u[1]):"",a=/(\d+)(\d{3})/;a.test(l);)l=l.replace(a,"$1,$2");return l+c},nc=function(t,u){var l=arguments.length>2&&arguments[2]!==void 0?arguments[2]:"false";if(typeof t!="string")throw new Error("first arg should be a string");z(t).on("change",function(c){var a=u(c);return l==="callback"&&a?a:l==="default"?!0:(c&&c.preventDefault&&c.preventDefault(),c&&c.stopPropagation&&c.stopPropagation(),!1)})},rc=function(t,u){var l=arguments.length>2&&arguments[2]!==void 0?arguments[2]:"false";if(typeof t!="string")throw new Error("first arg should be a string");z(t).on("submit",function(c){var a=u(c);return l==="callback"&&a?a:l==="default"?!0:(c&&c.preventDefault&&c.preventDefault(),c&&c.stopPropagation&&c.stopPropagation(),!1)})},ac=function(t){var u=arguments.length>1&&arguments[1]!==void 0?arguments[1]:100,l=arguments.length>2&&arguments[2]!==void 0?arguments[2]:!1,c;return function(){var h=this,n=arguments;function o(){var y;l||(y=t).apply.apply(y,[h].concat(_toConsumableArray(n))),c=null}if(c)clearTimeout(c);else if(l){var v;(v=t).apply.apply(v,[h].concat(_toConsumableArray(n)))}c=setTimeout(o,u)}},Ui=function(t,u){Object.keys(u).forEach(function(l){var c=l;na&&l.search("animation")>-1&&(c=na+l[0].toUpperCase()+l.substr(1)),t.style[c]=u[l]})},Wa=function(t){Ui(t,{display:"block"})},Ba=function(t){Ui(t,{display:"none"})},oc=function(){var t=document.body,u=document.documentElement,l;return window.innerHeight?l=window.innerHeight:u&&u.clientHeight?l=u.clientHeight:t&&(l=t.clientHeight),l||0},sc=function(){var t=document.body,u=document.documentElement,l;return window.innerWidth?l=window.innerWidth:u&&u.clientWidth?l=u.clientWidth:t&&(l=t.clientWidth),l||0},lc=function(t,u){return u||(u=document.createElement("style"),document.body.appendChild(u)),u.textContent=t,u},zn=function(t){t&&t.parentNode&&t.parentNode.removeChild(t)},cc=function(t){return t===document.body},ai=function(t,u){t.classList.add(u)},qa=function(t,u){t.classList.remove(u)},Ua=function(t,u){return t+Math.floor(Math.random()*(u-t))},mr=function(t,u,l,c,a){return c+(a-c)*(t-u)/(l-u)},Va=function(t,u,l){return Math.floor(mr(t,0,ra,u,l))},yt=function(t,u,l,c){var a=arguments.length,h=a<3?u:c===null?c=Object.getOwnPropertyDescriptor(u,l):c,n;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")h=Reflect.decorate(t,u,l,c);else for(var o=t.length-1;o>=0;o--)(n=t[o])&&(h=(a<3?n(h):a>3?n(u,l,h):n(u,l))||h);return a>3&&h&&Object.defineProperty(u,l,h),h},Ya=function(t,u){if(!Array.isArray(t)||!t.hasOwnProperty("raw"))throw Error("invalid template strings array");return el!==void 0?el.createHTML(u):u},zt=function(t){return function(u,l){return l!==void 0?nu(t,u,l):iu(t,u)}},Ka=function(t){return zt($n(vn({},t),{state:!0}))},Pn=function(t,u){return ru({descriptor:function(l){var c={get:function(){var n,o;return(o=(n=this.renderRoot)===null||n===void 0?void 0:n.querySelector(t))!==null&&o!==void 0?o:null},enumerable:!0,configurable:!0};if(u){var a=(typeof l=="undefined"?"undefined":_typeof(l))=="symbol"?Symbol():"__"+l;c.get=function(){var h,n;return this[a]===void 0&&(this[a]=(n=(h=this.renderRoot)===null||h===void 0?void 0:h.querySelector(t))!==null&&n!==void 0?n:null),this[a]}}return c}})},Mn=function(t,u){var l=arguments.length>2&&arguments[2]!==void 0?arguments[2]:!0,c=0,a=u.decimal,h=u.errorOnInvalid,n=u.precision,o=u.fromCents,v=wa(n),y=typeof t=="number",g=_instanceof(t,xi);if(g&&o)return t.intValue;if(y||g)c=g?t.value:t;else if(typeof t=="string"){var p=new RegExp("[^-\\d"+a+"]","g"),b=new RegExp("\\"+a,"g");c=t.replace(/\((.*)\)/,"-$1").replace(p,"").replace(b,"."),c=c||0}else{if(h)throw Error("Invalid Input");c=0}return o||(c*=v,c=c.toFixed(4)),l?hl(c):c},uc=function(t,u){var l=u.pattern,c=u.negativePattern,a=u.symbol,h=u.separator,n=u.decimal,o=u.groups,v=(""+t).replace(/^-/,"").split("."),y=v[0],g=v[1];return(t.value>=0?l:c).replace("!",a).replace("#",y.replace(o,"$1"+h)+(g?n+g:""))},Xa=Object.defineProperty,dc=Object.defineProperties,hc=Object.getOwnPropertyDescriptors,fc=Object.getOwnPropertyNames,Nn=Object.getOwnPropertySymbols,Ga=Object.prototype.hasOwnProperty,Ja=Object.prototype.propertyIsEnumerable,Qa=function(C,t,u){return t in C?Xa(C,t,{enumerable:!0,configurable:!0,writable:!0,value:u}):C[t]=u},vn=function(C,t){for(var u in t||(t={}))Ga.call(t,u)&&Qa(C,u,t[u]);var l=!0,c=!1,a=void 0;if(Nn)try{for(var h=Nn(t)[Symbol.iterator](),n;!(l=(n=h.next()).done);l=!0){var u=n.value;Ja.call(t,u)&&Qa(C,u,t[u])}}catch(o){c=!0,a=o}finally{try{!l&&h.return!=null&&h.return()}finally{if(c)throw a}}return C},$n=function(C,t){return dc(C,hc(t))},Fi=function(C,t){var u={};for(var l in C)Ga.call(C,l)&&t.indexOf(l)<0&&(u[l]=C[l]);var c=!0,a=!1,h=void 0;if(C!=null&&Nn)try{for(var n=Nn(C)[Symbol.iterator](),o;!(c=(o=n.next()).done);c=!0){var l=o.value;t.indexOf(l)<0&&Ja.call(C,l)&&(u[l]=C[l])}}catch(v){a=!0,h=v}finally{try{!c&&n.return!=null&&n.return()}finally{if(a)throw h}}return u},oi=function(C,t){return function(){return C&&(t=(0,C[fc(C)[0]])(C=0)),t}},Vi=function(C,t){for(var u in t)Xa(C,u,{get:t[u],enumerable:!0})},Za=function(C,t,u){return new Promise(function(l,c){var a=function(o){try{n(u.next(o))}catch(v){c(v)}},h=function(o){try{n(u.throw(o))}catch(v){c(v)}},n=function(o){return o.done?l(o.value):Promise.resolve(o.value).then(a,h)};n((u=u.apply(C,t)).next())})},eo={};Vi(eo,{default:function(){return z}});var to,jn,io,no,ro,ao,oo,so,Rn,lo,gr,vr,br,co,_t,yr,uo,z,Hn=oi({"https-url:https://esm.archive.org/v135/jquery@3.6.1/esnext/jquery.mjs":function(){to=Object.create,jn=Object.defineProperty,io=Object.getOwnPropertyDescriptor,no=Object.getOwnPropertyNames,ro=Object.getPrototypeOf,ao=Object.prototype.hasOwnProperty,oo=function(t,u){return function(){return u||t((u={exports:{}}).exports,u),u.exports}},so=function(t,u){for(var l in u)jn(t,l,{get:u[l],enumerable:!0})},Rn=function(t,u,l,c){var a=!0,h=!1,n=void 0;if(u&&typeof u=="object"||typeof u=="function")try{for(var o=function(g,p){var b=p.value;!ao.call(t,b)&&b!==l&&jn(t,b,{get:function(){return u[b]},enumerable:!(c=io(u,b))||c.enumerable})},v=no(u)[Symbol.iterator](),y;!(a=(y=v.next()).done);a=!0)o(v,y)}catch(g){h=!0,n=g}finally{try{!a&&v.return!=null&&v.return()}finally{if(h)throw n}}return t},lo=function(t,u,l){return Rn(t,u,"default"),l&&Rn(l,u,"default")},gr=function(t,u,l){return l=t!=null?to(ro(t)):{},Rn(u||!t||!t.__esModule?jn(l,"default",{value:t,enumerable:!0}):l,t)},vr=oo(function(t,u){(function(l,c){"use strict";typeof u=="object"&&typeof u.exports=="object"?u.exports=l.document?c(l,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return c(a)}:c(l)})((typeof window=="undefined"?"undefined":_typeof(window))<"u"?window:t,function(l,c){"use strict";var a=function(s,w,k){k=k||rt;var A,M,N=k.createElement("script");if(N.text=s,w)for(A in Wi)M=w[A]||w.getAttribute&&w.getAttribute(A),M&&N.setAttribute(A,M);k.head.appendChild(N).parentNode.removeChild(N)},h=function(s){return s==null?s+"":typeof s=="object"||typeof s=="function"?At[Yt.call(s)]||"object":typeof s=="undefined"?"undefined":_typeof(s)},n=function(s){var w=!!s&&"length"in s&&s.length,k=h(s);return Ke(s)||ni(s)?!1:k==="array"||w===0||typeof w=="number"&&w>0&&w-1 in s},o=function(s,w){return s.nodeName&&s.nodeName.toLowerCase()===w.toLowerCase()},v=function(s,w,k){return Ke(w)?D.grep(s,function(A,M){return!!w.call(A,M,A)!==k}):w.nodeType?D.grep(s,function(A){return A===w!==k}):typeof w!="string"?D.grep(s,function(A){return Gt.call(w,A)>-1!==k}):D.filter(w,s,k)},y=function(s,w){for(;(s=s[w])&&s.nodeType!==1;);return s},g=function(s){var w={};return D.each(s.match(fe)||[],function(k,A){w[A]=!0}),w},p=function(s){return s},b=function(s){throw s},x=function(s,w,k,A){var M;try{s&&Ke(M=s.promise)?M.call(s).done(w).fail(k):s&&Ke(M=s.then)?M.call(s,w,k):w.apply(void 0,[s].slice(A))}catch(N){k.apply(void 0,[N])}},T=function(s,w){return w.toUpperCase()},S=function(s){return s.replace(Ve,"ms-").replace(Oe,T)},R=function(s){return s==="true"?!0:s==="false"?!1:s==="null"?null:s===+s+""?+s:Ne.test(s)?JSON.parse(s):s},j=function(s,w,k){var A;if(k===void 0&&s.nodeType===1)if(A="data-"+w.replace(ze,"-$&").toLowerCase(),k=s.getAttribute(A),typeof k=="string"){try{k=R(k)}catch(M){}Me.set(s,w,k)}else k=void 0;return k},W=function(s,w,k,A){var M,N,L=20,ie=A?function(){return A.cur()}:function(){return D.css(s,w,"")},Q=ie(),pe=k&&k[3]||(D.cssNumber[w]?"":"px"),ve=s.nodeType&&(D.cssNumber[w]||pe!=="px"&&+Q)&&st.exec(D.css(s,w));if(ve&&ve[3]!==pe){for(Q=Q/2,pe=pe||ve[3],ve=+Q||1;L--;)D.style(s,w,ve+pe),(1-N)*(1-(N=ie()/Q||.5))<=0&&(L=0),ve=ve/N;ve=ve*2,D.style(s,w,ve+pe),k=k||[]}return k&&(ve=+ve||+Q||0,M=k[1]?ve+(k[1]+1)*k[2]:+k[2],A&&(A.unit=pe,A.start=ve,A.end=M)),M},H=function(s){var w,k=s.ownerDocument,A=s.nodeName,M=Ti[A];return M||(w=k.body.appendChild(k.createElement(A)),M=D.css(w,"display"),w.parentNode.removeChild(w),M==="none"&&(M="block"),Ti[A]=M,M)},m=function(s,w){for(var k,A,M=[],N=0,L=s.length;N-1){M&&M.push(N);continue}if(pe=qt(N),L=e(Pe.appendChild(N),"script"),pe&&i(L),k)for(ve=0;N=L[ve++];)fn.test(N.type||"")&&k.push(N)}return Pe},d=function(){return!0},f=function(){return!1},_=function(s,w){return s===O()==(w==="focus")},O=function(){try{return rt.activeElement}catch(s){}},I=function(s,w,k){if(!k){Te.get(s,w)===void 0&&D.event.add(s,w,d);return}Te.set(s,w,!1),D.event.add(s,w,{namespace:!1,handler:function(M){var N,L,ie=Te.get(this,w);if(M.isTrigger&1&&this[w]){if(ie.length)(D.event.special[w]||{}).delegateType&&M.stopPropagation();else if(ie=Lt.call(arguments),Te.set(this,w,ie),N=k(this,w),this[w](),L=Te.get(this,w),ie!==L||N?Te.set(this,w,!1):L={},ie!==L)return M.stopImmediatePropagation(),M.preventDefault(),L&&L.value}else ie.length&&(Te.set(this,w,{value:D.event.trigger(D.extend(ie[0],D.Event.prototype),ie.slice(1),this)}),M.stopImmediatePropagation())}})},P=function(s,w){return o(s,"table")&&o(w.nodeType!==11?w:w.firstChild,"tr")&&D(s).children("tbody")[0]||s},B=function(s){return s.type=(s.getAttribute("type")!==null)+"/"+s.type,s},X=function(s){return(s.type||"").slice(0,5)==="true/"?s.type=s.type.slice(5):s.removeAttribute("type"),s},ee=function(s,w){var k,A,M,N,L,ie,Q;if(w.nodeType===1){if(Te.hasData(s)&&(N=Te.get(s),Q=N.events,Q)){Te.remove(w,"handle events");for(M in Q)for(k=0,A=Q[M].length;k=0&&(Q+=Math.max(0,Math.ceil(s["offset"+w[0].toUpperCase()+w.slice(1)]-N-Q-ie-.5))||0),Q},oe=function(s,w,k){var A=cr(s),M=!ct.boxSizingReliable()||k,N=M&&D.css(s,"boxSizing",!1,A)==="border-box",L=N,ie=Z(s,w,A),Q="offset"+w[0].toUpperCase()+w.slice(1);if(Aa.test(ie)){if(!k)return ie;ie="auto"}return(!ct.boxSizingReliable()&&N||!ct.reliableTrDimensions()&&o(s,"tr")||ie==="auto"||!parseFloat(ie)&&D.css(s,"display",!1,A)==="inline")&&s.getClientRects().length&&(N=D.css(s,"boxSizing",!1,A)==="border-box",L=Q in s,L&&(ie=s[Q])),ie=parseFloat(ie)||0,ie+de(s,w,k||(N?"border":"content"),L,A,ie)+"px"},we=function(){return l.setTimeout(function(){mn=void 0}),mn=Date.now()},Ae=function(s,w){var k,A=0,M={height:s};for(w=w?1:0;A<4;A+=2-w)k=at[A],M["margin"+k]=M["padding"+k]=s;return w&&(M.opacity=M.width=s),M},Re=function(s,w,k){for(var A,M=(bi.tweeners[w]||[]).concat(bi.tweeners["*"]),N=0,L=M.length;N=0&&kZe.cacheLength&&delete te[q.shift()],te[se+" "]=De}return te},k=function(q){return q[Et]=!0,q},A=function(q){var te=ut.createElement("fieldset");try{return!!q(te)}catch(se){return!1}finally{te.parentNode&&te.parentNode.removeChild(te),te=null}},M=function(q,te){for(var se=q.split("|"),De=se.length;De--;)Ze.attrHandle[se[De]]=te},N=function(q,te){var se=te&&q,De=se&&q.nodeType===1&&te.nodeType===1&&q.sourceIndex-te.sourceIndex;if(De)return De;if(se){for(;se=se.nextSibling;)if(se===te)return-1}return q?1:-1},L=function(q){return function(te){var se=te.nodeName.toLowerCase();return se==="input"&&te.type===q}},ie=function(q){return function(te){var se=te.nodeName.toLowerCase();return(se==="input"||se==="button")&&te.type===q}},Q=function(q){return function(te){return"form"in te?te.parentNode&&te.disabled===!1?"label"in te?"label"in te.parentNode?te.parentNode.disabled===q:te.disabled===q:te.isDisabled===q||te.isDisabled!==!q&&Cd(te)===q:te.disabled===q:"label"in te?te.disabled===q:!1}},pe=function(q){return k(function(te){return te=+te,k(function(se,De){for(var be,xe=q([],se.length,te),ke=xe.length;ke--;)se[be=xe[ke]]&&(se[be]=!(De[be]=se[be]))})})},ve=function(q){return q&&_typeof(q.getElementsByTagName)<"u"&&q},Pe=function(){},je=function(q){for(var te=0,se=q.length,De="";te1?function(te,se,De){for(var be=q.length;be--;)if(!q[be](te,se,De))return!1;return!0}:q[0]},pt=function(q,te,se){for(var De=0,be=te.length;De0,De=q.length>0,be=function(ke,Fe,He,Ye,Je){var et,bt,Dt,it=0,It="0",Zt=ke&&[],kt=[],qi=nn,On=ke||De&&Ze.find.TAG("*",Je),gn=ji+=qi==null?1:Math.random()||.1,ei=On.length;for(Je&&(nn=Fe==ut||Fe||Je);It!==ei&&(et=On[It])!=null;It++){if(De&&et){for(bt=0,!Fe&&et.ownerDocument!=ut&&(pi(et),He=!Wt);Dt=q[bt++];)if(Dt(et,Fe||ut,He)){Ye.push(et);break}Je&&(ji=gn)}se&&((et=!Dt&&et)&&it--,ke&&Zt.push(et))}if(it+=It,se&&It!==it){for(bt=0;Dt=te[bt++];)Dt(Zt,kt,Fe,He);if(ke){if(it>0)for(;It--;)Zt[It]||kt[It]||(kt[It]=fd.call(Ye));kt=nt(kt)}Bi.apply(Ye,kt),Je&&!ke&&kt.length>0&&it+te.length>1&&s.uniqueSort(Ye)}return Je&&(ji=gn,nn=qi),Zt};return se?k(be):be},Tt,mt,Ze,fi,dt,Kt,vt,Ot,nn,Ai,Qt,pi,ut,Ft,Wt,wt,rn,dr,En,Et="sizzle"+1*new Date,yi=E.document,ji=0,dd=0,Yl=w(),Kl=w(),Xl=w(),hr=w(),$a=function(q,te){return q===te&&(Qt=!0),0},hd={}.hasOwnProperty,an=[],fd=an.pop,pd=an.push,Bi=an.push,Gl=an.slice,on=function(q,te){for(var se=0,De=q.length;se+~]|"+xt+")"+xt+"*"),vd=new RegExp(xt+"|>"),bd=new RegExp(Ra),yd=new RegExp("^"+sn+"$"),pr={ID:new RegExp("^#("+sn+")"),CLASS:new RegExp("^\\.("+sn+")"),TAG:new RegExp("^("+sn+"|[*])"),ATTR:new RegExp("^"+Jl),PSEUDO:new RegExp("^"+Ra),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+xt+"*(even|odd|(([+-]|)(\\d*)n|)"+xt+"*(?:([+-]|)"+xt+"*(\\d+)|))"+xt+"*\\)|)","i"),bool:new RegExp("^(?:"+ja+")$","i"),needsContext:new RegExp("^"+xt+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+xt+"*((?:-\\d)?\\d*)"+xt+"*\\)|)(?=[^-]|$)","i")},_d=/HTML$/i,wd=/^(?:input|select|textarea|button)$/i,xd=/^h\d$/i,In=/^[^{]+\{\s*\[native \w/,kd=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,Ha=/[+~]/,Ri=new RegExp("\\\\[\\da-fA-F]{1,6}"+xt+"?|\\\\([^\\r\\n\\f])","g"),Hi=function(q,te){var se="0x"+q.slice(1)-65536;return te||(se<0?String.fromCharCode(se+65536):String.fromCharCode(se>>10|55296,se&1023|56320))},Zl=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\0-\x1f\x7f-\uFFFF\w-]/g,ec=function(q,te){return te?q==="\0"?"\uFFFD":q.slice(0,-1)+"\\"+q.charCodeAt(q.length-1).toString(16)+" ":"\\"+q},tc=function(){pi()},Cd=ce(function(ue){return ue.disabled===!0&&ue.nodeName.toLowerCase()==="fieldset"},{dir:"parentNode",next:"legend"});try{Bi.apply(an=Gl.call(yi.childNodes),yi.childNodes),an[yi.childNodes.length].nodeType}catch(ue){Bi={apply:an.length?function(q,te){pd.apply(q,Gl.call(te))}:function(q,te){for(var se=q.length,De=0;q[se++]=te[De++];);q.length=se-1}}}mt=s.support={},dt=s.isXML=function(q){var te=q&&q.namespaceURI,se=q&&(q.ownerDocument||q).documentElement;return!_d.test(te||se&&se.nodeName||"HTML")},pi=s.setDocument=function(q){var te,se,De=q?q.ownerDocument||q:yi;return De==ut||De.nodeType!==9||!De.documentElement||(ut=De,Ft=ut.documentElement,Wt=!dt(ut),yi!=ut&&(se=ut.defaultView)&&se.top!==se&&(se.addEventListener?se.addEventListener("unload",tc,!1):se.attachEvent&&se.attachEvent("onunload",tc)),mt.scope=A(function(be){return Ft.appendChild(be).appendChild(ut.createElement("div")),_typeof(be.querySelectorAll)<"u"&&!be.querySelectorAll(":scope fieldset div").length}),mt.attributes=A(function(be){return be.className="i",!be.getAttribute("className")}),mt.getElementsByTagName=A(function(be){return be.appendChild(ut.createComment("")),!be.getElementsByTagName("*").length}),mt.getElementsByClassName=In.test(ut.getElementsByClassName),mt.getById=A(function(be){return Ft.appendChild(be).id=Et,!ut.getElementsByName||!ut.getElementsByName(Et).length}),mt.getById?(Ze.filter.ID=function(be){var xe=be.replace(Ri,Hi);return function(ke){return ke.getAttribute("id")===xe}},Ze.find.ID=function(be,xe){if(_typeof(xe.getElementById)<"u"&&Wt){var ke=xe.getElementById(be);return ke?[ke]:[]}}):(Ze.filter.ID=function(be){var xe=be.replace(Ri,Hi);return function(ke){var Fe=_typeof(ke.getAttributeNode)<"u"&&ke.getAttributeNode("id");return Fe&&Fe.value===xe}},Ze.find.ID=function(be,xe){if(_typeof(xe.getElementById)<"u"&&Wt){var ke,Fe,He,Ye=xe.getElementById(be);if(Ye){if(ke=Ye.getAttributeNode("id"),ke&&ke.value===be)return[Ye];for(He=xe.getElementsByName(be),Fe=0;Ye=He[Fe++];)if(ke=Ye.getAttributeNode("id"),ke&&ke.value===be)return[Ye]}return[]}}),Ze.find.TAG=mt.getElementsByTagName?function(be,xe){if(_typeof(xe.getElementsByTagName)<"u")return xe.getElementsByTagName(be);if(mt.qsa)return xe.querySelectorAll(be)}:function(be,xe){var ke,Fe=[],He=0,Ye=xe.getElementsByTagName(be);if(be==="*"){for(;ke=Ye[He++];)ke.nodeType===1&&Fe.push(ke);return Fe}return Ye},Ze.find.CLASS=mt.getElementsByClassName&&function(be,xe){if(_typeof(xe.getElementsByClassName)<"u"&&Wt)return xe.getElementsByClassName(be)},rn=[],wt=[],(mt.qsa=In.test(ut.querySelectorAll))&&(A(function(be){var xe;Ft.appendChild(be).innerHTML="",be.querySelectorAll("[msallowcapture^='']").length&&wt.push("[*^$]="+xt+"*(?:''|\"\")"),be.querySelectorAll("[selected]").length||wt.push("\\["+xt+"*(?:value|"+ja+")"),be.querySelectorAll("[id~="+Et+"-]").length||wt.push("~="),xe=ut.createElement("input"),xe.setAttribute("name",""),be.appendChild(xe),be.querySelectorAll("[name='']").length||wt.push("\\["+xt+"*name"+xt+"*="+xt+"*(?:''|\"\")"),be.querySelectorAll(":checked").length||wt.push(":checked"),be.querySelectorAll("a#"+Et+"+*").length||wt.push(".#.+[+~]"),be.querySelectorAll("\\\f"),wt.push("[\\r\\n\\f]")}),A(function(be){be.innerHTML="";var xe=ut.createElement("input");xe.setAttribute("type","hidden"),be.appendChild(xe).setAttribute("name","D"),be.querySelectorAll("[name=d]").length&&wt.push("name"+xt+"*[*^$|!~]?="),be.querySelectorAll(":enabled").length!==2&&wt.push(":enabled",":disabled"),Ft.appendChild(be).disabled=!0,be.querySelectorAll(":disabled").length!==2&&wt.push(":enabled",":disabled"),be.querySelectorAll("*,:x"),wt.push(",.*:")})),(mt.matchesSelector=In.test(dr=Ft.matches||Ft.webkitMatchesSelector||Ft.mozMatchesSelector||Ft.oMatchesSelector||Ft.msMatchesSelector))&&A(function(be){mt.disconnectedMatch=dr.call(be,"*"),dr.call(be,"[s!='']:x"),rn.push("!=",Ra)}),wt=wt.length&&new RegExp(wt.join("|")),rn=rn.length&&new RegExp(rn.join("|")),te=In.test(Ft.compareDocumentPosition),En=te||In.test(Ft.contains)?function(xe,ke){var Fe=xe.nodeType===9?xe.documentElement:xe,He=ke&&ke.parentNode;return xe===He||!!(He&&He.nodeType===1&&(Fe.contains?Fe.contains(He):xe.compareDocumentPosition&&xe.compareDocumentPosition(He)&16))}:function(be,xe){if(xe){for(;xe=xe.parentNode;)if(xe===be)return!0}return!1},$a=te?function(xe,ke){if(xe===ke)return Qt=!0,0;var Fe=!xe.compareDocumentPosition-!ke.compareDocumentPosition;return Fe||(Fe=(xe.ownerDocument||xe)==(ke.ownerDocument||ke)?xe.compareDocumentPosition(ke):1,Fe&1||!mt.sortDetached&&ke.compareDocumentPosition(xe)===Fe?xe==ut||xe.ownerDocument==yi&&En(yi,xe)?-1:ke==ut||ke.ownerDocument==yi&&En(yi,ke)?1:Ai?on(Ai,xe)-on(Ai,ke):0:Fe&4?-1:1)}:function(be,xe){if(be===xe)return Qt=!0,0;var ke,Fe=0,He=be.parentNode,Ye=xe.parentNode,Je=[be],et=[xe];if(!He||!Ye)return be==ut?-1:xe==ut?1:He?-1:Ye?1:Ai?on(Ai,be)-on(Ai,xe):0;if(He===Ye)return N(be,xe);for(ke=be;ke=ke.parentNode;)Je.unshift(ke);for(ke=xe;ke=ke.parentNode;)et.unshift(ke);for(;Je[Fe]===et[Fe];)Fe++;return Fe?N(Je[Fe],et[Fe]):Je[Fe]==yi?-1:et[Fe]==yi?1:0}),ut},s.matches=function(ue,q){return s(ue,null,null,q)},s.matchesSelector=function(ue,q){if(pi(ue),mt.matchesSelector&&Wt&&!hr[q+" "]&&(!rn||!rn.test(q))&&(!wt||!wt.test(q)))try{var te=dr.call(ue,q);if(te||mt.disconnectedMatch||ue.document&&ue.document.nodeType!==11)return te}catch(se){hr(q,!0)}return s(q,ut,null,[ue]).length>0},s.contains=function(ue,q){return(ue.ownerDocument||ue)!=ut&&pi(ue),En(ue,q)},s.attr=function(ue,q){(ue.ownerDocument||ue)!=ut&&pi(ue);var te=Ze.attrHandle[q.toLowerCase()],se=te&&hd.call(Ze.attrHandle,q.toLowerCase())?te(ue,q,!Wt):void 0;return se!==void 0?se:mt.attributes||!Wt?ue.getAttribute(q):(se=ue.getAttributeNode(q))&&se.specified?se.value:null},s.escape=function(ue){return(ue+"").replace(Zl,ec)},s.error=function(ue){throw new Error("Syntax error, unrecognized expression: "+ue)},s.uniqueSort=function(ue){var q,te=[],se=0,De=0;if(Qt=!mt.detectDuplicates,Ai=!mt.sortStable&&ue.slice(0),ue.sort($a),Qt){for(;q=ue[De++];)q===ue[De]&&(se=te.push(De));for(;se--;)ue.splice(te[se],1)}return Ai=null,ue},fi=s.getText=function(ue){var q,te="",se=0,De=ue.nodeType;if(De){if(De===1||De===9||De===11){if(typeof ue.textContent=="string")return ue.textContent;for(ue=ue.firstChild;ue;ue=ue.nextSibling)te+=fi(ue)}else if(De===3||De===4)return ue.nodeValue}else for(;q=ue[se++];)te+=fi(q);return te},Ze=s.selectors={cacheLength:50,createPseudo:k,match:pr,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(q){return q[1]=q[1].replace(Ri,Hi),q[3]=(q[3]||q[4]||q[5]||"").replace(Ri,Hi),q[2]==="~="&&(q[3]=" "+q[3]+" "),q.slice(0,4)},CHILD:function(q){return q[1]=q[1].toLowerCase(),q[1].slice(0,3)==="nth"?(q[3]||s.error(q[0]),q[4]=+(q[4]?q[5]+(q[6]||1):2*(q[3]==="even"||q[3]==="odd")),q[5]=+(q[7]+q[8]||q[3]==="odd")):q[3]&&s.error(q[0]),q},PSEUDO:function(q){var te,se=!q[6]&&q[2];return pr.CHILD.test(q[0])?null:(q[3]?q[2]=q[4]||q[5]||"":se&&bd.test(se)&&(te=Kt(se,!0))&&(te=se.indexOf(")",se.length-te)-se.length)&&(q[0]=q[0].slice(0,te),q[2]=se.slice(0,te)),q.slice(0,3))}},filter:{TAG:function(q){var te=q.replace(Ri,Hi).toLowerCase();return q==="*"?function(){return!0}:function(se){return se.nodeName&&se.nodeName.toLowerCase()===te}},CLASS:function(q){var te=Yl[q+" "];return te||(te=new RegExp("(^|"+xt+")"+q+"("+xt+"|$)"))&&Yl(q,function(se){return te.test(typeof se.className=="string"&&se.className||_typeof(se.getAttribute)<"u"&&se.getAttribute("class")||"")})},ATTR:function(q,te,se){return function(De){var be=s.attr(De,q);return be==null?te==="!=":te?(be+="",te==="="?be===se:te==="!="?be!==se:te==="^="?se&&be.indexOf(se)===0:te==="*="?se&&be.indexOf(se)>-1:te==="$="?se&&be.slice(-se.length)===se:te==="~="?(" "+be.replace(md," ")+" ").indexOf(se)>-1:te==="|="?be===se||be.slice(0,se.length+1)===se+"-":!1):!0}},CHILD:function(q,te,se,De,be){var xe=q.slice(0,3)!=="nth",ke=q.slice(-4)!=="last",Fe=te==="of-type";return De===1&&be===0?function(He){return!!He.parentNode}:function(He,Ye,Je){var et,bt,Dt,it,It,Zt,kt=xe!==ke?"nextSibling":"previousSibling",qi=He.parentNode,On=Fe&&He.nodeName.toLowerCase(),gn=!Je&&!Fe,ei=!1;if(qi){if(xe){for(;kt;){for(it=He;it=it[kt];)if(Fe?it.nodeName.toLowerCase()===On:it.nodeType===1)return!1;Zt=kt=q==="only"&&!Zt&&"nextSibling"}return!0}if(Zt=[ke?qi.firstChild:qi.lastChild],ke&&gn){for(it=qi,Dt=it[Et]||(it[Et]={}),bt=Dt[it.uniqueID]||(Dt[it.uniqueID]={}),et=bt[q]||[],It=et[0]===ji&&et[1],ei=It&&et[2],it=It&&qi.childNodes[It];it=++It&&it&&it[kt]||(ei=It=0)||Zt.pop();)if(it.nodeType===1&&++ei&&it===He){bt[q]=[ji,It,ei];break}}else if(gn&&(it=He,Dt=it[Et]||(it[Et]={}),bt=Dt[it.uniqueID]||(Dt[it.uniqueID]={}),et=bt[q]||[],It=et[0]===ji&&et[1],ei=It),ei===!1)for(;(it=++It&&it&&it[kt]||(ei=It=0)||Zt.pop())&&!((Fe?it.nodeName.toLowerCase()===On:it.nodeType===1)&&++ei&&(gn&&(Dt=it[Et]||(it[Et]={}),bt=Dt[it.uniqueID]||(Dt[it.uniqueID]={}),bt[q]=[ji,ei]),it===He)););return ei-=be,ei===De||ei%De===0&&ei/De>=0}}},PSEUDO:function(q,te){var se,De=Ze.pseudos[q]||Ze.setFilters[q.toLowerCase()]||s.error("unsupported pseudo: "+q);return De[Et]?De(te):De.length>1?(se=[q,q,"",te],Ze.setFilters.hasOwnProperty(q.toLowerCase())?k(function(be,xe){for(var ke,Fe=De(be,te),He=Fe.length;He--;)ke=on(be,Fe[He]),be[ke]=!(xe[ke]=Fe[He])}):function(be){return De(be,0,se)}):De}},pseudos:{not:k(function(ue){var q=[],te=[],se=vt(ue.replace(fr,"$1"));return se[Et]?k(function(De,be,xe,ke){for(var Fe,He=se(De,null,ke,[]),Ye=De.length;Ye--;)(Fe=He[Ye])&&(De[Ye]=!(be[Ye]=Fe))}):function(De,be,xe){return q[0]=De,se(q,null,xe,te),q[0]=null,!te.pop()}}),has:k(function(ue){return function(q){return s(ue,q).length>0}}),contains:k(function(ue){return ue=ue.replace(Ri,Hi),function(q){return(q.textContent||fi(q)).indexOf(ue)>-1}}),lang:k(function(ue){return yd.test(ue||"")||s.error("unsupported lang: "+ue),ue=ue.replace(Ri,Hi).toLowerCase(),function(q){var te;do if(te=Wt?q.lang:q.getAttribute("xml:lang")||q.getAttribute("lang"))return te=te.toLowerCase(),te===ue||te.indexOf(ue+"-")===0;while((q=q.parentNode)&&q.nodeType===1);return!1}}),target:function(q){var te=E.location&&E.location.hash;return te&&te.slice(1)===q.id},root:function(q){return q===Ft},focus:function(q){return q===ut.activeElement&&(!ut.hasFocus||ut.hasFocus())&&!!(q.type||q.href||~q.tabIndex)},enabled:Q(!1),disabled:Q(!0),checked:function(q){var te=q.nodeName.toLowerCase();return te==="input"&&!!q.checked||te==="option"&&!!q.selected},selected:function(q){return q.parentNode&&q.parentNode.selectedIndex,q.selected===!0},empty:function(q){for(q=q.firstChild;q;q=q.nextSibling)if(q.nodeType<6)return!1;return!0},parent:function(q){return!Ze.pseudos.empty(q)},header:function(q){return xd.test(q.nodeName)},input:function(q){return wd.test(q.nodeName)},button:function(q){var te=q.nodeName.toLowerCase();return te==="input"&&q.type==="button"||te==="button"},text:function(q){var te;return q.nodeName.toLowerCase()==="input"&&q.type==="text"&&((te=q.getAttribute("type"))==null||te.toLowerCase()==="text")},first:pe(function(){return[0]}),last:pe(function(ue,q){return[q-1]}),eq:pe(function(ue,q,te){return[te<0?te+q:te]}),even:pe(function(ue,q){for(var te=0;teq?q:te;--se>=0;)ue.push(se);return ue}),gt:pe(function(ue,q,te){for(var se=te<0?te+q:te;++se-1&&(xe[Ye]=!(ke[Ye]=et))}}else kt=nt(kt===ke?kt.splice(it,kt.length):kt),De?De(null,ke,kt,He):Bi.apply(ke,kt)})}function La(ue){for(var q,te,se,De=ue.length,be=Ze.relative[ue[0].type],xe=be||Ze.relative[" "],ke=be?1:0,Fe=ce(function(Je){return Je===q},xe,!0),He=ce(function(Je){return on(q,Je)>-1},xe,!0),Ye=[function(Je,et,bt){var Dt=!be&&(bt||et!==nn)||((q=et).nodeType?Fe(Je,et,bt):He(Je,et,bt));return q=null,Dt}];ke1&&Xe(Ye),ke>1&&je(ue.slice(0,ke-1).concat({value:ue[ke-2].type===" "?"*":""})).replace(fr,"$1"),te,ke2&&(ke=xe[0]).type==="ID"&&te.nodeType===9&&Wt&&Ze.relative[xe[1].type]){if(te=(Ze.find.ID(ke.matches[0].replace(Ri,Hi),te)||[])[0],te)Ye&&(te=te.parentNode);else return se;q=q.slice(xe.shift().value.length)}for(be=pr.needsContext.test(q)?0:xe.length;be--&&(ke=xe[be],!Ze.relative[Fe=ke.type]);)if((He=Ze.find[Fe])&&(De=He(ke.matches[0].replace(Ri,Hi),Ha.test(xe[0].type)&&ve(te.parentNode)||te))){if(xe.splice(be,1),q=De.length&&je(xe),!q)return Bi.apply(se,De),se;break}}return(Ye||vt(q,Je))(De,te,!Wt,se,!te||Ha.test(q)&&ve(te.parentNode)||te),se},mt.sortStable=Et.split("").sort($a).join("")===Et,mt.detectDuplicates=!!Qt,pi(),mt.sortDetached=A(function(ue){return ue.compareDocumentPosition(ut.createElement("fieldset"))&1}),A(function(ue){return ue.innerHTML="",ue.firstChild.getAttribute("href")==="#"})||M("type|href|height|width",function(ue,q,te){if(!te)return ue.getAttribute(q,q.toLowerCase()==="type"?1:2)}),(!mt.attributes||!A(function(ue){return ue.innerHTML="",ue.firstChild.setAttribute("value",""),ue.firstChild.getAttribute("value")===""}))&&M("value",function(ue,q,te){if(!te&&ue.nodeName.toLowerCase()==="input")return ue.defaultValue}),A(function(ue){return ue.getAttribute("disabled")==null})||M(ja,function(ue,q,te){var se;if(!te)return ue[q]===!0?q.toLowerCase():(se=ue.getAttributeNode(q))&&se.specified?se.value:null}),s}(l);D.find=Vt,D.expr=Vt.selectors,D.expr[":"]=D.expr.pseudos,D.uniqueSort=D.unique=Vt.uniqueSort,D.text=Vt.getText,D.isXMLDoc=Vt.isXML,D.contains=Vt.contains,D.escapeSelector=Vt.escape;var gt=function(s,w,k){for(var A=[],M=k!==void 0;(s=s[w])&&s.nodeType!==9;)if(s.nodeType===1){if(M&&D(s).is(k))break;A.push(s)}return A},jt=function(s,w){for(var k=[];s;s=s.nextSibling)s.nodeType===1&&s!==w&&k.push(s);return k},F=D.expr.match.needsContext,J=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;D.filter=function(E,s,w){var k=s[0];return w&&(E=":not("+E+")"),s.length===1&&k.nodeType===1?D.find.matchesSelector(k,E)?[k]:[]:D.find.matches(E,D.grep(s,function(A){return A.nodeType===1}))},D.fn.extend({find:function(s){var w,k,A=this.length,M=this;if(typeof s!="string")return this.pushStack(D(s).filter(function(){for(w=0;w1?D.uniqueSort(k):k},filter:function(s){return this.pushStack(v(this,s||[],!1))},not:function(s){return this.pushStack(v(this,s||[],!0))},is:function(s){return!!v(this,typeof s=="string"&&F.test(s)?D(s):s||[],!1).length}});var K,re=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/,ge=D.fn.init=function(s,w,k){var A,M;if(!s)return this;if(k=k||K,typeof s=="string")if(s[0]==="<"&&s[s.length-1]===">"&&s.length>=3?A=[null,s,null]:A=re.exec(s),A&&(A[1]||!w))if(A[1]){if(w=_instanceof(w,D)?w[0]:w,D.merge(this,D.parseHTML(A[1],w&&w.nodeType?w.ownerDocument||w:rt,!0)),J.test(A[1])&&D.isPlainObject(w))for(A in w)Ke(this[A])?this[A](w[A]):this.attr(A,w[A]);return this}else return M=rt.getElementById(A[2]),M&&(this[0]=M,this.length=1),this;else return!w||w.jquery?(w||k).find(s):this.constructor(w).find(s);else{if(s.nodeType)return this[0]=s,this.length=1,this;if(Ke(s))return k.ready!==void 0?k.ready(s):s(D)}return D.makeArray(s,this)};ge.prototype=D.fn,K=D(rt);var _e=/^(?:parents|prev(?:Until|All))/,he={children:!0,contents:!0,next:!0,prev:!0};D.fn.extend({has:function(s){var w=D(s,this),k=w.length;return this.filter(function(){for(var A=0;A-1:k.nodeType===1&&D.find.matchesSelector(k,s))){N.push(k);break}}return this.pushStack(N.length>1?D.uniqueSort(N):N)},index:function(s){return s?typeof s=="string"?Gt.call(D(s),this[0]):Gt.call(this,s.jquery?s[0]:s):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(s,w){return this.pushStack(D.uniqueSort(D.merge(this.get(),D(s,w))))},addBack:function(s){return this.add(s==null?this.prevObject:this.prevObject.filter(s))}}),D.each({parent:function(s){var w=s.parentNode;return w&&w.nodeType!==11?w:null},parents:function(s){return gt(s,"parentNode")},parentsUntil:function(s,w,k){return gt(s,"parentNode",k)},next:function(s){return y(s,"nextSibling")},prev:function(s){return y(s,"previousSibling")},nextAll:function(s){return gt(s,"nextSibling")},prevAll:function(s){return gt(s,"previousSibling")},nextUntil:function(s,w,k){return gt(s,"nextSibling",k)},prevUntil:function(s,w,k){return gt(s,"previousSibling",k)},siblings:function(s){return jt((s.parentNode||{}).firstChild,s)},children:function(s){return jt(s.firstChild)},contents:function(s){return s.contentDocument!=null&&li(s.contentDocument)?s.contentDocument:(o(s,"template")&&(s=s.content||s),D.merge([],s.childNodes))}},function(E,s){D.fn[E]=function(w,k){var A=D.map(this,s,w);return E.slice(-5)!=="Until"&&(k=w),k&&typeof k=="string"&&(A=D.filter(k,A)),this.length>1&&(he[E]||D.uniqueSort(A),_e.test(E)&&A.reverse()),this.pushStack(A)}});var fe=/[^\x20\t\r\n\f]+/g;D.Callbacks=function(E){E=typeof E=="string"?g(E):D.extend({},E);var s,w,k,A,M=[],N=[],L=-1,ie=function(){for(A=A||E.once,k=s=!0;N.length;L=-1)for(w=N.shift();++L-1;)M.splice(je,1),je<=L&&L--}),this},has:function(ve){return ve?D.inArray(ve,M)>-1:M.length>0},empty:function(){return M&&(M=[]),this},disable:function(){return A=N=[],M=w="",this},disabled:function(){return!M},lock:function(){return A=N=[],!w&&!s&&(M=w=""),this},locked:function(){return!!A},fireWith:function(ve,Pe){return A||(Pe=Pe||[],Pe=[ve,Pe.slice?Pe.slice():Pe],N.push(Pe),s||ie()),this},fire:function(){return Q.fireWith(this,arguments),this},fired:function(){return!!k}};return Q},D.extend({Deferred:function(s){var w=[["notify","progress",D.Callbacks("memory"),D.Callbacks("memory"),2],["resolve","done",D.Callbacks("once memory"),D.Callbacks("once memory"),0,"resolved"],["reject","fail",D.Callbacks("once memory"),D.Callbacks("once memory"),1,"rejected"]],k="pending",A={state:function(){return k},always:function(){return M.done(arguments).fail(arguments),this},catch:function(L){return A.then(null,L)},pipe:function(){var L=arguments;return D.Deferred(function(ie){D.each(w,function(Q,pe){var ve=Ke(L[pe[4]])&&L[pe[4]];M[pe[1]](function(){var Pe=ve&&ve.apply(this,arguments);Pe&&Ke(Pe.promise)?Pe.promise().progress(ie.notify).done(ie.resolve).fail(ie.reject):ie[pe[0]+"With"](this,ve?[Pe]:arguments)})}),L=null}).promise()},then:function(L,ie,Q){var pe=0;function ve(Pe,je,ce,Xe){return function(){var pt=this,nt=arguments,Di=function(){var Ze,fi;if(!(Pe=pe&&(ce!==b&&(pt=void 0,nt=[mt]),je.rejectWith(pt,nt))}};Pe?Tt():(D.Deferred.getStackHook&&(Tt.stackTrace=D.Deferred.getStackHook()),l.setTimeout(Tt))}}return D.Deferred(function(Pe){w[0][3].add(ve(0,Pe,Ke(Q)?Q:p,Pe.notifyWith)),w[1][3].add(ve(0,Pe,Ke(L)?L:p)),w[2][3].add(ve(0,Pe,Ke(ie)?ie:b))}).promise()},promise:function(L){return L!=null?D.extend(L,A):A}},M={};return D.each(w,function(N,L){var ie=L[2],Q=L[5];A[L[1]]=ie.add,Q&&ie.add(function(){k=Q},w[3-N][2].disable,w[3-N][3].disable,w[0][2].lock,w[0][3].lock),ie.add(L[3].fire),M[L[0]]=function(){return M[L[0]+"With"](this===M?void 0:this,arguments),this},M[L[0]+"With"]=ie.fireWith}),A.promise(M),s&&s.call(M,M),M},when:function(s){var w=arguments.length,k=w,A=Array(k),M=Lt.call(arguments),N=D.Deferred(),L=function(Q){return function(pe){A[Q]=this,M[Q]=arguments.length>1?Lt.call(arguments):pe,--w||N.resolveWith(A,M)}};if(w<=1&&(x(s,N.done(L(k)).resolve,N.reject,!w),N.state()==="pending"||Ke(M[k]&&M[k].then)))return N.then();for(;k--;)x(M[k],L(k),N.reject);return N.promise()}});var le=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;D.Deferred.exceptionHook=function(E,s){l.console&&l.console.warn&&E&&le.test(E.name)&&l.console.warn("jQuery.Deferred exception: "+E.message,E.stack,s)},D.readyException=function(E){l.setTimeout(function(){throw E})};var Ce=D.Deferred();D.fn.ready=function(E){return Ce.then(E).catch(function(s){D.readyException(s)}),this},D.extend({isReady:!1,readyWait:1,ready:function(s){(s===!0?--D.readyWait:D.isReady)||(D.isReady=!0,!(s!==!0&&--D.readyWait>0)&&Ce.resolveWith(rt,[D]))}}),D.ready.then=Ce.then;function Se(){rt.removeEventListener("DOMContentLoaded",Se),l.removeEventListener("load",Se),D.ready()}rt.readyState==="complete"||rt.readyState!=="loading"&&!rt.documentElement.doScroll?l.setTimeout(D.ready):(rt.addEventListener("DOMContentLoaded",Se),l.addEventListener("load",Se));var Ee=function(E,s,w,k,A,M,N){var L=0,ie=E.length,Q=w==null;if(h(w)==="object"){A=!0;for(L in w)Ee(E,s,L,w[L],!0,M,N)}else if(k!==void 0&&(A=!0,Ke(k)||(N=!0),Q&&(N?(s.call(E,k),s=null):(Q=s,s=function(ve,Pe,je){return Q.call(D(ve),je)})),s))for(;L1,null,!0)},removeData:function(s){return this.each(function(){Me.remove(this,s)})}}),D.extend({queue:function(s,w,k){var A;if(s)return w=(w||"fx")+"queue",A=Te.get(s,w),k&&(!A||Array.isArray(k)?A=Te.access(s,w,D.makeArray(k)):A.push(k)),A||[]},dequeue:function(s,w){w=w||"fx";var k=D.queue(s,w),A=k.length,M=k.shift(),N=D._queueHooks(s,w),L=function(){D.dequeue(s,w)};M==="inprogress"&&(M=k.shift(),A--),M&&(w==="fx"&&k.unshift("inprogress"),delete N.stop,M.call(s,L,N)),!A&&N&&N.empty.fire()},_queueHooks:function(s,w){var k=w+"queueHooks";return Te.get(s,k)||Te.access(s,k,{empty:D.Callbacks("once memory").add(function(){Te.remove(s,[w+"queue",k])})})}}),D.fn.extend({queue:function(s,w){var k=2;return typeof s!="string"&&(w=s,s="fx",k--),arguments.length\x20\t\r\n\f]*)/i,fn=/^$|^module$|\/(?:java|ecma)script/i;(function(){var E=rt.createDocumentFragment(),s=E.appendChild(rt.createElement("div")),w=rt.createElement("input");w.setAttribute("type","radio"),w.setAttribute("checked","checked"),w.setAttribute("name","t"),s.appendChild(w),ct.checkClone=s.cloneNode(!0).cloneNode(!0).lastChild.checked,s.innerHTML="",ct.noCloneChecked=!!s.cloneNode(!0).lastChild.defaultValue,s.innerHTML="",ct.option=!!s.lastChild})();var hi={thead:[1,"","
    "],col:[2,"","
    "],tr:[2,"","
    "],td:[3,"","
    "],_default:[0,"",""]};hi.tbody=hi.tfoot=hi.colgroup=hi.caption=hi.thead,hi.th=hi.td,ct.option||(hi.optgroup=hi.option=[1,""]);var Ru=/<|&#?\w+;/,zl=/^([^.]*)(?:\.(.+)|)/;function Da(E,s,w,k,A,M){var N,L;if(typeof s=="object"){typeof w!="string"&&(k=k||w,w=void 0);for(L in s)Da(E,L,w,k,s[L],M);return E}if(k==null&&A==null?(A=w,k=w=void 0):A==null&&(typeof w=="string"?(A=k,k=void 0):(A=k,k=w,w=void 0)),A===!1)A=f;else if(!A)return E;return M===1&&(N=A,A=function(Q){return D().off(Q),N.apply(this,arguments)},A.guid=N.guid||(N.guid=D.guid++)),E.each(function(){D.event.add(this,s,A,k,w)})}D.event={global:{},add:function(s,w,k,A,M){var N,L,ie,Q,pe,ve,Pe,je,ce,Xe,pt,nt=Te.get(s);if(Ie(s))for(k.handler&&(N=k,k=N.handler,M=N.selector),M&&D.find.matchesSelector(Nt,M),k.guid||(k.guid=D.guid++),(Q=nt.events)||(Q=nt.events=Object.create(null)),(L=nt.handle)||(L=nt.handle=function(Tt){return(typeof D=="undefined"?"undefined":_typeof(D))<"u"&&D.event.triggered!==Tt.type?D.event.dispatch.apply(s,arguments):void 0}),w=(w||"").match(fe)||[""],pe=w.length;pe--;)ie=zl.exec(w[pe])||[],ce=pt=ie[1],Xe=(ie[2]||"").split(".").sort(),ce&&(Pe=D.event.special[ce]||{},ce=(M?Pe.delegateType:Pe.bindType)||ce,Pe=D.event.special[ce]||{},ve=D.extend({type:ce,origType:pt,data:A,handler:k,guid:k.guid,selector:M,needsContext:M&&D.expr.match.needsContext.test(M),namespace:Xe.join(".")},N),(je=Q[ce])||(je=Q[ce]=[],je.delegateCount=0,(!Pe.setup||Pe.setup.call(s,A,Xe,L)===!1)&&s.addEventListener&&s.addEventListener(ce,L)),Pe.add&&(Pe.add.call(s,ve),ve.handler.guid||(ve.handler.guid=k.guid)),M?je.splice(je.delegateCount++,0,ve):je.push(ve),D.event.global[ce]=!0)},remove:function(s,w,k,A,M){var N,L,ie,Q,pe,ve,Pe,je,ce,Xe,pt,nt=Te.hasData(s)&&Te.get(s);if(!(!nt||!(Q=nt.events))){for(w=(w||"").match(fe)||[""],pe=w.length;pe--;){if(ie=zl.exec(w[pe])||[],ce=pt=ie[1],Xe=(ie[2]||"").split(".").sort(),!ce){for(ce in Q)D.event.remove(s,ce+w[pe],k,A,!0);continue}for(Pe=D.event.special[ce]||{},ce=(A?Pe.delegateType:Pe.bindType)||ce,je=Q[ce]||[],ie=ie[2]&&new RegExp("(^|\\.)"+Xe.join("\\.(?:.*\\.|)")+"(\\.|$)"),L=N=je.length;N--;)ve=je[N],(M||pt===ve.origType)&&(!k||k.guid===ve.guid)&&(!ie||ie.test(ve.namespace))&&(!A||A===ve.selector||A==="**"&&ve.selector)&&(je.splice(N,1),ve.selector&&je.delegateCount--,Pe.remove&&Pe.remove.call(s,ve));L&&!je.length&&((!Pe.teardown||Pe.teardown.call(s,Xe,nt.handle)===!1)&&D.removeEvent(s,ce,nt.handle),delete Q[ce])}D.isEmptyObject(Q)&&Te.remove(s,"handle events")}},dispatch:function(s){var w,k,A,M,N,L,ie=new Array(arguments.length),Q=D.event.fix(s),pe=(Te.get(this,"events")||Object.create(null))[Q.type]||[],ve=D.event.special[Q.type]||{};for(ie[0]=Q,w=1;w=1)){for(;pe!==this;pe=pe.parentNode||this)if(pe.nodeType===1&&!(s.type==="click"&&pe.disabled===!0)){for(N=[],L={},k=0;k-1:D.find(M,this,null,[pe]).length),L[M]&&N.push(A);N.length&&ie.push({elem:pe,handlers:N})}}return pe=this,Q\s*$/g;function pn(E,s,w,k){s=ii(s);var A,M,N,L,ie,Q,pe=0,ve=E.length,Pe=ve-1,je=s[0],ce=Ke(je);if(ce||ve>1&&typeof je=="string"&&!ct.checkClone&&Fu.test(je))return E.each(function(Xe){var pt=E.eq(Xe);ce&&(s[0]=je.call(this,Xe,pt.html())),pn(pt,s,w,k)});if(ve&&(A=r(s,E[0].ownerDocument,!1,E,k),M=A.firstChild,A.childNodes.length===1&&(A=M),M||k)){for(N=D.map(e(A,"script"),B),L=N.length;pe0&&i(L,!Q&&e(s,"script")),ie},cleanData:function(s){for(var w,k,A,M=D.event.special,N=0;(k=s[N])!==void 0;N++)if(Ie(k)){if(w=k[Te.expando]){if(w.events)for(A in w.events)M[A]?D.event.remove(k,A):D.removeEvent(k,A,w.handle);k[Te.expando]=void 0}k[Me.expando]&&(k[Me.expando]=void 0)}}}),D.fn.extend({detach:function(s){return ae(this,s,!0)},remove:function(s){return ae(this,s)},text:function(s){return Ee(this,function(w){return w===void 0?D.text(this):this.empty().each(function(){(this.nodeType===1||this.nodeType===11||this.nodeType===9)&&(this.textContent=w)})},null,s,arguments.length)},append:function(){return pn(this,arguments,function(s){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var w=P(this,s);w.appendChild(s)}})},prepend:function(){return pn(this,arguments,function(s){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var w=P(this,s);w.insertBefore(s,w.firstChild)}})},before:function(){return pn(this,arguments,function(s){this.parentNode&&this.parentNode.insertBefore(s,this)})},after:function(){return pn(this,arguments,function(s){this.parentNode&&this.parentNode.insertBefore(s,this.nextSibling)})},empty:function(){for(var s,w=0;(s=this[w])!=null;w++)s.nodeType===1&&(D.cleanData(e(s,!1)),s.textContent="");return this},clone:function(s,w){return s=s!=null?s:!1,w=w!=null?w:s,this.map(function(){return D.clone(this,s,w)})},html:function(s){return Ee(this,function(w){var k=this[0]||{},A=0,M=this.length;if(w===void 0&&k.nodeType===1)return k.innerHTML;if(typeof w=="string"&&!Hu.test(w)&&!hi[(Jt.exec(w)||["",""])[1].toLowerCase()]){w=D.htmlPrefilter(w);try{for(;A1)}});function ri(E,s,w,k,A){return new ri.prototype.init(E,s,w,k,A)}D.Tween=ri,ri.prototype={constructor:ri,init:function(s,w,k,A,M,N){this.elem=s,this.prop=k,this.easing=M||D.easing._default,this.options=w,this.start=this.now=this.cur(),this.end=A,this.unit=N||(D.cssNumber[k]?"":"px")},cur:function(){var s=ri.propHooks[this.prop];return s&&s.get?s.get(this):ri.propHooks._default.get(this)},run:function(s){var w,k=ri.propHooks[this.prop];return this.options.duration?this.pos=w=D.easing[this.easing](s,this.options.duration*s,0,1,this.options.duration):this.pos=w=s,this.now=(this.end-this.start)*w+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),k&&k.set?k.set(this):ri.propHooks._default.set(this),this}},ri.prototype.init.prototype=ri.prototype,ri.propHooks={_default:{get:function(s){var w;return s.elem.nodeType!==1||s.elem[s.prop]!=null&&s.elem.style[s.prop]==null?s.elem[s.prop]:(w=D.css(s.elem,s.prop,""),!w||w==="auto"?0:w)},set:function(s){D.fx.step[s.prop]?D.fx.step[s.prop](s):s.elem.nodeType===1&&(D.cssHooks[s.prop]||s.elem.style[Y(s.prop)]!=null)?D.style(s.elem,s.prop,s.now+s.unit):s.elem[s.prop]=s.now}}},ri.propHooks.scrollTop=ri.propHooks.scrollLeft={set:function(s){s.elem.nodeType&&s.elem.parentNode&&(s.elem[s.prop]=s.now)}},D.easing={linear:function(s){return s},swing:function(s){return .5-Math.cos(s*Math.PI)/2},_default:"swing"},D.fx=ri.prototype.init,D.fx.step={};var mn,ur,Vu=/^(?:toggle|show|hide)$/,Yu=/queueHooks$/;function Ia(){ur&&(rt.hidden===!1&&l.requestAnimationFrame?l.requestAnimationFrame(Ia):l.setTimeout(Ia,D.fx.interval),D.fx.tick())}function bi(E,s,w){var k,A,M=0,N=bi.prefilters.length,L=D.Deferred().always(function(){delete ie.elem}),ie=function(){if(A)return!1;for(var Pe=mn||we(),je=Math.max(0,Q.startTime+Q.duration-Pe),ce=je/Q.duration||0,Xe=1-ce,pt=0,nt=Q.tweens.length;pt1)},removeAttr:function(s){return this.each(function(){D.removeAttr(this,s)})}}),D.extend({attr:function(s,w,k){var A,M,N=s.nodeType;if(!(N===3||N===8||N===2)){if(_typeof(s.getAttribute)>"u")return D.prop(s,w,k);if((N!==1||!D.isXMLDoc(s))&&(M=D.attrHooks[w.toLowerCase()]||(D.expr.match.bool.test(w)?Hl:void 0)),k!==void 0){if(k===null){D.removeAttr(s,w);return}return M&&"set"in M&&(A=M.set(s,k,w))!==void 0?A:(s.setAttribute(w,k+""),k)}return M&&"get"in M&&(A=M.get(s,w))!==null?A:(A=D.find.attr(s,w),A!=null?A:void 0)}},attrHooks:{type:{set:function(s,w){if(!ct.radioValue&&w==="radio"&&o(s,"input")){var k=s.value;return s.setAttribute("type",w),k&&(s.value=k),w}}}},removeAttr:function(s,w){var k,A=0,M=w&&w.match(fe);if(M&&s.nodeType===1)for(;k=M[A++];)s.removeAttribute(k)}}),Hl={set:function(s,w,k){return w===!1?D.removeAttr(s,k):s.setAttribute(k,k),k}},D.each(D.expr.match.bool.source.match(/\w+/g),function(E,s){var w=Tn[s]||D.find.attr;Tn[s]=function(k,A,M){var N,L,ie=A.toLowerCase();return M||(L=Tn[ie],Tn[ie]=N,N=w(k,A,M)!=null?ie:null,Tn[ie]=L),N}});var Ku=/^(?:input|select|textarea|button)$/i,Xu=/^(?:a|area)$/i;D.fn.extend({prop:function(s,w){return Ee(this,D.prop,s,w,arguments.length>1)},removeProp:function(s){return this.each(function(){delete this[D.propFix[s]||s]})}}),D.extend({prop:function(s,w,k){var A,M,N=s.nodeType;if(!(N===3||N===8||N===2))return(N!==1||!D.isXMLDoc(s))&&(w=D.propFix[w]||w,M=D.propHooks[w]),k!==void 0?M&&"set"in M&&(A=M.set(s,k,w))!==void 0?A:s[w]=k:M&&"get"in M&&(A=M.get(s,w))!==null?A:s[w]},propHooks:{tabIndex:{get:function(s){var w=D.find.attr(s,"tabindex");return w?parseInt(w,10):Ku.test(s.nodeName)||Xu.test(s.nodeName)&&s.href?0:-1}}},propFix:{for:"htmlFor",class:"className"}}),ct.optSelected||(D.propHooks.selected={get:function(s){var w=s.parentNode;return w&&w.parentNode&&w.parentNode.selectedIndex,null},set:function(s){var w=s.parentNode;w&&(w.selectedIndex,w.parentNode&&w.parentNode.selectedIndex)}}),D.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){D.propFix[this.toLowerCase()]=this}),D.fn.extend({addClass:function(s){var w,k,A,M,N,L;return Ke(s)?this.each(function(ie){D(this).addClass(s.call(this,ie,$e(this)))}):(w=ft(s),w.length?this.each(function(){if(A=$e(this),k=this.nodeType===1&&" "+Ue(A)+" ",k){for(N=0;N-1;)k=k.replace(" "+M+" "," ");L=Ue(k),A!==L&&this.setAttribute("class",L)}}):this):this.attr("class","")},toggleClass:function(s,w){var k,A,M,N,L=typeof s=="undefined"?"undefined":_typeof(s),ie=L==="string"||Array.isArray(s);return Ke(s)?this.each(function(Q){D(this).toggleClass(s.call(this,Q,$e(this),w),w)}):typeof w=="boolean"&&ie?w?this.addClass(s):this.removeClass(s):(k=ft(s),this.each(function(){if(ie)for(N=D(this),M=0;M-1)return!0;return!1}});var Gu=/\r/g;D.fn.extend({val:function(s){var w,k,A,M=this[0];return arguments.length?(A=Ke(s),this.each(function(N){var L;this.nodeType===1&&(A?L=s.call(this,N,D(this).val()):L=s,L==null?L="":typeof L=="number"?L+="":Array.isArray(L)&&(L=D.map(L,function(ie){return ie==null?"":ie+""})),w=D.valHooks[this.type]||D.valHooks[this.nodeName.toLowerCase()],(!w||!("set"in w)||w.set(this,L,"value")===void 0)&&(this.value=L))})):M?(w=D.valHooks[M.type]||D.valHooks[M.nodeName.toLowerCase()],w&&"get"in w&&(k=w.get(M,"value"))!==void 0?k:(k=M.value,typeof k=="string"?k.replace(Gu,""):k!=null?k:"")):void 0}}),D.extend({valHooks:{option:{get:function(s){var w=D.find.attr(s,"value");return w!=null?w:Ue(D.text(s))}},select:{get:function(s){var w,k,A,M=s.options,N=s.selectedIndex,L=s.type==="select-one",ie=L?null:[],Q=L?N+1:M.length;for(N<0?A=Q:A=L?N:0;A-1)&&(k=!0);return k||(s.selectedIndex=-1),N}}}}),D.each(["radio","checkbox"],function(){D.valHooks[this]={set:function(s,w){if(Array.isArray(w))return s.checked=D.inArray(D(s).val(),w)>-1}},ct.checkOn||(D.valHooks[this].get=function(E){return E.getAttribute("value")===null?"on":E.value})}),ct.focusin="onfocusin"in l;var Fl=/^(?:focusinfocus|focusoutblur)$/,Ll=function(s){s.stopPropagation()};D.extend(D.event,{trigger:function(s,w,k,A){var M,N,L,ie,Q,pe,ve,Pe,je=[k||rt],ce=Mt.call(s,"type")?s.type:s,Xe=Mt.call(s,"namespace")?s.namespace.split("."):[];if(N=Pe=L=k=k||rt,!(k.nodeType===3||k.nodeType===8)&&!Fl.test(ce+D.event.triggered)&&(ce.indexOf(".")>-1&&(Xe=ce.split("."),ce=Xe.shift(),Xe.sort()),Q=ce.indexOf(":")<0&&"on"+ce,s=s[D.expando]?s:new D.Event(ce,typeof s=="object"&&s),s.isTrigger=A?2:3,s.namespace=Xe.join("."),s.rnamespace=s.namespace?new RegExp("(^|\\.)"+Xe.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,s.result=void 0,s.target||(s.target=k),w=w==null?[s]:D.makeArray(w,[s]),ve=D.event.special[ce]||{},!(!A&&ve.trigger&&ve.trigger.apply(k,w)===!1))){if(!A&&!ve.noBubble&&!ni(k)){for(ie=ve.delegateType||ce,Fl.test(ie+ce)||(N=N.parentNode);N;N=N.parentNode)je.push(N),L=N;L===(k.ownerDocument||rt)&&je.push(L.defaultView||L.parentWindow||l)}for(M=0;(N=je[M++])&&!s.isPropagationStopped();)Pe=N,s.type=M>1?ie:ve.bindType||ce,pe=(Te.get(N,"events")||Object.create(null))[s.type]&&Te.get(N,"handle"),pe&&pe.apply(N,w),pe=Q&&N[Q],pe&&pe.apply&&Ie(N)&&(s.result=pe.apply(N,w),s.result===!1&&s.preventDefault());return s.type=ce,!A&&!s.isDefaultPrevented()&&(!ve._default||ve._default.apply(je.pop(),w)===!1)&&Ie(k)&&Q&&Ke(k[ce])&&!ni(k)&&(L=k[Q],L&&(k[Q]=null),D.event.triggered=ce,s.isPropagationStopped()&&Pe.addEventListener(ce,Ll),k[ce](),s.isPropagationStopped()&&Pe.removeEventListener(ce,Ll),D.event.triggered=void 0,L&&(k[Q]=L)),s.result}},simulate:function(s,w,k){var A=D.extend(new D.Event,k,{type:s,isSimulated:!0});D.event.trigger(A,null,w)}}),D.fn.extend({trigger:function(s,w){return this.each(function(){D.event.trigger(s,w,this)})},triggerHandler:function(s,w){var k=this[0];if(k)return D.event.trigger(s,w,k,!0)}}),ct.focusin||D.each({focus:"focusin",blur:"focusout"},function(E,s){var w=function(A){D.event.simulate(s,A.target,D.event.fix(A))};D.event.special[s]={setup:function(){var A=this.ownerDocument||this.document||this,M=Te.access(A,s);M||A.addEventListener(E,w,!0),Te.access(A,s,(M||0)+1)},teardown:function(){var A=this.ownerDocument||this.document||this,M=Te.access(A,s)-1;M?Te.access(A,s,M):(A.removeEventListener(E,w,!0),Te.remove(A,s))}}});var Dn=l.location,Wl={guid:Date.now()},Oa=/\?/;D.parseXML=function(E){var s,w;if(!E||typeof E!="string")return null;try{s=new l.DOMParser().parseFromString(E,"text/xml")}catch(k){}return w=s&&s.getElementsByTagName("parsererror")[0],(!s||w)&&D.error("Invalid XML: "+(w?D.map(w.childNodes,function(k){return k.textContent}).join("\n"):E)),s};var Ju=/\[\]$/,Bl=/\r?\n/g,Qu=/^(?:submit|button|image|reset|file)$/i,Zu=/^(?:input|select|textarea|keygen)/i;function za(E,s,w,k){var A;if(Array.isArray(s))D.each(s,function(M,N){w||Ju.test(E)?k(E,N):za(E+"["+(typeof N=="object"&&N!=null?M:"")+"]",N,w,k)});else if(!w&&h(s)==="object")for(A in s)za(E+"["+A+"]",s[A],w,k);else k(E,s)}D.param=function(E,s){var w,k=[],A=function(N,L){var ie=Ke(L)?L():L;k[k.length]=encodeURIComponent(N)+"="+encodeURIComponent(ie!=null?ie:"")};if(E==null)return"";if(Array.isArray(E)||E.jquery&&!D.isPlainObject(E))D.each(E,function(){A(this.name,this.value)});else for(w in E)za(w,E[w],s,A);return k.join("&")},D.fn.extend({serialize:function(){return D.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var s=D.prop(this,"elements");return s?D.makeArray(s):this}).filter(function(){var s=this.type;return this.name&&!D(this).is(":disabled")&&Zu.test(this.nodeName)&&!Qu.test(s)&&(this.checked||!di.test(s))}).map(function(s,w){var k=D(this).val();return k==null?null:Array.isArray(k)?D.map(k,function(A){return{name:w.name,value:A.replace(Bl,"\r\n")}}):{name:w.name,value:k.replace(Bl,"\r\n")}}).get()}});var ed=/%20/g,td=/#.*$/,id=/([?&])_=[^&]*/,nd=/^(.*?):[ \t]*([^\r\n]*)$/mg,rd=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,ad=/^(?:GET|HEAD)$/,od=/^\/\//,ql={},Pa={},Ul="*/".concat("*"),Ma=rt.createElement("a");Ma.href=Dn.href,D.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Dn.href,type:"GET",isLocal:rd.test(Dn.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Ul,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":JSON.parse,"text xml":D.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(s,w){return w?Ut(Ut(s,D.ajaxSettings),w):Ut(D.ajaxSettings,s)},ajaxPrefilter:St(ql),ajaxTransport:St(Pa),ajax:function(s,w){var k=function(vt,Ot,nn,Ai){var Qt,pi,ut,Ft,Wt,wt=Ot;pe||(pe=!0,ie&&l.clearTimeout(ie),A=void 0,N=Ai||"",dt.readyState=vt>0?4:0,Qt=vt>=200&&vt<300||vt===304,nn&&(Ft=Pi(ce,dt,nn)),!Qt&&D.inArray("script",ce.dataTypes)>-1&&D.inArray("json",ce.dataTypes)<0&&(ce.converters["text script"]=function(){}),Ft=Mi(ce,Ft,dt,Qt),Qt?(ce.ifModified&&(Wt=dt.getResponseHeader("Last-Modified"),Wt&&(D.lastModified[M]=Wt),Wt=dt.getResponseHeader("etag"),Wt&&(D.etag[M]=Wt)),vt===204||ce.type==="HEAD"?wt="nocontent":vt===304?wt="notmodified":(wt=Ft.state,pi=Ft.data,ut=Ft.error,Qt=!ut)):(ut=wt,(vt||!wt)&&(wt="error",vt<0&&(vt=0))),dt.status=vt,dt.statusText=(Ot||wt)+"",Qt?nt.resolveWith(Xe,[pi,wt,dt]):nt.rejectWith(Xe,[dt,wt,ut]),dt.statusCode(Tt),Tt=void 0,ve&&pt.trigger(Qt?"ajaxSuccess":"ajaxError",[dt,ce,Qt?pi:ut]),Di.fireWith(Xe,[dt,wt]),ve&&(pt.trigger("ajaxComplete",[dt,ce]),--D.active||D.event.trigger("ajaxStop")))};typeof s=="object"&&(w=s,s=void 0),w=w||{};var A,M,N,L,ie,Q,pe,ve,Pe,je,ce=D.ajaxSetup({},w),Xe=ce.context||ce,pt=ce.context&&(Xe.nodeType||Xe.jquery)?D(Xe):D.event,nt=D.Deferred(),Di=D.Callbacks("once memory"),Tt=ce.statusCode||{},mt={},Ze={},fi="canceled",dt={readyState:0,getResponseHeader:function(vt){var Ot;if(pe){if(!L)for(L={};Ot=nd.exec(N);)L[Ot[1].toLowerCase()+" "]=(L[Ot[1].toLowerCase()+" "]||[]).concat(Ot[2]);Ot=L[vt.toLowerCase()+" "]}return Ot==null?null:Ot.join(", ")},getAllResponseHeaders:function(){return pe?N:null},setRequestHeader:function(vt,Ot){return pe==null&&(vt=Ze[vt.toLowerCase()]=Ze[vt.toLowerCase()]||vt,mt[vt]=Ot),this},overrideMimeType:function(vt){return pe==null&&(ce.mimeType=vt),this},statusCode:function(vt){var Ot;if(vt)if(pe)dt.always(vt[dt.status]);else for(Ot in vt)Tt[Ot]=[Tt[Ot],vt[Ot]];return this},abort:function(vt){var Ot=vt||fi;return A&&A.abort(Ot),k(0,Ot),this}};if(nt.promise(dt),ce.url=((s||ce.url||Dn.href)+"").replace(od,Dn.protocol+"//"),ce.type=w.method||w.type||ce.method||ce.type,ce.dataTypes=(ce.dataType||"*").toLowerCase().match(fe)||[""],ce.crossDomain==null){Q=rt.createElement("a");try{Q.href=ce.url,Q.href=Q.href,ce.crossDomain=Ma.protocol+"//"+Ma.host!=Q.protocol+"//"+Q.host}catch(Kt){ce.crossDomain=!0}}if(ce.data&&ce.processData&&typeof ce.data!="string"&&(ce.data=D.param(ce.data,ce.traditional)),Bt(ql,ce,w,dt),pe)return dt;ve=D.event&&ce.global,ve&&D.active++===0&&D.event.trigger("ajaxStart"),ce.type=ce.type.toUpperCase(),ce.hasContent=!ad.test(ce.type),M=ce.url.replace(td,""),ce.hasContent?ce.data&&ce.processData&&(ce.contentType||"").indexOf("application/x-www-form-urlencoded")===0&&(ce.data=ce.data.replace(ed,"+")):(je=ce.url.slice(M.length),ce.data&&(ce.processData||typeof ce.data=="string")&&(M+=(Oa.test(M)?"&":"?")+ce.data,delete ce.data),ce.cache===!1&&(M=M.replace(id,"$1"),je=(Oa.test(M)?"&":"?")+"_="+Wl.guid+++je),ce.url=M+je),ce.ifModified&&(D.lastModified[M]&&dt.setRequestHeader("If-Modified-Since",D.lastModified[M]),D.etag[M]&&dt.setRequestHeader("If-None-Match",D.etag[M])),(ce.data&&ce.hasContent&&ce.contentType!==!1||w.contentType)&&dt.setRequestHeader("Content-Type",ce.contentType),dt.setRequestHeader("Accept",ce.dataTypes[0]&&ce.accepts[ce.dataTypes[0]]?ce.accepts[ce.dataTypes[0]]+(ce.dataTypes[0]!=="*"?", "+Ul+"; q=0.01":""):ce.accepts["*"]);for(Pe in ce.headers)dt.setRequestHeader(Pe,ce.headers[Pe]);if(ce.beforeSend&&(ce.beforeSend.call(Xe,dt,ce)===!1||pe))return dt.abort();if(fi="abort",Di.add(ce.complete),dt.done(ce.success),dt.fail(ce.error),A=Bt(Pa,ce,w,dt),!A)k(-1,"No Transport");else{if(dt.readyState=1,ve&&pt.trigger("ajaxSend",[dt,ce]),pe)return dt;ce.async&&ce.timeout>0&&(ie=l.setTimeout(function(){dt.abort("timeout")},ce.timeout));try{pe=!1,A.send(mt,k)}catch(Kt){if(pe)throw Kt;k(-1,Kt)}}return dt},getJSON:function(s,w,k){return D.get(s,w,k,"json")},getScript:function(s,w){return D.get(s,void 0,w,"script")}}),D.each(["get","post"],function(E,s){D[s]=function(w,k,A,M){return Ke(k)&&(M=M||A,A=k,k=void 0),D.ajax(D.extend({url:w,type:s,dataType:M,data:k,success:A},D.isPlainObject(w)&&w))}}),D.ajaxPrefilter(function(E){var s;for(s in E.headers)s.toLowerCase()==="content-type"&&(E.contentType=E.headers[s]||"")}),D._evalUrl=function(E,s,w){return D.ajax({url:E,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,converters:{"text script":function(){}},dataFilter:function(A){D.globalEval(A,s,w)}})},D.fn.extend({wrapAll:function(s){var w;return this[0]&&(Ke(s)&&(s=s.call(this[0])),w=D(s,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&w.insertBefore(this[0]),w.map(function(){for(var k=this;k.firstElementChild;)k=k.firstElementChild;return k}).append(this)),this},wrapInner:function(s){return Ke(s)?this.each(function(w){D(this).wrapInner(s.call(this,w))}):this.each(function(){var w=D(this),k=w.contents();k.length?k.wrapAll(s):w.append(s)})},wrap:function(s){var w=Ke(s);return this.each(function(k){D(this).wrapAll(w?s.call(this,k):s)})},unwrap:function(s){return this.parent(s).not("body").each(function(){D(this).replaceWith(this.childNodes)}),this}}),D.expr.pseudos.hidden=function(E){return!D.expr.pseudos.visible(E)},D.expr.pseudos.visible=function(E){return!!(E.offsetWidth||E.offsetHeight||E.getClientRects().length)},D.ajaxSettings.xhr=function(){try{return new l.XMLHttpRequest}catch(E){}};var sd={0:200,1223:204},An=D.ajaxSettings.xhr();ct.cors=!!An&&"withCredentials"in An,ct.ajax=An=!!An,D.ajaxTransport(function(E){var s,w;if(ct.cors||An&&!E.crossDomain)return{send:function(A,M){var N,L=E.xhr();if(L.open(E.type,E.url,E.async,E.username,E.password),E.xhrFields)for(N in E.xhrFields)L[N]=E.xhrFields[N];E.mimeType&&L.overrideMimeType&&L.overrideMimeType(E.mimeType),!E.crossDomain&&!A["X-Requested-With"]&&(A["X-Requested-With"]="XMLHttpRequest");for(N in A)L.setRequestHeader(N,A[N]);s=function(ie){return function(){s&&(s=w=L.onload=L.onerror=L.onabort=L.ontimeout=L.onreadystatechange=null,ie==="abort"?L.abort():ie==="error"?typeof L.status!="number"?M(0,"error"):M(L.status,L.statusText):M(sd[L.status]||L.status,L.statusText,(L.responseType||"text")!=="text"||typeof L.responseText!="string"?{binary:L.response}:{text:L.responseText},L.getAllResponseHeaders()))}},L.onload=s(),w=L.onerror=L.ontimeout=s("error"),L.onabort!==void 0?L.onabort=w:L.onreadystatechange=function(){L.readyState===4&&l.setTimeout(function(){s&&w()})},s=s("abort");try{L.send(E.hasContent&&E.data||null)}catch(ie){if(s)throw ie}},abort:function(){s&&s()}}}),D.ajaxPrefilter(function(E){E.crossDomain&&(E.contents.script=!1)}),D.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(E){return D.globalEval(E),E}}}),D.ajaxPrefilter("script",function(E){E.cache===void 0&&(E.cache=!1),E.crossDomain&&(E.type="GET")}),D.ajaxTransport("script",function(E){if(E.crossDomain||E.scriptAttrs){var s,w;return{send:function(A,M){s=D("