From 1df23140b8a90a0e0efc7b53e476666eaa8b067b Mon Sep 17 00:00:00 2001 From: Ferdinand Thiessen Date: Mon, 11 Nov 2024 18:14:45 +0100 Subject: [PATCH 1/2] fix: Redirect user to login if session is terminated If a session timed out or was closed in another tab, then currently the user gets random error messages. This intercepts 401 responses (should only happen if logged out, or the users does something wrong). If we get a 401, we make sure its because of the session, by checking if the user can access the files app. If that is also the case we forward the user to the login page and set the redirect URL to the last used URL. Signed-off-by: Ferdinand Thiessen --- core/src/utils/xhr-request.js | 59 +++++++++++++++++++++--- cypress/e2e/login/login-redirect.cy.ts | 62 ++++++++++++++++++++++++++ 2 files changed, 115 insertions(+), 6 deletions(-) create mode 100644 cypress/e2e/login/login-redirect.cy.ts diff --git a/core/src/utils/xhr-request.js b/core/src/utils/xhr-request.js index 5eaeb7e64d722..68641ebc0069d 100644 --- a/core/src/utils/xhr-request.js +++ b/core/src/utils/xhr-request.js @@ -3,7 +3,8 @@ * SPDX-License-Identifier: AGPL-3.0-or-later */ -import { getRootUrl } from '@nextcloud/router' +import { getCurrentUser } from '@nextcloud/auth' +import { generateUrl, getRootUrl } from '@nextcloud/router' /** * @@ -26,6 +27,41 @@ const isNextcloudUrl = (url) => { || (isRelativeUrl(url) && url.startsWith(getRootUrl())) } +/** + * Check if a user was logged in but is now logged-out. + * If this is the case then the user will be forwarded to the login page. + * @returns {Promise} + */ +async function checkLoginStatus() { + // skip if no logged in user + if (getCurrentUser() === null) { + return + } + + // skip if already running + if (checkLoginStatus.running === true) { + return + } + + // only run one request in parallel + checkLoginStatus.running = true + + try { + // We need to check this as a 401 in the first place could also come from other reasons + const { status } = await window.fetch(generateUrl('/apps/files')) + if (status === 401) { + console.warn('User session was terminated, forwarding to login page.') + window.location = generateUrl('/login?redirect_url={url}', { + url: window.location.pathname + window.location.search + window.location.hash, + }) + } + } catch (error) { + console.warn('Could not check login-state') + } finally { + delete checkLoginStatus.running + } +} + /** * Intercept XMLHttpRequest and fetch API calls to add X-Requested-With header * @@ -35,17 +71,24 @@ export const interceptRequests = () => { XMLHttpRequest.prototype.open = (function(open) { return function(method, url, async) { open.apply(this, arguments) - if (isNextcloudUrl(url) && !this.getResponseHeader('X-Requested-With')) { - this.setRequestHeader('X-Requested-With', 'XMLHttpRequest') + if (isNextcloudUrl(url)) { + if (!this.getResponseHeader('X-Requested-With')) { + this.setRequestHeader('X-Requested-With', 'XMLHttpRequest') + } + this.addEventListener('loadend', function() { + if (this.status === 401) { + checkLoginStatus() + } + }) } } })(XMLHttpRequest.prototype.open) window.fetch = (function(fetch) { - return (resource, options) => { + return async (resource, options) => { // fetch allows the `input` to be either a Request object or any stringifyable value if (!isNextcloudUrl(resource.url ?? resource.toString())) { - return fetch(resource, options) + return await fetch(resource, options) } if (!options) { options = {} @@ -60,7 +103,11 @@ export const interceptRequests = () => { options.headers['X-Requested-With'] = 'XMLHttpRequest' } - return fetch(resource, options) + const response = await fetch(resource, options) + if (response.status === 401) { + checkLoginStatus() + } + return response } })(window.fetch) } diff --git a/cypress/e2e/login/login-redirect.cy.ts b/cypress/e2e/login/login-redirect.cy.ts new file mode 100644 index 0000000000000..eb0710dcbccf5 --- /dev/null +++ b/cypress/e2e/login/login-redirect.cy.ts @@ -0,0 +1,62 @@ +/*! + * SPDX-FileCopyrightText: 2024 Nextcloud GmbH and Nextcloud contributors + * SPDX-License-Identifier: AGPL-3.0-or-later + */ + +/** + * Test that when a session expires / the user logged out in another tab, + * the user gets redirected to the login on the next request. + */ +describe('Logout redirect ', { testIsolation: true }, () => { + + let user + + before(() => { + cy.createRandomUser() + .then(($user) => { + user = $user + }) + }) + + it('Redirects to login if session timed out', () => { + // Login and see settings + cy.login(user) + cy.visit('/settings/user#profile') + cy.findByRole('checkbox', { name: /Enable profile/i }) + .should('exist') + + // clear session + cy.clearAllCookies() + + // trigger an request + cy.findByRole('checkbox', { name: /Enable profile/i }) + .click({ force: true }) + + // See that we are redirected + cy.url() + .should('match', /\/login/i) + .and('include', `?redirect_url=${encodeURIComponent('/index.php/settings/user#profile')}`) + + cy.get('form[name="login"]').should('be.visible') + }) + + it('Redirect from login works', () => { + cy.logout() + // visit the login + cy.visit(`/login?redirect_url=${encodeURIComponent('/index.php/settings/user#profile')}`) + + // see login + cy.get('form[name="login"]').should('be.visible') + cy.get('form[name="login"]').within(() => { + cy.get('input[name="user"]').type(user.userId) + cy.get('input[name="password"]').type(user.password) + cy.contains('button[data-login-form-submit]', 'Log in').click() + }) + + // see that we are correctly redirected + cy.url().should('include', '/index.php/settings/user#profile') + cy.findByRole('checkbox', { name: /Enable profile/i }) + .should('exist') + }) + +}) From 29e8bf4af4c0b4a0c2609a62546b76e42998c641 Mon Sep 17 00:00:00 2001 From: nextcloud-command Date: Thu, 19 Dec 2024 18:09:25 +0000 Subject: [PATCH 2/2] chore(assets): Recompile assets Signed-off-by: nextcloud-command --- dist/core-main.js | 4 ++-- dist/core-main.js.map | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/dist/core-main.js b/dist/core-main.js index 43dd7f74fd1fc..de731dd6d3a21 100644 --- a/dist/core-main.js +++ b/dist/core-main.js @@ -1,2 +1,2 @@ -(()=>{var e,i,o,r={72443:(e,i,o)=>{"use strict";var r={};o.r(r),o.d(r,{deleteKey:()=>k,getApps:()=>v,getKeys:()=>x,getValue:()=>y,setValue:()=>w});var s={};o.r(s),o.d(s,{formatLinksPlain:()=>Ci,formatLinksRich:()=>mi,plainToRich:()=>fi,richToPlain:()=>gi});var a={};o.r(a),o.d(a,{dismiss:()=>vi,query:()=>bi}),o(84315),o(7452);var c=o(61338),l=o(4523),u=o(74692),h=o.n(u),d=o(85168);const p={updatableNotification:null,getDefaultNotificationFunction:null,setDefault(t){this.getDefaultNotificationFunction=t},hide(t,e){l.default.isFunction(t)&&(e=t,t=void 0),t?(t.each((function(){h()(this)[0].toastify?h()(this)[0].toastify.hideToast():console.error("cannot hide toast because object is not set"),this===this.updatableNotification&&(this.updatableNotification=null)})),e&&e.call(),this.getDefaultNotificationFunction&&this.getDefaultNotificationFunction()):console.error("Missing argument $row in OC.Notification.hide() call, caller needs to be adjusted to only dismiss its own notification")},showHtml(t,e){(e=e||{}).isHTML=!0,e.timeout=e.timeout?e.timeout:d.DH;const i=(0,d.rG)(t,e);return i.toastElement.toastify=i,h()(i.toastElement)},show(t,e){(e=e||{}).timeout=e.timeout?e.timeout:d.DH;const i=(0,d.rG)(function(t){return t.toString().split("&").join("&").split("<").join("<").split(">").join(">").split('"').join(""").split("'").join("'")}(t),e);return i.toastElement.toastify=i,h()(i.toastElement)},showUpdate(t){return this.updatableNotification&&this.updatableNotification.hideToast(),this.updatableNotification=(0,d.rG)(t,{timeout:d.DH}),this.updatableNotification.toastElement.toastify=this.updatableNotification,h()(this.updatableNotification.toastElement)},showTemporary(t,e){(e=e||{}).timeout=e.timeout||d.Jt;const i=(0,d.rG)(t,e);return i.toastElement.toastify=i,h()(i.toastElement)},isHidden:()=>!h()("#content").find(".toastify").length};var A=o(21777);const f=l.default.throttle((()=>{(0,d.I9)(t("core","Connection to server lost"))}),7e3,{trailing:!1});let g=!1;const m={enableDynamicSlideToggle(){g=!0},showAppSidebar:function(t){(t||h()("#app-sidebar")).removeClass("disappear").show(),h()("#app-content").trigger(new(h().Event)("appresized"))},hideAppSidebar:function(t){(t||h()("#app-sidebar")).hide().addClass("disappear"),h()("#app-content").trigger(new(h().Event)("appresized"))}};var C=o(63814);function b(t,e,i){"post"!==t&&"delete"!==t||!wt.PasswordConfirmation.requiresPasswordConfirmation()?(i=i||{},h().ajax({type:t.toUpperCase(),url:(0,C.KT)("apps/provisioning_api/api/v1/config/apps")+e,data:i.data||{},success:i.success,error:i.error})):wt.PasswordConfirmation.requirePasswordConfirmation(_.bind(b,this,t,e,i))}function v(t){b("get","",t)}function x(t,e){b("get","/"+t,e)}function y(t,e,i,n){(n=n||{}).data={defaultValue:i},b("get","/"+t+"/"+e,n)}function w(t,e,i,n){(n=n||{}).data={value:i},b("post","/"+t+"/"+e,n)}function k(t,e,i){b("delete","/"+t+"/"+e,i)}const B=window.oc_appconfig||{},E={getValue:function(t,e,i,n){y(t,e,i,{success:n})},setValue:function(t,e,i){w(t,e,i)},getApps:function(t){v({success:t})},getKeys:function(t,e){x(t,{success:e})},deleteKey:function(t,e){k(t,e)}},I=void 0!==window._oc_appswebroots&&window._oc_appswebroots;var D=o(21391),S=o.n(D),T=o(78112);const O={create:"POST",update:"PROPPATCH",patch:"PROPPATCH",delete:"DELETE",read:"PROPFIND"};function M(t,e){if(l.default.isArray(t))return l.default.map(t,(function(t){return M(t,e)}));var i={href:t.href};return l.default.each(t.propStat,(function(t){if("HTTP/1.1 200 OK"===t.status)for(var n in t.properties){var o=n;n in e&&(o=e[n]),i[o]=t.properties[n]}})),i.id||(i.id=P(i.href)),i}function P(t){var e=t.indexOf("?");e>0&&(t=t.substr(0,e));var i,n=t.split("/");do{i=n[n.length-1],n.pop()}while(!i&&n.length>0);return i}function R(t){return t>=200&&t<=299}function N(t,e,i,n){return t.propPatch(e.url,function(t,e){var i,n={};for(i in t){var o=e[i],r=t[i];o||(console.warn('No matching DAV property for property "'+i),o=i),(l.default.isBoolean(r)||l.default.isNumber(r))&&(r=""+r),n[o]=r}return n}(i.changed,e.davProperties),n).then((function(t){R(t.status)?l.default.isFunction(e.success)&&e.success(i.toJSON()):l.default.isFunction(e.error)&&e.error(t)}))}const H=S().noConflict();Object.assign(H,{davCall:(t,e)=>{var i=new T.dav.Client({baseUrl:t.url,xmlNamespaces:l.default.extend({"DAV:":"d","http://owncloud.org/ns":"oc"},t.xmlNamespaces||{})});i.resolveUrl=function(){return t.url};var n=l.default.extend({"X-Requested-With":"XMLHttpRequest",requesttoken:OC.requestToken},t.headers);return"PROPFIND"===t.type?function(t,e,i,n){return t.propFind(e.url,l.default.values(e.davProperties)||[],e.depth,n).then((function(t){if(R(t.status)){if(l.default.isFunction(e.success)){var i=l.default.invert(e.davProperties),n=M(t.body,i);e.depth>0&&n.shift(),e.success(n)}}else l.default.isFunction(e.error)&&e.error(t)}))}(i,t,0,n):"PROPPATCH"===t.type?N(i,t,e,n):"MKCOL"===t.type?function(t,e,i,n){return t.request(e.type,e.url,n,null).then((function(o){R(o.status)?N(t,e,i,n):l.default.isFunction(e.error)&&e.error(o)}))}(i,t,e,n):function(t,e,i,n){return n["Content-Type"]="application/json",t.request(e.type,e.url,n,e.data).then((function(t){if(R(t.status)){if(l.default.isFunction(e.success)){if("PUT"===e.type||"POST"===e.type||"MKCOL"===e.type){var n=t.body||i.toJSON(),o=t.xhr.getResponseHeader("Content-Location");return"POST"===e.type&&o&&(n.id=P(o)),void e.success(n)}if(207===t.status){var r=l.default.invert(e.davProperties);e.success(M(t.body,r))}else e.success(t.body)}}else l.default.isFunction(e.error)&&e.error(t)}))}(i,t,e,n)},davSync:(t=>(e,i,n)=>{var o={type:O[e]||e},r=i instanceof t.Collection;if("update"===e&&(i.hasInnerCollection?o.type="MKCOL":(i.usePUT||i.collection&&i.collection.usePUT)&&(o.type="PUT")),n.url||(o.url=l.default.result(i,"url")||function(){throw new Error('A "url" property or function must be specified')}()),null!=n.data||!i||"create"!==e&&"update"!==e&&"patch"!==e||(o.data=JSON.stringify(n.attrs||i.toJSON(n))),"PROPFIND"!==o.type&&(o.processData=!1),"PROPFIND"===o.type||"PROPPATCH"===o.type){var s=i.davProperties;!s&&i.model&&(s=i.model.prototype.davProperties),s&&(l.default.isFunction(s)?o.davProperties=s.call(i):o.davProperties=s),o.davProperties=l.default.extend(o.davProperties||{},n.davProperties),l.default.isUndefined(n.depth)&&(n.depth=r?1:0)}var a=n.error;n.error=function(t,e,i){n.textStatus=e,n.errorThrown=i,a&&a.call(n.context,t,e,i)};var c=n.xhr=t.davCall(l.default.extend(o,n),i);return i.trigger("request",i,c,n),c})(H)});const z=H;var L=o(71225);const F=window._oc_config||{},j=document.getElementsByTagName("head")[0].getAttribute("data-user"),U=document.getElementsByTagName("head")[0].getAttribute("data-user-displayname"),W=void 0!==j&&j;var Y=o(39285),q=o(36882),Q=o(53334),G=o(43627),X=o(85471);const V={YES_NO_BUTTONS:70,OK_BUTTONS:71,FILEPICKER_TYPE_CHOOSE:1,FILEPICKER_TYPE_MOVE:2,FILEPICKER_TYPE_COPY:3,FILEPICKER_TYPE_COPY_MOVE:4,FILEPICKER_TYPE_CUSTOM:5,alert:function(t,e,i,n){this.message(t,e,"alert",V.OK_BUTTON,i,n)},info:function(t,e,i,n){this.message(t,e,"info",V.OK_BUTTON,i,n)},confirm:function(t,e,i,n){return this.message(t,e,"notice",V.YES_NO_BUTTONS,i,n)},confirmDestructive:function(t,e){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:V.OK_BUTTONS,n=arguments.length>3&&void 0!==arguments[3]?arguments[3]:()=>{};return(new d.ik).setName(e).setText(t).setButtons(i===V.OK_BUTTONS?[{label:(0,Q.Tl)("core","Yes"),type:"error",callback:()=>{n.clicked=!0,n(!0)}}]:V._getLegacyButtons(i,n)).build().show().then((()=>{n.clicked||n(!1)}))},confirmHtml:function(t,e,i,n){return(new d.ik).setName(e).setText("").setButtons([{label:(0,Q.Tl)("core","No"),callback:()=>{}},{label:(0,Q.Tl)("core","Yes"),type:"primary",callback:()=>{i.clicked=!0,i(!0)}}]).build().setHTML(t).show().then((()=>{i.clicked||i(!1)}))},prompt:function(t,e,i,n,r,s){return new Promise((n=>{(0,d.Ss)((0,X.$V)((()=>o.e(1642).then(o.bind(o,71642)))),{text:t,name:e,callback:i,inputName:r,isPassword:!!s},(function(){i(...arguments),n()}))}))},filepicker(t,e){let i=arguments.length>2&&void 0!==arguments[2]&&arguments[2],n=arguments.length>3&&void 0!==arguments[3]?arguments[3]:void 0,o=arguments.length>5&&void 0!==arguments[5]?arguments[5]:d.bh.Choose,r=arguments.length>6&&void 0!==arguments[6]?arguments[6]:void 0,s=arguments.length>7&&void 0!==arguments[7]?arguments[7]:void 0;const a=(t,e)=>{const n=t=>{const e=t?.root||"";let i=t?.path||"";return i.startsWith(e)&&(i=i.slice(e.length)||"/"),i};return i?i=>t(i.map(n),e):i=>t(n(i[0]),e)},c=(0,d.a1)(t);o===this.FILEPICKER_TYPE_CUSTOM?(s.buttons||[]).forEach((t=>{c.addButton({callback:a(e,t.type),label:t.text,type:t.defaultButton?"primary":"secondary"})})):c.setButtonFactory(((t,i)=>{const n=[],r=t?.[0]?.attributes?.displayName||t?.[0]?.basename,s=r||(0,G.basename)(i);return o===d.bh.Choose&&n.push({callback:a(e,d.bh.Choose),label:r&&!this.multiSelect?(0,Q.Tl)("core","Choose {file}",{file:r}):(0,Q.Tl)("core","Choose"),type:"primary"}),o!==d.bh.CopyMove&&o!==d.bh.Copy||n.push({callback:a(e,d.bh.Copy),label:s?(0,Q.Tl)("core","Copy to {target}",{target:s}):(0,Q.Tl)("core","Copy"),type:"primary",icon:q}),o!==d.bh.Move&&o!==d.bh.CopyMove||n.push({callback:a(e,d.bh.Move),label:s?(0,Q.Tl)("core","Move to {target}",{target:s}):(0,Q.Tl)("core","Move"),type:o===d.bh.Move?"primary":"secondary",icon:Y}),n})),n&&c.setMimeTypeFilter("string"==typeof n?[n]:n||[]),"function"==typeof s?.filter&&c.setFilter((t=>s.filter((t=>({id:t.fileid||null,path:t.path,mimetype:t.mime||null,mtime:t.mtime?.getTime()||null,permissions:t.permissions,name:t.attributes?.displayName||t.basename,etag:t.attributes?.etag||null,hasPreview:t.attributes?.hasPreview||null,mountType:t.attributes?.mountType||null,quotaAvailableBytes:t.attributes?.quotaAvailableBytes||null,icon:null,sharePermissions:null}))(t)))),c.allowDirectories(!0===s?.allowDirectoryChooser||n?.includes("httpd/unix-directory")||!1).setMultiSelect(i).startAt(r).build().pick()},message:function(t,e,i,n){let o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:()=>{},r=arguments.length>6?arguments[6]:void 0;const s=(new d.ik).setName(e).setText(r?"":t).setButtons(V._getLegacyButtons(n,o));switch(i){case"alert":s.setSeverity("warning");break;case"notice":s.setSeverity("info")}const a=s.build();return r&&a.setHTML(t),a.show().then((()=>{o._clicked||o(!1)}))},_getLegacyButtons(t,e){const i=[];switch("object"==typeof t?t.type:t){case V.YES_NO_BUTTONS:i.push({label:t?.cancel??(0,Q.Tl)("core","No"),callback:()=>{e._clicked=!0,e(!1)}}),i.push({label:t?.confirm??(0,Q.Tl)("core","Yes"),type:"primary",callback:()=>{e._clicked=!0,e(!0)}});break;case V.OK_BUTTONS:i.push({label:t?.confirm??(0,Q.Tl)("core","OK"),type:"primary",callback:()=>{e._clicked=!0,e(!0)}});break;default:console.error("Invalid call to OC.dialogs")}return i},_fileexistsshown:!1,fileexists:function(t,e,i,o){var r=this,s=new(h().Deferred),a=function(t,e,i,n,o){n=Math.round(n),o=Math.round(o);for(var r=t.getContext("2d").getImageData(0,0,e,i),s=t.getContext("2d").getImageData(0,0,n,o),a=r.data,c=s.data,l=e/n,u=i/o,h=Math.ceil(l/2),d=Math.ceil(u/2),p=0;p=-1&&S<=1&&(g=2*S*S*S-3*S*S+1)>0&&(y+=g*a[3+(D=4*(I+k*e))],C+=g,a[D+3]<255&&(g=g*a[D+3]/250),b+=g*a[D],v+=g*a[D+1],x+=g*a[D+2],m+=g)}c[f]=b/m,c[f+1]=v/m,c[f+2]=x/m,c[f+3]=y/C}t.getContext("2d").clearRect(0,0,Math.max(e,n),Math.max(i,o)),t.width=n,t.height=o,t.getContext("2d").putImageData(s,0,0)},c=function(e,i,n){var o=e.find(".template").clone().removeClass("template").addClass("conflict"),r=o.find(".original"),s=o.find(".replacement");o.data("data",t),o.find(".filename").text(i.name),r.find(".size").text(wt.Util.humanFileSize(i.size)),r.find(".mtime").text(wt.Util.formatDate(i.mtime)),n.size&&n.lastModified&&(s.find(".size").text(wt.Util.humanFileSize(n.size)),s.find(".mtime").text(wt.Util.formatDate(n.lastModified)));var c=i.directory+"/"+i.name,l={file:c,x:96,y:96,c:i.etag,forceIcon:0},u=Files.generatePreviewUrl(l);u=u.replace(/'/g,"%27"),r.find(".icon").css({"background-image":"url('"+u+"')"}),function(t){var e=new(h().Deferred),i=t.type&&t.type.split("/").shift();if(window.FileReader&&"image"===i){var n=new FileReader;n.onload=function(t){var i=new Blob([t.target.result]);window.URL=window.URL||window.webkitURL;var n=window.URL.createObjectURL(i),o=new Image;o.src=n,o.onload=function(){var t,i,n,r,s,c,l,u=(t=o,s=document.createElement("canvas"),c=t.width,l=t.height,c>l?(n=0,i=(c-l)/2):(n=(l-c)/2,i=0),r=Math.min(c,l),s.width=r,s.height=r,s.getContext("2d").drawImage(t,i,n,r,r,0,0,r,r),a(s,r,r,96,96),s.toDataURL("image/png",.7));e.resolve(u)}},n.readAsArrayBuffer(t)}else e.reject();return e}(n).then((function(t){s.find(".icon").css("background-image","url("+t+")")}),(function(){c=wt.MimeType.getIconUrl(n.type),s.find(".icon").css("background-image","url("+c+")")}));var d=e.find(".conflict").length;r.find("input:checkbox").attr("id","checkbox_original_"+d),s.find("input:checkbox").attr("id","checkbox_replacement_"+d),e.append(o),n.lastModified>i.mtime?s.find(".mtime").css("font-weight","bold"):n.lastModifiedi.size?s.find(".size").css("font-weight","bold"):n.size&&n.size0?(h()(u).find(".allnewfiles").prop("checked",!1),h()(u).find(".allnewfiles + .count").text((0,Q.Tl)("core","({count} selected)",{count:t}))):(h()(u).find(".allnewfiles").prop("checked",!1),h()(u).find(".allnewfiles + .count").text("")),g()})),h()(u).on("click",".original,.allexistingfiles",(function(){var t=h()(u).find('.conflict .original input[type="checkbox"]:checked').length;t===h()(u+" .conflict").length?(h()(u).find(".allexistingfiles").prop("checked",!0),h()(u).find(".allexistingfiles + .count").text((0,Q.Tl)("core","(all selected)"))):t>0?(h()(u).find(".allexistingfiles").prop("checked",!1),h()(u).find(".allexistingfiles + .count").text((0,Q.Tl)("core","({count} selected)",{count:t}))):(h()(u).find(".allexistingfiles").prop("checked",!1),h()(u).find(".allexistingfiles + .count").text("")),g()})),s.resolve()})).fail((function(){s.reject(),alert((0,Q.Tl)("core","Error loading file exists template"))}));return s.promise()},_getFileExistsTemplate:function(){var t=h().Deferred();if(this.$fileexistsTemplate)t.resolve(this.$fileexistsTemplate);else{var e=this;h().get(wt.filePath("core","templates/legacy","fileexists.html"),(function(i){e.$fileexistsTemplate=h()(i),t.resolve(e.$fileexistsTemplate)})).fail((function(){t.reject()}))}return t.promise()}},K=V,J=((t,e)=>{let i=t.getElementsByTagName("head")[0].getAttribute("data-requesttoken");return{getToken:()=>i,setToken:t=>{i=t,e("csrf-token-update",{token:i})}}})(document,c.Ic),Z=J.getToken,$=J.setToken,tt=function(t,e){var i,n,o="";if(this.typelessListeners=[],this.closed=!1,this.listeners={},e)for(i in e)o+=i+"="+encodeURIComponent(e[i])+"&";if(o+="requesttoken="+encodeURIComponent(Z()),this.useFallBack||"undefined"==typeof EventSource){var r="oc_eventsource_iframe_"+tt.iframeCount;tt.fallBackSources[tt.iframeCount]=this,this.iframe=h()(""),this.iframe.attr("id",r),this.iframe.hide(),n="&",-1===t.indexOf("?")&&(n="?"),this.iframe.attr("src",t+n+"fallback=true&fallback_id="+tt.iframeCount+"&"+o),h()("body").append(this.iframe),this.useFallBack=!0,tt.iframeCount++}else n="&",-1===t.indexOf("?")&&(n="?"),this.source=new EventSource(t+n+o),this.source.onmessage=function(t){for(var e=0;e(0,ht.oB)(),requirePasswordConfirmation(t,e,i){(0,ht.C5)().then(t,i)}},pt={_plugins:{},register(t,e){let i=this._plugins[t];i||(i=this._plugins[t]=[]),i.push(e)},getPlugins(t){return this._plugins[t]||[]},attach(t,e,i){const n=this.getPlugins(t);for(let t=0;t-1&&parseInt(navigator.userAgent.split("/").pop())<51){const t=document.querySelectorAll('[fill^="url(#"], [stroke^="url(#"], [filter^="url(#invert"]');for(let e,i=0,n=t.length;i=0?t.substr(e+1):t.length?t.substr(1):""},_decodeQuery:t=>t.replace(/\+/g," "),parseUrlQuery(){const t=this._parseHashQuery();let e;return t&&(e=wt.parseQueryString(this._decodeQuery(t))),e=l.default.extend(e||{},wt.parseQueryString(this._decodeQuery(location.search))),e||{}},_onPopState(t){if(this._cancelPop)return void(this._cancelPop=!1);let e;if(this._handlers.length){e=t&&t.state,l.default.isString(e)?e=wt.parseQueryString(e):e||(e=this.parseUrlQuery()||{});for(let t=0;t="0"&&i<="9";s!==r&&(o++,e[o]="",r=s),e[o]+=i,n++}return e}const bt={History:mt,humanFileSize:o(35810).v7,computerFileSize(t){if("string"!=typeof t)return null;const e=t.toLowerCase().trim();let i=null;const n=e.match(/^[\s+]?([0-9]*)(\.([0-9]+))?( +)?([kmgtp]?b?)$/i);return null===n?null:(i=parseFloat(e),isFinite(i)?(n[5]&&(i*={b:1,k:1024,kb:1024,mb:1048576,m:1048576,gb:1073741824,g:1073741824,tb:1099511627776,t:1099511627776,pb:0x4000000000000,p:0x4000000000000}[n[5]]),i=Math.round(i),i):null)},formatDate:(t,e)=>(void 0===window.TESTING&&wt.debug&&console.warn("OC.Util.formatDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment"),e=e||"LLL",gt()(t).format(e)),relativeModifiedDate(e){void 0===window.TESTING&&wt.debug&&console.warn("OC.Util.relativeModifiedDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment");const i=gt()().diff(gt()(e));return i>=0&&i<45e3?t("core","seconds ago"):gt()(e).fromNow()},getScrollBarWidth(){if(this._scrollBarWidth)return this._scrollBarWidth;const t=document.createElement("p");t.style.width="100%",t.style.height="200px";const e=document.createElement("div");e.style.position="absolute",e.style.top="0px",e.style.left="0px",e.style.visibility="hidden",e.style.width="200px",e.style.height="150px",e.style.overflow="hidden",e.appendChild(t),document.body.appendChild(e);const i=t.offsetWidth;e.style.overflow="scroll";let n=t.offsetWidth;return i===n&&(n=e.clientWidth),document.body.removeChild(e),this._scrollBarWidth=i-n,this._scrollBarWidth},stripTime:t=>new Date(t.getFullYear(),t.getMonth(),t.getDate()),naturalSortCompare(t,e){let i;const n=Ct(t),o=Ct(e);for(i=0;n[i]&&o[i];i++)if(n[i]!==o[i]){const t=Number(n[i]),e=Number(o[i]);return t==n[i]&&e==o[i]?t-e:n[i].localeCompare(o[i],wt.getLanguage())}return n.length-o.length},waitFor(t,e){const i=function(){!0!==t()&&setTimeout(i,e)};i()},isCookieSetToValue(t,e){const i=document.cookie.split(";");for(let n=0;n!$_",fileIsBlacklisted:t=>!!t.match(F.blacklist_files_regex),Apps:m,AppConfig:E,appConfig:B,appswebroots:I,Backbone:z,config:F,currentUser:W,dialogs:K,EventSource:et,getCurrentUser:()=>({uid:W,displayName:U}),isUserAdmin:()=>st,L10N:lt,_ajaxConnectionLostHandler:f,_processAjaxError:t=>{(0!==t.status||"abort"!==t.statusText&&"timeout"!==t.statusText&&!wt._reloadCalled)&&([302,303,307,401].includes(t.status)&&(0,A.HW)()?setTimeout((function(){if(!wt._userIsNavigatingAway&&!wt._reloadCalled){let t=0;const e=5,i=setInterval((function(){p.showUpdate(n("core","Problem loading page, reloading in %n second","Problem loading page, reloading in %n seconds",e-t)),t>=e&&(clearInterval(i),wt.reload()),t++}),1e3);wt._reloadCalled=!0}}),100):0===t.status&&setTimeout((function(){wt._userIsNavigatingAway||wt._reloadCalled||wt._ajaxConnectionLostHandler()}),100))},registerXHRForErrorProcessing:t=>{t.addEventListener&&(t.addEventListener("load",(()=>{4===t.readyState&&(t.status>=200&&t.status<300||304===t.status||h()(document).trigger(new(h().Event)("ajaxError"),t))})),t.addEventListener("error",(()=>{h()(document).trigger(new(h().Event)("ajaxError"),t)})))},getCapabilities:()=>(OC.debug&&console.warn("OC.getCapabilities is deprecated and will be removed in Nextcloud 21. See @nextcloud/capabilities"),(0,it.F)()),hideMenus:rt,registerMenu:function(t,e,i,n){e.addClass("menu");const o="A"===t.prop("tagName")||"BUTTON"===t.prop("tagName");t.on(o?"click.menu":"click.menu keyup.menu",(function(o){o.preventDefault(),o.key&&"Enter"!==o.key||(e.is(nt)?rt():(nt&&rt(),!0===n&&e.parent().addClass("openedMenu"),t.attr("aria-expanded",!0),e.slideToggle(50,i),nt=e,ot=t))}))},showMenu:(t,e,i)=>{e.is(nt)||(rt(),nt=e,ot=t,e.trigger(new(h().Event)("beforeShow")),e.show(),e.trigger(new(h().Event)("afterShow")),l.default.isFunction(i)&&i())},unregisterMenu:(t,e)=>{e.is(nt)&&rt(),t.off("click.menu").removeClass("menutoggle"),e.removeClass("menu")},basename:L.P8,encodePath:L.O0,dirname:L.pD,isSamePath:L.ys,joinPaths:L.HS,getHost:()=>window.location.host,getHostName:()=>window.location.hostname,getPort:()=>window.location.port,getProtocol:()=>window.location.protocol.split(":")[0],getCanonicalLocale:Q.lO,getLocale:Q.JK,getLanguage:Q.Z0,buildQueryString:t=>t?h().map(t,(function(t,e){let i=encodeURIComponent(e);return null!=t&&(i+="="+encodeURIComponent(t)),i})).join("&"):"",parseQueryString:t=>{let e,i;const n={};let o;if(!t)return null;e=t.indexOf("?"),e>=0&&(t=t.substr(e+1));const r=t.replace(/\+/g,"%20").split("&");for(let t=0;t=0?[s.substr(0,e),s.substr(e+1)]:[s],i.length&&(o=decodeURIComponent(i[0]),o&&(n[o]=i.length>1?decodeURIComponent(i[1]):null))}return n},msg:ut,Notification:p,PasswordConfirmation:dt,Plugins:pt,theme:At,Util:bt,debug:vt,filePath:C.fg,generateUrl:C.Jv,get:(kt=window,t=>{const e=t.split("."),i=e.pop();for(let t=0;t(e,i)=>{const n=e.split("."),o=n.pop();for(let e=0;e{window.location=t},reload:()=>{window.location.reload()},requestToken:Z(),linkTo:C.uM,linkToOCS:(t,e)=>(0,C.KT)(t,{},{ocsVersion:e||1})+"/",linkToRemote:C.dC,linkToRemoteBase:t=>(0,C.aU)()+"/remote.php/"+t,webroot:yt};var kt;(0,c.B1)("csrf-token-update",(t=>{OC.requestToken=t.token,console.info("OC.requestToken changed",t.token)}));var Bt=o(32981);let Et=null;const _t=async()=>{try{const t=await(async()=>{const t=(0,C.Jv)("/csrftoken");return(await h().get(t)).token})();$(t)}catch(t){console.error("session heartbeat failed",t)}},It=()=>{const t=setInterval(_t,1e3*(()=>{let t=NaN;return Et.session_lifetime&&(t=Math.floor(Et.session_lifetime/2)),Math.min(86400,Math.max(60,isNaN(t)?900:t))})());return console.info("session heartbeat polling started"),t};var Dt=o(65043);const St={name:"ContactsIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}};var Tt=o(14486);const Ot=(0,Tt.A)(St,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon contacts-icon",attrs:{"aria-hidden":t.title?null:"true","aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M20,0H4V2H20V0M4,24H20V22H4V24M20,4H4A2,2 0 0,0 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V6A2,2 0 0,0 20,4M12,6.75A2.25,2.25 0 0,1 14.25,9A2.25,2.25 0 0,1 12,11.25A2.25,2.25 0 0,1 9.75,9A2.25,2.25 0 0,1 12,6.75M17,17H7V15.5C7,13.83 10.33,13 12,13C13.67,13 17,13.83 17,15.5V17Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Mt=o(17334),Pt=o.n(Mt),Rt=o(61443),Nt=o(70995),Ht=o(28326),zt=o(2769),Lt=o(59892),Ft=o(69321),jt=o(73010),Ut=o(24764),Wt=o(41944);const Yt={name:"Contact",components:{NcActionLink:Ft.A,NcActionText:jt.A,NcActions:Ut.A,NcAvatar:Wt.A},props:{contact:{required:!0,type:Object}},computed:{actions(){return this.contact.topAction?[this.contact.topAction,...this.contact.actions]:this.contact.actions},preloadedUserStatus(){if(this.contact.status)return{status:this.contact.status,message:this.contact.statusMessage,icon:this.contact.statusIcon}}}};var qt=o(85072),Qt=o.n(qt),Gt=o(97825),Xt=o.n(Gt),Vt=o(77659),Kt=o.n(Vt),Jt=o(55056),Zt=o.n(Jt),$t=o(10540),te=o.n($t),ee=o(41113),ie=o.n(ee),ne=o(78811),oe={};oe.styleTagTransform=ie(),oe.setAttributes=Zt(),oe.insert=Kt().bind(null,"head"),oe.domAPI=Xt(),oe.insertStyleElement=te(),Qt()(ne.A,oe),ne.A&&ne.A.locals&&ne.A.locals;const re=(0,Tt.A)(Yt,(function(){var t=this,e=t._self._c;return e("li",{staticClass:"contact"},[e("NcAvatar",{staticClass:"contact__avatar",attrs:{size:44,user:t.contact.isUser?t.contact.uid:void 0,"is-no-user":!t.contact.isUser,"disable-menu":!0,"display-name":t.contact.avatarLabel,"preloaded-user-status":t.preloadedUserStatus}}),t._v(" "),e("a",{staticClass:"contact__body",attrs:{href:t.contact.profileUrl||t.contact.topAction?.hyperlink}},[e("div",{staticClass:"contact__body__full-name"},[t._v(t._s(t.contact.fullName))]),t._v(" "),t.contact.lastMessage?e("div",{staticClass:"contact__body__last-message"},[t._v(t._s(t.contact.lastMessage))]):t._e(),t._v(" "),t.contact.statusMessage?e("div",{staticClass:"contact__body__status-message"},[t._v(t._s(t.contact.statusMessage))]):e("div",{staticClass:"contact__body__email-address"},[t._v(t._s(t.contact.emailAddresses[0]))])]),t._v(" "),t.actions.length?e("NcActions",{attrs:{inline:t.contact.topAction?1:0}},[t._l(t.actions,(function(i,n){return["#"!==i.hyperlink?e("NcActionLink",{key:n,staticClass:"other-actions",attrs:{href:i.hyperlink},scopedSlots:t._u([{key:"icon",fn:function(){return[e("img",{staticClass:"contact__action__icon",attrs:{"aria-hidden":"true",src:i.icon}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t\t"+t._s(i.title)+"\n\t\t\t")]):e("NcActionText",{key:n,staticClass:"other-actions",scopedSlots:t._u([{key:"icon",fn:function(){return[e("img",{staticClass:"contact__action__icon",attrs:{"aria-hidden":"true",src:i.icon}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t\t"+t._s(i.title)+"\n\t\t\t")])]}))],2):t._e()],1)}),[],!1,null,"97ebdcaa",null).exports;var se=o(35947);const ae=null===(ce=(0,A.HW)())?(0,se.YK)().setApp("core").build():(0,se.YK)().setApp("core").setUid(ce.uid).build();var ce;(0,se.YK)().setApp("unified-search").detectUser().build();const le={data:()=>({OC:wt}),methods:{t:lt.translate.bind(lt),n:lt.translatePlural.bind(lt)}};var ue=o(82182);const he={name:"ContactsMenu",components:{Contact:re,Contacts:Ot,Magnify:Rt.A,NcButton:Nt.A,NcEmptyContent:Ht.A,NcHeaderMenu:zt.A,NcLoadingIcon:Lt.A,NcTextField:ue.A},mixins:[le],data(){const t=(0,A.HW)();return{contactsAppEnabled:!1,contactsAppURL:(0,C.Jv)("/apps/contacts"),contactsAppMgmtURL:(0,C.Jv)("/settings/apps/social/contacts"),canInstallApp:t.isAdmin,contacts:[],loadingText:void 0,error:!1,searchTerm:""}},methods:{async handleOpen(){await this.getContacts("")},async getContacts(t){this.loadingText=""===t?(0,Q.Tl)("core","Loading your contacts …"):(0,Q.Tl)("core","Looking for {term} …",{term:t}),this.error=!1;try{const{data:{contacts:e,contactsAppEnabled:i}}=await Dt.Ay.post((0,C.Jv)("/contactsmenu/contacts"),{filter:t});this.contacts=e,this.contactsAppEnabled=i,this.loadingText=void 0}catch(e){ae.error("could not load contacts",{error:e,searchTerm:t}),this.error=!0}},onInputDebounced:Pt()((function(){this.getContacts(this.searchTerm)}),500),onReset(){this.searchTerm="",this.contacts=[],this.focusInput()},focusInput(){this.$nextTick((()=>{this.$refs.contactsMenuInput.focus(),this.$refs.contactsMenuInput.select()}))}}},de=he;var pe=o(38933),Ae={};Ae.styleTagTransform=ie(),Ae.setAttributes=Zt(),Ae.insert=Kt().bind(null,"head"),Ae.domAPI=Xt(),Ae.insertStyleElement=te(),Qt()(pe.A,Ae),pe.A&&pe.A.locals&&pe.A.locals;const fe=(0,Tt.A)(de,(function(){var t=this,e=t._self._c;return e("NcHeaderMenu",{staticClass:"contactsmenu",attrs:{id:"contactsmenu","aria-label":t.t("core","Search contacts")},on:{open:t.handleOpen},scopedSlots:t._u([{key:"trigger",fn:function(){return[e("Contacts",{staticClass:"contactsmenu__trigger-icon",attrs:{size:20}})]},proxy:!0}])},[t._v(" "),e("div",{staticClass:"contactsmenu__menu"},[e("div",{staticClass:"contactsmenu__menu__input-wrapper"},[e("NcTextField",{ref:"contactsMenuInput",staticClass:"contactsmenu__menu__search",attrs:{id:"contactsmenu__menu__search",value:t.searchTerm,"trailing-button-icon":"close",label:t.t("core","Search contacts"),"trailing-button-label":t.t("core","Reset search"),"show-trailing-button":""!==t.searchTerm,placeholder:t.t("core","Search contacts …")},on:{"update:value":function(e){t.searchTerm=e},input:t.onInputDebounced,"trailing-button-click":t.onReset}})],1),t._v(" "),t.error?e("NcEmptyContent",{attrs:{name:t.t("core","Could not load your contacts")},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Magnify")]},proxy:!0}],null,!1,931131664)}):t.loadingText?e("NcEmptyContent",{attrs:{name:t.loadingText},scopedSlots:t._u([{key:"icon",fn:function(){return[e("NcLoadingIcon")]},proxy:!0}])}):0===t.contacts.length?e("NcEmptyContent",{attrs:{name:t.t("core","No contacts found")},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Magnify")]},proxy:!0}])}):e("div",{staticClass:"contactsmenu__menu__content"},[e("div",{attrs:{id:"contactsmenu-contacts"}},[e("ul",t._l(t.contacts,(function(t){return e("Contact",{key:t.id,attrs:{contact:t}})})),1)]),t._v(" "),t.contactsAppEnabled?e("div",{staticClass:"contactsmenu__menu__content__footer"},[e("NcButton",{attrs:{type:"tertiary",href:t.contactsAppURL}},[t._v("\n\t\t\t\t\t"+t._s(t.t("core","Show all contacts"))+"\n\t\t\t\t")])],1):t.canInstallApp?e("div",{staticClass:"contactsmenu__menu__content__footer"},[e("NcButton",{attrs:{type:"tertiary",href:t.contactsAppMgmtURL}},[t._v("\n\t\t\t\t\t"+t._s(t.t("core","Install the Contacts app"))+"\n\t\t\t\t")])],1):t._e()])],1)])}),[],!1,null,"5cad18ba",null).exports;var ge=o(13073);const me={name:"CircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ce=(0,Tt.A)(me,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon circle-icon",attrs:{"aria-hidden":t.title?null:"true","aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,be=(0,X.pM)({__name:"AppMenuIcon",props:{app:null},setup(t){const e=t,i=(0,X.EW)((()=>String(e.app.unread>0))),n=(0,X.EW)((()=>"true"===i.value?"":e.app.name+(e.app.unread>0?` (${(0,Q.n)("core","{count} notification","{count} notifications",e.app.unread,{count:e.app.unread})})`:"")));return{__sfc:!0,props:e,ariaHidden:i,ariaLabel:n,IconDot:Ce}}});var ve=o(23759),xe={};xe.styleTagTransform=ie(),xe.setAttributes=Zt(),xe.insert=Kt().bind(null,"head"),xe.domAPI=Xt(),xe.insertStyleElement=te(),Qt()(ve.A,xe),ve.A&&ve.A.locals&&ve.A.locals;const ye=(0,Tt.A)(be,(function(){var t=this,e=t._self._c,i=t._self._setupProxy;return e("span",{staticClass:"app-menu-icon",attrs:{role:"img","aria-hidden":i.ariaHidden,"aria-label":i.ariaLabel}},[e("img",{staticClass:"app-menu-icon__icon",attrs:{src:t.app.icon,alt:""}}),t._v(" "),t.app.unread?e(i.IconDot,{staticClass:"app-menu-icon__unread",attrs:{size:10}}):t._e()],1)}),[],!1,null,"e7078f90",null).exports,we=(0,X.pM)({__name:"AppMenuEntry",props:{app:null},setup(t){const e=t,i=(0,X.KR)(),n=(0,X.KR)(),o=(0,X.KR)(!1);function r(){const t=i.value.clientWidth;o.value=t-.5*e.app.name.lengthe.app.name),r),{__sfc:!0,props:e,containerElement:i,labelElement:n,needsSpace:o,calculateSize:r,AppMenuIcon:ye}}});var ke=o(78498),Be={};Be.styleTagTransform=ie(),Be.setAttributes=Zt(),Be.insert=Kt().bind(null,"head"),Be.domAPI=Xt(),Be.insertStyleElement=te(),Qt()(ke.A,Be),ke.A&&ke.A.locals&&ke.A.locals;var Ee=o(57946),_e={};_e.styleTagTransform=ie(),_e.setAttributes=Zt(),_e.insert=Kt().bind(null,"head"),_e.domAPI=Xt(),_e.insertStyleElement=te(),Qt()(Ee.A,_e),Ee.A&&Ee.A.locals&&Ee.A.locals;const Ie=(0,Tt.A)(we,(function(){var t=this,e=t._self._c,i=t._self._setupProxy;return e("li",{ref:"containerElement",staticClass:"app-menu-entry",class:{"app-menu-entry--active":t.app.active,"app-menu-entry--truncated":i.needsSpace}},[e("a",{staticClass:"app-menu-entry__link",attrs:{href:t.app.href,title:t.app.name,"aria-current":!!t.app.active&&"page",target:t.app.target?"_blank":void 0,rel:t.app.target?"noopener noreferrer":void 0}},[e(i.AppMenuIcon,{staticClass:"app-menu-entry__icon",attrs:{app:t.app}}),t._v(" "),e("span",{ref:"labelElement",staticClass:"app-menu-entry__label"},[t._v("\n\t\t\t"+t._s(t.app.name)+"\n\t\t")])],1)])}),[],!1,null,"9736071a",null).exports,De=(0,X.pM)({name:"AppMenu",components:{AppMenuEntry:Ie,NcActions:Ut.A,NcActionLink:Ft.A},setup(){const t=(0,X.KR)(),{width:e}=(0,ge.Lhy)(t);return{t:Q.t,n:Q.n,appMenu:t,appMenuWidth:e}},data:()=>({appList:(0,Bt.C)("core","apps",[])}),computed:{appLimit(){const t=Math.floor(this.appMenuWidth/50);return t{let{app:i}=e;return i===t}));i?this.$set(i,"unread",e):ae.warn(`Could not find app "${t}" for setting navigation count`)},setApps(t){let{apps:e}=t;this.appList=e}}}),Se=De;var Te=o(26652),Oe={};Oe.styleTagTransform=ie(),Oe.setAttributes=Zt(),Oe.insert=Kt().bind(null,"head"),Oe.domAPI=Xt(),Oe.insertStyleElement=te(),Qt()(Te.A,Oe),Te.A&&Te.A.locals&&Te.A.locals;const Me=(0,Tt.A)(Se,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("nav",{ref:"appMenu",staticClass:"app-menu",attrs:{"aria-label":t.t("core","Applications menu")}},[e("ul",{staticClass:"app-menu__list",attrs:{"aria-label":t.t("core","Apps")}},t._l(t.mainAppList,(function(t){return e("AppMenuEntry",{key:t.id,attrs:{app:t}})})),1),t._v(" "),e("NcActions",{staticClass:"app-menu__overflow",attrs:{"aria-label":t.t("core","More apps")}},t._l(t.popoverAppList,(function(i){return e("NcActionLink",{key:i.id,staticClass:"app-menu__overflow-entry",attrs:{"aria-current":!!i.active&&"page",href:i.href,icon:i.icon}},[t._v("\n\t\t\t"+t._s(i.name)+"\n\t\t")])})),1)],1)}),[],!1,null,"7661a89b",null).exports;var Pe=o(1522);const{profileEnabled:Re}=(0,Bt.C)("user_status","profileEnabled",{profileEnabled:!1}),Ne=(0,X.pM)({name:"AccountMenuProfileEntry",components:{NcListItem:Pe.A,NcLoadingIcon:Lt.A},props:{id:{type:String,required:!0},name:{type:String,required:!0},href:{type:String,required:!0},active:{type:Boolean,required:!0}},setup:()=>({profileEnabled:Re,displayName:(0,A.HW)().displayName}),data:()=>({loading:!1}),mounted(){(0,c.B1)("settings:profile-enabled:updated",this.handleProfileEnabledUpdate),(0,c.B1)("settings:display-name:updated",this.handleDisplayNameUpdate)},beforeDestroy(){(0,c.al)("settings:profile-enabled:updated",this.handleProfileEnabledUpdate),(0,c.al)("settings:display-name:updated",this.handleDisplayNameUpdate)},methods:{handleClick(){this.profileEnabled&&(this.loading=!0)},handleProfileEnabledUpdate(t){this.profileEnabled=t},handleDisplayNameUpdate(t){this.displayName=t}}}),He=Ne,ze=(0,Tt.A)(He,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcListItem",{attrs:{id:t.profileEnabled?void 0:t.id,"anchor-id":t.id,active:t.active,compact:"",href:t.profileEnabled?t.href:void 0,name:t.displayName,target:"_self"},scopedSlots:t._u([t.profileEnabled?{key:"subname",fn:function(){return[t._v("\n\t\t"+t._s(t.name)+"\n\t")]},proxy:!0}:null,t.loading?{key:"indicator",fn:function(){return[e("NcLoadingIcon")]},proxy:!0}:null],null,!0)})}),[],!1,null,null,null).exports,Le=(0,Bt.C)("core","versionHash",""),Fe={name:"AccountMenuEntry",components:{NcListItem:Pe.A,NcLoadingIcon:Lt.A},props:{id:{type:String,required:!0},name:{type:String,required:!0},href:{type:String,required:!0},active:{type:Boolean,required:!0},icon:{type:String,required:!0}},data:()=>({loading:!1}),computed:{iconSource(){return`${this.icon}?v=${Le}`}},methods:{handleClick(){this.loading=!0}}};var je=o(49481),Ue={};Ue.styleTagTransform=ie(),Ue.setAttributes=Zt(),Ue.insert=Kt().bind(null,"head"),Ue.domAPI=Xt(),Ue.insertStyleElement=te(),Qt()(je.A,Ue),je.A&&je.A.locals&&je.A.locals;const We=(0,Tt.A)(Fe,(function(){var t=this,e=t._self._c;return e("NcListItem",{staticClass:"account-menu-entry",attrs:{id:t.href?void 0:t.id,"anchor-id":t.id,active:t.active,compact:"",href:t.href,name:t.name,target:"_self"},scopedSlots:t._u([{key:"icon",fn:function(){return[e("img",{staticClass:"account-menu-entry__icon",class:{"account-menu-entry__icon--active":t.active},attrs:{src:t.iconSource,alt:""}})]},proxy:!0},t.loading?{key:"indicator",fn:function(){return[e("NcLoadingIcon")]},proxy:!0}:null],null,!0)})}),[],!1,null,"2e0a74a6",null).exports,Ye=[{type:"online",label:(0,Q.Tl)("user_status","Online")},{type:"away",label:(0,Q.Tl)("user_status","Away")},{type:"dnd",label:(0,Q.Tl)("user_status","Do not disturb"),subline:(0,Q.Tl)("user_status","Mute all notifications")},{type:"invisible",label:(0,Q.Tl)("user_status","Invisible"),subline:(0,Q.Tl)("user_status","Appear offline")}],qe=(0,X.pM)({name:"AccountMenu",components:{AccountMenuEntry:We,AccountMenuProfileEntry:ze,NcAvatar:Wt.A,NcHeaderMenu:zt.A},setup(){const t=(0,Bt.C)("core","settingsNavEntries",{}),{profile:e,...i}=t;return{currentDisplayName:(0,A.HW)()?.displayName??(0,A.HW)().uid,currentUserId:(0,A.HW)().uid,profileEntry:e,otherEntries:i,t:Q.t}},data:()=>({showUserStatus:!1,userStatus:{status:null,icon:null,message:null}}),computed:{translatedUserStatus(){return{...this.userStatus,status:this.translateStatus(this.userStatus.status)}},avatarDescription(){return[(0,Q.t)("core","Avatar of {displayName}",{displayName:this.currentDisplayName}),...Object.values(this.translatedUserStatus).filter(Boolean)].join(" — ")}},async created(){if(!(0,it.F)()?.user_status?.enabled)return;const t=(0,C.KT)("/apps/user_status/api/v1/user_status");try{const e=await Dt.Ay.get(t),{status:i,icon:n,message:o}=e.data.ocs.data;this.userStatus={status:i,icon:n,message:o}}catch(t){ae.error("Failed to load user status")}this.showUserStatus=!0},mounted(){(0,c.B1)("user_status:status.updated",this.handleUserStatusUpdated),(0,c.Ic)("core:user-menu:mounted")},methods:{handleUserStatusUpdated(t){this.currentUserId===t.userId&&(this.userStatus={status:t.status,icon:t.icon,message:t.message})},translateStatus(t){const e=Object.fromEntries(Ye.map((t=>{let{type:e,label:i}=t;return[e,i]})));return e[t]?e[t]:t}}});var Qe=o(24454),Ge={};Ge.styleTagTransform=ie(),Ge.setAttributes=Zt(),Ge.insert=Kt().bind(null,"head"),Ge.domAPI=Xt(),Ge.insertStyleElement=te(),Qt()(Qe.A,Ge),Qe.A&&Qe.A.locals&&Qe.A.locals;const Xe=(0,Tt.A)(qe,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcHeaderMenu",{staticClass:"account-menu",attrs:{id:"user-menu","is-nav":"","aria-label":t.t("core","Settings menu"),description:t.avatarDescription},scopedSlots:t._u([{key:"trigger",fn:function(){return[e("NcAvatar",{key:String(t.showUserStatus),staticClass:"account-menu__avatar",attrs:{"disable-menu":"","disable-tooltip":"","show-user-status":t.showUserStatus,user:t.currentUserId,"preloaded-user-status":t.userStatus}})]},proxy:!0}])},[t._v(" "),e("ul",{staticClass:"account-menu__list"},[e("AccountMenuProfileEntry",{attrs:{id:t.profileEntry.id,name:t.profileEntry.name,href:t.profileEntry.href,active:t.profileEntry.active}}),t._v(" "),t._l(t.otherEntries,(function(t){return e("AccountMenuEntry",{key:t.id,attrs:{id:t.id,name:t.name,href:t.href,active:t.active,icon:t.icon}})}))],2)])}),[],!1,null,"a886d77a",null).exports,Ve=t=>{const e=window.location.protocol+"//"+window.location.host+(0,C.aU)();return t.startsWith(e)||(t=>!t.startsWith("https://")&&!t.startsWith("http://"))(t)&&t.startsWith((0,C.aU)())},Ke=()=>{var t,e;XMLHttpRequest.prototype.open=(t=XMLHttpRequest.prototype.open,function(e,i,n){t.apply(this,arguments),Ve(i)&&!this.getResponseHeader("X-Requested-With")&&this.setRequestHeader("X-Requested-With","XMLHttpRequest")}),window.fetch=(e=window.fetch,(t,i)=>Ve(t.url??t.toString())?(i||(i={}),i.headers||(i.headers=new Headers),i.headers instanceof Headers&&!i.headers.has("X-Requested-With")?i.headers.append("X-Requested-With","XMLHttpRequest"):i.headers instanceof Object&&!i.headers["X-Requested-With"]&&(i.headers["X-Requested-With"]="XMLHttpRequest"),e(t,i)):e(t,i))};function Je(t){const e=document.createElement("textarea"),i=document.createTextNode(t);e.appendChild(i),document.body.appendChild(e),e.focus({preventScroll:!0}),e.select();try{document.execCommand("copy")}catch(e){window.prompt((0,Q.t)("core","Clipboard not available, please copy manually"),t),console.error("[ERROR] core: files Unable to copy to clipboard",e)}document.body.removeChild(e)}const Ze=()=>{setInterval((()=>{h()(".live-relative-timestamp").each((function(){const t=parseInt(h()(this).attr("data-timestamp"),10);h()(this).text(gt()(t).fromNow())}))}),3e4)},$e={zh:"zh-cn",zh_Hans:"zh-cn",zh_Hans_CN:"zh-cn",zh_Hans_HK:"zh-cn",zh_Hans_MO:"zh-cn",zh_Hans_SG:"zh-cn",zh_Hant:"zh-hk",zh_Hant_HK:"zh-hk",zh_Hant_MO:"zh-mo",zh_Hant_TW:"zh-tw"};let ti=wt.getLocale();Object.prototype.hasOwnProperty.call($e,ti)&&(ti=$e[ti]),gt().locale(ti);const ei=()=>{if(Ke(),window.navigator?.clipboard?.writeText||(console.info("[INFO] core: Clipboard API not available, using fallback"),Object.defineProperty(window.navigator,"clipboard",{value:{writeText:Je},writable:!1})),h()(window).on("unload.main",(()=>{wt._unloadCalled=!0})),h()(window).on("beforeunload.main",(()=>{setTimeout((()=>{wt._userIsNavigatingAway=!0,setTimeout((()=>{wt._unloadCalled||(wt._userIsNavigatingAway=!1)}),1e4)}),1)})),h()(document).on("ajaxError.main",(function(t,e,i){i&&i.allowAuthErrors||wt._processAjaxError(e)})),(()=>{if((()=>{try{Et=(0,Bt.C)("core","config")}catch(t){Et=wt.config}})(),(()=>{if(!Et.auto_logout||!(0,A.HW)())return;let t=Date.now();window.addEventListener("mousemove",(e=>{t=Date.now(),localStorage.setItem("lastActive",t)})),window.addEventListener("touchstart",(e=>{t=Date.now(),localStorage.setItem("lastActive",t)})),window.addEventListener("storage",(e=>{"lastActive"===e.key&&(t=e.newValue)}));let e=0;e=setInterval((()=>{const i=Date.now()-1e3*Et.session_lifetime;if(t{console.info("browser is online again, resuming heartbeat"),t=It();try{await _t(),console.info("session token successfully updated after resuming network"),(0,c.Ic)("networkOnline",{success:!0})}catch(t){console.error("could not update session token after resuming network",t),(0,c.Ic)("networkOnline",{success:!1})}})),window.addEventListener("offline",(()=>{console.info("browser is offline, stopping heartbeat"),(0,c.Ic)("networkOffline",{}),clearInterval(t),console.info("session heartbeat polling stopped")}))})(),wt.registerMenu(h()("#expand"),h()("#expanddiv"),!1,!0),h()(document).on("mouseup.closemenus",(t=>{const e=h()(t.target);if(e.closest(".menu").length||e.closest(".menutoggle").length)return!1;wt.hideMenus()})),(()=>{X.Ay.mixin({methods:{t:Q.Tl,n:Q.zw}});const t=document.getElementById("header-start__appmenu");if(!t)return;const e=new(X.Ay.extend(Me))({}).$mount(t);Object.assign(OC,{setNavigationCounter(t,i){e.setNavigationCounter(t,i)}})})(),(()=>{const t=document.getElementById("user-menu");t&&new X.Ay({name:"AccountMenuRoot",el:t,render:t=>t(Xe)})})(),(()=>{const t=document.getElementById("contactsmenu");t&&new X.Ay({name:"ContactsMenuRoot",el:t,render:t=>t(fe)})})(),h()("#app-navigation").length&&!h()("html").hasClass("lte9")&&!h()("#app-content").hasClass("no-snapper")){const t=new Snap({element:document.getElementById("app-content"),disable:"right",maxPosition:300,minDragDistance:100});h()("#app-content").prepend('');let e=!1;t.on("animating",(()=>{e=!0})),t.on("animated",(()=>{e=!1})),t.on("start",(()=>{e=!0})),t.on("end",(()=>{e=!1})),t.on("open",(()=>{s.attr("aria-hidden","false")})),t.on("close",(()=>{s.attr("aria-hidden","true")}));const i=t.open,n=t.close,o=()=>{e||"closed"!==t.state().state||i("left")},r=()=>{e||"closed"===t.state().state||n()};window.TESTING||(t.open=()=>{l.default.defer(o)},t.close=()=>{l.default.defer(r)}),h()("#app-navigation-toggle").click((e=>{"left"!==t.state().state&&t.open()})),h()("#app-navigation-toggle").keypress((e=>{"left"===t.state().state?t.close():t.open()}));const s=h()("#app-navigation");s.attr("aria-hidden","true"),s.delegate("a, :button","click",(e=>{const i=h()(e.target);i.is(".app-navigation-noclose")||i.closest(".app-navigation-noclose").length||i.is(".app-navigation-entry-utils-menu-button")||i.closest(".app-navigation-entry-utils-menu-button").length||i.is(".add-new")||i.closest(".add-new").length||i.is("#app-settings")||i.closest("#app-settings").length||t.close()}));let a=!1,c=!0,u=!1;wt.allowNavigationBarSlideGesture=()=>{c=!0,u&&(t.enable(),a=!0,u=!1)},wt.disallowNavigationBarSlideGesture=()=>{if(c=!1,a){const e=!0;t.disable(e),a=!1,u=!0}};const d=()=>{h()(window).width()>1024?(s.attr("aria-hidden","false"),t.close(),t.disable(),a=!1,u=!1):c?(t.enable(),a=!0,u=!1):u=!0};h()(window).resize(l.default.debounce(d,250)),d()}Ze()};o(99660);var ii=o(3131),ni={};ni.styleTagTransform=ie(),ni.setAttributes=Zt(),ni.insert=Kt().bind(null,"head"),ni.domAPI=Xt(),ni.insertStyleElement=te(),Qt()(ii.A,ni),ii.A&&ii.A.locals&&ii.A.locals;var oi=o(13169),ri={};ri.styleTagTransform=ie(),ri.setAttributes=Zt(),ri.insert=Kt().bind(null,"head"),ri.domAPI=Xt(),ri.insertStyleElement=te(),Qt()(oi.A,ri),oi.A&&oi.A.locals&&oi.A.locals;var si=o(57576),ai=o.n(si),ci=o(18922),li=o.n(ci),ui=(o(44275),o(35156)),hi={};hi.styleTagTransform=ie(),hi.setAttributes=Zt(),hi.insert=Kt().bind(null,"head"),hi.domAPI=Xt(),hi.insertStyleElement=te(),Qt()(ui.A,hi),ui.A&&ui.A.locals&&ui.A.locals,o(57223),o(53425);var di=o(86140),pi={};pi.styleTagTransform=ie(),pi.setAttributes=Zt(),pi.insert=Kt().bind(null,"head"),pi.domAPI=Xt(),pi.insertStyleElement=te(),Qt()(di.A,pi),di.A&&di.A.locals&&di.A.locals;const Ai=/(\s|^)(https?:\/\/)([-A-Z0-9+_.]+(?::[0-9]+)?(?:\/[-A-Z0-9+&@#%?=~_|!:,.;()]*)*)(\s|$)/gi;function fi(t){return this.formatLinksRich(t)}function gi(t){return this.formatLinksPlain(t)}function mi(t){return t.replace(Ai,(function(t,e,i,n,o){let r=n;return i?"http://"===i&&(r=i+n):i="https://",e+''+r+""+o}))}function Ci(t){const e=h()("
").html(t);return e.find("a").each((function(){const t=h()(this);t.html(t.attr("href"))})),e.html()}function bi(e){const i=(e=e||{}).dismiss||{};h().ajax({type:"GET",url:e.url||(0,C.KT)("core/whatsnew?format=json"),success:e.success||function(e,n,o){!function(e,i,n,o){if(console.debug("querying Whats New data was successful: "+i),console.debug(e),200!==n.status)return;let r,s,a,c;const u=document.createElement("div");u.classList.add("popovermenu","open","whatsNewPopover","menu-left");const h=document.createElement("ul");r=document.createElement("li"),s=document.createElement("span"),s.className="menuitem",a=document.createElement("span"),a.innerText=t("core","New in")+" "+e.ocs.data.product,a.className="caption",s.appendChild(a),c=document.createElement("span"),c.className="icon-close",c.onclick=function(){vi(e.ocs.data.version,o)},s.appendChild(c),r.appendChild(s),h.appendChild(r);for(const t in e.ocs.data.whatsNew.regular){const i=e.ocs.data.whatsNew.regular[t];r=document.createElement("li"),s=document.createElement("span"),s.className="menuitem",c=document.createElement("span"),c.className="icon-checkmark",s.appendChild(c),a=document.createElement("p"),a.innerHTML=l.default.escape(i),s.appendChild(a),r.appendChild(s),h.appendChild(r)}l.default.isUndefined(e.ocs.data.changelogURL)||(r=document.createElement("li"),s=document.createElement("a"),s.href=e.ocs.data.changelogURL,s.rel="noreferrer noopener",s.target="_blank",c=document.createElement("span"),c.className="icon-link",s.appendChild(c),a=document.createElement("span"),a.innerText=t("core","View changelog"),s.appendChild(a),r.appendChild(s),h.appendChild(r)),u.appendChild(h),document.body.appendChild(u)}(e,n,o,i)},error:e.error||xi})}function vi(t,e){e=e||{},h().ajax({type:"POST",url:e.url||(0,C.KT)("core/whatsnew"),data:{version:encodeURIComponent(t)},success:e.success||yi,error:e.error||wi}),h()(".whatsNewPopover").remove()}function xi(t,e,i){console.debug("querying Whats New Data resulted in an error: "+e+i),console.debug(t)}function yi(t){}function wi(t){console.debug("dismissing Whats New data resulted in an error: "+t)}const ki={disableKeyboardShortcuts:()=>(0,Bt.C)("theming","shortcutsDisabled",!1),setPageHeading:function(t){const e=document.getElementById("page-heading-level-1");e&&(e.textContent=t)}};var Bi=o(70580),Ei=o.n(Bi);const _i={},Ii={registerType(t,e){_i[t]=e},trigger:t=>_i[t].action(),getTypes:()=>Object.keys(_i),getIcon:t=>_i[t].typeIconClass||"",getLabel:t=>Ei()(_i[t].typeString||t),getLink:(t,e)=>void 0!==_i[t]?_i[t].link(e):""},Di={},Si={},Ti={loadScript(t,e){const i=t+e;return Object.prototype.hasOwnProperty.call(Di,i)?Promise.resolve():(Di[i]=!0,new Promise((function(i,n){const o=(0,C.fg)(t,"js",e),r=document.createElement("script");r.src=o,r.setAttribute("nonce",btoa(OC.requestToken)),r.onload=()=>i(),r.onerror=()=>n(new Error(`Failed to load script from ${o}`)),document.head.appendChild(r)})))},loadStylesheet(t,e){const i=t+e;return Object.prototype.hasOwnProperty.call(Si,i)?Promise.resolve():(Si[i]=!0,new Promise((function(i,n){const o=(0,C.fg)(t,"css",e),r=document.createElement("link");r.href=o,r.type="text/css",r.rel="stylesheet",r.onload=()=>i(),r.onerror=()=>n(new Error(`Failed to load stylesheet from ${o}`)),document.head.appendChild(r)})))}},Oi={success:(t,e)=>(0,d.Te)(t,e),warning:(t,e)=>(0,d.I9)(t,e),error:(t,e)=>(0,d.Qg)(t,e),info:(t,e)=>(0,d.cf)(t,e),message:(t,e)=>(0,d.rG)(t,e)},Mi={Accessibility:ki,AppConfig:r,Collaboration:Ii,Comments:s,InitialState:{loadState:Bt.C},Loader:Ti,Toast:Oi,WhatsNew:a},Pi=function(){void 0===window.TESTING&&wt.debug&&console.warn.apply(console,arguments)},Ri=(t,e,i)=>{(Array.isArray(t)?t:[t]).forEach((t=>{void 0!==window[t]&&delete window[t],Object.defineProperty(window,t,{get:()=>(Pi(i?`${t} is deprecated: ${i}`:`${t} is deprecated`),e())})}))};window._=l.default,Ri(["$","jQuery"],(()=>h()),"The global jQuery is deprecated. It will be removed in a later versions without another warning. Please ship your own."),Ri("Backbone",(()=>S()),"please ship your own, this will be removed in Nextcloud 20"),Ri(["Clipboard","ClipboardJS"],(()=>ai()),"please ship your own, this will be removed in Nextcloud 20"),window.dav=T.dav,Ri("Handlebars",(()=>ct()),"please ship your own, this will be removed in Nextcloud 20"),Ri("md5",(()=>li()),"please ship your own, this will be removed in Nextcloud 20"),Ri("moment",(()=>gt()),"please ship your own, this will be removed in Nextcloud 20"),window.OC=wt,Ri("initCore",(()=>ei),"this is an internal function"),Ri("oc_appswebroots",(()=>wt.appswebroots),"use OC.appswebroots instead, this will be removed in Nextcloud 20"),Ri("oc_config",(()=>wt.config),"use OC.config instead, this will be removed in Nextcloud 20"),Ri("oc_current_user",(()=>wt.getCurrentUser().uid),"use OC.getCurrentUser().uid instead, this will be removed in Nextcloud 20"),Ri("oc_debug",(()=>wt.debug),"use OC.debug instead, this will be removed in Nextcloud 20"),Ri("oc_defaults",(()=>wt.theme),"use OC.theme instead, this will be removed in Nextcloud 20"),Ri("oc_isadmin",wt.isUserAdmin,"use OC.isUserAdmin() instead, this will be removed in Nextcloud 20"),Ri("oc_requesttoken",(()=>Z()),"use OC.requestToken instead, this will be removed in Nextcloud 20"),Ri("oc_webroot",(()=>wt.webroot),"use OC.getRootPath() instead, this will be removed in Nextcloud 20"),Ri("OCDialogs",(()=>wt.dialogs),"use OC.dialogs instead, this will be removed in Nextcloud 20"),window.OCP=Mi,window.OCA={},h().fn.select2=(t=>{const e=t,i=function(){return Pi("The select2 library is deprecated! It will be removed in nextcloud 19."),e.apply(this,arguments)};return Object.assign(i,e),i})(h().fn.select2),window.t=l.default.bind(wt.L10N.translate,wt.L10N),window.n=l.default.bind(wt.L10N.translatePlural,wt.L10N),h().fn.avatar=function(t,e,i,n,o,r){const s=function(t){t.imageplaceholder("?"),t.css("background-color","#b9b9b9")};if(void 0!==t&&(t=String(t)),void 0!==r&&(r=String(r)),void 0===e&&(e=this.height()>0?this.height():this.data("size")>0?this.data("size"):64),this.height(e),this.width(e),void 0===t){if(void 0===this.data("user"))return void s(this);t=this.data("user")}t=String(t).replace(/\//g,"");const a=this;let c;c=t===(0,A.HW)()?.uid?(0,C.Jv)("/avatar/{user}/{size}?v={version}",{user:t,size:Math.ceil(e*window.devicePixelRatio),version:oc_userconfig.avatar.version}):(0,C.Jv)("/avatar/{user}/{size}",{user:t,size:Math.ceil(e*window.devicePixelRatio)});const l=new Image;l.onload=function(){a.clearimageplaceholder(),a.append(l),"function"==typeof o&&o()},l.onerror=function(){a.clearimageplaceholder(),void 0!==r?a.imageplaceholder(t,r):s(a),"function"==typeof o&&o()},e<32?a.addClass("icon-loading-small"):a.addClass("icon-loading"),l.width=e,l.height=e,l.src=c,l.alt=""};const Ni=t=>"click"===t.type||"keydown"===t.type&&"Enter"===t.key,Hi=o(66235);h().fn.contactsMenu=function(e,i,n){if(-1===[0,4,6].indexOf(i))return;const o=this;n.append('');const r=n.find("div.contactsmenu-popover");o.on("click keydown",(function(n){if(Ni(n)){if(!r.hasClass("hidden"))return r.addClass("hidden"),void r.hide();r.removeClass("hidden"),r.show(),r.hasClass("loaded")||(r.addClass("loaded"),h().ajax((0,C.Jv)("/contactsmenu/findOne"),{method:"POST",data:{shareType:i,shareWith:e}}).then((function(e){let i;r.find("ul").find("li").addClass("hidden"),i=e.topAction?[e.topAction].concat(e.actions):[{hyperlink:"#",title:t("core","No action available")}],i.forEach((function(t){r.find("ul").append(Hi(t))})),o.trigger("load")}),(function(e){let i;r.find("ul").find("li").addClass("hidden"),i=404===e.status?t("core","No action available"):t("core","Error fetching contact actions"),r.find("ul").append(Hi({hyperlink:"#",title:i})),o.trigger("loaderror",e)})))}})),h()(document).click((function(t){const e=r.has(t.target).length>0;let i=o.has(t.target).length>0;o.each((function(){h()(this).is(t.target)&&(i=!0)})),e||i||(r.addClass("hidden"),r.hide())}))},h().fn.exists=function(){return this.length>0},h().fn.filterAttr=function(t,e){return this.filter((function(){return h()(this).attr(t)===e}))};var zi=o(52697);h().widget("oc.ocdialog",{options:{width:"auto",height:"auto",closeButton:!0,closeOnEscape:!0,closeCallback:null,modal:!1},_create(){const t=this;this.originalCss={display:this.element[0].style.display,width:this.element[0].style.width,height:this.element[0].style.height},this.originalTitle=this.element.attr("title"),this.options.title=this.options.title||this.originalTitle,this.$dialog=h()('
').attr({tabIndex:-1,role:"dialog","aria-modal":!0}).insertBefore(this.element),this.$dialog.append(this.element.detach()),this.element.removeAttr("title").addClass("oc-dialog-content").appendTo(this.$dialog),1===t.element.find("input").length&&t.element.find("input").on("keydown",(function(e){if(Ni(e)&&t.$buttonrow){const e=t.$buttonrow.find("button.primary");e&&!e.prop("disabled")&&e.click()}})),this.$dialog.css({display:"inline-block",position:"fixed"}),this.enterCallback=null,h()(document).on("keydown keyup",(function(e){if(e.target===t.$dialog.get(0)||0!==t.$dialog.find(h()(e.target)).length)return 27===e.keyCode&&"keydown"===e.type&&t.options.closeOnEscape?(e.stopImmediatePropagation(),t.close(),!1):13===e.keyCode?(e.stopImmediatePropagation(),null!==t.enterCallback?(t.enterCallback(),e.preventDefault(),!1):"keyup"===e.type&&(e.preventDefault(),!1)):void 0})),this._setOptions(this.options),this._createOverlay(),this._useFocusTrap()},_init(){this._trigger("open")},_setOption(e,i){const n=this;switch(e){case"title":if(this.$title)this.$title.text(i);else{const t=h()('

'+i+"

");this.$title=t.prependTo(this.$dialog)}this._setSizes();break;case"buttons":if(this.$buttonrow)this.$buttonrow.empty();else{const t=h()('
');this.$buttonrow=t.appendTo(this.$dialog)}1===i.length?this.$buttonrow.addClass("onebutton"):2===i.length?this.$buttonrow.addClass("twobuttons"):3===i.length&&this.$buttonrow.addClass("threebuttons"),h().each(i,(function(t,e){const i=h()("');e.attr("aria-label",t("core",'Close "{dialogTitle}" dialog',{dialogTitle:this.$title||this.options.title})),this.$dialog.prepend(e),e.on("click keydown",(function(t){Ni(t)&&(n.options.closeCallback&&n.options.closeCallback(),n.close())}))}else this.$dialog.find(".oc-dialog-close").remove();break;case"width":this.$dialog.css("width",i);break;case"height":this.$dialog.css("height",i);break;case"close":this.closeCB=i}h().Widget.prototype._setOption.apply(this,arguments)},_setOptions(t){h().Widget.prototype._setOptions.apply(this,arguments)},_setSizes(){let t=0;this.$title&&(t+=this.$title.outerHeight(!0)),this.$buttonrow&&(t+=this.$buttonrow.outerHeight(!0)),this.element.css({height:"calc(100% - "+t+"px)"})},_createOverlay(){if(!this.options.modal)return;const t=this;let e=h()("#content");0===e.length&&(e=h()(".content")),this.overlay=h()("
").addClass("oc-dialog-dim").insertBefore(this.$dialog),this.overlay.on("click keydown keyup",(function(e){e.target!==t.$dialog.get(0)&&0===t.$dialog.find(h()(e.target)).length&&(e.preventDefault(),e.stopPropagation())}))},_destroyOverlay(){this.options.modal&&this.overlay&&(this.overlay.off("click keydown keyup"),this.overlay.remove(),this.overlay=null)},_useFocusTrap(){Object.assign(window,{_nc_focus_trap:window._nc_focus_trap||[]});const t=this.$dialog[0];this.focusTrap=(0,zi.K)(t,{allowOutsideClick:!0,trapStack:window._nc_focus_trap,fallbackFocus:t}),this.focusTrap.activate()},_clearFocusTrap(){this.focusTrap?.deactivate(),this.focusTrap=null},widget(){return this.$dialog},setEnterCallback(t){this.enterCallback=t},unsetEnterCallback(){this.enterCallback=null},close(){this._clearFocusTrap(),this._destroyOverlay();const t=this;setTimeout((function(){t._trigger("close",t)}),200),t.$dialog.remove(),this.destroy()},destroy(){this.$title&&this.$title.remove(),this.$buttonrow&&this.$buttonrow.remove(),this.originalTitle&&this.element.attr("title",this.originalTitle),this.element.removeClass("oc-dialog-content").css(this.originalCss).detach().insertBefore(this.$dialog),this.$dialog.remove()}});const Li={init(t,e,i){this.vars=t,this.options=h().extend({},this.options,e),this.elem=i;const n=this;if("function"==typeof this.options.escapeFunction){const t=Object.keys(this.vars);for(let e=0;e{var e=t.toLowerCase();function i(t,e,i){this.r=t,this.g=e,this.b=i}function n(t,e,n){var o=[];o.push(e);for(var r=function(t,e){var i=new Array(3);return i[0]=(e[1].r-e[0].r)/t,i[1]=(e[1].g-e[0].g)/t,i[2]=(e[1].b-e[0].b)/t,i}(t,[e,n]),s=1;st[0].toUpperCase())).join("");this.html(r)}},h().fn.clearimageplaceholder=function(){this.css("background-color",""),this.css("color",""),this.css("font-weight",""),this.css("text-align",""),this.css("line-height",""),this.css("font-size",""),this.html(""),this.removeClass("icon-loading"),this.removeClass("icon-loading-small")},h()(document).on("ajaxSend",(function(t,e,i){!1===i.crossDomain&&(e.setRequestHeader("requesttoken",Z()),e.setRequestHeader("OCS-APIREQUEST","true"))})),h().fn.selectRange=function(t,e){return this.each((function(){if(this.setSelectionRange)this.focus(),this.setSelectionRange(t,e);else if(this.createTextRange){const i=this.createTextRange();i.collapse(!0),i.moveEnd("character",e),i.moveStart("character",t),i.select()}}))},h().fn.extend({showPassword(t){const e={fn:null,args:{}};e.fn=t;const i=function(t,e){e.val(t.val())},n=function(t,e,n){t.is(":checked")?(i(e,n),n.show(),e.hide()):(i(n,e),n.hide(),e.show())};return this.each((function(){const t=h()(this),o=h()(t.data("typetoggle")),r=function(t){const e=h()(t),i=h()("");return i.attr({type:"text",class:e.attr("class"),style:e.attr("style"),size:e.attr("size"),name:e.attr("name")+"-clone",tabindex:e.attr("tabindex"),autocomplete:"off"}),void 0!==e.attr("placeholder")&&i.attr("placeholder",e.attr("placeholder")),i}(t);r.insertAfter(t),e.fn&&(e.args.input=t,e.args.checkbox=o,e.args.clone=r),o.bind("click",(function(){n(o,t,r)})),t.bind("keyup",(function(){i(t,r)})),r.bind("keyup",(function(){i(r,t),t.trigger("keyup")})),r.bind("blur",(function(){t.trigger("focusout")})),n(o,t,r),r.closest("form").submit((function(t){r.prop("type","password")})),e.fn&&e.fn(e.args)}))}}),h().ui.autocomplete.prototype._resizeMenu=function(){this.menu.element.outerWidth(this.element.outerWidth())};var ji=o(90628),Ui={};Ui.styleTagTransform=ie(),Ui.setAttributes=Zt(),Ui.insert=Kt().bind(null,"head"),Ui.domAPI=Xt(),Ui.insertStyleElement=te(),Qt()(ji.A,Ui),ji.A&&ji.A.locals&&ji.A.locals;var Wi=o(2791),Yi={};Yi.styleTagTransform=ie(),Yi.setAttributes=Zt(),Yi.insert=Kt().bind(null,"head"),Yi.domAPI=Xt(),Yi.insertStyleElement=te(),Qt()(Wi.A,Yi),Wi.A&&Wi.A.locals&&Wi.A.locals,h().ajaxSetup({contents:{script:!1}}),h().globalEval=function(){},o.nc=(0,A.aV)(),window.addEventListener("DOMContentLoaded",(function(){ei(),(()=>{let t=h()("[data-apps-slide-toggle]");0===t.length&&h()("#app-navigation").addClass("without-app-settings"),h()(document).click((function(e){g&&(t=h()("[data-apps-slide-toggle]")),t.each((function(t,i){const n=h()(i).data("apps-slide-toggle"),o=h()(n);function r(){o.slideUp(4*OC.menuSpeed,(function(){o.trigger(new(h().Event)("hide"))})),o.removeClass("opened"),h()(i).removeClass("opened"),h()(i).attr("aria-expanded","false")}if(!o.is(":animated"))if(h()(i).is(h()(e.target).closest("[data-apps-slide-toggle]")))o.is(":visible")?r():function(){o.slideDown(4*OC.menuSpeed,(function(){o.trigger(new(h().Event)("show"))})),o.addClass("opened"),h()(i).addClass("opened"),h()(i).attr("aria-expanded","true");const t=h()(n+" [autofocus]");1===t.length&&t.focus()}();else{const t=h()(e.target).closest(n);o.is(":visible")&&t[0]!==o[0]&&r()}}))}))})(),window.history.pushState?window.onpopstate=_.bind(wt.Util.History._onPopState,wt.Util.History):window.onhashchange=_.bind(wt.Util.History._onPopState,wt.Util.History)})),document.addEventListener("DOMContentLoaded",(function(){const t=document.getElementById("password-input-form");t&&t.addEventListener("submit",(async function(e){e.preventDefault();const i=document.getElementById("requesttoken");if(i){const t=(0,C.Jv)("/csrftoken"),e=await Dt.Ay.get(t);i.value=e.data.token}t.submit()}))}))},21391:(t,e,i)=>{var n,o,r;r="object"==typeof self&&self.self===self&&self||"object"==typeof i.g&&i.g.global===i.g&&i.g,n=[i(4523),i(74692),e],o=function(t,e,i){r.Backbone=function(t,e,i,n){var o=t.Backbone,r=Array.prototype.slice;e.VERSION="1.6.0",e.$=n,e.noConflict=function(){return t.Backbone=o,this},e.emulateHTTP=!1,e.emulateJSON=!1;var s,a=e.Events={},c=/\s+/,l=function(t,e,n,o,r){var s,a=0;if(n&&"object"==typeof n){void 0!==o&&"context"in r&&void 0===r.context&&(r.context=o);for(s=i.keys(n);athis.length&&(o=this.length),o<0&&(o+=this.length+1);var r,s,a=[],c=[],l=[],u=[],h={},d=e.add,p=e.merge,A=e.remove,f=!1,g=this.comparator&&null==o&&!1!==e.sort,m=i.isString(this.comparator)?this.comparator:null;for(s=0;s0&&!e.silent&&delete e.index,i},_isModel:function(t){return t instanceof m},_addReference:function(t,e){this._byId[t.cid]=t;var i=this.modelId(t.attributes,t.idAttribute);null!=i&&(this._byId[i]=t),t.on("all",this._onModelEvent,this)},_removeReference:function(t,e){delete this._byId[t.cid];var i=this.modelId(t.attributes,t.idAttribute);null!=i&&delete this._byId[i],this===t.collection&&delete t.collection,t.off("all",this._onModelEvent,this)},_onModelEvent:function(t,e,i,n){if(e){if(("add"===t||"remove"===t)&&i!==this)return;if("destroy"===t&&this.remove(e,n),"changeId"===t){var o=this.modelId(e.previousAttributes(),e.idAttribute),r=this.modelId(e.attributes,e.idAttribute);null!=o&&delete this._byId[o],null!=r&&(this._byId[r]=e)}}this.trigger.apply(this,arguments)},_forwardPristineError:function(t,e,i){this.has(t)||this._onModelEvent("error",t,e,i)}});var y="function"==typeof Symbol&&Symbol.iterator;y&&(C.prototype[y]=C.prototype.values);var w=function(t,e){this._collection=t,this._kind=e,this._index=0},k=1,B=2,E=3;y&&(w.prototype[y]=function(){return this}),w.prototype.next=function(){if(this._collection){if(this._index7),this._useHashChange=this._wantsHashChange&&this._hasHashChange,this._wantsPushState=!!this.options.pushState,this._hasPushState=!(!this.history||!this.history.pushState),this._usePushState=this._wantsPushState&&this._hasPushState,this.fragment=this.getFragment(),this.root=("/"+this.root+"/").replace(j,"/"),this._wantsHashChange&&this._wantsPushState){if(!this._hasPushState&&!this.atRoot()){var e=this.root.slice(0,-1)||"/";return this.location.replace(e+"#"+this.getPath()),!0}this._hasPushState&&this.atRoot()&&this.navigate(this.getHash(),{replace:!0})}if(!this._hasHashChange&&this._wantsHashChange&&!this._usePushState){this.iframe=document.createElement("iframe"),this.iframe.src="javascript:0",this.iframe.style.display="none",this.iframe.tabIndex=-1;var n=document.body,o=n.insertBefore(this.iframe,n.firstChild).contentWindow;o.document.open(),o.document.close(),o.location.hash="#"+this.fragment}var r=window.addEventListener||function(t,e){return attachEvent("on"+t,e)};if(this._usePushState?r("popstate",this.checkUrl,!1):this._useHashChange&&!this.iframe?r("hashchange",this.checkUrl,!1):this._wantsHashChange&&(this._checkUrlInterval=setInterval(this.checkUrl,this.interval)),!this.options.silent)return this.loadUrl()},stop:function(){var t=window.removeEventListener||function(t,e){return detachEvent("on"+t,e)};this._usePushState?t("popstate",this.checkUrl,!1):this._useHashChange&&!this.iframe&&t("hashchange",this.checkUrl,!1),this.iframe&&(document.body.removeChild(this.iframe),this.iframe=null),this._checkUrlInterval&&clearInterval(this._checkUrlInterval),L.started=!1},route:function(t,e){this.handlers.unshift({route:t,callback:e})},checkUrl:function(t){var e=this.getFragment();if(e===this.fragment&&this.iframe&&(e=this.getHash(this.iframe.contentWindow)),e===this.fragment)return!this.matchRoot()&&this.notfound();this.iframe&&this.navigate(e),this.loadUrl()},loadUrl:function(t){return this.matchRoot()?(t=this.fragment=this.getFragment(t),i.some(this.handlers,(function(e){if(e.route.test(t))return e.callback(t),!0}))||this.notfound()):this.notfound()},notfound:function(){return this.trigger("notfound"),!1},navigate:function(t,e){if(!L.started)return!1;e&&!0!==e||(e={trigger:!!e}),t=this.getFragment(t||"");var i=this.root;this._trailingSlash||""!==t&&"?"!==t.charAt(0)||(i=i.slice(0,-1)||"/");var n=i+t;t=t.replace(U,"");var o=this.decodeFragment(t);if(this.fragment!==o){if(this.fragment=o,this._usePushState)this.history[e.replace?"replaceState":"pushState"]({},document.title,n);else{if(!this._wantsHashChange)return this.location.assign(n);if(this._updateHash(this.location,t,e.replace),this.iframe&&t!==this.getHash(this.iframe.contentWindow)){var r=this.iframe.contentWindow;e.replace||(r.document.open(),r.document.close()),this._updateHash(r.location,t,e.replace)}}return e.trigger?this.loadUrl(t):void 0}},_updateHash:function(t,e,i){if(i){var n=t.href.replace(/(javascript:|#).*$/,"");t.replace(n+"#"+e)}else t.hash="#"+e}}),e.history=new L;m.extend=C.extend=P.extend=_.extend=L.extend=function(t,e){var n,o=this;return n=t&&i.has(t,"constructor")?t.constructor:function(){return o.apply(this,arguments)},i.extend(n,o,e),n.prototype=i.create(o.prototype,t),n.prototype.constructor=n,n.__super__=o.prototype,n};var W=function(){throw new Error('A "url" property or function must be specified')},Y=function(t,e){var i=e.error;e.error=function(n){i&&i.call(e.context,t,n,e),t.trigger("error",t,n,e)}};return e._debug=function(){return{root:t,_:i}},e}(r,i,t,e)}.apply(e,n),void 0===o||(t.exports=o)},18922:function(t,e,i){var n;!function(){"use strict";function o(t,e){var i=(65535&t)+(65535&e);return(t>>16)+(e>>16)+(i>>16)<<16|65535&i}function r(t,e,i,n,r,s){return o((a=o(o(e,t),o(n,s)))<<(c=r)|a>>>32-c,i);var a,c}function s(t,e,i,n,o,s,a){return r(e&i|~e&n,t,e,o,s,a)}function a(t,e,i,n,o,s,a){return r(e&n|i&~n,t,e,o,s,a)}function c(t,e,i,n,o,s,a){return r(e^i^n,t,e,o,s,a)}function l(t,e,i,n,o,s,a){return r(i^(e|~n),t,e,o,s,a)}function u(t,e){var i,n,r,u,h;t[e>>5]|=128<>>9<<4)]=e;var d=1732584193,p=-271733879,A=-1732584194,f=271733878;for(i=0;i>5]>>>e%32&255);return i}function d(t){var e,i=[];for(i[(t.length>>2)-1]=void 0,e=0;e>5]|=(255&t.charCodeAt(e/8))<>>4&15)+n.charAt(15&e);return o}function A(t){return unescape(encodeURIComponent(t))}function f(t){return function(t){return h(u(d(t),8*t.length))}(A(t))}function g(t,e){return function(t,e){var i,n,o=d(t),r=[],s=[];for(r[15]=s[15]=void 0,o.length>16&&(o=u(o,8*t.length)),i=0;i<16;i+=1)r[i]=909522486^o[i],s[i]=1549556828^o[i];return n=u(r.concat(d(e)),512+8*e.length),h(u(s.concat(n),640))}(A(t),A(e))}function m(t,e,i){return e?i?g(e,t):p(g(e,t)):i?f(t):p(f(t))}void 0===(n=function(){return m}.call(e,i,e,t))||(t.exports=n)}()},57576:function(t){var e;e=function(){return function(){var t={686:function(t,e,i){"use strict";i.d(e,{default:function(){return v}});var n=i(279),o=i.n(n),r=i(370),s=i.n(r),a=i(817),c=i.n(a);function l(t){try{return document.execCommand(t)}catch(t){return!1}}var u=function(t){var e=c()(t);return l("cut"),e},h=function(t,e){var i=function(t){var e="rtl"===document.documentElement.getAttribute("dir"),i=document.createElement("textarea");i.style.fontSize="12pt",i.style.border="0",i.style.padding="0",i.style.margin="0",i.style.position="absolute",i.style[e?"right":"left"]="-9999px";var n=window.pageYOffset||document.documentElement.scrollTop;return i.style.top="".concat(n,"px"),i.setAttribute("readonly",""),i.value=t,i}(t);e.container.appendChild(i);var n=c()(i);return l("copy"),i.remove(),n},d=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{container:document.body},i="";return"string"==typeof t?i=h(t,e):t instanceof HTMLInputElement&&!["text","search","url","tel","password"].includes(null==t?void 0:t.type)?i=h(t.value,e):(i=c()(t),l("copy")),i};function p(t){return p="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},p(t)}function A(t){return A="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},A(t)}function f(t,e){for(var i=0;i0&&void 0!==arguments[0]?arguments[0]:{};this.action="function"==typeof t.action?t.action:this.defaultAction,this.target="function"==typeof t.target?t.target:this.defaultTarget,this.text="function"==typeof t.text?t.text:this.defaultText,this.container="object"===A(t.container)?t.container:document.body}},{key:"listenClick",value:function(t){var e=this;this.listener=s()(t,"click",(function(t){return e.onClick(t)}))}},{key:"onClick",value:function(t){var e=t.delegateTarget||t.currentTarget,i=this.action(e)||"copy",n=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.action,i=void 0===e?"copy":e,n=t.container,o=t.target,r=t.text;if("copy"!==i&&"cut"!==i)throw new Error('Invalid "action" value, use either "copy" or "cut"');if(void 0!==o){if(!o||"object"!==p(o)||1!==o.nodeType)throw new Error('Invalid "target" value, use a valid Element');if("copy"===i&&o.hasAttribute("disabled"))throw new Error('Invalid "target" attribute. Please use "readonly" instead of "disabled" attribute');if("cut"===i&&(o.hasAttribute("readonly")||o.hasAttribute("disabled")))throw new Error('Invalid "target" attribute. You can\'t cut text from elements with "readonly" or "disabled" attributes')}return r?d(r,{container:n}):o?"cut"===i?u(o):d(o,{container:n}):void 0}({action:i,container:this.container,target:this.target(e),text:this.text(e)});this.emit(n?"success":"error",{action:i,text:n,trigger:e,clearSelection:function(){e&&e.focus(),window.getSelection().removeAllRanges()}})}},{key:"defaultAction",value:function(t){return C("action",t)}},{key:"defaultTarget",value:function(t){var e=C("target",t);if(e)return document.querySelector(e)}},{key:"defaultText",value:function(t){return C("text",t)}},{key:"destroy",value:function(){this.listener.destroy()}}],n=[{key:"copy",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{container:document.body};return d(t,e)}},{key:"cut",value:function(t){return u(t)}},{key:"isSupported",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:["copy","cut"],e="string"==typeof t?[t]:t,i=!!document.queryCommandSupported;return e.forEach((function(t){i=i&&!!document.queryCommandSupported(t)})),i}}],i&&f(e.prototype,i),n&&f(e,n),c}(o()),v=b},828:function(t){if("undefined"!=typeof Element&&!Element.prototype.matches){var e=Element.prototype;e.matches=e.matchesSelector||e.mozMatchesSelector||e.msMatchesSelector||e.oMatchesSelector||e.webkitMatchesSelector}t.exports=function(t,e){for(;t&&9!==t.nodeType;){if("function"==typeof t.matches&&t.matches(e))return t;t=t.parentNode}}},438:function(t,e,i){var n=i(828);function o(t,e,i,n,o){var s=r.apply(this,arguments);return t.addEventListener(i,s,o),{destroy:function(){t.removeEventListener(i,s,o)}}}function r(t,e,i,o){return function(i){i.delegateTarget=n(i.target,e),i.delegateTarget&&o.call(t,i)}}t.exports=function(t,e,i,n,r){return"function"==typeof t.addEventListener?o.apply(null,arguments):"function"==typeof i?o.bind(null,document).apply(null,arguments):("string"==typeof t&&(t=document.querySelectorAll(t)),Array.prototype.map.call(t,(function(t){return o(t,e,i,n,r)})))}},879:function(t,e){e.node=function(t){return void 0!==t&&t instanceof HTMLElement&&1===t.nodeType},e.nodeList=function(t){var i=Object.prototype.toString.call(t);return void 0!==t&&("[object NodeList]"===i||"[object HTMLCollection]"===i)&&"length"in t&&(0===t.length||e.node(t[0]))},e.string=function(t){return"string"==typeof t||t instanceof String},e.fn=function(t){return"[object Function]"===Object.prototype.toString.call(t)}},370:function(t,e,i){var n=i(879),o=i(438);t.exports=function(t,e,i){if(!t&&!e&&!i)throw new Error("Missing required arguments");if(!n.string(e))throw new TypeError("Second argument must be a String");if(!n.fn(i))throw new TypeError("Third argument must be a Function");if(n.node(t))return function(t,e,i){return t.addEventListener(e,i),{destroy:function(){t.removeEventListener(e,i)}}}(t,e,i);if(n.nodeList(t))return function(t,e,i){return Array.prototype.forEach.call(t,(function(t){t.addEventListener(e,i)})),{destroy:function(){Array.prototype.forEach.call(t,(function(t){t.removeEventListener(e,i)}))}}}(t,e,i);if(n.string(t))return function(t,e,i){return o(document.body,t,e,i)}(t,e,i);throw new TypeError("First argument must be a String, HTMLElement, HTMLCollection, or NodeList")}},817:function(t){t.exports=function(t){var e;if("SELECT"===t.nodeName)t.focus(),e=t.value;else if("INPUT"===t.nodeName||"TEXTAREA"===t.nodeName){var i=t.hasAttribute("readonly");i||t.setAttribute("readonly",""),t.select(),t.setSelectionRange(0,t.value.length),i||t.removeAttribute("readonly"),e=t.value}else{t.hasAttribute("contenteditable")&&t.focus();var n=window.getSelection(),o=document.createRange();o.selectNodeContents(t),n.removeAllRanges(),n.addRange(o),e=n.toString()}return e}},279:function(t){function e(){}e.prototype={on:function(t,e,i){var n=this.e||(this.e={});return(n[t]||(n[t]=[])).push({fn:e,ctx:i}),this},once:function(t,e,i){var n=this;function o(){n.off(t,o),e.apply(i,arguments)}return o._=e,this.on(t,o,i)},emit:function(t){for(var e=[].slice.call(arguments,1),i=((this.e||(this.e={}))[t]||[]).slice(),n=0,o=i.length;n{"use strict";i.d(e,{A:()=>E});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(59699),i.b),u=new URL(i(34213),i.b),h=new URL(i(3132),i.b),d=new URL(i(19394),i.b),p=new URL(i(81972),i.b),A=new URL(i(6411),i.b),f=new URL(i(14506),i.b),g=new URL(i(64886),i.b),m=s()(o()),C=c()(l),b=c()(u),v=c()(h),x=c()(d),y=c()(p),w=c()(A),k=c()(f),B=c()(g);m.push([t.id,`/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n/* Layout helpers\n----------------------------------*/\n.ui-helper-hidden {\n\tdisplay: none;\n}\n.ui-helper-hidden-accessible {\n\tborder: 0;\n\tclip: rect(0 0 0 0);\n\theight: 1px;\n\tmargin: -1px;\n\toverflow: hidden;\n\tpadding: 0;\n\tposition: absolute;\n\twidth: 1px;\n}\n.ui-helper-reset {\n\tmargin: 0;\n\tpadding: 0;\n\tborder: 0;\n\toutline: 0;\n\tline-height: 1.3;\n\ttext-decoration: none;\n\tfont-size: 100%;\n\tlist-style: none;\n}\n.ui-helper-clearfix:before,\n.ui-helper-clearfix:after {\n\tcontent: "";\n\tdisplay: table;\n\tborder-collapse: collapse;\n}\n.ui-helper-clearfix:after {\n\tclear: both;\n}\n.ui-helper-zfix {\n\twidth: 100%;\n\theight: 100%;\n\ttop: 0;\n\tleft: 0;\n\tposition: absolute;\n\topacity: 0;\n\t-ms-filter: "alpha(opacity=0)"; /* support: IE8 */\n}\n\n.ui-front {\n\tz-index: 100;\n}\n\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-disabled {\n\tcursor: default !important;\n\tpointer-events: none;\n}\n\n\n/* Icons\n----------------------------------*/\n.ui-icon {\n\tdisplay: inline-block;\n\tvertical-align: middle;\n\tmargin-top: -.25em;\n\tposition: relative;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n}\n\n.ui-widget-icon-block {\n\tleft: 50%;\n\tmargin-left: -8px;\n\tdisplay: block;\n}\n\n/* Misc visuals\n----------------------------------*/\n\n/* Overlays */\n.ui-widget-overlay {\n\tposition: fixed;\n\ttop: 0;\n\tleft: 0;\n\twidth: 100%;\n\theight: 100%;\n}\n.ui-accordion .ui-accordion-header {\n\tdisplay: block;\n\tcursor: pointer;\n\tposition: relative;\n\tmargin: 2px 0 0 0;\n\tpadding: .5em .5em .5em .7em;\n\tfont-size: 100%;\n}\n.ui-accordion .ui-accordion-content {\n\tpadding: 1em 2.2em;\n\tborder-top: 0;\n\toverflow: auto;\n}\n.ui-autocomplete {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tcursor: default;\n}\n.ui-menu {\n\tlist-style: none;\n\tpadding: 0;\n\tmargin: 0;\n\tdisplay: block;\n\toutline: 0;\n}\n.ui-menu .ui-menu {\n\tposition: absolute;\n}\n.ui-menu .ui-menu-item {\n\tmargin: 0;\n\tcursor: pointer;\n\t/* support: IE10, see #8844 */\n\tlist-style-image: url(${C});\n}\n.ui-menu .ui-menu-item-wrapper {\n\tposition: relative;\n\tpadding: 3px 1em 3px .4em;\n}\n.ui-menu .ui-menu-divider {\n\tmargin: 5px 0;\n\theight: 0;\n\tfont-size: 0;\n\tline-height: 0;\n\tborder-width: 1px 0 0 0;\n}\n.ui-menu .ui-state-focus,\n.ui-menu .ui-state-active {\n\tmargin: -1px;\n}\n\n/* icon support */\n.ui-menu-icons {\n\tposition: relative;\n}\n.ui-menu-icons .ui-menu-item-wrapper {\n\tpadding-left: 2em;\n}\n\n/* left-aligned */\n.ui-menu .ui-icon {\n\tposition: absolute;\n\ttop: 0;\n\tbottom: 0;\n\tleft: .2em;\n\tmargin: auto 0;\n}\n\n/* right-aligned */\n.ui-menu .ui-menu-icon {\n\tleft: auto;\n\tright: 0;\n}\n.ui-button {\n\tpadding: .4em 1em;\n\tdisplay: inline-block;\n\tposition: relative;\n\tline-height: normal;\n\tmargin-right: .1em;\n\tcursor: pointer;\n\tvertical-align: middle;\n\ttext-align: center;\n\t-webkit-user-select: none;\n\t-moz-user-select: none;\n\t-ms-user-select: none;\n\tuser-select: none;\n\n\t/* Support: IE <= 11 */\n\toverflow: visible;\n}\n\n.ui-button,\n.ui-button:link,\n.ui-button:visited,\n.ui-button:hover,\n.ui-button:active {\n\ttext-decoration: none;\n}\n\n/* to make room for the icon, a width needs to be set here */\n.ui-button-icon-only {\n\twidth: 2em;\n\tbox-sizing: border-box;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n}\n\n/* no icon support for input elements */\ninput.ui-button.ui-button-icon-only {\n\ttext-indent: 0;\n}\n\n/* button icon element(s) */\n.ui-button-icon-only .ui-icon {\n\tposition: absolute;\n\ttop: 50%;\n\tleft: 50%;\n\tmargin-top: -8px;\n\tmargin-left: -8px;\n}\n\n.ui-button.ui-icon-notext .ui-icon {\n\tpadding: 0;\n\twidth: 2.1em;\n\theight: 2.1em;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n\n}\n\ninput.ui-button.ui-icon-notext .ui-icon {\n\twidth: auto;\n\theight: auto;\n\ttext-indent: 0;\n\twhite-space: normal;\n\tpadding: .4em 1em;\n}\n\n/* workarounds */\n/* Support: Firefox 5 - 40 */\ninput.ui-button::-moz-focus-inner,\nbutton.ui-button::-moz-focus-inner {\n\tborder: 0;\n\tpadding: 0;\n}\n.ui-controlgroup {\n\tvertical-align: middle;\n\tdisplay: inline-block;\n}\n.ui-controlgroup > .ui-controlgroup-item {\n\tfloat: left;\n\tmargin-left: 0;\n\tmargin-right: 0;\n}\n.ui-controlgroup > .ui-controlgroup-item:focus,\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\n\tz-index: 9999;\n}\n.ui-controlgroup-vertical > .ui-controlgroup-item {\n\tdisplay: block;\n\tfloat: none;\n\twidth: 100%;\n\tmargin-top: 0;\n\tmargin-bottom: 0;\n\ttext-align: left;\n}\n.ui-controlgroup-vertical .ui-controlgroup-item {\n\tbox-sizing: border-box;\n}\n.ui-controlgroup .ui-controlgroup-label {\n\tpadding: .4em 1em;\n}\n.ui-controlgroup .ui-controlgroup-label span {\n\tfont-size: 80%;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-left: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-top: none;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\n\tborder-right: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\n\tborder-bottom: none;\n}\n\n/* Spinner specific style fixes */\n.ui-controlgroup-vertical .ui-spinner-input {\n\n\t/* Support: IE8 only, Android < 4.4 only */\n\twidth: 75%;\n\twidth: calc( 100% - 2.4em );\n}\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\n\tborder-top-style: solid;\n}\n\n.ui-checkboxradio-label .ui-icon-background {\n\tbox-shadow: inset 1px 1px 1px #ccc;\n\tborder-radius: .12em;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label .ui-icon-background {\n\twidth: 16px;\n\theight: 16px;\n\tborder-radius: 1em;\n\toverflow: visible;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\n\tbackground-image: none;\n\twidth: 8px;\n\theight: 8px;\n\tborder-width: 4px;\n\tborder-style: solid;\n}\n.ui-checkboxradio-disabled {\n\tpointer-events: none;\n}\n.ui-datepicker {\n\twidth: 17em;\n\tpadding: .2em .2em 0;\n\tdisplay: none;\n}\n.ui-datepicker .ui-datepicker-header {\n\tposition: relative;\n\tpadding: .2em 0;\n}\n.ui-datepicker .ui-datepicker-prev,\n.ui-datepicker .ui-datepicker-next {\n\tposition: absolute;\n\ttop: 2px;\n\twidth: 1.8em;\n\theight: 1.8em;\n}\n.ui-datepicker .ui-datepicker-prev-hover,\n.ui-datepicker .ui-datepicker-next-hover {\n\ttop: 1px;\n}\n.ui-datepicker .ui-datepicker-prev {\n\tleft: 2px;\n}\n.ui-datepicker .ui-datepicker-next {\n\tright: 2px;\n}\n.ui-datepicker .ui-datepicker-prev-hover {\n\tleft: 1px;\n}\n.ui-datepicker .ui-datepicker-next-hover {\n\tright: 1px;\n}\n.ui-datepicker .ui-datepicker-prev span,\n.ui-datepicker .ui-datepicker-next span {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 50%;\n\tmargin-left: -8px;\n\ttop: 50%;\n\tmargin-top: -8px;\n}\n.ui-datepicker .ui-datepicker-title {\n\tmargin: 0 2.3em;\n\tline-height: 1.8em;\n\ttext-align: center;\n}\n.ui-datepicker .ui-datepicker-title select {\n\tfont-size: 1em;\n\tmargin: 1px 0;\n}\n.ui-datepicker select.ui-datepicker-month,\n.ui-datepicker select.ui-datepicker-year {\n\twidth: 45%;\n}\n.ui-datepicker table {\n\twidth: 100%;\n\tfont-size: .9em;\n\tborder-collapse: collapse;\n\tmargin: 0 0 .4em;\n}\n.ui-datepicker th {\n\tpadding: .7em .3em;\n\ttext-align: center;\n\tfont-weight: bold;\n\tborder: 0;\n}\n.ui-datepicker td {\n\tborder: 0;\n\tpadding: 1px;\n}\n.ui-datepicker td span,\n.ui-datepicker td a {\n\tdisplay: block;\n\tpadding: .2em;\n\ttext-align: right;\n\ttext-decoration: none;\n}\n.ui-datepicker .ui-datepicker-buttonpane {\n\tbackground-image: none;\n\tmargin: .7em 0 0 0;\n\tpadding: 0 .2em;\n\tborder-left: 0;\n\tborder-right: 0;\n\tborder-bottom: 0;\n}\n.ui-datepicker .ui-datepicker-buttonpane button {\n\tfloat: right;\n\tmargin: .5em .2em .4em;\n\tcursor: pointer;\n\tpadding: .2em .6em .3em .6em;\n\twidth: auto;\n\toverflow: visible;\n}\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\n\tfloat: left;\n}\n\n/* with multiple calendars */\n.ui-datepicker.ui-datepicker-multi {\n\twidth: auto;\n}\n.ui-datepicker-multi .ui-datepicker-group {\n\tfloat: left;\n}\n.ui-datepicker-multi .ui-datepicker-group table {\n\twidth: 95%;\n\tmargin: 0 auto .4em;\n}\n.ui-datepicker-multi-2 .ui-datepicker-group {\n\twidth: 50%;\n}\n.ui-datepicker-multi-3 .ui-datepicker-group {\n\twidth: 33.3%;\n}\n.ui-datepicker-multi-4 .ui-datepicker-group {\n\twidth: 25%;\n}\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-left-width: 0;\n}\n.ui-datepicker-multi .ui-datepicker-buttonpane {\n\tclear: left;\n}\n.ui-datepicker-row-break {\n\tclear: both;\n\twidth: 100%;\n\tfont-size: 0;\n}\n\n/* RTL support */\n.ui-datepicker-rtl {\n\tdirection: rtl;\n}\n.ui-datepicker-rtl .ui-datepicker-prev {\n\tright: 2px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next {\n\tleft: 2px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\n\tright: 1px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next:hover {\n\tleft: 1px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\n\tclear: right;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\n\tfloat: left;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\n.ui-datepicker-rtl .ui-datepicker-group {\n\tfloat: right;\n}\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-right-width: 0;\n\tborder-left-width: 1px;\n}\n\n/* Icons */\n.ui-datepicker .ui-icon {\n\tdisplay: block;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n\tleft: .5em;\n\ttop: .3em;\n}\n.ui-dialog {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tpadding: .2em;\n\toutline: 0;\n}\n.ui-dialog .ui-dialog-titlebar {\n\tpadding: .4em 1em;\n\tposition: relative;\n}\n.ui-dialog .ui-dialog-title {\n\tfloat: left;\n\tmargin: .1em 0;\n\twhite-space: nowrap;\n\twidth: 90%;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-dialog .ui-dialog-titlebar-close {\n\tposition: absolute;\n\tright: .3em;\n\ttop: 50%;\n\twidth: 20px;\n\tmargin: -10px 0 0 0;\n\tpadding: 1px;\n\theight: 20px;\n}\n.ui-dialog .ui-dialog-content {\n\tposition: relative;\n\tborder: 0;\n\tpadding: .5em 1em;\n\tbackground: none;\n\toverflow: auto;\n}\n.ui-dialog .ui-dialog-buttonpane {\n\ttext-align: left;\n\tborder-width: 1px 0 0 0;\n\tbackground-image: none;\n\tmargin-top: .5em;\n\tpadding: .3em 1em .5em .4em;\n}\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\n\tfloat: right;\n}\n.ui-dialog .ui-dialog-buttonpane button {\n\tmargin: .5em .4em .5em 0;\n\tcursor: pointer;\n}\n.ui-dialog .ui-resizable-n {\n\theight: 2px;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-e {\n\twidth: 2px;\n\tright: 0;\n}\n.ui-dialog .ui-resizable-s {\n\theight: 2px;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-w {\n\twidth: 2px;\n\tleft: 0;\n}\n.ui-dialog .ui-resizable-se,\n.ui-dialog .ui-resizable-sw,\n.ui-dialog .ui-resizable-ne,\n.ui-dialog .ui-resizable-nw {\n\twidth: 7px;\n\theight: 7px;\n}\n.ui-dialog .ui-resizable-se {\n\tright: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-sw {\n\tleft: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-ne {\n\tright: 0;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-nw {\n\tleft: 0;\n\ttop: 0;\n}\n.ui-draggable .ui-dialog-titlebar {\n\tcursor: move;\n}\n.ui-draggable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable {\n\tposition: relative;\n}\n.ui-resizable-handle {\n\tposition: absolute;\n\tfont-size: 0.1px;\n\tdisplay: block;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable-disabled .ui-resizable-handle,\n.ui-resizable-autohide .ui-resizable-handle {\n\tdisplay: none;\n}\n.ui-resizable-n {\n\tcursor: n-resize;\n\theight: 7px;\n\twidth: 100%;\n\ttop: -5px;\n\tleft: 0;\n}\n.ui-resizable-s {\n\tcursor: s-resize;\n\theight: 7px;\n\twidth: 100%;\n\tbottom: -5px;\n\tleft: 0;\n}\n.ui-resizable-e {\n\tcursor: e-resize;\n\twidth: 7px;\n\tright: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-w {\n\tcursor: w-resize;\n\twidth: 7px;\n\tleft: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-se {\n\tcursor: se-resize;\n\twidth: 12px;\n\theight: 12px;\n\tright: 1px;\n\tbottom: 1px;\n}\n.ui-resizable-sw {\n\tcursor: sw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\tbottom: -5px;\n}\n.ui-resizable-nw {\n\tcursor: nw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\ttop: -5px;\n}\n.ui-resizable-ne {\n\tcursor: ne-resize;\n\twidth: 9px;\n\theight: 9px;\n\tright: -5px;\n\ttop: -5px;\n}\n.ui-progressbar {\n\theight: 2em;\n\ttext-align: left;\n\toverflow: hidden;\n}\n.ui-progressbar .ui-progressbar-value {\n\tmargin: -1px;\n\theight: 100%;\n}\n.ui-progressbar .ui-progressbar-overlay {\n\tbackground: url(${b});\n\theight: 100%;\n\t-ms-filter: "alpha(opacity=25)"; /* support: IE8 */\n\topacity: 0.25;\n}\n.ui-progressbar-indeterminate .ui-progressbar-value {\n\tbackground-image: none;\n}\n.ui-selectable {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-selectable-helper {\n\tposition: absolute;\n\tz-index: 100;\n\tborder: 1px dotted black;\n}\n.ui-selectmenu-menu {\n\tpadding: 0;\n\tmargin: 0;\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tdisplay: none;\n}\n.ui-selectmenu-menu .ui-menu {\n\toverflow: auto;\n\toverflow-x: hidden;\n\tpadding-bottom: 1px;\n}\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\n\tfont-size: 1em;\n\tfont-weight: bold;\n\tline-height: 1.5;\n\tpadding: 2px 0.4em;\n\tmargin: 0.5em 0 0 0;\n\theight: auto;\n\tborder: 0;\n}\n.ui-selectmenu-open {\n\tdisplay: block;\n}\n.ui-selectmenu-text {\n\tdisplay: block;\n\tmargin-right: 20px;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-selectmenu-button.ui-button {\n\ttext-align: left;\n\twhite-space: nowrap;\n\twidth: 14em;\n}\n.ui-selectmenu-icon.ui-icon {\n\tfloat: right;\n\tmargin-top: 0;\n}\n.ui-slider {\n\tposition: relative;\n\ttext-align: left;\n}\n.ui-slider .ui-slider-handle {\n\tposition: absolute;\n\tz-index: 2;\n\twidth: 1.2em;\n\theight: 1.2em;\n\tcursor: pointer;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-slider .ui-slider-range {\n\tposition: absolute;\n\tz-index: 1;\n\tfont-size: .7em;\n\tdisplay: block;\n\tborder: 0;\n\tbackground-position: 0 0;\n}\n\n/* support: IE8 - See #6727 */\n.ui-slider.ui-state-disabled .ui-slider-handle,\n.ui-slider.ui-state-disabled .ui-slider-range {\n\tfilter: inherit;\n}\n\n.ui-slider-horizontal {\n\theight: .8em;\n}\n.ui-slider-horizontal .ui-slider-handle {\n\ttop: -.3em;\n\tmargin-left: -.6em;\n}\n.ui-slider-horizontal .ui-slider-range {\n\ttop: 0;\n\theight: 100%;\n}\n.ui-slider-horizontal .ui-slider-range-min {\n\tleft: 0;\n}\n.ui-slider-horizontal .ui-slider-range-max {\n\tright: 0;\n}\n\n.ui-slider-vertical {\n\twidth: .8em;\n\theight: 100px;\n}\n.ui-slider-vertical .ui-slider-handle {\n\tleft: -.3em;\n\tmargin-left: 0;\n\tmargin-bottom: -.6em;\n}\n.ui-slider-vertical .ui-slider-range {\n\tleft: 0;\n\twidth: 100%;\n}\n.ui-slider-vertical .ui-slider-range-min {\n\tbottom: 0;\n}\n.ui-slider-vertical .ui-slider-range-max {\n\ttop: 0;\n}\n.ui-sortable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-spinner {\n\tposition: relative;\n\tdisplay: inline-block;\n\toverflow: hidden;\n\tpadding: 0;\n\tvertical-align: middle;\n}\n.ui-spinner-input {\n\tborder: none;\n\tbackground: none;\n\tcolor: inherit;\n\tpadding: .222em 0;\n\tmargin: .2em 0;\n\tvertical-align: middle;\n\tmargin-left: .4em;\n\tmargin-right: 2em;\n}\n.ui-spinner-button {\n\twidth: 1.6em;\n\theight: 50%;\n\tfont-size: .5em;\n\tpadding: 0;\n\tmargin: 0;\n\ttext-align: center;\n\tposition: absolute;\n\tcursor: default;\n\tdisplay: block;\n\toverflow: hidden;\n\tright: 0;\n}\n/* more specificity required here to override default borders */\n.ui-spinner a.ui-spinner-button {\n\tborder-top-style: none;\n\tborder-bottom-style: none;\n\tborder-right-style: none;\n}\n.ui-spinner-up {\n\ttop: 0;\n}\n.ui-spinner-down {\n\tbottom: 0;\n}\n.ui-tabs {\n\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as "fixed") */\n\tpadding: .2em;\n}\n.ui-tabs .ui-tabs-nav {\n\tmargin: 0;\n\tpadding: .2em .2em 0;\n}\n.ui-tabs .ui-tabs-nav li {\n\tlist-style: none;\n\tfloat: left;\n\tposition: relative;\n\ttop: 0;\n\tmargin: 1px .2em 0 0;\n\tborder-bottom-width: 0;\n\tpadding: 0;\n\twhite-space: nowrap;\n}\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\n\tfloat: left;\n\tpadding: .5em 1em;\n\ttext-decoration: none;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\n\tmargin-bottom: -1px;\n\tpadding-bottom: 1px;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\n\tcursor: text;\n}\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\n\tcursor: pointer;\n}\n.ui-tabs .ui-tabs-panel {\n\tdisplay: block;\n\tborder-width: 0;\n\tpadding: 1em 1.4em;\n\tbackground: none;\n}\n.ui-tooltip {\n\tpadding: 8px;\n\tposition: absolute;\n\tz-index: 9999;\n\tmax-width: 300px;\n}\nbody .ui-tooltip {\n\tborder-width: 2px;\n}\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${v});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${v});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${x});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${y});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${w});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${k});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${B});\n}\n\n/* positioning */\n/* Three classes needed to override \`.ui-button:hover .ui-icon\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`,"",{version:3,sources:["webpack://./node_modules/jquery-ui-dist/jquery-ui.css"],names:[],mappings:"AAAA;;;;oEAIoE;;AAEpE;mCACmC;AACnC;CACC,aAAa;AACd;AACA;CACC,SAAS;CACT,mBAAmB;CACnB,WAAW;CACX,YAAY;CACZ,gBAAgB;CAChB,UAAU;CACV,kBAAkB;CAClB,UAAU;AACX;AACA;CACC,SAAS;CACT,UAAU;CACV,SAAS;CACT,UAAU;CACV,gBAAgB;CAChB,qBAAqB;CACrB,eAAe;CACf,gBAAgB;AACjB;AACA;;CAEC,WAAW;CACX,cAAc;CACd,yBAAyB;AAC1B;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,YAAY;CACZ,MAAM;CACN,OAAO;CACP,kBAAkB;CAClB,UAAU;CACV,8BAA8B,EAAE,iBAAiB;AAClD;;AAEA;CACC,YAAY;AACb;;;AAGA;mCACmC;AACnC;CACC,0BAA0B;CAC1B,oBAAoB;AACrB;;;AAGA;mCACmC;AACnC;CACC,qBAAqB;CACrB,sBAAsB;CACtB,kBAAkB;CAClB,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;AAC7B;;AAEA;CACC,SAAS;CACT,iBAAiB;CACjB,cAAc;AACf;;AAEA;mCACmC;;AAEnC,aAAa;AACb;CACC,eAAe;CACf,MAAM;CACN,OAAO;CACP,WAAW;CACX,YAAY;AACb;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,iBAAiB;CACjB,4BAA4B;CAC5B,eAAe;AAChB;AACA;CACC,kBAAkB;CAClB,aAAa;CACb,cAAc;AACf;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,eAAe;AAChB;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,SAAS;CACT,cAAc;CACd,UAAU;AACX;AACA;CACC,kBAAkB;AACnB;AACA;CACC,SAAS;CACT,eAAe;CACf,6BAA6B;CAC7B,yDAAuG;AACxG;AACA;CACC,kBAAkB;CAClB,yBAAyB;AAC1B;AACA;CACC,aAAa;CACb,SAAS;CACT,YAAY;CACZ,cAAc;CACd,uBAAuB;AACxB;AACA;;CAEC,YAAY;AACb;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;AACnB;AACA;CACC,iBAAiB;AAClB;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;CAClB,MAAM;CACN,SAAS;CACT,UAAU;CACV,cAAc;AACf;;AAEA,kBAAkB;AAClB;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,iBAAiB;CACjB,qBAAqB;CACrB,kBAAkB;CAClB,mBAAmB;CACnB,kBAAkB;CAClB,eAAe;CACf,sBAAsB;CACtB,kBAAkB;CAClB,yBAAyB;CACzB,sBAAsB;CACtB,qBAAqB;CACrB,iBAAiB;;CAEjB,sBAAsB;CACtB,iBAAiB;AAClB;;AAEA;;;;;CAKC,qBAAqB;AACtB;;AAEA,4DAA4D;AAC5D;CACC,UAAU;CACV,sBAAsB;CACtB,oBAAoB;CACpB,mBAAmB;AACpB;;AAEA,uCAAuC;AACvC;CACC,cAAc;AACf;;AAEA,2BAA2B;AAC3B;CACC,kBAAkB;CAClB,QAAQ;CACR,SAAS;CACT,gBAAgB;CAChB,iBAAiB;AAClB;;AAEA;CACC,UAAU;CACV,YAAY;CACZ,aAAa;CACb,oBAAoB;CACpB,mBAAmB;;AAEpB;;AAEA;CACC,WAAW;CACX,YAAY;CACZ,cAAc;CACd,mBAAmB;CACnB,iBAAiB;AAClB;;AAEA,gBAAgB;AAChB,4BAA4B;AAC5B;;CAEC,SAAS;CACT,UAAU;AACX;AACA;CACC,sBAAsB;CACtB,qBAAqB;AACtB;AACA;CACC,WAAW;CACX,cAAc;CACd,eAAe;AAChB;AACA;;CAEC,aAAa;AACd;AACA;CACC,cAAc;CACd,WAAW;CACX,WAAW;CACX,aAAa;CACb,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;AACA;CACC,iBAAiB;AAClB;AACA;CACC,gBAAgB;AACjB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,mBAAmB;AACpB;;AAEA,iCAAiC;AACjC;;CAEC,0CAA0C;CAC1C,UAAU;CACV,2BAA2B;AAC5B;AACA;CACC,uBAAuB;AACxB;;AAEA;CACC,kCAAkC;CAClC,oBAAoB;CACpB,YAAY;AACb;AACA;CACC,WAAW;CACX,YAAY;CACZ,kBAAkB;CAClB,iBAAiB;CACjB,YAAY;AACb;AACA;;CAEC,sBAAsB;CACtB,UAAU;CACV,WAAW;CACX,iBAAiB;CACjB,mBAAmB;AACpB;AACA;CACC,oBAAoB;AACrB;AACA;CACC,WAAW;CACX,oBAAoB;CACpB,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,eAAe;AAChB;AACA;;CAEC,kBAAkB;CAClB,QAAQ;CACR,YAAY;CACZ,aAAa;AACd;AACA;;CAEC,QAAQ;AACT;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;;CAEC,cAAc;CACd,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,QAAQ;CACR,gBAAgB;AACjB;AACA;CACC,eAAe;CACf,kBAAkB;CAClB,kBAAkB;AACnB;AACA;CACC,cAAc;CACd,aAAa;AACd;AACA;;CAEC,UAAU;AACX;AACA;CACC,WAAW;CACX,eAAe;CACf,yBAAyB;CACzB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,kBAAkB;CAClB,iBAAiB;CACjB,SAAS;AACV;AACA;CACC,SAAS;CACT,YAAY;AACb;AACA;;CAEC,cAAc;CACd,aAAa;CACb,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,sBAAsB;CACtB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,eAAe;CACf,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,sBAAsB;CACtB,eAAe;CACf,4BAA4B;CAC5B,WAAW;CACX,iBAAiB;AAClB;AACA;CACC,WAAW;AACZ;;AAEA,4BAA4B;AAC5B;CACC,WAAW;AACZ;AACA;CACC,WAAW;AACZ;AACA;CACC,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,UAAU;AACX;AACA;CACC,YAAY;AACb;AACA;CACC,UAAU;AACX;AACA;;CAEC,oBAAoB;AACrB;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,WAAW;CACX,YAAY;AACb;;AAEA,gBAAgB;AAChB;CACC,cAAc;AACf;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,YAAY;AACb;AACA;CACC,WAAW;AACZ;AACA;;CAEC,YAAY;AACb;AACA;;CAEC,qBAAqB;CACrB,sBAAsB;AACvB;;AAEA,UAAU;AACV;CACC,cAAc;CACd,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;CAC5B,UAAU;CACV,SAAS;AACV;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;CACb,UAAU;AACX;AACA;CACC,iBAAiB;CACjB,kBAAkB;AACnB;AACA;CACC,WAAW;CACX,cAAc;CACd,mBAAmB;CACnB,UAAU;CACV,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,kBAAkB;CAClB,WAAW;CACX,QAAQ;CACR,WAAW;CACX,mBAAmB;CACnB,YAAY;CACZ,YAAY;AACb;AACA;CACC,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,gBAAgB;CAChB,cAAc;AACf;AACA;CACC,gBAAgB;CAChB,uBAAuB;CACvB,sBAAsB;CACtB,gBAAgB;CAChB,2BAA2B;AAC5B;AACA;CACC,YAAY;AACb;AACA;CACC,wBAAwB;CACxB,eAAe;AAChB;AACA;CACC,WAAW;CACX,MAAM;AACP;AACA;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,WAAW;CACX,SAAS;AACV;AACA;CACC,UAAU;CACV,OAAO;AACR;AACA;;;;CAIC,UAAU;CACV,WAAW;AACZ;AACA;CACC,QAAQ;CACR,SAAS;AACV;AACA;CACC,OAAO;CACP,SAAS;AACV;AACA;CACC,QAAQ;CACR,MAAM;AACP;AACA;CACC,OAAO;CACP,MAAM;AACP;AACA;CACC,YAAY;AACb;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,gBAAgB;CAChB,cAAc;CACd,sBAAsB;CACtB,kBAAkB;AACnB;AACA;;CAEC,aAAa;AACd;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,SAAS;CACT,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,YAAY;CACZ,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,WAAW;CACX,MAAM;CACN,YAAY;AACb;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,UAAU;CACV,MAAM;CACN,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,WAAW;CACX,YAAY;CACZ,UAAU;CACV,WAAW;AACZ;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,SAAS;AACV;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,WAAW;CACX,SAAS;AACV;AACA;CACC,WAAW;CACX,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,YAAY;AACb;AACA;CACC,mDAAyzE;CACzzE,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,aAAa;AACd;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,YAAY;CACZ,wBAAwB;AACzB;AACA;CACC,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;AACd;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,mBAAmB;AACpB;AACA;CACC,cAAc;CACd,iBAAiB;CACjB,gBAAgB;CAChB,kBAAkB;CAClB,mBAAmB;CACnB,YAAY;CACZ,SAAS;AACV;AACA;CACC,cAAc;AACf;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,gBAAgB;CAChB,mBAAmB;CACnB,WAAW;AACZ;AACA;CACC,YAAY;CACZ,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,YAAY;CACZ,aAAa;CACb,eAAe;CACf,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,eAAe;CACf,cAAc;CACd,SAAS;CACT,wBAAwB;AACzB;;AAEA,6BAA6B;AAC7B;;CAEC,eAAe;AAChB;;AAEA;CACC,YAAY;AACb;AACA;CACC,UAAU;CACV,kBAAkB;AACnB;AACA;CACC,MAAM;CACN,YAAY;AACb;AACA;CACC,OAAO;AACR;AACA;CACC,QAAQ;AACT;;AAEA;CACC,WAAW;CACX,aAAa;AACd;AACA;CACC,WAAW;CACX,cAAc;CACd,oBAAoB;AACrB;AACA;CACC,OAAO;CACP,WAAW;AACZ;AACA;CACC,SAAS;AACV;AACA;CACC,MAAM;AACP;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,UAAU;CACV,sBAAsB;AACvB;AACA;CACC,YAAY;CACZ,gBAAgB;CAChB,cAAc;CACd,iBAAiB;CACjB,cAAc;CACd,sBAAsB;CACtB,iBAAiB;CACjB,iBAAiB;AAClB;AACA;CACC,YAAY;CACZ,WAAW;CACX,eAAe;CACf,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,gBAAgB;CAChB,QAAQ;AACT;AACA,+DAA+D;AAC/D;CACC,sBAAsB;CACtB,yBAAyB;CACzB,wBAAwB;AACzB;AACA;CACC,MAAM;AACP;AACA;CACC,SAAS;AACV;AACA;CACC,kBAAkB,CAAC,uIAAuI;CAC1J,aAAa;AACd;AACA;CACC,SAAS;CACT,oBAAoB;AACrB;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,kBAAkB;CAClB,MAAM;CACN,oBAAoB;CACpB,sBAAsB;CACtB,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,WAAW;CACX,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,mBAAmB;CACnB,mBAAmB;AACpB;AACA;;;CAGC,YAAY;AACb;AACA;CACC,eAAe;AAChB;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,kBAAkB;CAClB,aAAa;CACb,gBAAgB;AACjB;AACA;CACC,iBAAiB;AAClB;;AAEA;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC",sourcesContent:['/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n/* Layout helpers\n----------------------------------*/\n.ui-helper-hidden {\n\tdisplay: none;\n}\n.ui-helper-hidden-accessible {\n\tborder: 0;\n\tclip: rect(0 0 0 0);\n\theight: 1px;\n\tmargin: -1px;\n\toverflow: hidden;\n\tpadding: 0;\n\tposition: absolute;\n\twidth: 1px;\n}\n.ui-helper-reset {\n\tmargin: 0;\n\tpadding: 0;\n\tborder: 0;\n\toutline: 0;\n\tline-height: 1.3;\n\ttext-decoration: none;\n\tfont-size: 100%;\n\tlist-style: none;\n}\n.ui-helper-clearfix:before,\n.ui-helper-clearfix:after {\n\tcontent: "";\n\tdisplay: table;\n\tborder-collapse: collapse;\n}\n.ui-helper-clearfix:after {\n\tclear: both;\n}\n.ui-helper-zfix {\n\twidth: 100%;\n\theight: 100%;\n\ttop: 0;\n\tleft: 0;\n\tposition: absolute;\n\topacity: 0;\n\t-ms-filter: "alpha(opacity=0)"; /* support: IE8 */\n}\n\n.ui-front {\n\tz-index: 100;\n}\n\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-disabled {\n\tcursor: default !important;\n\tpointer-events: none;\n}\n\n\n/* Icons\n----------------------------------*/\n.ui-icon {\n\tdisplay: inline-block;\n\tvertical-align: middle;\n\tmargin-top: -.25em;\n\tposition: relative;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n}\n\n.ui-widget-icon-block {\n\tleft: 50%;\n\tmargin-left: -8px;\n\tdisplay: block;\n}\n\n/* Misc visuals\n----------------------------------*/\n\n/* Overlays */\n.ui-widget-overlay {\n\tposition: fixed;\n\ttop: 0;\n\tleft: 0;\n\twidth: 100%;\n\theight: 100%;\n}\n.ui-accordion .ui-accordion-header {\n\tdisplay: block;\n\tcursor: pointer;\n\tposition: relative;\n\tmargin: 2px 0 0 0;\n\tpadding: .5em .5em .5em .7em;\n\tfont-size: 100%;\n}\n.ui-accordion .ui-accordion-content {\n\tpadding: 1em 2.2em;\n\tborder-top: 0;\n\toverflow: auto;\n}\n.ui-autocomplete {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tcursor: default;\n}\n.ui-menu {\n\tlist-style: none;\n\tpadding: 0;\n\tmargin: 0;\n\tdisplay: block;\n\toutline: 0;\n}\n.ui-menu .ui-menu {\n\tposition: absolute;\n}\n.ui-menu .ui-menu-item {\n\tmargin: 0;\n\tcursor: pointer;\n\t/* support: IE10, see #8844 */\n\tlist-style-image: url("data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7");\n}\n.ui-menu .ui-menu-item-wrapper {\n\tposition: relative;\n\tpadding: 3px 1em 3px .4em;\n}\n.ui-menu .ui-menu-divider {\n\tmargin: 5px 0;\n\theight: 0;\n\tfont-size: 0;\n\tline-height: 0;\n\tborder-width: 1px 0 0 0;\n}\n.ui-menu .ui-state-focus,\n.ui-menu .ui-state-active {\n\tmargin: -1px;\n}\n\n/* icon support */\n.ui-menu-icons {\n\tposition: relative;\n}\n.ui-menu-icons .ui-menu-item-wrapper {\n\tpadding-left: 2em;\n}\n\n/* left-aligned */\n.ui-menu .ui-icon {\n\tposition: absolute;\n\ttop: 0;\n\tbottom: 0;\n\tleft: .2em;\n\tmargin: auto 0;\n}\n\n/* right-aligned */\n.ui-menu .ui-menu-icon {\n\tleft: auto;\n\tright: 0;\n}\n.ui-button {\n\tpadding: .4em 1em;\n\tdisplay: inline-block;\n\tposition: relative;\n\tline-height: normal;\n\tmargin-right: .1em;\n\tcursor: pointer;\n\tvertical-align: middle;\n\ttext-align: center;\n\t-webkit-user-select: none;\n\t-moz-user-select: none;\n\t-ms-user-select: none;\n\tuser-select: none;\n\n\t/* Support: IE <= 11 */\n\toverflow: visible;\n}\n\n.ui-button,\n.ui-button:link,\n.ui-button:visited,\n.ui-button:hover,\n.ui-button:active {\n\ttext-decoration: none;\n}\n\n/* to make room for the icon, a width needs to be set here */\n.ui-button-icon-only {\n\twidth: 2em;\n\tbox-sizing: border-box;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n}\n\n/* no icon support for input elements */\ninput.ui-button.ui-button-icon-only {\n\ttext-indent: 0;\n}\n\n/* button icon element(s) */\n.ui-button-icon-only .ui-icon {\n\tposition: absolute;\n\ttop: 50%;\n\tleft: 50%;\n\tmargin-top: -8px;\n\tmargin-left: -8px;\n}\n\n.ui-button.ui-icon-notext .ui-icon {\n\tpadding: 0;\n\twidth: 2.1em;\n\theight: 2.1em;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n\n}\n\ninput.ui-button.ui-icon-notext .ui-icon {\n\twidth: auto;\n\theight: auto;\n\ttext-indent: 0;\n\twhite-space: normal;\n\tpadding: .4em 1em;\n}\n\n/* workarounds */\n/* Support: Firefox 5 - 40 */\ninput.ui-button::-moz-focus-inner,\nbutton.ui-button::-moz-focus-inner {\n\tborder: 0;\n\tpadding: 0;\n}\n.ui-controlgroup {\n\tvertical-align: middle;\n\tdisplay: inline-block;\n}\n.ui-controlgroup > .ui-controlgroup-item {\n\tfloat: left;\n\tmargin-left: 0;\n\tmargin-right: 0;\n}\n.ui-controlgroup > .ui-controlgroup-item:focus,\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\n\tz-index: 9999;\n}\n.ui-controlgroup-vertical > .ui-controlgroup-item {\n\tdisplay: block;\n\tfloat: none;\n\twidth: 100%;\n\tmargin-top: 0;\n\tmargin-bottom: 0;\n\ttext-align: left;\n}\n.ui-controlgroup-vertical .ui-controlgroup-item {\n\tbox-sizing: border-box;\n}\n.ui-controlgroup .ui-controlgroup-label {\n\tpadding: .4em 1em;\n}\n.ui-controlgroup .ui-controlgroup-label span {\n\tfont-size: 80%;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-left: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-top: none;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\n\tborder-right: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\n\tborder-bottom: none;\n}\n\n/* Spinner specific style fixes */\n.ui-controlgroup-vertical .ui-spinner-input {\n\n\t/* Support: IE8 only, Android < 4.4 only */\n\twidth: 75%;\n\twidth: calc( 100% - 2.4em );\n}\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\n\tborder-top-style: solid;\n}\n\n.ui-checkboxradio-label .ui-icon-background {\n\tbox-shadow: inset 1px 1px 1px #ccc;\n\tborder-radius: .12em;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label .ui-icon-background {\n\twidth: 16px;\n\theight: 16px;\n\tborder-radius: 1em;\n\toverflow: visible;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\n\tbackground-image: none;\n\twidth: 8px;\n\theight: 8px;\n\tborder-width: 4px;\n\tborder-style: solid;\n}\n.ui-checkboxradio-disabled {\n\tpointer-events: none;\n}\n.ui-datepicker {\n\twidth: 17em;\n\tpadding: .2em .2em 0;\n\tdisplay: none;\n}\n.ui-datepicker .ui-datepicker-header {\n\tposition: relative;\n\tpadding: .2em 0;\n}\n.ui-datepicker .ui-datepicker-prev,\n.ui-datepicker .ui-datepicker-next {\n\tposition: absolute;\n\ttop: 2px;\n\twidth: 1.8em;\n\theight: 1.8em;\n}\n.ui-datepicker .ui-datepicker-prev-hover,\n.ui-datepicker .ui-datepicker-next-hover {\n\ttop: 1px;\n}\n.ui-datepicker .ui-datepicker-prev {\n\tleft: 2px;\n}\n.ui-datepicker .ui-datepicker-next {\n\tright: 2px;\n}\n.ui-datepicker .ui-datepicker-prev-hover {\n\tleft: 1px;\n}\n.ui-datepicker .ui-datepicker-next-hover {\n\tright: 1px;\n}\n.ui-datepicker .ui-datepicker-prev span,\n.ui-datepicker .ui-datepicker-next span {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 50%;\n\tmargin-left: -8px;\n\ttop: 50%;\n\tmargin-top: -8px;\n}\n.ui-datepicker .ui-datepicker-title {\n\tmargin: 0 2.3em;\n\tline-height: 1.8em;\n\ttext-align: center;\n}\n.ui-datepicker .ui-datepicker-title select {\n\tfont-size: 1em;\n\tmargin: 1px 0;\n}\n.ui-datepicker select.ui-datepicker-month,\n.ui-datepicker select.ui-datepicker-year {\n\twidth: 45%;\n}\n.ui-datepicker table {\n\twidth: 100%;\n\tfont-size: .9em;\n\tborder-collapse: collapse;\n\tmargin: 0 0 .4em;\n}\n.ui-datepicker th {\n\tpadding: .7em .3em;\n\ttext-align: center;\n\tfont-weight: bold;\n\tborder: 0;\n}\n.ui-datepicker td {\n\tborder: 0;\n\tpadding: 1px;\n}\n.ui-datepicker td span,\n.ui-datepicker td a {\n\tdisplay: block;\n\tpadding: .2em;\n\ttext-align: right;\n\ttext-decoration: none;\n}\n.ui-datepicker .ui-datepicker-buttonpane {\n\tbackground-image: none;\n\tmargin: .7em 0 0 0;\n\tpadding: 0 .2em;\n\tborder-left: 0;\n\tborder-right: 0;\n\tborder-bottom: 0;\n}\n.ui-datepicker .ui-datepicker-buttonpane button {\n\tfloat: right;\n\tmargin: .5em .2em .4em;\n\tcursor: pointer;\n\tpadding: .2em .6em .3em .6em;\n\twidth: auto;\n\toverflow: visible;\n}\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\n\tfloat: left;\n}\n\n/* with multiple calendars */\n.ui-datepicker.ui-datepicker-multi {\n\twidth: auto;\n}\n.ui-datepicker-multi .ui-datepicker-group {\n\tfloat: left;\n}\n.ui-datepicker-multi .ui-datepicker-group table {\n\twidth: 95%;\n\tmargin: 0 auto .4em;\n}\n.ui-datepicker-multi-2 .ui-datepicker-group {\n\twidth: 50%;\n}\n.ui-datepicker-multi-3 .ui-datepicker-group {\n\twidth: 33.3%;\n}\n.ui-datepicker-multi-4 .ui-datepicker-group {\n\twidth: 25%;\n}\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-left-width: 0;\n}\n.ui-datepicker-multi .ui-datepicker-buttonpane {\n\tclear: left;\n}\n.ui-datepicker-row-break {\n\tclear: both;\n\twidth: 100%;\n\tfont-size: 0;\n}\n\n/* RTL support */\n.ui-datepicker-rtl {\n\tdirection: rtl;\n}\n.ui-datepicker-rtl .ui-datepicker-prev {\n\tright: 2px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next {\n\tleft: 2px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\n\tright: 1px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next:hover {\n\tleft: 1px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\n\tclear: right;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\n\tfloat: left;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\n.ui-datepicker-rtl .ui-datepicker-group {\n\tfloat: right;\n}\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-right-width: 0;\n\tborder-left-width: 1px;\n}\n\n/* Icons */\n.ui-datepicker .ui-icon {\n\tdisplay: block;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n\tleft: .5em;\n\ttop: .3em;\n}\n.ui-dialog {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tpadding: .2em;\n\toutline: 0;\n}\n.ui-dialog .ui-dialog-titlebar {\n\tpadding: .4em 1em;\n\tposition: relative;\n}\n.ui-dialog .ui-dialog-title {\n\tfloat: left;\n\tmargin: .1em 0;\n\twhite-space: nowrap;\n\twidth: 90%;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-dialog .ui-dialog-titlebar-close {\n\tposition: absolute;\n\tright: .3em;\n\ttop: 50%;\n\twidth: 20px;\n\tmargin: -10px 0 0 0;\n\tpadding: 1px;\n\theight: 20px;\n}\n.ui-dialog .ui-dialog-content {\n\tposition: relative;\n\tborder: 0;\n\tpadding: .5em 1em;\n\tbackground: none;\n\toverflow: auto;\n}\n.ui-dialog .ui-dialog-buttonpane {\n\ttext-align: left;\n\tborder-width: 1px 0 0 0;\n\tbackground-image: none;\n\tmargin-top: .5em;\n\tpadding: .3em 1em .5em .4em;\n}\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\n\tfloat: right;\n}\n.ui-dialog .ui-dialog-buttonpane button {\n\tmargin: .5em .4em .5em 0;\n\tcursor: pointer;\n}\n.ui-dialog .ui-resizable-n {\n\theight: 2px;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-e {\n\twidth: 2px;\n\tright: 0;\n}\n.ui-dialog .ui-resizable-s {\n\theight: 2px;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-w {\n\twidth: 2px;\n\tleft: 0;\n}\n.ui-dialog .ui-resizable-se,\n.ui-dialog .ui-resizable-sw,\n.ui-dialog .ui-resizable-ne,\n.ui-dialog .ui-resizable-nw {\n\twidth: 7px;\n\theight: 7px;\n}\n.ui-dialog .ui-resizable-se {\n\tright: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-sw {\n\tleft: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-ne {\n\tright: 0;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-nw {\n\tleft: 0;\n\ttop: 0;\n}\n.ui-draggable .ui-dialog-titlebar {\n\tcursor: move;\n}\n.ui-draggable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable {\n\tposition: relative;\n}\n.ui-resizable-handle {\n\tposition: absolute;\n\tfont-size: 0.1px;\n\tdisplay: block;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable-disabled .ui-resizable-handle,\n.ui-resizable-autohide .ui-resizable-handle {\n\tdisplay: none;\n}\n.ui-resizable-n {\n\tcursor: n-resize;\n\theight: 7px;\n\twidth: 100%;\n\ttop: -5px;\n\tleft: 0;\n}\n.ui-resizable-s {\n\tcursor: s-resize;\n\theight: 7px;\n\twidth: 100%;\n\tbottom: -5px;\n\tleft: 0;\n}\n.ui-resizable-e {\n\tcursor: e-resize;\n\twidth: 7px;\n\tright: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-w {\n\tcursor: w-resize;\n\twidth: 7px;\n\tleft: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-se {\n\tcursor: se-resize;\n\twidth: 12px;\n\theight: 12px;\n\tright: 1px;\n\tbottom: 1px;\n}\n.ui-resizable-sw {\n\tcursor: sw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\tbottom: -5px;\n}\n.ui-resizable-nw {\n\tcursor: nw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\ttop: -5px;\n}\n.ui-resizable-ne {\n\tcursor: ne-resize;\n\twidth: 9px;\n\theight: 9px;\n\tright: -5px;\n\ttop: -5px;\n}\n.ui-progressbar {\n\theight: 2em;\n\ttext-align: left;\n\toverflow: hidden;\n}\n.ui-progressbar .ui-progressbar-value {\n\tmargin: -1px;\n\theight: 100%;\n}\n.ui-progressbar .ui-progressbar-overlay {\n\tbackground: url("data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw==");\n\theight: 100%;\n\t-ms-filter: "alpha(opacity=25)"; /* support: IE8 */\n\topacity: 0.25;\n}\n.ui-progressbar-indeterminate .ui-progressbar-value {\n\tbackground-image: none;\n}\n.ui-selectable {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-selectable-helper {\n\tposition: absolute;\n\tz-index: 100;\n\tborder: 1px dotted black;\n}\n.ui-selectmenu-menu {\n\tpadding: 0;\n\tmargin: 0;\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tdisplay: none;\n}\n.ui-selectmenu-menu .ui-menu {\n\toverflow: auto;\n\toverflow-x: hidden;\n\tpadding-bottom: 1px;\n}\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\n\tfont-size: 1em;\n\tfont-weight: bold;\n\tline-height: 1.5;\n\tpadding: 2px 0.4em;\n\tmargin: 0.5em 0 0 0;\n\theight: auto;\n\tborder: 0;\n}\n.ui-selectmenu-open {\n\tdisplay: block;\n}\n.ui-selectmenu-text {\n\tdisplay: block;\n\tmargin-right: 20px;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-selectmenu-button.ui-button {\n\ttext-align: left;\n\twhite-space: nowrap;\n\twidth: 14em;\n}\n.ui-selectmenu-icon.ui-icon {\n\tfloat: right;\n\tmargin-top: 0;\n}\n.ui-slider {\n\tposition: relative;\n\ttext-align: left;\n}\n.ui-slider .ui-slider-handle {\n\tposition: absolute;\n\tz-index: 2;\n\twidth: 1.2em;\n\theight: 1.2em;\n\tcursor: pointer;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-slider .ui-slider-range {\n\tposition: absolute;\n\tz-index: 1;\n\tfont-size: .7em;\n\tdisplay: block;\n\tborder: 0;\n\tbackground-position: 0 0;\n}\n\n/* support: IE8 - See #6727 */\n.ui-slider.ui-state-disabled .ui-slider-handle,\n.ui-slider.ui-state-disabled .ui-slider-range {\n\tfilter: inherit;\n}\n\n.ui-slider-horizontal {\n\theight: .8em;\n}\n.ui-slider-horizontal .ui-slider-handle {\n\ttop: -.3em;\n\tmargin-left: -.6em;\n}\n.ui-slider-horizontal .ui-slider-range {\n\ttop: 0;\n\theight: 100%;\n}\n.ui-slider-horizontal .ui-slider-range-min {\n\tleft: 0;\n}\n.ui-slider-horizontal .ui-slider-range-max {\n\tright: 0;\n}\n\n.ui-slider-vertical {\n\twidth: .8em;\n\theight: 100px;\n}\n.ui-slider-vertical .ui-slider-handle {\n\tleft: -.3em;\n\tmargin-left: 0;\n\tmargin-bottom: -.6em;\n}\n.ui-slider-vertical .ui-slider-range {\n\tleft: 0;\n\twidth: 100%;\n}\n.ui-slider-vertical .ui-slider-range-min {\n\tbottom: 0;\n}\n.ui-slider-vertical .ui-slider-range-max {\n\ttop: 0;\n}\n.ui-sortable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-spinner {\n\tposition: relative;\n\tdisplay: inline-block;\n\toverflow: hidden;\n\tpadding: 0;\n\tvertical-align: middle;\n}\n.ui-spinner-input {\n\tborder: none;\n\tbackground: none;\n\tcolor: inherit;\n\tpadding: .222em 0;\n\tmargin: .2em 0;\n\tvertical-align: middle;\n\tmargin-left: .4em;\n\tmargin-right: 2em;\n}\n.ui-spinner-button {\n\twidth: 1.6em;\n\theight: 50%;\n\tfont-size: .5em;\n\tpadding: 0;\n\tmargin: 0;\n\ttext-align: center;\n\tposition: absolute;\n\tcursor: default;\n\tdisplay: block;\n\toverflow: hidden;\n\tright: 0;\n}\n/* more specificity required here to override default borders */\n.ui-spinner a.ui-spinner-button {\n\tborder-top-style: none;\n\tborder-bottom-style: none;\n\tborder-right-style: none;\n}\n.ui-spinner-up {\n\ttop: 0;\n}\n.ui-spinner-down {\n\tbottom: 0;\n}\n.ui-tabs {\n\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as "fixed") */\n\tpadding: .2em;\n}\n.ui-tabs .ui-tabs-nav {\n\tmargin: 0;\n\tpadding: .2em .2em 0;\n}\n.ui-tabs .ui-tabs-nav li {\n\tlist-style: none;\n\tfloat: left;\n\tposition: relative;\n\ttop: 0;\n\tmargin: 1px .2em 0 0;\n\tborder-bottom-width: 0;\n\tpadding: 0;\n\twhite-space: nowrap;\n}\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\n\tfloat: left;\n\tpadding: .5em 1em;\n\ttext-decoration: none;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\n\tmargin-bottom: -1px;\n\tpadding-bottom: 1px;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\n\tcursor: text;\n}\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\n\tcursor: pointer;\n}\n.ui-tabs .ui-tabs-panel {\n\tdisplay: block;\n\tborder-width: 0;\n\tpadding: 1em 1.4em;\n\tbackground: none;\n}\n.ui-tooltip {\n\tpadding: 8px;\n\tposition: absolute;\n\tz-index: 9999;\n\tmax-width: 300px;\n}\nbody .ui-tooltip {\n\tborder-width: 2px;\n}\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url("images/ui-icons_555555_256x240.png");\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url("images/ui-icons_ffffff_256x240.png");\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url("images/ui-icons_777620_256x240.png");\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url("images/ui-icons_cc0000_256x240.png");\n}\n.ui-button .ui-icon {\n\tbackground-image: url("images/ui-icons_777777_256x240.png");\n}\n\n/* positioning */\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n'],sourceRoot:""}]);const E=m},13169:(t,e,i)=>{"use strict";i.d(e,{A:()=>y});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(3132),i.b),u=new URL(i(19394),i.b),h=new URL(i(81972),i.b),d=new URL(i(6411),i.b),p=new URL(i(14506),i.b),A=new URL(i(64886),i.b),f=s()(o()),g=c()(l),m=c()(u),C=c()(h),b=c()(d),v=c()(p),x=c()(A);f.push([t.id,`/*!\n * jQuery UI CSS Framework 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/category/theming/\n *\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n */\n\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${g});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${g});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${m});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${C});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${b});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${v});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${x});\n}\n\n/* positioning */\n/* Three classes needed to override \`.ui-button:hover .ui-icon\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`,"",{version:3,sources:["webpack://./node_modules/jquery-ui-dist/jquery-ui.theme.css"],names:[],mappings:"AAAA;;;;;;;;;;;EAWE;;;AAGF;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC",sourcesContent:['/*!\n * jQuery UI CSS Framework 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/category/theming/\n *\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n */\n\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url("images/ui-icons_555555_256x240.png");\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url("images/ui-icons_ffffff_256x240.png");\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url("images/ui-icons_777620_256x240.png");\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url("images/ui-icons_cc0000_256x240.png");\n}\n.ui-button .ui-icon {\n\tbackground-image: url("images/ui-icons_777777_256x240.png");\n}\n\n/* positioning */\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n'],sourceRoot:""}]);const y=f},90628:(t,e,i)=>{"use strict";i.d(e,{A:()=>v});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(7369),i.b),u=new URL(i(48832),i.b),h=new URL(i(36114),i.b),d=new URL(i(83864),i.b),p=new URL(i(26609),i.b),A=s()(o()),f=c()(l),g=c()(u),m=c()(h),C=c()(d),b=c()(p);A.push([t.id,`.ui-widget-content{border:1px solid var(--color-border);background:var(--color-main-background) none;color:var(--color-main-text)}.ui-widget-content a{color:var(--color-main-text)}.ui-widget-header{border:none;color:var(--color-main-text);background-image:none}.ui-widget-header a{color:var(--color-main-text)}.ui-state-default,.ui-widget-content .ui-state-default,.ui-widget-header .ui-state-default{border:1px solid var(--color-border);background:var(--color-main-background) none;font-weight:bold;color:#555}.ui-state-default a,.ui-state-default a:link,.ui-state-default a:visited{color:#555}.ui-state-hover,.ui-widget-content .ui-state-hover,.ui-widget-header .ui-state-hover,.ui-state-focus,.ui-widget-content .ui-state-focus,.ui-widget-header .ui-state-focus{border:1px solid #ddd;background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-hover a,.ui-state-hover a:hover,.ui-state-hover a:link,.ui-state-hover a:visited{color:var(--color-main-text)}.ui-state-active,.ui-widget-content .ui-state-active,.ui-widget-header .ui-state-active{border:1px solid var(--color-primary-element);background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-active a,.ui-state-active a:link,.ui-state-active a:visited{color:var(--color-main-text)}.ui-state-highlight,.ui-widget-content .ui-state-highlight,.ui-widget-header .ui-state-highlight{border:1px solid var(--color-main-background);background:var(--color-main-background) none;color:var(--color-text-light);font-weight:600}.ui-state-highlight a,.ui-widget-content .ui-state-highlight a,.ui-widget-header .ui-state-highlight a{color:var(--color-text-lighter)}.ui-state-error,.ui-widget-content .ui-state-error,.ui-widget-header .ui-state-error{border:var(--color-error);background:var(--color-error) none;color:#fff}.ui-state-error a,.ui-widget-content .ui-state-error a,.ui-widget-header .ui-state-error a{color:#fff}.ui-state-error-text,.ui-widget-content .ui-state-error-text,.ui-widget-header .ui-state-error-text{color:#fff}.ui-state-default .ui-icon{background-image:url(${f})}.ui-state-hover .ui-icon,.ui-state-focus .ui-icon{background-image:url(${f})}.ui-state-active .ui-icon{background-image:url(${f})}.ui-state-highlight .ui-icon{background-image:url(${g})}.ui-state-error .ui-icon,.ui-state-error-text .ui-icon{background-image:url(${m})}.ui-icon.ui-icon-none{display:none}.ui-widget-overlay{background:#666 url(${C}) 50% 50% repeat;opacity:.5}.ui-widget-shadow{margin:-5px 0 0 -5px;padding:5px;background:#000 url(${b}) 50% 50% repeat-x;opacity:.2;border-radius:5px}.ui-tabs{border:none}.ui-tabs .ui-tabs-nav.ui-corner-all{border-end-start-radius:0;border-end-end-radius:0}.ui-tabs .ui-tabs-nav{background:none;margin-bottom:15px}.ui-tabs .ui-tabs-nav .ui-state-default{border:none;border-bottom:1px solid rgba(0,0,0,0);font-weight:normal;margin:0 !important;padding:0 !important}.ui-tabs .ui-tabs-nav .ui-state-hover,.ui-tabs .ui-tabs-nav .ui-state-active{border:none;border-bottom:1px solid var(--color-main-text);color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-hover a,.ui-tabs .ui-tabs-nav .ui-state-hover a:link,.ui-tabs .ui-tabs-nav .ui-state-hover a:hover,.ui-tabs .ui-tabs-nav .ui-state-hover a:visited,.ui-tabs .ui-tabs-nav .ui-state-active a,.ui-tabs .ui-tabs-nav .ui-state-active a:link,.ui-tabs .ui-tabs-nav .ui-state-active a:hover,.ui-tabs .ui-tabs-nav .ui-state-active a:visited{color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-active{font-weight:bold}.ui-autocomplete.ui-menu{padding:0}.ui-autocomplete.ui-menu.item-count-1,.ui-autocomplete.ui-menu.item-count-2{overflow-y:hidden}.ui-autocomplete.ui-menu .ui-menu-item a{color:var(--color-text-lighter);display:block;padding:4px;padding-inline-start:14px}.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-focus,.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-active{box-shadow:inset 4px 0 var(--color-primary-element);color:var(--color-main-text)}.ui-autocomplete.ui-widget-content{background:var(--color-main-background);border-top:none}.ui-autocomplete.ui-corner-all{border-radius:0;border-end-start-radius:var(--border-radius);border-end-end-radius:var(--border-radius)}.ui-autocomplete .ui-state-hover,.ui-autocomplete .ui-widget-content .ui-state-hover,.ui-autocomplete .ui-widget-header .ui-state-hover,.ui-autocomplete .ui-state-focus,.ui-autocomplete .ui-widget-content .ui-state-focus,.ui-autocomplete .ui-widget-header .ui-state-focus{border:1px solid rgba(0,0,0,0);background:inherit;color:var(--color-primary-element)}.ui-autocomplete .ui-menu-item a{border-radius:0 !important}.ui-button.primary{background-color:var(--color-primary-element);color:var(--color-primary-element-text);border:1px solid var(--color-primary-element-text)}.ui-button:hover{font-weight:bold !important}.ui-draggable-handle,.ui-selectable{touch-action:pan-y}`,"",{version:3,sources:["webpack://./core/src/jquery/css/jquery-ui-fixes.scss"],names:[],mappings:"AAMA,mBACC,oCAAA,CACA,4CAAA,CACA,4BAAA,CAGD,qBACC,4BAAA,CAGD,kBACC,WAAA,CACA,4BAAA,CACA,qBAAA,CAGD,oBACC,4BAAA,CAKD,2FAGC,oCAAA,CACA,4CAAA,CACA,gBAAA,CACA,UAAA,CAGD,yEAGC,UAAA,CAGD,0KAMC,qBAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,2FAIC,4BAAA,CAGD,wFAGC,6CAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,sEAGC,4BAAA,CAKD,iGAGC,6CAAA,CACA,4CAAA,CACA,6BAAA,CACA,eAAA,CAGD,uGAGC,+BAAA,CAGD,qFAGC,yBAAA,CACA,kCAAA,CACA,UAAA,CAGD,2FAGC,UAAA,CAGD,oGAGC,UAAA,CAKD,2BACC,wDAAA,CAGD,kDAEC,wDAAA,CAGD,0BACC,wDAAA,CAGD,6BACC,wDAAA,CAGD,uDAEC,wDAAA,CAGD,sBACC,YAAA,CAMD,mBACC,sEAAA,CACA,UAAA,CAGD,kBACC,oBAAA,CACA,WAAA,CACA,wEAAA,CACA,UAAA,CACA,iBAAA,CAID,SACC,WAAA,CAEA,oCACC,yBAAA,CACA,uBAAA,CAGD,sBACC,eAAA,CACA,kBAAA,CAEA,wCACC,WAAA,CACA,qCAAA,CACA,kBAAA,CACA,mBAAA,CACA,oBAAA,CAGD,6EAEC,WAAA,CACA,8CAAA,CACA,4BAAA,CACA,0WACC,4BAAA,CAGF,uCACC,gBAAA,CAOF,yBACC,SAAA,CAIA,4EAEC,iBAAA,CAGD,yCACC,+BAAA,CACA,aAAA,CACA,WAAA,CACA,yBAAA,CAEA,iHACC,mDAAA,CACA,4BAAA,CAKH,mCACC,uCAAA,CACA,eAAA,CAGD,+BACC,eAAA,CACA,4CAAA,CACA,0CAAA,CAGD,gRAKC,8BAAA,CACA,kBAAA,CACA,kCAAA,CAIA,iCACC,0BAAA,CAKH,mBACC,6CAAA,CACA,uCAAA,CACA,kDAAA,CAID,iBACI,2BAAA,CAKJ,oCAEC,kBAAA",sourceRoot:""}]);const v=A},2791:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".oc-dialog{background:var(--color-main-background);color:var(--color-text-light);border-radius:var(--border-radius-large);box-shadow:0 0 30px var(--color-box-shadow);padding:24px;z-index:100001;font-size:100%;box-sizing:border-box;min-width:200px;top:50%;inset-inline-start:50%;transform:translate(-50%, -50%);max-height:calc(100% - 20px);max-width:calc(100% - 20px);overflow:auto}.oc-dialog-title{background:var(--color-main-background)}.oc-dialog-buttonrow{position:relative;display:flex;background:rgba(0,0,0,0);inset-inline-end:0;bottom:0;padding:0;padding-top:10px;box-sizing:border-box;width:100%;background-image:linear-gradient(rgba(255, 255, 255, 0), var(--color-main-background))}.oc-dialog-buttonrow.twobuttons{justify-content:space-between}.oc-dialog-buttonrow.onebutton,.oc-dialog-buttonrow.twobuttons.aside{justify-content:flex-end}.oc-dialog-buttonrow button{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;height:44px;min-width:44px}.oc-dialog-close{position:absolute;width:44px !important;height:44px !important;top:4px;inset-inline-end:4px;padding:25px;background:var(--icon-close-dark) no-repeat center;opacity:.5;border-radius:var(--border-radius-pill)}.oc-dialog-close:hover,.oc-dialog-close:focus,.oc-dialog-close:active{opacity:1}.oc-dialog-dim{background-color:#000;opacity:.2;z-index:100001;position:fixed;top:0;inset-inline-start:0;width:100%;height:100%}body.theme--dark .oc-dialog-dim{opacity:.8}.oc-dialog-content{width:100%;max-width:550px}.oc-dialog.password-confirmation .oc-dialog-content{width:auto}.oc-dialog.password-confirmation .oc-dialog-content input[type=password]{width:100%}.oc-dialog.password-confirmation .oc-dialog-content label{display:none}","",{version:3,sources:["webpack://./core/src/jquery/css/jquery.ocdialog.scss"],names:[],mappings:"AAIA,WACC,uCAAA,CACA,6BAAA,CACA,wCAAA,CACA,2CAAA,CACA,YAAA,CACA,cAAA,CACA,cAAA,CACA,qBAAA,CACA,eAAA,CACA,OAAA,CACA,sBAAA,CACA,+BAAA,CACA,4BAAA,CACA,2BAAA,CACA,aAAA,CAGD,iBACC,uCAAA,CAGD,qBACC,iBAAA,CACA,YAAA,CACA,wBAAA,CACA,kBAAA,CACA,QAAA,CACA,SAAA,CACA,gBAAA,CACA,qBAAA,CACA,UAAA,CACA,sFAAA,CAEA,gCACO,6BAAA,CAGP,qEAEC,wBAAA,CAGD,4BACI,kBAAA,CACA,eAAA,CACH,sBAAA,CACA,WAAA,CACA,cAAA,CAIF,iBACC,iBAAA,CACA,qBAAA,CACA,sBAAA,CACA,OAAA,CACA,oBAAA,CACA,YAAA,CACA,kDAAA,CACA,UAAA,CACA,uCAAA,CAEA,sEAGC,SAAA,CAIF,eACC,qBAAA,CACA,UAAA,CACA,cAAA,CACA,cAAA,CACA,KAAA,CACA,oBAAA,CACA,UAAA,CACA,WAAA,CAGD,gCACC,UAAA,CAGD,mBACC,UAAA,CACA,eAAA,CAIA,oDACC,UAAA,CAEA,yEACC,UAAA,CAED,0DACC,YAAA",sourceRoot:""}]);const a=s},35156:(t,e,i)=>{"use strict";i.d(e,{A:()=>g});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(65653),i.b),u=new URL(i(22046),i.b),h=new URL(i(32095),i.b),d=s()(o()),p=c()(l),A=c()(u),f=c()(h);d.push([t.id,`/*\nVersion: @@ver@@ Timestamp: @@timestamp@@\n*/\n.select2-container {\n margin: 0;\n position: relative;\n display: inline-block;\n /* inline-block for ie7 */\n zoom: 1;\n *display: inline;\n vertical-align: middle;\n}\n\n.select2-container,\n.select2-drop,\n.select2-search,\n.select2-search input {\n /*\n Force border-box so that % widths fit the parent\n container without overlap because of margin/padding.\n More Info : http://www.quirksmode.org/css/box.html\n */\n -webkit-box-sizing: border-box; /* webkit */\n -moz-box-sizing: border-box; /* firefox */\n box-sizing: border-box; /* css3 */\n}\n\n.select2-container .select2-choice {\n display: block;\n height: 26px;\n padding: 0 0 0 8px;\n overflow: hidden;\n position: relative;\n\n border: 1px solid #aaa;\n white-space: nowrap;\n line-height: 26px;\n color: #444;\n text-decoration: none;\n\n border-radius: 4px;\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice {\n padding: 0 8px 0 0;\n}\n\n.select2-container.select2-drop-above .select2-choice {\n border-bottom-color: #aaa;\n\n border-radius: 0 0 4px 4px;\n\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\n}\n\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\n margin-right: 42px;\n}\n\n.select2-container .select2-choice > .select2-chosen {\n margin-right: 26px;\n display: block;\n overflow: hidden;\n\n white-space: nowrap;\n\n text-overflow: ellipsis;\n float: none;\n width: auto;\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice > .select2-chosen {\n margin-left: 26px;\n margin-right: 0;\n}\n\n.select2-container .select2-choice abbr {\n display: none;\n width: 12px;\n height: 12px;\n position: absolute;\n right: 24px;\n top: 8px;\n\n font-size: 1px;\n text-decoration: none;\n\n border: 0;\n background: url(${p}) right top no-repeat;\n cursor: pointer;\n outline: 0;\n}\n\n.select2-container.select2-allowclear .select2-choice abbr {\n display: inline-block;\n}\n\n.select2-container .select2-choice abbr:hover {\n background-position: right -11px;\n cursor: pointer;\n}\n\n.select2-drop-mask {\n border: 0;\n margin: 0;\n padding: 0;\n position: fixed;\n left: 0;\n top: 0;\n min-height: 100%;\n min-width: 100%;\n height: auto;\n width: auto;\n opacity: 0;\n z-index: 9998;\n /* styles required for IE to work */\n background-color: #fff;\n filter: alpha(opacity=0);\n}\n\n.select2-drop {\n width: 100%;\n margin-top: -1px;\n position: absolute;\n z-index: 9999;\n top: 100%;\n\n background: #fff;\n color: #000;\n border: 1px solid #aaa;\n border-top: 0;\n\n border-radius: 0 0 4px 4px;\n\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop.select2-drop-above {\n margin-top: 1px;\n border-top: 1px solid #aaa;\n border-bottom: 0;\n\n border-radius: 4px 4px 0 0;\n\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop-active {\n border: 1px solid #5897fb;\n border-top: none;\n}\n\n.select2-drop.select2-drop-above.select2-drop-active {\n border-top: 1px solid #5897fb;\n}\n\n.select2-drop-auto-width {\n border-top: 1px solid #aaa;\n width: auto;\n}\n\n.select2-drop-auto-width .select2-search {\n padding-top: 4px;\n}\n\n.select2-container .select2-choice .select2-arrow {\n display: inline-block;\n width: 18px;\n height: 100%;\n position: absolute;\n right: 0;\n top: 0;\n\n border-left: 1px solid #aaa;\n border-radius: 0 4px 4px 0;\n\n background-clip: padding-box;\n\n background: #ccc;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice .select2-arrow {\n left: 0;\n right: auto;\n\n border-left: none;\n border-right: 1px solid #aaa;\n border-radius: 4px 0 0 4px;\n}\n\n.select2-container .select2-choice .select2-arrow b {\n display: block;\n width: 100%;\n height: 100%;\n background: url(${p}) no-repeat 0 1px;\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice .select2-arrow b {\n background-position: 2px 1px;\n}\n\n.select2-search {\n display: inline-block;\n width: 100%;\n min-height: 26px;\n margin: 0;\n padding-left: 4px;\n padding-right: 4px;\n\n position: relative;\n z-index: 10000;\n\n white-space: nowrap;\n}\n\n.select2-search input {\n width: 100%;\n height: auto !important;\n min-height: 26px;\n padding: 4px 20px 4px 5px;\n margin: 0;\n\n outline: 0;\n font-family: sans-serif;\n font-size: 1em;\n\n border: 1px solid #aaa;\n border-radius: 0;\n\n -webkit-box-shadow: none;\n box-shadow: none;\n\n background: #fff url(${p}) no-repeat 100% -22px;\n background: url(${p}) no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${p}) no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\nhtml[dir="rtl"] .select2-search input {\n padding: 4px 5px 4px 20px;\n\n background: #fff url(${p}) no-repeat -37px -22px;\n background: url(${p}) no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${p}) no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-drop.select2-drop-above .select2-search input {\n margin-top: 4px;\n}\n\n.select2-search input.select2-active {\n background: #fff url(${A}) no-repeat 100%;\n background: url(${A}) no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${A}) no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${A}) no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${A}) no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-container-active .select2-choice,\n.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n\n.select2-dropdown-open .select2-choice {\n border-bottom-color: transparent;\n -webkit-box-shadow: 0 1px 0 #fff inset;\n box-shadow: 0 1px 0 #fff inset;\n\n border-bottom-left-radius: 0;\n border-bottom-right-radius: 0;\n\n background-color: #eee;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open.select2-drop-above .select2-choice,\n.select2-dropdown-open.select2-drop-above .select2-choices {\n border: 1px solid #5897fb;\n border-top-color: transparent;\n\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow {\n background: transparent;\n border-left: none;\n filter: none;\n}\nhtml[dir="rtl"] .select2-dropdown-open .select2-choice .select2-arrow {\n border-right: none;\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -18px 1px;\n}\n\nhtml[dir="rtl"] .select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -16px 1px;\n}\n\n.select2-hidden-accessible {\n border: 0;\n clip: rect(0 0 0 0);\n height: 1px;\n margin: -1px;\n overflow: hidden;\n padding: 0;\n position: absolute;\n width: 1px;\n}\n\n/* results */\n.select2-results {\n max-height: 200px;\n padding: 0 0 0 4px;\n margin: 4px 4px 4px 0;\n position: relative;\n overflow-x: hidden;\n overflow-y: auto;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\nhtml[dir="rtl"] .select2-results {\n padding: 0 4px 0 0;\n margin: 4px 0 4px 4px;\n}\n\n.select2-results ul.select2-result-sub {\n margin: 0;\n padding-left: 0;\n}\n\n.select2-results li {\n list-style: none;\n display: list-item;\n background-image: none;\n}\n\n.select2-results li.select2-result-with-children > .select2-result-label {\n font-weight: bold;\n}\n\n.select2-results .select2-result-label {\n padding: 3px 7px 4px;\n margin: 0;\n cursor: pointer;\n\n min-height: 1em;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\n\n.select2-results .select2-highlighted {\n background: #3875d7;\n color: #fff;\n}\n\n.select2-results li em {\n background: #feffde;\n font-style: normal;\n}\n\n.select2-results .select2-highlighted em {\n background: transparent;\n}\n\n.select2-results .select2-highlighted ul {\n background: #fff;\n color: #000;\n}\n\n.select2-results .select2-no-results,\n.select2-results .select2-searching,\n.select2-results .select2-ajax-error,\n.select2-results .select2-selection-limit {\n background: #f4f4f4;\n display: list-item;\n padding-left: 5px;\n}\n\n/*\ndisabled look for disabled choices in the results dropdown\n*/\n.select2-results .select2-disabled.select2-highlighted {\n color: #666;\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n.select2-results .select2-disabled {\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n\n.select2-results .select2-selected {\n display: none;\n}\n\n.select2-more-results.select2-active {\n background: #f4f4f4 url(${A}) no-repeat 100%;\n}\n\n.select2-results .select2-ajax-error {\n background: rgba(255, 50, 50, .2);\n}\n\n.select2-more-results {\n background: #f4f4f4;\n display: list-item;\n}\n\n/* disabled styles */\n\n.select2-container.select2-container-disabled .select2-choice {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\n background-color: #f4f4f4;\n background-image: none;\n border-left: 0;\n}\n\n.select2-container.select2-container-disabled .select2-choice abbr {\n display: none;\n}\n\n\n/* multiselect */\n\n.select2-container-multi .select2-choices {\n height: auto !important;\n height: 1%;\n margin: 0;\n padding: 0 5px 0 0;\n position: relative;\n\n border: 1px solid #aaa;\n cursor: text;\n overflow: hidden;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\n}\n\nhtml[dir="rtl"] .select2-container-multi .select2-choices {\n padding: 0 0 0 5px;\n}\n\n.select2-locked {\n padding: 3px 5px 3px 5px !important;\n}\n\n.select2-container-multi .select2-choices {\n min-height: 26px;\n}\n\n.select2-container-multi.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n.select2-container-multi .select2-choices li {\n float: left;\n list-style: none;\n}\nhtml[dir="rtl"] .select2-container-multi .select2-choices li\n{\n float: right;\n}\n.select2-container-multi .select2-choices .select2-search-field {\n margin: 0;\n padding: 0;\n white-space: nowrap;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input {\n padding: 5px;\n margin: 1px 0;\n\n font-family: sans-serif;\n font-size: 100%;\n color: #666;\n outline: 0;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n background: transparent !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\n background: #fff url(${A}) no-repeat 100% !important;\n}\n\n.select2-default {\n color: #999 !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 18px;\n margin: 3px 0 3px 5px;\n position: relative;\n\n line-height: 13px;\n color: #333;\n cursor: default;\n border: 1px solid #aaaaaa;\n\n border-radius: 3px;\n\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #e4e4e4;\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n}\nhtml[dir="rtl"] .select2-container-multi .select2-choices .select2-search-choice\n{\n margin: 3px 5px 3px 0;\n padding: 3px 18px 3px 5px;\n}\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\n cursor: default;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus {\n background: #d4d4d4;\n}\n\n.select2-search-choice-close {\n display: block;\n width: 12px;\n height: 13px;\n position: absolute;\n right: 3px;\n top: 4px;\n\n font-size: 1px;\n outline: none;\n background: url(${p}) right top no-repeat;\n}\nhtml[dir="rtl"] .select2-search-choice-close {\n right: auto;\n left: 3px;\n}\n\n.select2-container-multi .select2-search-choice-close {\n left: 3px;\n}\n\nhtml[dir="rtl"] .select2-container-multi .select2-search-choice-close {\n left: auto;\n right: 2px;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\n background-position: right -11px;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\n background-position: right -11px;\n}\n\n/* disabled styles */\n.select2-container-multi.select2-container-disabled .select2-choices {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 5px;\n border: 1px solid #ddd;\n background-image: none;\n background-color: #f4f4f4;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\n background: none;\n}\n/* end multiselect */\n\n\n.select2-result-selectable .select2-match,\n.select2-result-unselectable .select2-match {\n text-decoration: underline;\n}\n\n.select2-offscreen, .select2-offscreen:focus {\n clip: rect(0 0 0 0) !important;\n width: 1px !important;\n height: 1px !important;\n border: 0 !important;\n margin: 0 !important;\n padding: 0 !important;\n overflow: hidden !important;\n position: absolute !important;\n outline: 0 !important;\n left: 0px !important;\n top: 0px !important;\n}\n\n.select2-display-none {\n display: none;\n}\n\n.select2-measure-scrollbar {\n position: absolute;\n top: -10000px;\n left: -10000px;\n width: 100px;\n height: 100px;\n overflow: scroll;\n}\n\n/* Retina-ize icons */\n\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\n .select2-search input,\n .select2-search-choice-close,\n .select2-container .select2-choice abbr,\n .select2-container .select2-choice .select2-arrow b {\n background-image: url(${f}) !important;\n background-repeat: no-repeat !important;\n background-size: 60px 40px !important;\n }\n\n .select2-search input {\n background-position: 100% -21px !important;\n }\n}\n`,"",{version:3,sources:["webpack://./node_modules/select2/select2.css"],names:[],mappings:"AAAA;;CAEC;AACD;IACI,SAAS;IACT,kBAAkB;IAClB,qBAAqB;IACrB,yBAAyB;IACzB,OAAO;KACP,eAAgB;IAChB,sBAAsB;AAC1B;;AAEA;;;;EAIE;;;;GAIC;EACD,8BAA8B,EAAE,WAAW;KACxC,2BAA2B,EAAE,YAAY;UACpC,sBAAsB,EAAE,SAAS;AAC3C;;AAEA;IACI,cAAc;IACd,YAAY;IACZ,kBAAkB;IAClB,gBAAgB;IAChB,kBAAkB;;IAElB,sBAAsB;IACtB,mBAAmB;IACnB,iBAAiB;IACjB,WAAW;IACX,qBAAqB;;IAErB,kBAAkB;;IAElB,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,yBAAyB;;IAEzB,0BAA0B;;IAE1B,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,kBAAkB;IAClB,cAAc;IACd,gBAAgB;;IAEhB,mBAAmB;;IAEnB,uBAAuB;IACvB,WAAW;IACX,WAAW;AACf;;AAEA;IACI,iBAAiB;IACjB,eAAe;AACnB;;AAEA;IACI,aAAa;IACb,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,WAAW;IACX,QAAQ;;IAER,cAAc;IACd,qBAAqB;;IAErB,SAAS;IACT,uEAAkD;IAClD,eAAe;IACf,UAAU;AACd;;AAEA;IACI,qBAAqB;AACzB;;AAEA;IACI,gCAAgC;IAChC,eAAe;AACnB;;AAEA;IACI,SAAS;IACT,SAAS;IACT,UAAU;IACV,eAAe;IACf,OAAO;IACP,MAAM;IACN,gBAAgB;IAChB,eAAe;IACf,YAAY;IACZ,WAAW;IACX,UAAU;IACV,aAAa;IACb,mCAAmC;IACnC,sBAAsB;IACtB,wBAAwB;AAC5B;;AAEA;IACI,WAAW;IACX,gBAAgB;IAChB,kBAAkB;IAClB,aAAa;IACb,SAAS;;IAET,gBAAgB;IAChB,WAAW;IACX,sBAAsB;IACtB,aAAa;;IAEb,0BAA0B;;IAE1B,gDAAgD;YACxC,wCAAwC;AACpD;;AAEA;IACI,eAAe;IACf,0BAA0B;IAC1B,gBAAgB;;IAEhB,0BAA0B;;IAE1B,iDAAiD;YACzC,yCAAyC;AACrD;;AAEA;IACI,yBAAyB;IACzB,gBAAgB;AACpB;;AAEA;IACI,6BAA6B;AACjC;;AAEA;IACI,0BAA0B;IAC1B,WAAW;AACf;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,QAAQ;IACR,MAAM;;IAEN,2BAA2B;IAC3B,0BAA0B;;IAE1B,4BAA4B;;IAE5B,gBAAgB;IAChB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,OAAO;IACP,WAAW;;IAEX,iBAAiB;IACjB,4BAA4B;IAC5B,0BAA0B;AAC9B;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,mEAA8C;AAClD;;AAEA;IACI,4BAA4B;AAChC;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,gBAAgB;IAChB,SAAS;IACT,iBAAiB;IACjB,kBAAkB;;IAElB,kBAAkB;IAClB,cAAc;;IAEd,mBAAmB;AACvB;;AAEA;IACI,WAAW;IACX,uBAAuB;IACvB,gBAAgB;IAChB,yBAAyB;IACzB,SAAS;;IAET,UAAU;IACV,uBAAuB;IACvB,cAAc;;IAEd,sBAAsB;IACtB,gBAAgB;;IAEhB,wBAAwB;YAChB,gBAAgB;;IAExB,6EAAwD;IACxD,yKAAoJ;IACpJ,oIAA+G;IAC/G,iIAA4G;IAC5G,4HAAuG;AAC3G;;AAEA;IACI,yBAAyB;;IAEzB,8EAAyD;IACzD,0KAAqJ;IACrJ,qIAAgH;IAChH,kIAA6G;IAC7G,6HAAwG;AAC5G;;AAEA;IACI,eAAe;AACnB;;AAEA;IACI,uEAA0D;IAC1D,mKAAsJ;IACtJ,8HAAiH;IACjH,2HAA8G;IAC9G,sHAAyG;AAC7G;;AAEA;;IAEI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;;AAEA;IACI,gCAAgC;IAChC,sCAAsC;YAC9B,8BAA8B;;IAEtC,4BAA4B;IAC5B,6BAA6B;;IAE7B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,4DAA4D;AAChE;;AAEA;;IAEI,yBAAyB;IACzB,6BAA6B;;IAE7B,6GAA6G;IAC7G,wEAAwE;IACxE,qEAAqE;IACrE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,uBAAuB;IACvB,iBAAiB;IACjB,YAAY;AAChB;AACA;IACI,kBAAkB;AACtB;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,SAAS;IACT,mBAAmB;IACnB,WAAW;IACX,YAAY;IACZ,gBAAgB;IAChB,UAAU;IACV,kBAAkB;IAClB,UAAU;AACd;;AAEA,YAAY;AACZ;IACI,iBAAiB;IACjB,kBAAkB;IAClB,qBAAqB;IACrB,kBAAkB;IAClB,kBAAkB;IAClB,gBAAgB;IAChB,6CAA6C;AACjD;;AAEA;IACI,kBAAkB;IAClB,qBAAqB;AACzB;;AAEA;IACI,SAAS;IACT,eAAe;AACnB;;AAEA;IACI,gBAAgB;IAChB,kBAAkB;IAClB,sBAAsB;AAC1B;;AAEA;IACI,iBAAiB;AACrB;;AAEA;IACI,oBAAoB;IACpB,SAAS;IACT,eAAe;;IAEf,eAAe;;IAEf,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;AAC/B;;AAEA,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;;AAEpE;IACI,mBAAmB;IACnB,WAAW;AACf;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA;IACI,uBAAuB;AAC3B;;AAEA;IACI,gBAAgB;IAChB,WAAW;AACf;;AAEA;;;;IAII,mBAAmB;IACnB,kBAAkB;IAClB,iBAAiB;AACrB;;AAEA;;CAEC;AACD;IACI,WAAW;IACX,mBAAmB;IACnB,kBAAkB;IAClB,eAAe;AACnB;AACA;EACE,mBAAmB;EACnB,kBAAkB;EAClB,eAAe;AACjB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,0EAA6D;AACjE;;AAEA;IACI,iCAAiC;AACrC;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA,oBAAoB;;AAEpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,yBAAyB;IACzB,sBAAsB;IACtB,cAAc;AAClB;;AAEA;IACI,aAAa;AACjB;;;AAGA,gBAAgB;;AAEhB;IACI,uBAAuB;IACvB,UAAU;IACV,SAAS;IACT,kBAAkB;IAClB,kBAAkB;;IAElB,sBAAsB;IACtB,YAAY;IACZ,gBAAgB;;IAEhB,sBAAsB;IACtB,uGAAuG;IACvG,iEAAiE;IACjE,8DAA8D;IAC9D,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;EACE,mCAAmC;AACrC;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;AACA;IACI,WAAW;IACX,gBAAgB;AACpB;AACA;;IAEI,YAAY;AAChB;AACA;IACI,SAAS;IACT,UAAU;IACV,mBAAmB;AACvB;;AAEA;IACI,YAAY;IACZ,aAAa;;IAEb,uBAAuB;IACvB,eAAe;IACf,WAAW;IACX,UAAU;IACV,SAAS;IACT,wBAAwB;YAChB,gBAAgB;IACxB,kCAAkC;AACtC;;AAEA;IACI,kFAAqE;AACzE;;AAEA;IACI,sBAAsB;AAC1B;;AAEA;IACI,yBAAyB;IACzB,qBAAqB;IACrB,kBAAkB;;IAElB,iBAAiB;IACjB,WAAW;IACX,eAAe;IACf,yBAAyB;;IAEzB,kBAAkB;;IAElB,mEAAmE;YAC3D,2DAA2D;;IAEnE,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,yBAAyB;IACzB,kHAAkH;IAClH,gKAAgK;IAChK,gGAAgG;IAChG,6FAA6F;IAC7F,8FAA8F;AAClG;AACA;;IAEI,qBAAqB;IACrB,yBAAyB;AAC7B;AACA;IACI,eAAe;AACnB;AACA;IACI,mBAAmB;AACvB;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,UAAU;IACV,QAAQ;;IAER,cAAc;IACd,aAAa;IACb,uEAAkD;AACtD;AACA;IACI,WAAW;IACX,SAAS;AACb;;AAEA;IACI,SAAS;AACb;;AAEA;IACI,UAAU;IACV,UAAU;AACd;;AAEA;EACE,gCAAgC;AAClC;AACA;IACI,gCAAgC;AACpC;;AAEA,oBAAoB;AACpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,wBAAwB;IACxB,sBAAsB;IACtB,sBAAsB;IACtB,yBAAyB;AAC7B;;AAEA,8HAA8H,aAAa;IACvI,gBAAgB;AACpB;AACA,oBAAoB;;;AAGpB;;IAEI,0BAA0B;AAC9B;;AAEA;IACI,8BAA8B;IAC9B,qBAAqB;IACrB,sBAAsB;IACtB,oBAAoB;IACpB,oBAAoB;IACpB,qBAAqB;IACrB,2BAA2B;IAC3B,6BAA6B;IAC7B,qBAAqB;IACrB,oBAAoB;IACpB,mBAAmB;AACvB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,kBAAkB;IAClB,aAAa;IACb,cAAc;IACd,YAAY;IACZ,aAAa;IACb,gBAAgB;AACpB;;AAEA,qBAAqB;;AAErB;IACI;;;;QAII,oEAAiD;QACjD,uCAAuC;QACvC,qCAAqC;IACzC;;IAEA;QACI,0CAA0C;IAC9C;AACJ",sourcesContent:["/*\nVersion: @@ver@@ Timestamp: @@timestamp@@\n*/\n.select2-container {\n margin: 0;\n position: relative;\n display: inline-block;\n /* inline-block for ie7 */\n zoom: 1;\n *display: inline;\n vertical-align: middle;\n}\n\n.select2-container,\n.select2-drop,\n.select2-search,\n.select2-search input {\n /*\n Force border-box so that % widths fit the parent\n container without overlap because of margin/padding.\n More Info : http://www.quirksmode.org/css/box.html\n */\n -webkit-box-sizing: border-box; /* webkit */\n -moz-box-sizing: border-box; /* firefox */\n box-sizing: border-box; /* css3 */\n}\n\n.select2-container .select2-choice {\n display: block;\n height: 26px;\n padding: 0 0 0 8px;\n overflow: hidden;\n position: relative;\n\n border: 1px solid #aaa;\n white-space: nowrap;\n line-height: 26px;\n color: #444;\n text-decoration: none;\n\n border-radius: 4px;\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice {\n padding: 0 8px 0 0;\n}\n\n.select2-container.select2-drop-above .select2-choice {\n border-bottom-color: #aaa;\n\n border-radius: 0 0 4px 4px;\n\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\n}\n\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\n margin-right: 42px;\n}\n\n.select2-container .select2-choice > .select2-chosen {\n margin-right: 26px;\n display: block;\n overflow: hidden;\n\n white-space: nowrap;\n\n text-overflow: ellipsis;\n float: none;\n width: auto;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice > .select2-chosen {\n margin-left: 26px;\n margin-right: 0;\n}\n\n.select2-container .select2-choice abbr {\n display: none;\n width: 12px;\n height: 12px;\n position: absolute;\n right: 24px;\n top: 8px;\n\n font-size: 1px;\n text-decoration: none;\n\n border: 0;\n background: url('select2.png') right top no-repeat;\n cursor: pointer;\n outline: 0;\n}\n\n.select2-container.select2-allowclear .select2-choice abbr {\n display: inline-block;\n}\n\n.select2-container .select2-choice abbr:hover {\n background-position: right -11px;\n cursor: pointer;\n}\n\n.select2-drop-mask {\n border: 0;\n margin: 0;\n padding: 0;\n position: fixed;\n left: 0;\n top: 0;\n min-height: 100%;\n min-width: 100%;\n height: auto;\n width: auto;\n opacity: 0;\n z-index: 9998;\n /* styles required for IE to work */\n background-color: #fff;\n filter: alpha(opacity=0);\n}\n\n.select2-drop {\n width: 100%;\n margin-top: -1px;\n position: absolute;\n z-index: 9999;\n top: 100%;\n\n background: #fff;\n color: #000;\n border: 1px solid #aaa;\n border-top: 0;\n\n border-radius: 0 0 4px 4px;\n\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop.select2-drop-above {\n margin-top: 1px;\n border-top: 1px solid #aaa;\n border-bottom: 0;\n\n border-radius: 4px 4px 0 0;\n\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop-active {\n border: 1px solid #5897fb;\n border-top: none;\n}\n\n.select2-drop.select2-drop-above.select2-drop-active {\n border-top: 1px solid #5897fb;\n}\n\n.select2-drop-auto-width {\n border-top: 1px solid #aaa;\n width: auto;\n}\n\n.select2-drop-auto-width .select2-search {\n padding-top: 4px;\n}\n\n.select2-container .select2-choice .select2-arrow {\n display: inline-block;\n width: 18px;\n height: 100%;\n position: absolute;\n right: 0;\n top: 0;\n\n border-left: 1px solid #aaa;\n border-radius: 0 4px 4px 0;\n\n background-clip: padding-box;\n\n background: #ccc;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow {\n left: 0;\n right: auto;\n\n border-left: none;\n border-right: 1px solid #aaa;\n border-radius: 4px 0 0 4px;\n}\n\n.select2-container .select2-choice .select2-arrow b {\n display: block;\n width: 100%;\n height: 100%;\n background: url('select2.png') no-repeat 0 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow b {\n background-position: 2px 1px;\n}\n\n.select2-search {\n display: inline-block;\n width: 100%;\n min-height: 26px;\n margin: 0;\n padding-left: 4px;\n padding-right: 4px;\n\n position: relative;\n z-index: 10000;\n\n white-space: nowrap;\n}\n\n.select2-search input {\n width: 100%;\n height: auto !important;\n min-height: 26px;\n padding: 4px 20px 4px 5px;\n margin: 0;\n\n outline: 0;\n font-family: sans-serif;\n font-size: 1em;\n\n border: 1px solid #aaa;\n border-radius: 0;\n\n -webkit-box-shadow: none;\n box-shadow: none;\n\n background: #fff url('select2.png') no-repeat 100% -22px;\n background: url('select2.png') no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url('select2.png') no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\nhtml[dir=\"rtl\"] .select2-search input {\n padding: 4px 5px 4px 20px;\n\n background: #fff url('select2.png') no-repeat -37px -22px;\n background: url('select2.png') no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url('select2.png') no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-drop.select2-drop-above .select2-search input {\n margin-top: 4px;\n}\n\n.select2-search input.select2-active {\n background: #fff url('select2-spinner.gif') no-repeat 100%;\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2-spinner.gif') no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2-spinner.gif') no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-container-active .select2-choice,\n.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n\n.select2-dropdown-open .select2-choice {\n border-bottom-color: transparent;\n -webkit-box-shadow: 0 1px 0 #fff inset;\n box-shadow: 0 1px 0 #fff inset;\n\n border-bottom-left-radius: 0;\n border-bottom-right-radius: 0;\n\n background-color: #eee;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open.select2-drop-above .select2-choice,\n.select2-dropdown-open.select2-drop-above .select2-choices {\n border: 1px solid #5897fb;\n border-top-color: transparent;\n\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow {\n background: transparent;\n border-left: none;\n filter: none;\n}\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow {\n border-right: none;\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -18px 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -16px 1px;\n}\n\n.select2-hidden-accessible {\n border: 0;\n clip: rect(0 0 0 0);\n height: 1px;\n margin: -1px;\n overflow: hidden;\n padding: 0;\n position: absolute;\n width: 1px;\n}\n\n/* results */\n.select2-results {\n max-height: 200px;\n padding: 0 0 0 4px;\n margin: 4px 4px 4px 0;\n position: relative;\n overflow-x: hidden;\n overflow-y: auto;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\nhtml[dir=\"rtl\"] .select2-results {\n padding: 0 4px 0 0;\n margin: 4px 0 4px 4px;\n}\n\n.select2-results ul.select2-result-sub {\n margin: 0;\n padding-left: 0;\n}\n\n.select2-results li {\n list-style: none;\n display: list-item;\n background-image: none;\n}\n\n.select2-results li.select2-result-with-children > .select2-result-label {\n font-weight: bold;\n}\n\n.select2-results .select2-result-label {\n padding: 3px 7px 4px;\n margin: 0;\n cursor: pointer;\n\n min-height: 1em;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\n\n.select2-results .select2-highlighted {\n background: #3875d7;\n color: #fff;\n}\n\n.select2-results li em {\n background: #feffde;\n font-style: normal;\n}\n\n.select2-results .select2-highlighted em {\n background: transparent;\n}\n\n.select2-results .select2-highlighted ul {\n background: #fff;\n color: #000;\n}\n\n.select2-results .select2-no-results,\n.select2-results .select2-searching,\n.select2-results .select2-ajax-error,\n.select2-results .select2-selection-limit {\n background: #f4f4f4;\n display: list-item;\n padding-left: 5px;\n}\n\n/*\ndisabled look for disabled choices in the results dropdown\n*/\n.select2-results .select2-disabled.select2-highlighted {\n color: #666;\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n.select2-results .select2-disabled {\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n\n.select2-results .select2-selected {\n display: none;\n}\n\n.select2-more-results.select2-active {\n background: #f4f4f4 url('select2-spinner.gif') no-repeat 100%;\n}\n\n.select2-results .select2-ajax-error {\n background: rgba(255, 50, 50, .2);\n}\n\n.select2-more-results {\n background: #f4f4f4;\n display: list-item;\n}\n\n/* disabled styles */\n\n.select2-container.select2-container-disabled .select2-choice {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\n background-color: #f4f4f4;\n background-image: none;\n border-left: 0;\n}\n\n.select2-container.select2-container-disabled .select2-choice abbr {\n display: none;\n}\n\n\n/* multiselect */\n\n.select2-container-multi .select2-choices {\n height: auto !important;\n height: 1%;\n margin: 0;\n padding: 0 5px 0 0;\n position: relative;\n\n border: 1px solid #aaa;\n cursor: text;\n overflow: hidden;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices {\n padding: 0 0 0 5px;\n}\n\n.select2-locked {\n padding: 3px 5px 3px 5px !important;\n}\n\n.select2-container-multi .select2-choices {\n min-height: 26px;\n}\n\n.select2-container-multi.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n.select2-container-multi .select2-choices li {\n float: left;\n list-style: none;\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices li\n{\n float: right;\n}\n.select2-container-multi .select2-choices .select2-search-field {\n margin: 0;\n padding: 0;\n white-space: nowrap;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input {\n padding: 5px;\n margin: 1px 0;\n\n font-family: sans-serif;\n font-size: 100%;\n color: #666;\n outline: 0;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n background: transparent !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\n background: #fff url('select2-spinner.gif') no-repeat 100% !important;\n}\n\n.select2-default {\n color: #999 !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 18px;\n margin: 3px 0 3px 5px;\n position: relative;\n\n line-height: 13px;\n color: #333;\n cursor: default;\n border: 1px solid #aaaaaa;\n\n border-radius: 3px;\n\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #e4e4e4;\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices .select2-search-choice\n{\n margin: 3px 5px 3px 0;\n padding: 3px 18px 3px 5px;\n}\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\n cursor: default;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus {\n background: #d4d4d4;\n}\n\n.select2-search-choice-close {\n display: block;\n width: 12px;\n height: 13px;\n position: absolute;\n right: 3px;\n top: 4px;\n\n font-size: 1px;\n outline: none;\n background: url('select2.png') right top no-repeat;\n}\nhtml[dir=\"rtl\"] .select2-search-choice-close {\n right: auto;\n left: 3px;\n}\n\n.select2-container-multi .select2-search-choice-close {\n left: 3px;\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-search-choice-close {\n left: auto;\n right: 2px;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\n background-position: right -11px;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\n background-position: right -11px;\n}\n\n/* disabled styles */\n.select2-container-multi.select2-container-disabled .select2-choices {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 5px;\n border: 1px solid #ddd;\n background-image: none;\n background-color: #f4f4f4;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\n background: none;\n}\n/* end multiselect */\n\n\n.select2-result-selectable .select2-match,\n.select2-result-unselectable .select2-match {\n text-decoration: underline;\n}\n\n.select2-offscreen, .select2-offscreen:focus {\n clip: rect(0 0 0 0) !important;\n width: 1px !important;\n height: 1px !important;\n border: 0 !important;\n margin: 0 !important;\n padding: 0 !important;\n overflow: hidden !important;\n position: absolute !important;\n outline: 0 !important;\n left: 0px !important;\n top: 0px !important;\n}\n\n.select2-display-none {\n display: none;\n}\n\n.select2-measure-scrollbar {\n position: absolute;\n top: -10000px;\n left: -10000px;\n width: 100px;\n height: 100px;\n overflow: scroll;\n}\n\n/* Retina-ize icons */\n\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\n .select2-search input,\n .select2-search-choice-close,\n .select2-container .select2-choice abbr,\n .select2-container .select2-choice .select2-arrow b {\n background-image: url('select2x2.png') !important;\n background-repeat: no-repeat !important;\n background-size: 60px 40px !important;\n }\n\n .select2-search input {\n background-position: 100% -21px !important;\n }\n}\n"],sourceRoot:""}]);const g=d},86140:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,'/**\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\n * https://github.com/MorrisJobke/strengthify\n * Version: 0.5.9\n * License: The MIT License (MIT)\n * Copyright (c) 2013-2020 Morris Jobke \n */\n\n.strengthify-wrapper {\n position: relative;\n}\n\n.strengthify-wrapper > * {\n\t-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";\n\tfilter: alpha(opacity=0);\n\topacity: 0;\n\t-webkit-transition:all .5s ease-in-out;\n\t-moz-transition:all .5s ease-in-out;\n\ttransition:all .5s ease-in-out;\n}\n\n.strengthify-bg, .strengthify-container, .strengthify-separator {\n\theight: 3px;\n}\n\n.strengthify-bg, .strengthify-container {\n\tdisplay: block;\n\tposition: absolute;\n\twidth: 100%;\n}\n\n.strengthify-bg {\n\tbackground-color: #BBB;\n}\n\n.strengthify-separator {\n\tdisplay: inline-block;\n\tposition: absolute;\n\tbackground-color: #FFF;\n\twidth: 1px;\n\tz-index: 10;\n}\n\n.password-bad {\n\tbackground-color: #C33;\n}\n.password-medium {\n\tbackground-color: #F80;\n}\n.password-good {\n\tbackground-color: #3C3;\n}\n\ndiv[data-strengthifyMessage] {\n padding: 3px 8px;\n}\n\n.strengthify-tiles{\n\tfloat: right;\n}\n',"",{version:3,sources:["webpack://./node_modules/strengthify/strengthify.css"],names:[],mappings:"AAAA;;;;;;EAME;;AAEF;IACI,kBAAkB;AACtB;;AAEA;CACC,+DAA+D;CAC/D,wBAAwB;CACxB,UAAU;CACV,sCAAsC;CACtC,mCAAmC;CACnC,8BAA8B;AAC/B;;AAEA;CACC,WAAW;AACZ;;AAEA;CACC,cAAc;CACd,kBAAkB;CAClB,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;;AAEA;CACC,qBAAqB;CACrB,kBAAkB;CAClB,sBAAsB;CACtB,UAAU;CACV,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;;AAEA;IACI,gBAAgB;AACpB;;AAEA;CACC,YAAY;AACb",sourcesContent:['/**\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\n * https://github.com/MorrisJobke/strengthify\n * Version: 0.5.9\n * License: The MIT License (MIT)\n * Copyright (c) 2013-2020 Morris Jobke \n */\n\n.strengthify-wrapper {\n position: relative;\n}\n\n.strengthify-wrapper > * {\n\t-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";\n\tfilter: alpha(opacity=0);\n\topacity: 0;\n\t-webkit-transition:all .5s ease-in-out;\n\t-moz-transition:all .5s ease-in-out;\n\ttransition:all .5s ease-in-out;\n}\n\n.strengthify-bg, .strengthify-container, .strengthify-separator {\n\theight: 3px;\n}\n\n.strengthify-bg, .strengthify-container {\n\tdisplay: block;\n\tposition: absolute;\n\twidth: 100%;\n}\n\n.strengthify-bg {\n\tbackground-color: #BBB;\n}\n\n.strengthify-separator {\n\tdisplay: inline-block;\n\tposition: absolute;\n\tbackground-color: #FFF;\n\twidth: 1px;\n\tz-index: 10;\n}\n\n.password-bad {\n\tbackground-color: #C33;\n}\n.password-medium {\n\tbackground-color: #F80;\n}\n.password-good {\n\tbackground-color: #3C3;\n}\n\ndiv[data-strengthifyMessage] {\n padding: 3px 8px;\n}\n\n.strengthify-tiles{\n\tfloat: right;\n}\n'],sourceRoot:""}]);const a=s},49481:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".account-menu-entry__icon[data-v-2e0a74a6]{height:16px;width:16px;margin:calc((var(--default-clickable-area) - 16px)/2);filter:var(--background-invert-if-dark)}.account-menu-entry__icon--active[data-v-2e0a74a6]{filter:var(--primary-invert-if-dark)}.account-menu-entry[data-v-2e0a74a6] .list-item-content__main{width:fit-content}","",{version:3,sources:["webpack://./core/src/components/AccountMenu/AccountMenuEntry.vue"],names:[],mappings:"AAEC,2CACC,WAAA,CACA,UAAA,CACA,qDAAA,CACA,uCAAA,CAEA,mDACC,oCAAA,CAIF,8DACC,iBAAA",sourceRoot:""}]);const a=s},26652:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".app-menu[data-v-7661a89b]{--app-menu-entry-growth: calc(var(--default-grid-baseline) * 4);display:flex;flex:1 1;width:0}.app-menu__list[data-v-7661a89b]{display:flex;flex-wrap:nowrap;margin-inline:calc(var(--app-menu-entry-growth)/2)}.app-menu__overflow[data-v-7661a89b]{margin-block:auto}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary{opacity:.7;margin:3px;filter:var(--background-image-invert-if-bright)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]){color:var(--color-background-plain-text)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]):hover{opacity:1;background-color:rgba(0,0,0,0) !important}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:focus-visible{opacity:1;outline:none !important}.app-menu__overflow-entry[data-v-7661a89b] .action-link__icon{filter:var(--background-invert-if-bright) !important}","",{version:3,sources:["webpack://./core/src/components/AppMenu.vue"],names:[],mappings:"AACA,2BAEC,+DAAA,CACA,YAAA,CACA,QAAA,CACA,OAAA,CAEA,iCACC,YAAA,CACA,gBAAA,CACA,kDAAA,CAGD,qCACC,iBAAA,CAGA,+DACC,UAAA,CACA,UAAA,CACA,+CAAA,CAGA,yFACC,wCAAA,CAEA,+FACC,SAAA,CACA,yCAAA,CAIF,6EACC,SAAA,CACA,uBAAA,CAMF,8DAEC,oDAAA",sourceRoot:""}]);const a=s},78498:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,'.app-menu-entry[data-v-9736071a]{--app-menu-entry-font-size: 12px;width:var(--header-height);height:var(--header-height);position:relative}.app-menu-entry__link[data-v-9736071a]{position:relative;display:flex;flex-direction:column;align-items:center;justify-content:center;color:var(--color-background-plain-text);width:calc(100% - 4px);height:calc(100% - 4px);margin:2px}.app-menu-entry__label[data-v-9736071a]{opacity:0;position:absolute;font-size:var(--app-menu-entry-font-size);color:var(--color-background-plain-text);text-align:center;bottom:0;inset-inline-start:50%;top:50%;display:block;transform:translateX(-50%);max-width:100%;text-overflow:ellipsis;overflow:hidden;letter-spacing:-0.5px}body[dir=rtl] .app-menu-entry__label[data-v-9736071a]{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a]{font-size:var(--app-menu-entry-font-size)}.app-menu-entry--active .app-menu-entry__label[data-v-9736071a]{font-weight:bolder}.app-menu-entry--active[data-v-9736071a]::before{content:" ";position:absolute;pointer-events:none;border-bottom-color:var(--color-main-background);transform:translateX(-50%);width:10px;height:5px;border-radius:3px;background-color:var(--color-background-plain-text);inset-inline-start:50%;bottom:8px;display:block;transition:all var(--animation-quick) ease-in-out;opacity:1}body[dir=rtl] .app-menu-entry--active[data-v-9736071a]::before{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a],.app-menu-entry__label[data-v-9736071a]{transition:all var(--animation-quick) ease-in-out}.app-menu-entry:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry:focus-within .app-menu-entry__label[data-v-9736071a]{font-weight:bold}.app-menu-entry--truncated:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within .app-menu-entry__label[data-v-9736071a]{max-width:calc(var(--header-height) + var(--app-menu-entry-growth))}.app-menu-entry--truncated:hover+.app-menu-entry .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within+.app-menu-entry .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}.app-menu-entry:has(+.app-menu-entry--truncated:hover) .app-menu-entry__label[data-v-9736071a],.app-menu-entry:has(+.app-menu-entry--truncated:focus-within) .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}',"",{version:3,sources:["webpack://./core/src/components/AppMenuEntry.vue"],names:[],mappings:"AACA,iCACC,gCAAA,CACA,0BAAA,CACA,2BAAA,CACA,iBAAA,CAEA,uCACC,iBAAA,CACA,YAAA,CACA,qBAAA,CACA,kBAAA,CACA,sBAAA,CAEA,wCAAA,CAEA,sBAAA,CACA,uBAAA,CACA,UAAA,CAGD,wCACC,SAAA,CACA,iBAAA,CACA,yCAAA,CAEA,wCAAA,CACA,iBAAA,CACA,QAAA,CACA,sBAAA,CACA,OAAA,CACA,aAAA,CACA,0BAAA,CACA,cAAA,CACA,sBAAA,CACA,eAAA,CACA,qBAAA,CAED,sDACC,oCAAA,CAGD,uCACC,yCAAA,CAKA,gEACC,kBAAA,CAID,iDACC,WAAA,CACA,iBAAA,CACA,mBAAA,CACA,gDAAA,CACA,0BAAA,CACA,UAAA,CACA,UAAA,CACA,iBAAA,CACA,mDAAA,CACA,sBAAA,CACA,UAAA,CACA,aAAA,CACA,iDAAA,CACA,SAAA,CAED,+DACC,oCAAA,CAIF,+EAEC,iDAAA,CAID,mIAEC,gBAAA,CAOA,yJACC,mEAAA,CAKA,yLACC,kBAAA,CACA,mEAAA,CAQF,qMACC,kBAAA,CACA,mEAAA",sourceRoot:""}]);const a=s},57946:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".app-menu-entry:hover .app-menu-entry__icon,.app-menu-entry:focus-within .app-menu-entry__icon,.app-menu__list:hover .app-menu-entry__icon,.app-menu__list:focus-within .app-menu-entry__icon{margin-block-end:1lh}.app-menu-entry:hover .app-menu-entry__label,.app-menu-entry:focus-within .app-menu-entry__label,.app-menu__list:hover .app-menu-entry__label,.app-menu__list:focus-within .app-menu-entry__label{opacity:1}.app-menu-entry:hover .app-menu-entry--active::before,.app-menu-entry:focus-within .app-menu-entry--active::before,.app-menu__list:hover .app-menu-entry--active::before,.app-menu__list:focus-within .app-menu-entry--active::before{opacity:0}.app-menu-entry:hover .app-menu-icon__unread,.app-menu-entry:focus-within .app-menu-icon__unread,.app-menu__list:hover .app-menu-icon__unread,.app-menu__list:focus-within .app-menu-icon__unread{opacity:0}","",{version:3,sources:["webpack://./core/src/components/AppMenuEntry.vue"],names:[],mappings:"AAOC,8LACC,oBAAA,CAID,kMACC,SAAA,CAID,sOACC,SAAA,CAGD,kMACC,SAAA",sourceRoot:""}]);const a=s},23759:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".app-menu-icon[data-v-e7078f90]{box-sizing:border-box;position:relative;height:20px;width:20px}.app-menu-icon__icon[data-v-e7078f90]{transition:margin .1s ease-in-out;height:20px;width:20px;filter:var(--background-image-invert-if-bright)}.app-menu-icon__unread[data-v-e7078f90]{color:var(--color-error);position:absolute;inset-block-end:15px;inset-inline-end:-5px;transition:all .1s ease-in-out}","",{version:3,sources:["webpack://./core/src/components/AppMenuIcon.vue"],names:[],mappings:"AAIA,gCACC,qBAAA,CACA,iBAAA,CAEA,WAPW,CAQX,UARW,CAUX,sCACC,iCAAA,CACA,WAZU,CAaV,UAbU,CAcV,+CAAA,CAGD,wCACC,wBAAA,CACA,iBAAA,CAEA,oBAAA,CACA,qBAAA,CACA,8BAAA",sourceRoot:""}]);const a=s},78811:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".contact[data-v-97ebdcaa]{display:flex;position:relative;align-items:center;padding:3px;padding-inline-start:10px}.contact__action__icon[data-v-97ebdcaa]{width:20px;height:20px;padding:12px;filter:var(--background-invert-if-dark)}.contact__avatar[data-v-97ebdcaa]{display:inherit}.contact__body[data-v-97ebdcaa]{flex-grow:1;padding-inline-start:10px;margin-inline-start:10px;min-width:0}.contact__body div[data-v-97ebdcaa]{position:relative;width:100%;overflow-x:hidden;text-overflow:ellipsis;margin:-1px 0}.contact__body div[data-v-97ebdcaa]:first-of-type{margin-top:0}.contact__body div[data-v-97ebdcaa]:last-of-type{margin-bottom:0}.contact__body__last-message[data-v-97ebdcaa],.contact__body__status-message[data-v-97ebdcaa],.contact__body__email-address[data-v-97ebdcaa]{color:var(--color-text-maxcontrast)}.contact__body[data-v-97ebdcaa]:focus-visible{box-shadow:0 0 0 4px var(--color-main-background) !important;outline:2px solid var(--color-main-text) !important}.contact .other-actions[data-v-97ebdcaa]{width:16px;height:16px;cursor:pointer}.contact .other-actions img[data-v-97ebdcaa]{filter:var(--background-invert-if-dark)}.contact button.other-actions[data-v-97ebdcaa]{width:44px}.contact button.other-actions[data-v-97ebdcaa]:focus{border-color:rgba(0,0,0,0);box-shadow:0 0 0 2px var(--color-main-text)}.contact button.other-actions[data-v-97ebdcaa]:focus-visible{border-radius:var(--border-radius-pill)}.contact .menu[data-v-97ebdcaa]{top:47px;margin-inline-end:13px}.contact .popovermenu[data-v-97ebdcaa]::after{inset-inline-end:2px}","",{version:3,sources:["webpack://./core/src/components/ContactsMenu/Contact.vue"],names:[],mappings:"AACA,0BACC,YAAA,CACA,iBAAA,CACA,kBAAA,CACA,WAAA,CACA,yBAAA,CAGC,wCACC,UAAA,CACA,WAAA,CACA,YAAA,CACA,uCAAA,CAIF,kCACC,eAAA,CAGD,gCACC,WAAA,CACA,yBAAA,CACA,wBAAA,CACA,WAAA,CAEA,oCACC,iBAAA,CACA,UAAA,CACA,iBAAA,CACA,sBAAA,CACA,aAAA,CAED,kDACC,YAAA,CAED,iDACC,eAAA,CAGD,6IACC,mCAAA,CAGD,8CACC,4DAAA,CACA,mDAAA,CAIF,yCACC,UAAA,CACA,WAAA,CACA,cAAA,CAEA,6CACC,uCAAA,CAIF,+CACC,UAAA,CAEA,qDACC,0BAAA,CACA,2CAAA,CAGD,6DACC,uCAAA,CAKF,gCACC,QAAA,CACA,sBAAA,CAGD,8CACC,oBAAA",sourceRoot:""}]);const a=s},24454:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,"[data-v-a886d77a] #header-menu-user-menu{padding:0 !important}.account-menu[data-v-a886d77a] button{opacity:1 !important}.account-menu[data-v-a886d77a] button:focus-visible .account-menu__avatar{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu[data-v-a886d77a] .header-menu__content{width:fit-content !important}.account-menu__avatar[data-v-a886d77a]:hover{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu__list[data-v-a886d77a]{display:inline-flex;flex-direction:column;padding-block:var(--default-grid-baseline) 0;padding-inline:0 var(--default-grid-baseline)}.account-menu__list[data-v-a886d77a]> li{box-sizing:border-box;flex:0 1}","",{version:3,sources:["webpack://./core/src/views/AccountMenu.vue"],names:[],mappings:"AACA,yCACC,oBAAA,CAIA,sCAGC,oBAAA,CAKC,0EACC,iFAAA,CAMH,qDACC,4BAAA,CAIA,6CAEC,iFAAA,CAIF,qCACC,mBAAA,CACA,qBAAA,CACA,4CAAA,CACA,6CAAA,CAEA,yCACC,qBAAA,CAEA,QAAA",sourceRoot:""}]);const a=s},38933:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".contactsmenu[data-v-5cad18ba]{overflow-y:hidden}.contactsmenu__trigger-icon[data-v-5cad18ba]{color:var(--color-background-plain-text) !important}.contactsmenu__menu[data-v-5cad18ba]{display:flex;flex-direction:column;overflow:hidden;height:328px;max-height:inherit}.contactsmenu__menu label[for=contactsmenu__menu__search][data-v-5cad18ba]{font-weight:bold;font-size:19px;margin-inline-start:13px}.contactsmenu__menu__input-wrapper[data-v-5cad18ba]{padding:10px;z-index:2;top:0}.contactsmenu__menu__search[data-v-5cad18ba]{width:100%;height:34px;margin-top:0 !important}.contactsmenu__menu__content[data-v-5cad18ba]{overflow-y:auto;margin-top:10px;flex:1 1 auto}.contactsmenu__menu__content__footer[data-v-5cad18ba]{display:flex;flex-direction:column;align-items:center}.contactsmenu__menu a[data-v-5cad18ba]:focus-visible{box-shadow:inset 0 0 0 2px var(--color-main-text) !important}.contactsmenu[data-v-5cad18ba] .empty-content{margin:0 !important}","",{version:3,sources:["webpack://./core/src/views/ContactsMenu.vue"],names:[],mappings:"AACA,+BACC,iBAAA,CAEA,6CACC,mDAAA,CAGD,qCACC,YAAA,CACA,qBAAA,CACA,eAAA,CACA,YAAA,CACA,kBAAA,CAEA,2EACC,gBAAA,CACA,cAAA,CACA,wBAAA,CAGD,oDACC,YAAA,CACA,SAAA,CACA,KAAA,CAGD,6CACC,UAAA,CACA,WAAA,CACA,uBAAA,CAGD,8CACC,eAAA,CACA,eAAA,CACA,aAAA,CAEA,sDACC,YAAA,CACA,qBAAA,CACA,kBAAA,CAKD,qDACC,4DAAA,CAKH,8CACC,mBAAA",sourceRoot:""}]);const a=s},78112:t=>{var e=e||{};e._XML_CHAR_MAP={"<":"<",">":">","&":"&",'"':""","'":"'"},e._escapeXml=function(t){return t.replace(/[<>&"']/g,(function(t){return e._XML_CHAR_MAP[t]}))},e.Client=function(t){var e;for(e in t)this[e]=t[e]},e.Client.prototype={baseUrl:null,userName:null,password:null,xmlNamespaces:{"DAV:":"d"},propFind:function(t,e,i,n){void 0===i&&(i="0"),i=""+i,(n=n||{}).Depth=i,n["Content-Type"]="application/xml; charset=utf-8";var o,r='\n\n":r+=" \n'}return r+=" \n",r+="",this.request("PROPFIND",t,n,r).then(function(t){return"0"===i?{status:t.status,body:t.body[0],xhr:t.xhr}:{status:t.status,body:t.body,xhr:t.xhr}}.bind(this))},_renderPropSet:function(t){var i=" \n \n";for(var n in t)if(t.hasOwnProperty(n)){var o,r=this.parseClarkNotation(n),s=t[n];"d:resourcetype"!=(o=this.xmlNamespaces[r.namespace]?this.xmlNamespaces[r.namespace]+":"+r.name:"x:"+r.name+' xmlns:x="'+r.namespace+'"')&&(s=e._escapeXml(s)),i+=" <"+o+">"+s+"\n"}return(i+=" \n")+" \n"},propPatch:function(t,e,i){(i=i||{})["Content-Type"]="application/xml; charset=utf-8";var n,o='\n0){for(var i=[],n=0;n{var n=i(93633);t.exports=(n.default||n).template({1:function(t,e,i,n,o){var r,s=t.lookupProperty||function(t,e){if(Object.prototype.hasOwnProperty.call(t,e))return t[e]};return''},compiler:[8,">= 4.3.0"],main:function(t,e,i,n,o){var r,s,a=null!=e?e:t.nullContext||{},c=t.hooks.helperMissing,l="function",u=t.escapeExpression,h=t.lookupProperty||function(t,e){if(Object.prototype.hasOwnProperty.call(t,e))return t[e]};return'
  • \n\t\n\t\t'+(null!=(r=h(i,"if").call(a,null!=e?h(e,"icon"):e,{name:"if",hash:{},fn:t.program(1,o,0),inverse:t.noop,data:o,loc:{start:{line:3,column:2},end:{line:3,column:41}}}))?r:"")+"\n\t\t"+u(typeof(s=null!=(s=h(i,"title")||(null!=e?h(e,"title"):e))?s:c)===l?s.call(a,{name:"title",hash:{},data:o,loc:{start:{line:4,column:8},end:{line:4,column:17}}}):s)+"\n\t\n
  • \n"},useData:!0})},99660:(t,e,i)=>{var n,o,r;!function(){"use strict";o=[i(74692)],n=function(t){t.ui=t.ui||{},t.ui.version="1.13.3";var e,i=0,n=Array.prototype.hasOwnProperty,o=Array.prototype.slice;t.cleanData=(e=t.cleanData,function(i){var n,o,r;for(r=0;null!=(o=i[r]);r++)(n=t._data(o,"events"))&&n.remove&&t(o).triggerHandler("remove");e(i)}),t.widget=function(e,i,n){var o,r,s,a={},c=e.split(".")[0],l=c+"-"+(e=e.split(".")[1]);return n||(n=i,i=t.Widget),Array.isArray(n)&&(n=t.extend.apply(null,[{}].concat(n))),t.expr.pseudos[l.toLowerCase()]=function(e){return!!t.data(e,l)},t[c]=t[c]||{},o=t[c][e],r=t[c][e]=function(t,e){if(!this||!this._createWidget)return new r(t,e);arguments.length&&this._createWidget(t,e)},t.extend(r,o,{version:n.version,_proto:t.extend({},n),_childConstructors:[]}),(s=new i).options=t.widget.extend({},s.options),t.each(n,(function(t,e){a[t]="function"==typeof e?function(){function n(){return i.prototype[t].apply(this,arguments)}function o(e){return i.prototype[t].apply(this,e)}return function(){var t,i=this._super,r=this._superApply;return this._super=n,this._superApply=o,t=e.apply(this,arguments),this._super=i,this._superApply=r,t}}():e})),r.prototype=t.widget.extend(s,{widgetEventPrefix:o&&s.widgetEventPrefix||e},a,{constructor:r,namespace:c,widgetName:e,widgetFullName:l}),o?(t.each(o._childConstructors,(function(e,i){var n=i.prototype;t.widget(n.namespace+"."+n.widgetName,r,i._proto)})),delete o._childConstructors):i._childConstructors.push(r),t.widget.bridge(e,r),r},t.widget.extend=function(e){for(var i,r,s=o.call(arguments,1),a=0,c=s.length;a",options:{classes:{},disabled:!1,create:null},_createWidget:function(e,n){n=t(n||this.defaultElement||this)[0],this.element=t(n),this.uuid=i++,this.eventNamespace="."+this.widgetName+this.uuid,this.bindings=t(),this.hoverable=t(),this.focusable=t(),this.classesElementLookup={},n!==this&&(t.data(n,this.widgetFullName,this),this._on(!0,this.element,{remove:function(t){t.target===n&&this.destroy()}}),this.document=t(n.style?n.ownerDocument:n.document||n),this.window=t(this.document[0].defaultView||this.document[0].parentWindow)),this.options=t.widget.extend({},this.options,this._getCreateOptions(),e),this._create(),this.options.disabled&&this._setOptionDisabled(this.options.disabled),this._trigger("create",null,this._getCreateEventData()),this._init()},_getCreateOptions:function(){return{}},_getCreateEventData:t.noop,_create:t.noop,_init:t.noop,destroy:function(){var e=this;this._destroy(),t.each(this.classesElementLookup,(function(t,i){e._removeClass(i,t)})),this.element.off(this.eventNamespace).removeData(this.widgetFullName),this.widget().off(this.eventNamespace).removeAttr("aria-disabled"),this.bindings.off(this.eventNamespace)},_destroy:t.noop,widget:function(){return this.element},option:function(e,i){var n,o,r,s=e;if(0===arguments.length)return t.widget.extend({},this.options);if("string"==typeof e)if(s={},n=e.split("."),e=n.shift(),n.length){for(o=s[e]=t.widget.extend({},this.options[e]),r=0;r
    "),r=o.children()[0];return t("body").append(o),i=r.offsetWidth,o.css("overflow","scroll"),i===(n=r.offsetWidth)&&(n=o[0].clientWidth),o.remove(),e=i-n},getScrollInfo:function(e){var i=e.isWindow||e.isDocument?"":e.element.css("overflow-x"),n=e.isWindow||e.isDocument?"":e.element.css("overflow-y"),o="scroll"===i||"auto"===i&&e.width0?"right":"center",vertical:u<0?"top":c>0?"bottom":"middle"};pi(n(c),n(u))?h.important="horizontal":h.important="vertical",e.using.call(this,t,h)}),s.offset(t.extend(B,{using:r}))}))},t.ui.position={fit:{left:function(t,e){var n,o=e.within,r=o.isWindow?o.scrollLeft:o.offset.left,s=o.width,a=t.left-e.collisionPosition.marginLeft,c=r-a,l=a+e.collisionWidth-s-r;e.collisionWidth>s?c>0&&l<=0?(n=t.left+c+e.collisionWidth-s-r,t.left+=c-n):t.left=l>0&&c<=0?r:c>l?r+s-e.collisionWidth:r:c>0?t.left+=c:l>0?t.left-=l:t.left=i(t.left-a,t.left)},top:function(t,e){var n,o=e.within,r=o.isWindow?o.scrollTop:o.offset.top,s=e.within.height,a=t.top-e.collisionPosition.marginTop,c=r-a,l=a+e.collisionHeight-s-r;e.collisionHeight>s?c>0&&l<=0?(n=t.top+c+e.collisionHeight-s-r,t.top+=c-n):t.top=l>0&&c<=0?r:c>l?r+s-e.collisionHeight:r:c>0?t.top+=c:l>0?t.top-=l:t.top=i(t.top-a,t.top)}},flip:{left:function(t,e){var i,o,r=e.within,s=r.offset.left+r.scrollLeft,a=r.width,c=r.isWindow?r.scrollLeft:r.offset.left,l=t.left-e.collisionPosition.marginLeft,u=l-c,h=l+e.collisionWidth-a-c,d="left"===e.my[0]?-e.elemWidth:"right"===e.my[0]?e.elemWidth:0,p="left"===e.at[0]?e.targetWidth:"right"===e.at[0]?-e.targetWidth:0,A=-2*e.offset[0];u<0?((i=t.left+d+p+A+e.collisionWidth-a-s)<0||i0&&((o=t.left-e.collisionPosition.marginLeft+d+p+A-c)>0||n(o)0&&((i=t.top-e.collisionPosition.marginTop+d+p+A-c)>0||n(i)")[0],m=a.each;function C(t){return null==t?t+"":"object"==typeof t?c[l.call(t)]||"object":typeof t}function b(t,e,i){var n=A[e.type]||{};return null==t?i||!e.def?null:e.def:(t=n.floor?~~t:parseFloat(t),isNaN(t)?e.def:n.mod?(t+n.mod)%n.mod:Math.min(n.max,Math.max(0,t)))}function v(t){var e=d(),i=e._rgba=[];return t=t.toLowerCase(),m(h,(function(n,o){var r,s=o.re.exec(t),a=s&&o.parse(s),c=o.space||"rgba";if(a)return r=e[c](a),e[p[c].cache]=r[p[c].cache],i=e._rgba=r._rgba,!1})),i.length?("0,0,0,0"===i.join()&&a.extend(i,r.transparent),e):r[t]}function x(t,e,i){return 6*(i=(i+1)%1)<1?t+(e-t)*i*6:2*i<1?e:3*i<2?t+(e-t)*(2/3-i)*6:t}g.style.cssText="background-color:rgba(1,1,1,.5)",f.rgba=g.style.backgroundColor.indexOf("rgba")>-1,m(p,(function(t,e){e.cache="_"+t,e.props.alpha={idx:3,type:"percent",def:1}})),a.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),(function(t,e){c["[object "+e+"]"]=e.toLowerCase()})),d.fn=a.extend(d.prototype,{parse:function(t,e,i,n){if(void 0===t)return this._rgba=[null,null,null,null],this;(t.jquery||t.nodeType)&&(t=a(t).css(e),e=void 0);var o=this,s=C(t),c=this._rgba=[];return void 0!==e&&(t=[t,e,i,n],s="array"),"string"===s?this.parse(v(t)||r._default):"array"===s?(m(p.rgba.props,(function(e,i){c[i.idx]=b(t[i.idx],i)})),this):"object"===s?(m(p,t instanceof d?function(e,i){t[i.cache]&&(o[i.cache]=t[i.cache].slice())}:function(e,i){var n=i.cache;m(i.props,(function(e,r){if(!o[n]&&i.to){if("alpha"===e||null==t[e])return;o[n]=i.to(o._rgba)}o[n][r.idx]=b(t[e],r,!0)})),o[n]&&a.inArray(null,o[n].slice(0,3))<0&&(null==o[n][3]&&(o[n][3]=1),i.from&&(o._rgba=i.from(o[n])))}),this):void 0},is:function(t){var e=d(t),i=!0,n=this;return m(p,(function(t,o){var r,s=e[o.cache];return s&&(r=n[o.cache]||o.to&&o.to(n._rgba)||[],m(o.props,(function(t,e){if(null!=s[e.idx])return i=s[e.idx]===r[e.idx]}))),i})),i},_space:function(){var t=[],e=this;return m(p,(function(i,n){e[n.cache]&&t.push(i)})),t.pop()},transition:function(t,e){var i=d(t),n=i._space(),o=p[n],r=0===this.alpha()?d("transparent"):this,s=r[o.cache]||o.to(r._rgba),a=s.slice();return i=i[o.cache],m(o.props,(function(t,n){var o=n.idx,r=s[o],c=i[o],l=A[n.type]||{};null!==c&&(null===r?a[o]=c:(l.mod&&(c-r>l.mod/2?r+=l.mod:r-c>l.mod/2&&(r-=l.mod)),a[o]=b((c-r)*e+r,n)))})),this[n](a)},blend:function(t){if(1===this._rgba[3])return this;var e=this._rgba.slice(),i=e.pop(),n=d(t)._rgba;return d(a.map(e,(function(t,e){return(1-i)*n[e]+i*t})))},toRgbaString:function(){var t="rgba(",e=a.map(this._rgba,(function(t,e){return null!=t?t:e>2?1:0}));return 1===e[3]&&(e.pop(),t="rgb("),t+e.join()+")"},toHslaString:function(){var t="hsla(",e=a.map(this.hsla(),(function(t,e){return null==t&&(t=e>2?1:0),e&&e<3&&(t=Math.round(100*t)+"%"),t}));return 1===e[3]&&(e.pop(),t="hsl("),t+e.join()+")"},toHexString:function(t){var e=this._rgba.slice(),i=e.pop();return t&&e.push(~~(255*i)),"#"+a.map(e,(function(t){return 1===(t=(t||0).toString(16)).length?"0"+t:t})).join("")},toString:function(){return 0===this._rgba[3]?"transparent":this.toRgbaString()}}),d.fn.parse.prototype=d.fn,p.hsla.to=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e,i,n=t[0]/255,o=t[1]/255,r=t[2]/255,s=t[3],a=Math.max(n,o,r),c=Math.min(n,o,r),l=a-c,u=a+c,h=.5*u;return e=c===a?0:n===a?60*(o-r)/l+360:o===a?60*(r-n)/l+120:60*(n-o)/l+240,i=0===l?0:h<=.5?l/u:l/(2-u),[Math.round(e)%360,i,h,null==s?1:s]},p.hsla.from=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e=t[0]/360,i=t[1],n=t[2],o=t[3],r=n<=.5?n*(1+i):n+i-n*i,s=2*n-r;return[Math.round(255*x(s,r,e+1/3)),Math.round(255*x(s,r,e)),Math.round(255*x(s,r,e-1/3)),o]},m(p,(function(t,e){var i=e.props,n=e.cache,o=e.to,r=e.from;d.fn[t]=function(t){if(o&&!this[n]&&(this[n]=o(this._rgba)),void 0===t)return this[n].slice();var e,s=C(t),a="array"===s||"object"===s?t:arguments,c=this[n].slice();return m(i,(function(t,e){var i=a["object"===s?t:e.idx];null==i&&(i=c[e.idx]),c[e.idx]=b(i,e)})),r?((e=d(r(c)))[n]=c,e):d(c)},m(i,(function(e,i){d.fn[e]||(d.fn[e]=function(n){var o,r,s,a,c=C(n);return r=(o=this[a="alpha"===e?this._hsla?"hsla":"rgba":t]())[i.idx],"undefined"===c?r:("function"===c&&(c=C(n=n.call(this,r))),null==n&&i.empty?this:("string"===c&&(s=u.exec(n))&&(n=r+parseFloat(s[2])*("+"===s[1]?1:-1)),o[i.idx]=n,this[a](o)))})}))})),d.hook=function(t){var e=t.split(" ");m(e,(function(t,e){a.cssHooks[e]={set:function(t,i){var n,o,r="";if("transparent"!==i&&("string"!==C(i)||(n=v(i)))){if(i=d(n||i),!f.rgba&&1!==i._rgba[3]){for(o="backgroundColor"===e?t.parentNode:t;(""===r||"transparent"===r)&&o&&o.style;)try{r=a.css(o,"backgroundColor"),o=o.parentNode}catch(t){}i=i.blend(r&&"transparent"!==r?r:"_default")}i=i.toRgbaString()}try{t.style[e]=i}catch(t){}}},a.fx.step[e]=function(t){t.colorInit||(t.start=d(t.elem,e),t.end=d(t.end),t.colorInit=!0),a.cssHooks[e].set(t.elem,t.start.transition(t.end,t.pos))}}))},d.hook("backgroundColor borderBottomColor borderLeftColor borderRightColor borderTopColor color columnRuleColor outlineColor textDecorationColor textEmphasisColor"),a.cssHooks.borderColor={expand:function(t){var e={};return m(["Top","Right","Bottom","Left"],(function(i,n){e["border"+n+"Color"]=t})),e}},r=a.Color.names={aqua:"#00ffff",black:"#000000",blue:"#0000ff",fuchsia:"#ff00ff",gray:"#808080",green:"#008000",lime:"#00ff00",maroon:"#800000",navy:"#000080",olive:"#808000",purple:"#800080",red:"#ff0000",silver:"#c0c0c0",teal:"#008080",white:"#ffffff",yellow:"#ffff00",transparent:[null,null,null,0],_default:"#ffffff"};var y,w,k="ui-effects-",B="ui-effects-style",E="ui-effects-animated";if(t.effects={effect:{}},function(){var e=["add","remove","toggle"],i={border:1,borderBottom:1,borderColor:1,borderLeft:1,borderRight:1,borderTop:1,borderWidth:1,margin:1,padding:1};function n(t){var e,i,n,o=t.ownerDocument.defaultView?t.ownerDocument.defaultView.getComputedStyle(t,null):t.currentStyle,r={};if(o&&o.length&&o[0]&&o[o[0]])for(i=o.length;i--;)"string"==typeof o[e=o[i]]&&(r[(n=e,n.replace(/-([\da-z])/gi,(function(t,e){return e.toUpperCase()})))]=o[e]);else for(e in o)"string"==typeof o[e]&&(r[e]=o[e]);return r}t.each(["borderLeftStyle","borderRightStyle","borderBottomStyle","borderTopStyle"],(function(e,i){t.fx.step[i]=function(t){("none"!==t.end&&!t.setAttr||1===t.pos&&!t.setAttr)&&(a.style(t.elem,i,t.end),t.setAttr=!0)}})),t.fn.addBack||(t.fn.addBack=function(t){return this.add(null==t?this.prevObject:this.prevObject.filter(t))}),t.effects.animateClass=function(o,r,s,a){var c=t.speed(r,s,a);return this.queue((function(){var r,s=t(this),a=s.attr("class")||"",l=c.children?s.find("*").addBack():s;l=l.map((function(){return{el:t(this),start:n(this)}})),(r=function(){t.each(e,(function(t,e){o[e]&&s[e+"Class"](o[e])}))})(),l=l.map((function(){return this.end=n(this.el[0]),this.diff=function(e,n){var o,r,s={};for(o in n)r=n[o],e[o]!==r&&(i[o]||!t.fx.step[o]&&isNaN(parseFloat(r))||(s[o]=r));return s}(this.start,this.end),this})),s.attr("class",a),l=l.map((function(){var e=this,i=t.Deferred(),n=t.extend({},c,{queue:!1,complete:function(){i.resolve(e)}});return this.el.animate(this.diff,n),i.promise()})),t.when.apply(t,l.get()).done((function(){r(),t.each(arguments,(function(){var e=this.el;t.each(this.diff,(function(t){e.css(t,"")}))})),c.complete.call(s[0])}))}))},t.fn.extend({addClass:function(e){return function(i,n,o,r){return n?t.effects.animateClass.call(this,{add:i},n,o,r):e.apply(this,arguments)}}(t.fn.addClass),removeClass:function(e){return function(i,n,o,r){return arguments.length>1?t.effects.animateClass.call(this,{remove:i},n,o,r):e.apply(this,arguments)}}(t.fn.removeClass),toggleClass:function(e){return function(i,n,o,r,s){return"boolean"==typeof n||void 0===n?o?t.effects.animateClass.call(this,n?{add:i}:{remove:i},o,r,s):e.apply(this,arguments):t.effects.animateClass.call(this,{toggle:i},n,o,r)}}(t.fn.toggleClass),switchClass:function(e,i,n,o,r){return t.effects.animateClass.call(this,{add:i,remove:e},n,o,r)}})}(),function(){function e(e,i,n,o){return t.isPlainObject(e)&&(i=e,e=e.effect),e={effect:e},null==i&&(i={}),"function"==typeof i&&(o=i,n=null,i={}),("number"==typeof i||t.fx.speeds[i])&&(o=n,n=i,i={}),"function"==typeof n&&(o=n,n=null),i&&t.extend(e,i),n=n||i.duration,e.duration=t.fx.off?0:"number"==typeof n?n:n in t.fx.speeds?t.fx.speeds[n]:t.fx.speeds._default,e.complete=o||i.complete,e}function i(e){return!(e&&"number"!=typeof e&&!t.fx.speeds[e])||"string"==typeof e&&!t.effects.effect[e]||"function"==typeof e||"object"==typeof e&&!e.effect}function n(t,e){var i=e.outerWidth(),n=e.outerHeight(),o=/^rect\((-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto)\)$/.exec(t)||["",0,i,n,0];return{top:parseFloat(o[1])||0,right:"auto"===o[2]?i:parseFloat(o[2]),bottom:"auto"===o[3]?n:parseFloat(o[3]),left:parseFloat(o[4])||0}}t.expr&&t.expr.pseudos&&t.expr.pseudos.animated&&(t.expr.pseudos.animated=function(e){return function(i){return!!t(i).data(E)||e(i)}}(t.expr.pseudos.animated)),!1!==t.uiBackCompat&&t.extend(t.effects,{save:function(t,e){for(var i=0,n=e.length;i").addClass("ui-effects-wrapper").css({fontSize:"100%",background:"transparent",border:"none",margin:0,padding:0}),o={width:e.width(),height:e.height()},r=document.activeElement;try{r.id}catch(t){r=document.body}return e.wrap(n),(e[0]===r||t.contains(e[0],r))&&t(r).trigger("focus"),n=e.parent(),"static"===e.css("position")?(n.css({position:"relative"}),e.css({position:"relative"})):(t.extend(i,{position:e.css("position"),zIndex:e.css("z-index")}),t.each(["top","left","bottom","right"],(function(t,n){i[n]=e.css(n),isNaN(parseInt(i[n],10))&&(i[n]="auto")})),e.css({position:"relative",top:0,left:0,right:"auto",bottom:"auto"})),e.css(o),n.css(i).show()},removeWrapper:function(e){var i=document.activeElement;return e.parent().is(".ui-effects-wrapper")&&(e.parent().replaceWith(e),(e[0]===i||t.contains(e[0],i))&&t(i).trigger("focus")),e}}),t.extend(t.effects,{version:"1.13.3",define:function(e,i,n){return n||(n=i,i="effect"),t.effects.effect[e]=n,t.effects.effect[e].mode=i,n},scaledDimensions:function(t,e,i){if(0===e)return{height:0,width:0,outerHeight:0,outerWidth:0};var n="horizontal"!==i?(e||100)/100:1,o="vertical"!==i?(e||100)/100:1;return{height:t.height()*o,width:t.width()*n,outerHeight:t.outerHeight()*o,outerWidth:t.outerWidth()*n}},clipToBox:function(t){return{width:t.clip.right-t.clip.left,height:t.clip.bottom-t.clip.top,left:t.clip.left,top:t.clip.top}},unshift:function(t,e,i){var n=t.queue();e>1&&n.splice.apply(n,[1,0].concat(n.splice(e,i))),t.dequeue()},saveStyle:function(t){t.data(B,t[0].style.cssText)},restoreStyle:function(t){t[0].style.cssText=t.data(B)||"",t.removeData(B)},mode:function(t,e){var i=t.is(":hidden");return"toggle"===e&&(e=i?"show":"hide"),(i?"hide"===e:"show"===e)&&(e="none"),e},getBaseline:function(t,e){var i,n;switch(t[0]){case"top":i=0;break;case"middle":i=.5;break;case"bottom":i=1;break;default:i=t[0]/e.height}switch(t[1]){case"left":n=0;break;case"center":n=.5;break;case"right":n=1;break;default:n=t[1]/e.width}return{x:n,y:i}},createPlaceholder:function(e){var i,n=e.css("position"),o=e.position();return e.css({marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()),/^(static|relative)/.test(n)&&(n="absolute",i=t("<"+e[0].nodeName+">").insertAfter(e).css({display:/^(inline|ruby)/.test(e.css("display"))?"inline-block":"block",visibility:"hidden",marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight"),float:e.css("float")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()).addClass("ui-effects-placeholder"),e.data(k+"placeholder",i)),e.css({position:n,left:o.left,top:o.top}),i},removePlaceholder:function(t){var e=k+"placeholder",i=t.data(e);i&&(i.remove(),t.removeData(e))},cleanUp:function(e){t.effects.restoreStyle(e),t.effects.removePlaceholder(e)},setTransition:function(e,i,n,o){return o=o||{},t.each(i,(function(t,i){var r=e.cssUnit(i);r[0]>0&&(o[i]=r[0]*n+r[1])})),o}}),t.fn.extend({effect:function(){var i=e.apply(this,arguments),n=t.effects.effect[i.effect],o=n.mode,r=i.queue,s=r||"fx",a=i.complete,c=i.mode,l=[],u=function(e){var i=t(this),n=t.effects.mode(i,c)||o;i.data(E,!0),l.push(n),o&&("show"===n||n===o&&"hide"===n)&&i.show(),o&&"none"===n||t.effects.saveStyle(i),"function"==typeof e&&e()};if(t.fx.off||!n)return c?this[c](i.duration,a):this.each((function(){a&&a.call(this)}));function h(e){var r=t(this);function s(){"function"==typeof a&&a.call(r[0]),"function"==typeof e&&e()}i.mode=l.shift(),!1===t.uiBackCompat||o?"none"===i.mode?(r[c](),s()):n.call(r[0],i,(function(){r.removeData(E),t.effects.cleanUp(r),"hide"===i.mode&&r.hide(),s()})):(r.is(":hidden")?"hide"===c:"show"===c)?(r[c](),s()):n.call(r[0],i,s)}return!1===r?this.each(u).each(h):this.queue(s,u).queue(s,h)},show:function(t){return function(n){if(i(n))return t.apply(this,arguments);var o=e.apply(this,arguments);return o.mode="show",this.effect.call(this,o)}}(t.fn.show),hide:function(t){return function(n){if(i(n))return t.apply(this,arguments);var o=e.apply(this,arguments);return o.mode="hide",this.effect.call(this,o)}}(t.fn.hide),toggle:function(t){return function(n){if(i(n)||"boolean"==typeof n)return t.apply(this,arguments);var o=e.apply(this,arguments);return o.mode="toggle",this.effect.call(this,o)}}(t.fn.toggle),cssUnit:function(e){var i=this.css(e),n=[];return t.each(["em","px","%","pt"],(function(t,e){i.indexOf(e)>0&&(n=[parseFloat(i),e])})),n},cssClip:function(t){return t?this.css("clip","rect("+t.top+"px "+t.right+"px "+t.bottom+"px "+t.left+"px)"):n(this.css("clip"),this)},transfer:function(e,i){var n=t(this),o=t(e.to),r="fixed"===o.css("position"),s=t("body"),a=r?s.scrollTop():0,c=r?s.scrollLeft():0,l=o.offset(),u={top:l.top-a,left:l.left-c,height:o.innerHeight(),width:o.innerWidth()},h=n.offset(),d=t("
    ");d.appendTo("body").addClass(e.className).css({top:h.top-a,left:h.left-c,height:n.innerHeight(),width:n.innerWidth(),position:r?"fixed":"absolute"}).animate(u,e.duration,e.easing,(function(){d.remove(),"function"==typeof i&&i()}))}}),t.fx.step.clip=function(e){e.clipInit||(e.start=t(e.elem).cssClip(),"string"==typeof e.end&&(e.end=n(e.end,e.elem)),e.clipInit=!0),t(e.elem).cssClip({top:e.pos*(e.end.top-e.start.top)+e.start.top,right:e.pos*(e.end.right-e.start.right)+e.start.right,bottom:e.pos*(e.end.bottom-e.start.bottom)+e.start.bottom,left:e.pos*(e.end.left-e.start.left)+e.start.left})}}(),y={},t.each(["Quad","Cubic","Quart","Quint","Expo"],(function(t,e){y[e]=function(e){return Math.pow(e,t+2)}})),t.extend(y,{Sine:function(t){return 1-Math.cos(t*Math.PI/2)},Circ:function(t){return 1-Math.sqrt(1-t*t)},Elastic:function(t){return 0===t||1===t?t:-Math.pow(2,8*(t-1))*Math.sin((80*(t-1)-7.5)*Math.PI/15)},Back:function(t){return t*t*(3*t-2)},Bounce:function(t){for(var e,i=4;t<((e=Math.pow(2,--i))-1)/11;);return 1/Math.pow(4,3-i)-7.5625*Math.pow((3*e-2)/22-t,2)}}),t.each(y,(function(e,i){t.easing["easeIn"+e]=i,t.easing["easeOut"+e]=function(t){return 1-i(1-t)},t.easing["easeInOut"+e]=function(t){return t<.5?i(2*t)/2:1-i(-2*t+2)/2}})),t.effects,t.effects.define("blind","hide",(function(e,i){var n={up:["bottom","top"],vertical:["bottom","top"],down:["top","bottom"],left:["right","left"],horizontal:["right","left"],right:["left","right"]},o=t(this),r=e.direction||"up",s=o.cssClip(),a={clip:t.extend({},s)},c=t.effects.createPlaceholder(o);a.clip[n[r][0]]=a.clip[n[r][1]],"show"===e.mode&&(o.cssClip(a.clip),c&&c.css(t.effects.clipToBox(a)),a.clip=s),c&&c.animate(t.effects.clipToBox(a),e.duration,e.easing),o.animate(a,{queue:!1,duration:e.duration,easing:e.easing,complete:i})})),t.effects.define("bounce",(function(e,i){var n,o,r,s=t(this),a=e.mode,c="hide"===a,l="show"===a,u=e.direction||"up",h=e.distance,d=e.times||5,p=2*d+(l||c?1:0),A=e.duration/p,f=e.easing,g="up"===u||"down"===u?"top":"left",m="up"===u||"left"===u,C=0,b=s.queue().length;for(t.effects.createPlaceholder(s),r=s.css(g),h||(h=s["top"===g?"outerHeight":"outerWidth"]()/3),l&&((o={opacity:1})[g]=r,s.css("opacity",0).css(g,m?2*-h:2*h).animate(o,A,f)),c&&(h/=Math.pow(2,d-1)),(o={})[g]=r;C").css({position:"absolute",visibility:"visible",left:-o*A,top:-n*f}).parent().addClass("ui-effects-explode").css({position:"absolute",overflow:"hidden",width:A,height:f,left:r+(d?a*A:0),top:s+(d?c*f:0),opacity:d?0:1}).animate({left:r+(d?0:a*A),top:s+(d?0:c*f),opacity:d?1:0},e.duration||500,e.easing,m)})),t.effects.define("fade","toggle",(function(e,i){var n="show"===e.mode;t(this).css("opacity",n?0:1).animate({opacity:n?1:0},{queue:!1,duration:e.duration,easing:e.easing,complete:i})})),t.effects.define("fold","hide",(function(e,i){var n=t(this),o=e.mode,r="show"===o,s="hide"===o,a=e.size||15,c=/([0-9]+)%/.exec(a),l=e.horizFirst?["right","bottom"]:["bottom","right"],u=e.duration/2,h=t.effects.createPlaceholder(n),d=n.cssClip(),p={clip:t.extend({},d)},A={clip:t.extend({},d)},f=[d[l[0]],d[l[1]]],g=n.queue().length;c&&(a=parseInt(c[1],10)/100*f[s?0:1]),p.clip[l[0]]=a,A.clip[l[0]]=a,A.clip[l[1]]=0,r&&(n.cssClip(A.clip),h&&h.css(t.effects.clipToBox(A)),A.clip=d),n.queue((function(i){h&&h.animate(t.effects.clipToBox(p),u,e.easing).animate(t.effects.clipToBox(A),u,e.easing),i()})).animate(p,u,e.easing).animate(A,u,e.easing).queue(i),t.effects.unshift(n,g,4)})),t.effects.define("highlight","show",(function(e,i){var n=t(this),o={backgroundColor:n.css("backgroundColor")};"hide"===e.mode&&(o.opacity=0),t.effects.saveStyle(n),n.css({backgroundImage:"none",backgroundColor:e.color||"#ffff99"}).animate(o,{queue:!1,duration:e.duration,easing:e.easing,complete:i})})),t.effects.define("size",(function(e,i){var n,o,r,s=t(this),a=["fontSize"],c=["borderTopWidth","borderBottomWidth","paddingTop","paddingBottom"],l=["borderLeftWidth","borderRightWidth","paddingLeft","paddingRight"],u=e.mode,h="effect"!==u,d=e.scale||"both",p=e.origin||["middle","center"],A=s.css("position"),f=s.position(),g=t.effects.scaledDimensions(s),m=e.from||g,C=e.to||t.effects.scaledDimensions(s,0);t.effects.createPlaceholder(s),"show"===u&&(r=m,m=C,C=r),o={from:{y:m.height/g.height,x:m.width/g.width},to:{y:C.height/g.height,x:C.width/g.width}},"box"!==d&&"both"!==d||(o.from.y!==o.to.y&&(m=t.effects.setTransition(s,c,o.from.y,m),C=t.effects.setTransition(s,c,o.to.y,C)),o.from.x!==o.to.x&&(m=t.effects.setTransition(s,l,o.from.x,m),C=t.effects.setTransition(s,l,o.to.x,C))),"content"!==d&&"both"!==d||o.from.y!==o.to.y&&(m=t.effects.setTransition(s,a,o.from.y,m),C=t.effects.setTransition(s,a,o.to.y,C)),p&&(n=t.effects.getBaseline(p,g),m.top=(g.outerHeight-m.outerHeight)*n.y+f.top,m.left=(g.outerWidth-m.outerWidth)*n.x+f.left,C.top=(g.outerHeight-C.outerHeight)*n.y+f.top,C.left=(g.outerWidth-C.outerWidth)*n.x+f.left),delete m.outerHeight,delete m.outerWidth,s.css(m),"content"!==d&&"both"!==d||(c=c.concat(["marginTop","marginBottom"]).concat(a),l=l.concat(["marginLeft","marginRight"]),s.find("*[width]").each((function(){var i=t(this),n=t.effects.scaledDimensions(i),r={height:n.height*o.from.y,width:n.width*o.from.x,outerHeight:n.outerHeight*o.from.y,outerWidth:n.outerWidth*o.from.x},s={height:n.height*o.to.y,width:n.width*o.to.x,outerHeight:n.height*o.to.y,outerWidth:n.width*o.to.x};o.from.y!==o.to.y&&(r=t.effects.setTransition(i,c,o.from.y,r),s=t.effects.setTransition(i,c,o.to.y,s)),o.from.x!==o.to.x&&(r=t.effects.setTransition(i,l,o.from.x,r),s=t.effects.setTransition(i,l,o.to.x,s)),h&&t.effects.saveStyle(i),i.css(r),i.animate(s,e.duration,e.easing,(function(){h&&t.effects.restoreStyle(i)}))}))),s.animate(C,{queue:!1,duration:e.duration,easing:e.easing,complete:function(){var e=s.offset();0===C.opacity&&s.css("opacity",m.opacity),h||(s.css("position","static"===A?"relative":A).offset(e),t.effects.saveStyle(s)),i()}})})),t.effects.define("scale",(function(e,i){var n=t(this),o=e.mode,r=parseInt(e.percent,10)||(0===parseInt(e.percent,10)||"effect"!==o?0:100),s=t.extend(!0,{from:t.effects.scaledDimensions(n),to:t.effects.scaledDimensions(n,r,e.direction||"both"),origin:e.origin||["middle","center"]},e);e.fade&&(s.from.opacity=1,s.to.opacity=0),t.effects.effect.size.call(this,s,i)})),t.effects.define("puff","hide",(function(e,i){var n=t.extend(!0,{},e,{fade:!0,percent:parseInt(e.percent,10)||150});t.effects.effect.scale.call(this,n,i)})),t.effects.define("pulsate","show",(function(e,i){var n=t(this),o=e.mode,r="show"===o,s=r||"hide"===o,a=2*(e.times||5)+(s?1:0),c=e.duration/a,l=0,u=1,h=n.queue().length;for(!r&&n.is(":visible")||(n.css("opacity",0).show(),l=1);u0&&r.is(":visible")):(/^(input|select|textarea|button|object)$/.test(c)?(s=!e.disabled)&&(a=t(e).closest("fieldset")[0])&&(s=!a.disabled):s="a"===c&&e.href||i,s&&t(e).is(":visible")&&function(t){for(var e=t.css("visibility");"inherit"===e;)e=(t=t.parent()).css("visibility");return"visible"===e}(t(e)))},t.extend(t.expr.pseudos,{focusable:function(e){return t.ui.focusable(e,null!=t.attr(e,"tabindex"))}}),t.ui.focusable,t.fn._form=function(){return"string"==typeof this[0].form?this.closest("form"):t(this[0].form)},t.ui.formResetMixin={_formResetHandler:function(){var e=t(this);setTimeout((function(){var i=e.data("ui-form-reset-instances");t.each(i,(function(){this.refresh()}))}))},_bindFormResetHandler:function(){if(this.form=this.element._form(),this.form.length){var t=this.form.data("ui-form-reset-instances")||[];t.length||this.form.on("reset.ui-form-reset",this._formResetHandler),t.push(this),this.form.data("ui-form-reset-instances",t)}},_unbindFormResetHandler:function(){if(this.form.length){var e=this.form.data("ui-form-reset-instances");e.splice(t.inArray(this,e),1),e.length?this.form.data("ui-form-reset-instances",e):this.form.removeData("ui-form-reset-instances").off("reset.ui-form-reset")}}},t.expr.pseudos||(t.expr.pseudos=t.expr[":"]),t.uniqueSort||(t.uniqueSort=t.unique),!t.escapeSelector){var _=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\x80-\uFFFF\w-]/g,I=function(t,e){return e?"\0"===t?"�":t.slice(0,-1)+"\\"+t.charCodeAt(t.length-1).toString(16)+" ":"\\"+t};t.escapeSelector=function(t){return(t+"").replace(_,I)}}t.fn.even&&t.fn.odd||t.fn.extend({even:function(){return this.filter((function(t){return t%2==0}))},odd:function(){return this.filter((function(t){return t%2==1}))}}),t.ui.keyCode={BACKSPACE:8,COMMA:188,DELETE:46,DOWN:40,END:35,ENTER:13,ESCAPE:27,HOME:36,LEFT:37,PAGE_DOWN:34,PAGE_UP:33,PERIOD:190,RIGHT:39,SPACE:32,TAB:9,UP:38},t.fn.labels=function(){var e,i,n,o,r;return this.length?this[0].labels&&this[0].labels.length?this.pushStack(this[0].labels):(o=this.eq(0).parents("label"),(n=this.attr("id"))&&(r=(e=this.eq(0).parents().last()).add(e.length?e.siblings():this.siblings()),i="label[for='"+t.escapeSelector(n)+"']",o=o.add(r.find(i).addBack(i))),this.pushStack(o)):this.pushStack([])},t.fn.scrollParent=function(e){var i=this.css("position"),n="absolute"===i,o=e?/(auto|scroll|hidden)/:/(auto|scroll)/,r=this.parents().filter((function(){var e=t(this);return(!n||"static"!==e.css("position"))&&o.test(e.css("overflow")+e.css("overflow-y")+e.css("overflow-x"))})).eq(0);return"fixed"!==i&&r.length?r:t(this[0].ownerDocument||document)},t.extend(t.expr.pseudos,{tabbable:function(e){var i=t.attr(e,"tabindex"),n=null!=i;return(!n||i>=0)&&t.ui.focusable(e,n)}}),t.fn.extend({uniqueId:(w=0,function(){return this.each((function(){this.id||(this.id="ui-id-"+ ++w)}))}),removeUniqueId:function(){return this.each((function(){/^ui-id-\d+$/.test(this.id)&&t(this).removeAttr("id")}))}}),t.widget("ui.accordion",{version:"1.13.3",options:{active:0,animate:{},classes:{"ui-accordion-header":"ui-corner-top","ui-accordion-header-collapsed":"ui-corner-all","ui-accordion-content":"ui-corner-bottom"},collapsible:!1,event:"click",header:function(t){return t.find("> li > :first-child").add(t.find("> :not(li)").even())},heightStyle:"auto",icons:{activeHeader:"ui-icon-triangle-1-s",header:"ui-icon-triangle-1-e"},activate:null,beforeActivate:null},hideProps:{borderTopWidth:"hide",borderBottomWidth:"hide",paddingTop:"hide",paddingBottom:"hide",height:"hide"},showProps:{borderTopWidth:"show",borderBottomWidth:"show",paddingTop:"show",paddingBottom:"show",height:"show"},_create:function(){var e=this.options;this.prevShow=this.prevHide=t(),this._addClass("ui-accordion","ui-widget ui-helper-reset"),this.element.attr("role","tablist"),e.collapsible||!1!==e.active&&null!=e.active||(e.active=0),this._processPanels(),e.active<0&&(e.active+=this.headers.length),this._refresh()},_getCreateEventData:function(){return{header:this.active,panel:this.active.length?this.active.next():t()}},_createIcons:function(){var e,i,n=this.options.icons;n&&(e=t(""),this._addClass(e,"ui-accordion-header-icon","ui-icon "+n.header),e.prependTo(this.headers),i=this.active.children(".ui-accordion-header-icon"),this._removeClass(i,n.header)._addClass(i,null,n.activeHeader)._addClass(this.headers,"ui-accordion-icons"))},_destroyIcons:function(){this._removeClass(this.headers,"ui-accordion-icons"),this.headers.children(".ui-accordion-header-icon").remove()},_destroy:function(){var t;this.element.removeAttr("role"),this.headers.removeAttr("role aria-expanded aria-selected aria-controls tabIndex").removeUniqueId(),this._destroyIcons(),t=this.headers.next().css("display","").removeAttr("role aria-hidden aria-labelledby").removeUniqueId(),"content"!==this.options.heightStyle&&t.css("height","")},_setOption:function(t,e){"active"!==t?("event"===t&&(this.options.event&&this._off(this.headers,this.options.event),this._setupEvents(e)),this._super(t,e),"collapsible"!==t||e||!1!==this.options.active||this._activate(0),"icons"===t&&(this._destroyIcons(),e&&this._createIcons())):this._activate(e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",t),this._toggleClass(null,"ui-state-disabled",!!t),this._toggleClass(this.headers.add(this.headers.next()),null,"ui-state-disabled",!!t)},_keydown:function(e){if(!e.altKey&&!e.ctrlKey){var i=t.ui.keyCode,n=this.headers.length,o=this.headers.index(e.target),r=!1;switch(e.keyCode){case i.RIGHT:case i.DOWN:r=this.headers[(o+1)%n];break;case i.LEFT:case i.UP:r=this.headers[(o-1+n)%n];break;case i.SPACE:case i.ENTER:this._eventHandler(e);break;case i.HOME:r=this.headers[0];break;case i.END:r=this.headers[n-1]}r&&(t(e.target).attr("tabIndex",-1),t(r).attr("tabIndex",0),t(r).trigger("focus"),e.preventDefault())}},_panelKeyDown:function(e){e.keyCode===t.ui.keyCode.UP&&e.ctrlKey&&t(e.currentTarget).prev().trigger("focus")},refresh:function(){var e=this.options;this._processPanels(),!1===e.active&&!0===e.collapsible||!this.headers.length?(e.active=!1,this.active=t()):!1===e.active?this._activate(0):this.active.length&&!t.contains(this.element[0],this.active[0])?this.headers.length===this.headers.find(".ui-state-disabled").length?(e.active=!1,this.active=t()):this._activate(Math.max(0,e.active-1)):e.active=this.headers.index(this.active),this._destroyIcons(),this._refresh()},_processPanels:function(){var t=this.headers,e=this.panels;"function"==typeof this.options.header?this.headers=this.options.header(this.element):this.headers=this.element.find(this.options.header),this._addClass(this.headers,"ui-accordion-header ui-accordion-header-collapsed","ui-state-default"),this.panels=this.headers.next().filter(":not(.ui-accordion-content-active)").hide(),this._addClass(this.panels,"ui-accordion-content","ui-helper-reset ui-widget-content"),e&&(this._off(t.not(this.headers)),this._off(e.not(this.panels)))},_refresh:function(){var e,i=this.options,n=i.heightStyle,o=this.element.parent();this.active=this._findActive(i.active),this._addClass(this.active,"ui-accordion-header-active","ui-state-active")._removeClass(this.active,"ui-accordion-header-collapsed"),this._addClass(this.active.next(),"ui-accordion-content-active"),this.active.next().show(),this.headers.attr("role","tab").each((function(){var e=t(this),i=e.uniqueId().attr("id"),n=e.next(),o=n.uniqueId().attr("id");e.attr("aria-controls",o),n.attr("aria-labelledby",i)})).next().attr("role","tabpanel"),this.headers.not(this.active).attr({"aria-selected":"false","aria-expanded":"false",tabIndex:-1}).next().attr({"aria-hidden":"true"}).hide(),this.active.length?this.active.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0}).next().attr({"aria-hidden":"false"}):this.headers.eq(0).attr("tabIndex",0),this._createIcons(),this._setupEvents(i.event),"fill"===n?(e=o.height(),this.element.siblings(":visible").each((function(){var i=t(this),n=i.css("position");"absolute"!==n&&"fixed"!==n&&(e-=i.outerHeight(!0))})),this.headers.each((function(){e-=t(this).outerHeight(!0)})),this.headers.next().each((function(){t(this).height(Math.max(0,e-t(this).innerHeight()+t(this).height()))})).css("overflow","auto")):"auto"===n&&(e=0,this.headers.next().each((function(){var i=t(this).is(":visible");i||t(this).show(),e=Math.max(e,t(this).css("height","").height()),i||t(this).hide()})).height(e))},_activate:function(e){var i=this._findActive(e)[0];i!==this.active[0]&&(i=i||this.active[0],this._eventHandler({target:i,currentTarget:i,preventDefault:t.noop}))},_findActive:function(e){return"number"==typeof e?this.headers.eq(e):t()},_setupEvents:function(e){var i={keydown:"_keydown"};e&&t.each(e.split(" "),(function(t,e){i[e]="_eventHandler"})),this._off(this.headers.add(this.headers.next())),this._on(this.headers,i),this._on(this.headers.next(),{keydown:"_panelKeyDown"}),this._hoverable(this.headers),this._focusable(this.headers)},_eventHandler:function(e){var i,n,o=this.options,r=this.active,s=t(e.currentTarget),a=s[0]===r[0],c=a&&o.collapsible,l=c?t():s.next(),u=r.next(),h={oldHeader:r,oldPanel:u,newHeader:c?t():s,newPanel:l};e.preventDefault(),a&&!o.collapsible||!1===this._trigger("beforeActivate",e,h)||(o.active=!c&&this.headers.index(s),this.active=a?t():s,this._toggle(h),this._removeClass(r,"ui-accordion-header-active","ui-state-active"),o.icons&&(i=r.children(".ui-accordion-header-icon"),this._removeClass(i,null,o.icons.activeHeader)._addClass(i,null,o.icons.header)),a||(this._removeClass(s,"ui-accordion-header-collapsed")._addClass(s,"ui-accordion-header-active","ui-state-active"),o.icons&&(n=s.children(".ui-accordion-header-icon"),this._removeClass(n,null,o.icons.header)._addClass(n,null,o.icons.activeHeader)),this._addClass(s.next(),"ui-accordion-content-active")))},_toggle:function(e){var i=e.newPanel,n=this.prevShow.length?this.prevShow:e.oldPanel;this.prevShow.add(this.prevHide).stop(!0,!0),this.prevShow=i,this.prevHide=n,this.options.animate?this._animate(i,n,e):(n.hide(),i.show(),this._toggleComplete(e)),n.attr({"aria-hidden":"true"}),n.prev().attr({"aria-selected":"false","aria-expanded":"false"}),i.length&&n.length?n.prev().attr({tabIndex:-1,"aria-expanded":"false"}):i.length&&this.headers.filter((function(){return 0===parseInt(t(this).attr("tabIndex"),10)})).attr("tabIndex",-1),i.attr("aria-hidden","false").prev().attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0})},_animate:function(t,e,i){var n,o,r,s=this,a=0,c=t.css("box-sizing"),l=t.length&&(!e.length||t.index()",delay:300,options:{icons:{submenu:"ui-icon-caret-1-e"},items:"> *",menus:"ul",position:{my:"left top",at:"right top"},role:"menu",blur:null,focus:null,select:null},_create:function(){this.activeMenu=this.element,this.mouseHandled=!1,this.lastMousePosition={x:null,y:null},this.element.uniqueId().attr({role:this.options.role,tabIndex:0}),this._addClass("ui-menu","ui-widget ui-widget-content"),this._on({"mousedown .ui-menu-item":function(t){t.preventDefault(),this._activateItem(t)},"click .ui-menu-item":function(e){var i=t(e.target),n=t(t.ui.safeActiveElement(this.document[0]));!this.mouseHandled&&i.not(".ui-state-disabled").length&&(this.select(e),e.isPropagationStopped()||(this.mouseHandled=!0),i.has(".ui-menu").length?this.expand(e):!this.element.is(":focus")&&n.closest(".ui-menu").length&&(this.element.trigger("focus",[!0]),this.active&&1===this.active.parents(".ui-menu").length&&clearTimeout(this.timer)))},"mouseenter .ui-menu-item":"_activateItem","mousemove .ui-menu-item":"_activateItem",mouseleave:"collapseAll","mouseleave .ui-menu":"collapseAll",focus:function(t,e){var i=this.active||this._menuItems().first();e||this.focus(t,i)},blur:function(e){this._delay((function(){!t.contains(this.element[0],t.ui.safeActiveElement(this.document[0]))&&this.collapseAll(e)}))},keydown:"_keydown"}),this.refresh(),this._on(this.document,{click:function(t){this._closeOnDocumentClick(t)&&this.collapseAll(t,!0),this.mouseHandled=!1}})},_activateItem:function(e){if(!this.previousFilter&&(e.clientX!==this.lastMousePosition.x||e.clientY!==this.lastMousePosition.y)){this.lastMousePosition={x:e.clientX,y:e.clientY};var i=t(e.target).closest(".ui-menu-item"),n=t(e.currentTarget);i[0]===n[0]&&(n.is(".ui-state-active")||(this._removeClass(n.siblings().children(".ui-state-active"),null,"ui-state-active"),this.focus(e,n)))}},_destroy:function(){var e=this.element.find(".ui-menu-item").removeAttr("role aria-disabled").children(".ui-menu-item-wrapper").removeUniqueId().removeAttr("tabIndex role aria-haspopup");this.element.removeAttr("aria-activedescendant").find(".ui-menu").addBack().removeAttr("role aria-labelledby aria-expanded aria-hidden aria-disabled tabIndex").removeUniqueId().show(),e.children().each((function(){var e=t(this);e.data("ui-menu-submenu-caret")&&e.remove()}))},_keydown:function(e){var i,n,o,r,s=!0;switch(e.keyCode){case t.ui.keyCode.PAGE_UP:this.previousPage(e);break;case t.ui.keyCode.PAGE_DOWN:this.nextPage(e);break;case t.ui.keyCode.HOME:this._move("first","first",e);break;case t.ui.keyCode.END:this._move("last","last",e);break;case t.ui.keyCode.UP:this.previous(e);break;case t.ui.keyCode.DOWN:this.next(e);break;case t.ui.keyCode.LEFT:this.collapse(e);break;case t.ui.keyCode.RIGHT:this.active&&!this.active.is(".ui-state-disabled")&&this.expand(e);break;case t.ui.keyCode.ENTER:case t.ui.keyCode.SPACE:this._activate(e);break;case t.ui.keyCode.ESCAPE:this.collapse(e);break;default:s=!1,n=this.previousFilter||"",r=!1,o=e.keyCode>=96&&e.keyCode<=105?(e.keyCode-96).toString():String.fromCharCode(e.keyCode),clearTimeout(this.filterTimer),o===n?r=!0:o=n+o,i=this._filterMenuItems(o),(i=r&&-1!==i.index(this.active.next())?this.active.nextAll(".ui-menu-item"):i).length||(o=String.fromCharCode(e.keyCode),i=this._filterMenuItems(o)),i.length?(this.focus(e,i),this.previousFilter=o,this.filterTimer=this._delay((function(){delete this.previousFilter}),1e3)):delete this.previousFilter}s&&e.preventDefault()},_activate:function(t){this.active&&!this.active.is(".ui-state-disabled")&&(this.active.children("[aria-haspopup='true']").length?this.expand(t):this.select(t))},refresh:function(){var e,i,n,o,r=this,s=this.options.icons.submenu,a=this.element.find(this.options.menus);this._toggleClass("ui-menu-icons",null,!!this.element.find(".ui-icon").length),i=a.filter(":not(.ui-menu)").hide().attr({role:this.options.role,"aria-hidden":"true","aria-expanded":"false"}).each((function(){var e=t(this),i=e.prev(),n=t("").data("ui-menu-submenu-caret",!0);r._addClass(n,"ui-menu-icon","ui-icon "+s),i.attr("aria-haspopup","true").prepend(n),e.attr("aria-labelledby",i.attr("id"))})),this._addClass(i,"ui-menu","ui-widget ui-widget-content ui-front"),(e=a.add(this.element).find(this.options.items)).not(".ui-menu-item").each((function(){var e=t(this);r._isDivider(e)&&r._addClass(e,"ui-menu-divider","ui-widget-content")})),o=(n=e.not(".ui-menu-item, .ui-menu-divider")).children().not(".ui-menu").uniqueId().attr({tabIndex:-1,role:this._itemRole()}),this._addClass(n,"ui-menu-item")._addClass(o,"ui-menu-item-wrapper"),e.filter(".ui-state-disabled").attr("aria-disabled","true"),this.active&&!t.contains(this.element[0],this.active[0])&&this.blur()},_itemRole:function(){return{menu:"menuitem",listbox:"option"}[this.options.role]},_setOption:function(t,e){if("icons"===t){var i=this.element.find(".ui-menu-icon");this._removeClass(i,null,this.options.icons.submenu)._addClass(i,null,e.submenu)}this._super(t,e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",String(t)),this._toggleClass(null,"ui-state-disabled",!!t)},focus:function(t,e){var i,n,o;this.blur(t,t&&"focus"===t.type),this._scrollIntoView(e),this.active=e.first(),n=this.active.children(".ui-menu-item-wrapper"),this._addClass(n,null,"ui-state-active"),this.options.role&&this.element.attr("aria-activedescendant",n.attr("id")),o=this.active.parent().closest(".ui-menu-item").children(".ui-menu-item-wrapper"),this._addClass(o,null,"ui-state-active"),t&&"keydown"===t.type?this._close():this.timer=this._delay((function(){this._close()}),this.delay),(i=e.children(".ui-menu")).length&&t&&/^mouse/.test(t.type)&&this._startOpening(i),this.activeMenu=e.parent(),this._trigger("focus",t,{item:e})},_scrollIntoView:function(e){var i,n,o,r,s,a;this._hasScroll()&&(i=parseFloat(t.css(this.activeMenu[0],"borderTopWidth"))||0,n=parseFloat(t.css(this.activeMenu[0],"paddingTop"))||0,o=e.offset().top-this.activeMenu.offset().top-i-n,r=this.activeMenu.scrollTop(),s=this.activeMenu.height(),a=e.outerHeight(),o<0?this.activeMenu.scrollTop(r+o):o+a>s&&this.activeMenu.scrollTop(r+o-s+a))},blur:function(t,e){e||clearTimeout(this.timer),this.active&&(this._removeClass(this.active.children(".ui-menu-item-wrapper"),null,"ui-state-active"),this._trigger("blur",t,{item:this.active}),this.active=null)},_startOpening:function(t){clearTimeout(this.timer),"true"===t.attr("aria-hidden")&&(this.timer=this._delay((function(){this._close(),this._open(t)}),this.delay))},_open:function(e){var i=t.extend({of:this.active},this.options.position);clearTimeout(this.timer),this.element.find(".ui-menu").not(e.parents(".ui-menu")).hide().attr("aria-hidden","true"),e.show().removeAttr("aria-hidden").attr("aria-expanded","true").position(i)},collapseAll:function(e,i){clearTimeout(this.timer),this.timer=this._delay((function(){var n=i?this.element:t(e&&e.target).closest(this.element.find(".ui-menu"));n.length||(n=this.element),this._close(n),this.blur(e),this._removeClass(n.find(".ui-state-active"),null,"ui-state-active"),this.activeMenu=n}),i?0:this.delay)},_close:function(t){t||(t=this.active?this.active.parent():this.element),t.find(".ui-menu").hide().attr("aria-hidden","true").attr("aria-expanded","false")},_closeOnDocumentClick:function(e){return!t(e.target).closest(".ui-menu").length},_isDivider:function(t){return!/[^\-\u2014\u2013\s]/.test(t.text())},collapse:function(t){var e=this.active&&this.active.parent().closest(".ui-menu-item",this.element);e&&e.length&&(this._close(),this.focus(t,e))},expand:function(t){var e=this.active&&this._menuItems(this.active.children(".ui-menu")).first();e&&e.length&&(this._open(e.parent()),this._delay((function(){this.focus(t,e)})))},next:function(t){this._move("next","first",t)},previous:function(t){this._move("prev","last",t)},isFirstItem:function(){return this.active&&!this.active.prevAll(".ui-menu-item").length},isLastItem:function(){return this.active&&!this.active.nextAll(".ui-menu-item").length},_menuItems:function(t){return(t||this.element).find(this.options.items).filter(".ui-menu-item")},_move:function(t,e,i){var n;this.active&&(n="first"===t||"last"===t?this.active["first"===t?"prevAll":"nextAll"](".ui-menu-item").last():this.active[t+"All"](".ui-menu-item").first()),n&&n.length&&this.active||(n=this._menuItems(this.activeMenu)[e]()),this.focus(i,n)},nextPage:function(e){var i,n,o;this.active?this.isLastItem()||(this._hasScroll()?(n=this.active.offset().top,o=this.element.innerHeight(),0===t.fn.jquery.indexOf("3.2.")&&(o+=this.element[0].offsetHeight-this.element.outerHeight()),this.active.nextAll(".ui-menu-item").each((function(){return(i=t(this)).offset().top-n-o<0})),this.focus(e,i)):this.focus(e,this._menuItems(this.activeMenu)[this.active?"last":"first"]())):this.next(e)},previousPage:function(e){var i,n,o;this.active?this.isFirstItem()||(this._hasScroll()?(n=this.active.offset().top,o=this.element.innerHeight(),0===t.fn.jquery.indexOf("3.2.")&&(o+=this.element[0].offsetHeight-this.element.outerHeight()),this.active.prevAll(".ui-menu-item").each((function(){return(i=t(this)).offset().top-n+o>0})),this.focus(e,i)):this.focus(e,this._menuItems(this.activeMenu).first())):this.next(e)},_hasScroll:function(){return this.element.outerHeight()",options:{appendTo:null,autoFocus:!1,delay:300,minLength:1,position:{my:"left top",at:"left bottom",collision:"none"},source:null,change:null,close:null,focus:null,open:null,response:null,search:null,select:null},requestIndex:0,pending:0,liveRegionTimer:null,_create:function(){var e,i,n,o=this.element[0].nodeName.toLowerCase(),r="textarea"===o,s="input"===o;this.isMultiLine=r||!s&&this._isContentEditable(this.element),this.valueMethod=this.element[r||s?"val":"text"],this.isNewMenu=!0,this._addClass("ui-autocomplete-input"),this.element.attr("autocomplete","off"),this._on(this.element,{keydown:function(o){if(this.element.prop("readOnly"))return e=!0,n=!0,void(i=!0);e=!1,n=!1,i=!1;var r=t.ui.keyCode;switch(o.keyCode){case r.PAGE_UP:e=!0,this._move("previousPage",o);break;case r.PAGE_DOWN:e=!0,this._move("nextPage",o);break;case r.UP:e=!0,this._keyEvent("previous",o);break;case r.DOWN:e=!0,this._keyEvent("next",o);break;case r.ENTER:this.menu.active&&(e=!0,o.preventDefault(),this.menu.select(o));break;case r.TAB:this.menu.active&&this.menu.select(o);break;case r.ESCAPE:this.menu.element.is(":visible")&&(this.isMultiLine||this._value(this.term),this.close(o),o.preventDefault());break;default:i=!0,this._searchTimeout(o)}},keypress:function(n){if(e)return e=!1,void(this.isMultiLine&&!this.menu.element.is(":visible")||n.preventDefault());if(!i){var o=t.ui.keyCode;switch(n.keyCode){case o.PAGE_UP:this._move("previousPage",n);break;case o.PAGE_DOWN:this._move("nextPage",n);break;case o.UP:this._keyEvent("previous",n);break;case o.DOWN:this._keyEvent("next",n)}}},input:function(t){if(n)return n=!1,void t.preventDefault();this._searchTimeout(t)},focus:function(){this.selectedItem=null,this.previous=this._value()},blur:function(t){clearTimeout(this.searching),this.close(t),this._change(t)}}),this._initSource(),this.menu=t("
      ").appendTo(this._appendTo()).menu({role:null}).hide().attr({unselectable:"on"}).menu("instance"),this._addClass(this.menu.element,"ui-autocomplete","ui-front"),this._on(this.menu.element,{mousedown:function(t){t.preventDefault()},menufocus:function(e,i){var n,o;if(this.isNewMenu&&(this.isNewMenu=!1,e.originalEvent&&/^mouse/.test(e.originalEvent.type)))return this.menu.blur(),void this.document.one("mousemove",(function(){t(e.target).trigger(e.originalEvent)}));o=i.item.data("ui-autocomplete-item"),!1!==this._trigger("focus",e,{item:o})&&e.originalEvent&&/^key/.test(e.originalEvent.type)&&this._value(o.value),(n=i.item.attr("aria-label")||o.value)&&String.prototype.trim.call(n).length&&(clearTimeout(this.liveRegionTimer),this.liveRegionTimer=this._delay((function(){this.liveRegion.html(t("
      ").text(n))}),100))},menuselect:function(e,i){var n=i.item.data("ui-autocomplete-item"),o=this.previous;this.element[0]!==t.ui.safeActiveElement(this.document[0])&&(this.element.trigger("focus"),this.previous=o,this._delay((function(){this.previous=o,this.selectedItem=n}))),!1!==this._trigger("select",e,{item:n})&&this._value(n.value),this.term=this._value(),this.close(e),this.selectedItem=n}}),this.liveRegion=t("
      ",{role:"status","aria-live":"assertive","aria-relevant":"additions"}).appendTo(this.document[0].body),this._addClass(this.liveRegion,null,"ui-helper-hidden-accessible"),this._on(this.window,{beforeunload:function(){this.element.removeAttr("autocomplete")}})},_destroy:function(){clearTimeout(this.searching),this.element.removeAttr("autocomplete"),this.menu.element.remove(),this.liveRegion.remove()},_setOption:function(t,e){this._super(t,e),"source"===t&&this._initSource(),"appendTo"===t&&this.menu.element.appendTo(this._appendTo()),"disabled"===t&&e&&this.xhr&&this.xhr.abort()},_isEventTargetInWidget:function(e){var i=this.menu.element[0];return e.target===this.element[0]||e.target===i||t.contains(i,e.target)},_closeOnClickOutside:function(t){this._isEventTargetInWidget(t)||this.close()},_appendTo:function(){var e=this.options.appendTo;return e&&(e=e.jquery||e.nodeType?t(e):this.document.find(e).eq(0)),e&&e[0]||(e=this.element.closest(".ui-front, dialog")),e.length||(e=this.document[0].body),e},_initSource:function(){var e,i,n=this;Array.isArray(this.options.source)?(e=this.options.source,this.source=function(i,n){n(t.ui.autocomplete.filter(e,i.term))}):"string"==typeof this.options.source?(i=this.options.source,this.source=function(e,o){n.xhr&&n.xhr.abort(),n.xhr=t.ajax({url:i,data:e,dataType:"json",success:function(t){o(t)},error:function(){o([])}})}):this.source=this.options.source},_searchTimeout:function(t){clearTimeout(this.searching),this.searching=this._delay((function(){var e=this.term===this._value(),i=this.menu.element.is(":visible"),n=t.altKey||t.ctrlKey||t.metaKey||t.shiftKey;e&&(!e||i||n)||(this.selectedItem=null,this.search(null,t))}),this.options.delay)},search:function(t,e){return t=null!=t?t:this._value(),this.term=this._value(),t.length").append(t("
      ").text(i.label)).appendTo(e)},_move:function(t,e){if(this.menu.element.is(":visible"))return this.menu.isFirstItem()&&/^previous/.test(t)||this.menu.isLastItem()&&/^next/.test(t)?(this.isMultiLine||this._value(this.term),void this.menu.blur()):void this.menu[t](e);this.search(null,e)},widget:function(){return this.menu.element},_value:function(){return this.valueMethod.apply(this.element,arguments)},_keyEvent:function(t,e){this.isMultiLine&&!this.menu.element.is(":visible")||(this._move(t,e),e.preventDefault())},_isContentEditable:function(t){if(!t.length)return!1;var e=t.prop("contentEditable");return"inherit"===e?this._isContentEditable(t.parent()):"true"===e}}),t.extend(t.ui.autocomplete,{escapeRegex:function(t){return t.replace(/[\-\[\]{}()*+?.,\\\^$|#\s]/g,"\\$&")},filter:function(e,i){var n=new RegExp(t.ui.autocomplete.escapeRegex(i),"i");return t.grep(e,(function(t){return n.test(t.label||t.value||t)}))}}),t.widget("ui.autocomplete",t.ui.autocomplete,{options:{messages:{noResults:"No search results.",results:function(t){return t+(t>1?" results are":" result is")+" available, use up and down arrow keys to navigate."}}},__response:function(e){var i;this._superApply(arguments),this.options.disabled||this.cancelSearch||(i=e&&e.length?this.options.messages.results(e.length):this.options.messages.noResults,clearTimeout(this.liveRegionTimer),this.liveRegionTimer=this._delay((function(){this.liveRegion.html(t("
      ").text(i))}),100))}}),t.ui.autocomplete;var D,S=/ui-corner-([a-z]){2,6}/g;function T(){this._curInst=null,this._keyEvent=!1,this._disabledInputs=[],this._datepickerShowing=!1,this._inDialog=!1,this._mainDivId="ui-datepicker-div",this._inlineClass="ui-datepicker-inline",this._appendClass="ui-datepicker-append",this._triggerClass="ui-datepicker-trigger",this._dialogClass="ui-datepicker-dialog",this._disableClass="ui-datepicker-disabled",this._unselectableClass="ui-datepicker-unselectable",this._currentClass="ui-datepicker-current-day",this._dayOverClass="ui-datepicker-days-cell-over",this.regional=[],this.regional[""]={closeText:"Done",prevText:"Prev",nextText:"Next",currentText:"Today",monthNames:["January","February","March","April","May","June","July","August","September","October","November","December"],monthNamesShort:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],dayNames:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],dayNamesShort:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],dayNamesMin:["Su","Mo","Tu","We","Th","Fr","Sa"],weekHeader:"Wk",dateFormat:"mm/dd/yy",firstDay:0,isRTL:!1,showMonthAfterYear:!1,yearSuffix:"",selectMonthLabel:"Select month",selectYearLabel:"Select year"},this._defaults={showOn:"focus",showAnim:"fadeIn",showOptions:{},defaultDate:null,appendText:"",buttonText:"...",buttonImage:"",buttonImageOnly:!1,hideIfNoPrevNext:!1,navigationAsDateFormat:!1,gotoCurrent:!1,changeMonth:!1,changeYear:!1,yearRange:"c-10:c+10",showOtherMonths:!1,selectOtherMonths:!1,showWeek:!1,calculateWeek:this.iso8601Week,shortYearCutoff:"+10",minDate:null,maxDate:null,duration:"fast",beforeShowDay:null,beforeShow:null,onSelect:null,onChangeMonthYear:null,onClose:null,onUpdateDatepicker:null,numberOfMonths:1,showCurrentAtPos:0,stepMonths:1,stepBigMonths:12,altField:"",altFormat:"",constrainInput:!0,showButtonPanel:!1,autoSize:!1,disabled:!1},t.extend(this._defaults,this.regional[""]),this.regional.en=t.extend(!0,{},this.regional[""]),this.regional["en-US"]=t.extend(!0,{},this.regional.en),this.dpDiv=O(t("
      "))}function O(e){var i="button, .ui-datepicker-prev, .ui-datepicker-next, .ui-datepicker-calendar td a";return e.on("mouseout",i,(function(){t(this).removeClass("ui-state-hover"),-1!==this.className.indexOf("ui-datepicker-prev")&&t(this).removeClass("ui-datepicker-prev-hover"),-1!==this.className.indexOf("ui-datepicker-next")&&t(this).removeClass("ui-datepicker-next-hover")})).on("mouseover",i,M)}function M(){t.datepicker._isDisabledDatepicker(D.inline?D.dpDiv.parent()[0]:D.input[0])||(t(this).parents(".ui-datepicker-calendar").find("a").removeClass("ui-state-hover"),t(this).addClass("ui-state-hover"),-1!==this.className.indexOf("ui-datepicker-prev")&&t(this).addClass("ui-datepicker-prev-hover"),-1!==this.className.indexOf("ui-datepicker-next")&&t(this).addClass("ui-datepicker-next-hover"))}function P(e,i){for(var n in t.extend(e,i),i)null==i[n]&&(e[n]=i[n]);return e}t.widget("ui.controlgroup",{version:"1.13.3",defaultElement:"
      ",options:{direction:"horizontal",disabled:null,onlyVisible:!0,items:{button:"input[type=button], input[type=submit], input[type=reset], button, a",controlgroupLabel:".ui-controlgroup-label",checkboxradio:"input[type='checkbox'], input[type='radio']",selectmenu:"select",spinner:".ui-spinner-input"}},_create:function(){this._enhance()},_enhance:function(){this.element.attr("role","toolbar"),this.refresh()},_destroy:function(){this._callChildMethod("destroy"),this.childWidgets.removeData("ui-controlgroup-data"),this.element.removeAttr("role"),this.options.items.controlgroupLabel&&this.element.find(this.options.items.controlgroupLabel).find(".ui-controlgroup-label-contents").contents().unwrap()},_initWidgets:function(){var e=this,i=[];t.each(this.options.items,(function(n,o){var r,s={};if(o)return"controlgroupLabel"===n?((r=e.element.find(o)).each((function(){var e=t(this);e.children(".ui-controlgroup-label-contents").length||e.contents().wrapAll("")})),e._addClass(r,null,"ui-widget ui-widget-content ui-state-default"),void(i=i.concat(r.get()))):void(t.fn[n]&&(s=e["_"+n+"Options"]?e["_"+n+"Options"]("middle"):{classes:{}},e.element.find(o).each((function(){var o=t(this),r=o[n]("instance"),a=t.widget.extend({},s);if("button"!==n||!o.parent(".ui-spinner").length){r||(r=o[n]()[n]("instance")),r&&(a.classes=e._resolveClassesValues(a.classes,r)),o[n](a);var c=o[n]("widget");t.data(c[0],"ui-controlgroup-data",r||o[n]("instance")),i.push(c[0])}}))))})),this.childWidgets=t(t.uniqueSort(i)),this._addClass(this.childWidgets,"ui-controlgroup-item")},_callChildMethod:function(e){this.childWidgets.each((function(){var i=t(this).data("ui-controlgroup-data");i&&i[e]&&i[e]()}))},_updateCornerClass:function(t,e){var i=this._buildSimpleOptions(e,"label").classes.label;this._removeClass(t,null,"ui-corner-top ui-corner-bottom ui-corner-left ui-corner-right ui-corner-all"),this._addClass(t,null,i)},_buildSimpleOptions:function(t,e){var i="vertical"===this.options.direction,n={classes:{}};return n.classes[e]={middle:"",first:"ui-corner-"+(i?"top":"left"),last:"ui-corner-"+(i?"bottom":"right"),only:"ui-corner-all"}[t],n},_spinnerOptions:function(t){var e=this._buildSimpleOptions(t,"ui-spinner");return e.classes["ui-spinner-up"]="",e.classes["ui-spinner-down"]="",e},_buttonOptions:function(t){return this._buildSimpleOptions(t,"ui-button")},_checkboxradioOptions:function(t){return this._buildSimpleOptions(t,"ui-checkboxradio-label")},_selectmenuOptions:function(t){var e="vertical"===this.options.direction;return{width:!!e&&"auto",classes:{middle:{"ui-selectmenu-button-open":"","ui-selectmenu-button-closed":""},first:{"ui-selectmenu-button-open":"ui-corner-"+(e?"top":"tl"),"ui-selectmenu-button-closed":"ui-corner-"+(e?"top":"left")},last:{"ui-selectmenu-button-open":e?"":"ui-corner-tr","ui-selectmenu-button-closed":"ui-corner-"+(e?"bottom":"right")},only:{"ui-selectmenu-button-open":"ui-corner-top","ui-selectmenu-button-closed":"ui-corner-all"}}[t]}},_resolveClassesValues:function(e,i){var n={};return t.each(e,(function(t){var o=i.options.classes[t]||"";o=String.prototype.trim.call(o.replace(S,"")),n[t]=(o+" "+e[t]).replace(/\s+/g," ")})),n},_setOption:function(t,e){"direction"===t&&this._removeClass("ui-controlgroup-"+this.options.direction),this._super(t,e),"disabled"!==t?this.refresh():this._callChildMethod(e?"disable":"enable")},refresh:function(){var e,i=this;this._addClass("ui-controlgroup ui-controlgroup-"+this.options.direction),"horizontal"===this.options.direction&&this._addClass(null,"ui-helper-clearfix"),this._initWidgets(),e=this.childWidgets,this.options.onlyVisible&&(e=e.filter(":visible")),e.length&&(t.each(["first","last"],(function(t,n){var o=e[n]().data("ui-controlgroup-data");if(o&&i["_"+o.widgetName+"Options"]){var r=i["_"+o.widgetName+"Options"](1===e.length?"only":n);r.classes=i._resolveClassesValues(r.classes,o),o.element[o.widgetName](r)}else i._updateCornerClass(e[n](),n)})),this._callChildMethod("refresh"))}}),t.widget("ui.checkboxradio",[t.ui.formResetMixin,{version:"1.13.3",options:{disabled:null,label:null,icon:!0,classes:{"ui-checkboxradio-label":"ui-corner-all","ui-checkboxradio-icon":"ui-corner-all"}},_getCreateOptions:function(){var e,i,n,o=this._super()||{};return this._readType(),i=this.element.labels(),this.label=t(i[i.length-1]),this.label.length||t.error("No label found for checkboxradio widget"),this.originalLabel="",(n=this.label.contents().not(this.element[0])).length&&(this.originalLabel+=n.clone().wrapAll("
      ").parent().html()),this.originalLabel&&(o.label=this.originalLabel),null!=(e=this.element[0].disabled)&&(o.disabled=e),o},_create:function(){var t=this.element[0].checked;this._bindFormResetHandler(),null==this.options.disabled&&(this.options.disabled=this.element[0].disabled),this._setOption("disabled",this.options.disabled),this._addClass("ui-checkboxradio","ui-helper-hidden-accessible"),this._addClass(this.label,"ui-checkboxradio-label","ui-button ui-widget"),"radio"===this.type&&this._addClass(this.label,"ui-checkboxradio-radio-label"),this.options.label&&this.options.label!==this.originalLabel?this._updateLabel():this.originalLabel&&(this.options.label=this.originalLabel),this._enhance(),t&&this._addClass(this.label,"ui-checkboxradio-checked","ui-state-active"),this._on({change:"_toggleClasses",focus:function(){this._addClass(this.label,null,"ui-state-focus ui-visual-focus")},blur:function(){this._removeClass(this.label,null,"ui-state-focus ui-visual-focus")}})},_readType:function(){var e=this.element[0].nodeName.toLowerCase();this.type=this.element[0].type,"input"===e&&/radio|checkbox/.test(this.type)||t.error("Can't create checkboxradio on element.nodeName="+e+" and element.type="+this.type)},_enhance:function(){this._updateIcon(this.element[0].checked)},widget:function(){return this.label},_getRadioGroup:function(){var e=this.element[0].name,i="input[name='"+t.escapeSelector(e)+"']";return e?(this.form.length?t(this.form[0].elements).filter(i):t(i).filter((function(){return 0===t(this)._form().length}))).not(this.element):t([])},_toggleClasses:function(){var e=this.element[0].checked;this._toggleClass(this.label,"ui-checkboxradio-checked","ui-state-active",e),this.options.icon&&"checkbox"===this.type&&this._toggleClass(this.icon,null,"ui-icon-check ui-state-checked",e)._toggleClass(this.icon,null,"ui-icon-blank",!e),"radio"===this.type&&this._getRadioGroup().each((function(){var e=t(this).checkboxradio("instance");e&&e._removeClass(e.label,"ui-checkboxradio-checked","ui-state-active")}))},_destroy:function(){this._unbindFormResetHandler(),this.icon&&(this.icon.remove(),this.iconSpace.remove())},_setOption:function(t,e){if("label"!==t||e){if(this._super(t,e),"disabled"===t)return this._toggleClass(this.label,null,"ui-state-disabled",e),void(this.element[0].disabled=e);this.refresh()}},_updateIcon:function(e){var i="ui-icon ui-icon-background ";this.options.icon?(this.icon||(this.icon=t(""),this.iconSpace=t(" "),this._addClass(this.iconSpace,"ui-checkboxradio-icon-space")),"checkbox"===this.type?(i+=e?"ui-icon-check ui-state-checked":"ui-icon-blank",this._removeClass(this.icon,null,e?"ui-icon-blank":"ui-icon-check")):i+="ui-icon-blank",this._addClass(this.icon,"ui-checkboxradio-icon",i),e||this._removeClass(this.icon,null,"ui-icon-check ui-state-checked"),this.icon.prependTo(this.label).after(this.iconSpace)):void 0!==this.icon&&(this.icon.remove(),this.iconSpace.remove(),delete this.icon)},_updateLabel:function(){var t=this.label.contents().not(this.element[0]);this.icon&&(t=t.not(this.icon[0])),this.iconSpace&&(t=t.not(this.iconSpace[0])),t.remove(),this.label.append(this.options.label)},refresh:function(){var t=this.element[0].checked,e=this.element[0].disabled;this._updateIcon(t),this._toggleClass(this.label,"ui-checkboxradio-checked","ui-state-active",t),null!==this.options.label&&this._updateLabel(),e!==this.options.disabled&&this._setOptions({disabled:e})}}]),t.ui.checkboxradio,t.widget("ui.button",{version:"1.13.3",defaultElement:"
      "+(G[0]>0&&B===G[1]-1?"
      ":""):"")}x+=k}return x+=u,e._keyEvent=!1,x},_generateMonthYearHeader:function(t,e,i,n,o,r,s,a){var c,l,u,h,d,p,A,f,g=this._get(t,"changeMonth"),m=this._get(t,"changeYear"),C=this._get(t,"showMonthAfterYear"),b=this._get(t,"selectMonthLabel"),v=this._get(t,"selectYearLabel"),x="
      ",y="";if(r||!g)y+=""+s[e]+"";else{for(c=n&&n.getFullYear()===i,l=o&&o.getFullYear()===i,y+=""}if(C||(x+=y+(!r&&g&&m?"":" ")),!t.yearshtml)if(t.yearshtml="",r||!m)x+=""+i+"";else{for(h=this._get(t,"yearRange").split(":"),d=(new Date).getFullYear(),p=function(t){var e=t.match(/c[+\-].*/)?i+parseInt(t.substring(1),10):t.match(/[+\-].*/)?d+parseInt(t,10):parseInt(t,10);return isNaN(e)?d:e},A=p(h[0]),f=Math.max(A,p(h[1]||"")),A=n?Math.max(A,n.getFullYear()):A,f=o?Math.min(f,o.getFullYear()):f,t.yearshtml+="",x+=t.yearshtml,t.yearshtml=null}return x+=this._get(t,"yearSuffix"),C&&(x+=(!r&&g&&m?"":" ")+y),x+"
      "},_adjustInstDate:function(t,e,i){var n=t.selectedYear+("Y"===i?e:0),o=t.selectedMonth+("M"===i?e:0),r=Math.min(t.selectedDay,this._getDaysInMonth(n,o))+("D"===i?e:0),s=this._restrictMinMax(t,this._daylightSavingAdjust(new Date(n,o,r)));t.selectedDay=s.getDate(),t.drawMonth=t.selectedMonth=s.getMonth(),t.drawYear=t.selectedYear=s.getFullYear(),"M"!==i&&"Y"!==i||this._notifyChange(t)},_restrictMinMax:function(t,e){var i=this._getMinMaxDate(t,"min"),n=this._getMinMaxDate(t,"max"),o=i&&en?n:o},_notifyChange:function(t){var e=this._get(t,"onChangeMonthYear");e&&e.apply(t.input?t.input[0]:null,[t.selectedYear,t.selectedMonth+1,t])},_getNumberOfMonths:function(t){var e=this._get(t,"numberOfMonths");return null==e?[1,1]:"number"==typeof e?[1,e]:e},_getMinMaxDate:function(t,e){return this._determineDate(t,this._get(t,e+"Date"),null)},_getDaysInMonth:function(t,e){return 32-this._daylightSavingAdjust(new Date(t,e,32)).getDate()},_getFirstDayOfMonth:function(t,e){return new Date(t,e,1).getDay()},_canAdjustMonth:function(t,e,i,n){var o=this._getNumberOfMonths(t),r=this._daylightSavingAdjust(new Date(i,n+(e<0?e:o[0]*o[1]),1));return e<0&&r.setDate(this._getDaysInMonth(r.getFullYear(),r.getMonth())),this._isInRange(t,r)},_isInRange:function(t,e){var i,n,o=this._getMinMaxDate(t,"min"),r=this._getMinMaxDate(t,"max"),s=null,a=null,c=this._get(t,"yearRange");return c&&(i=c.split(":"),n=(new Date).getFullYear(),s=parseInt(i[0],10),a=parseInt(i[1],10),i[0].match(/[+\-].*/)&&(s+=n),i[1].match(/[+\-].*/)&&(a+=n)),(!o||e.getTime()>=o.getTime())&&(!r||e.getTime()<=r.getTime())&&(!s||e.getFullYear()>=s)&&(!a||e.getFullYear()<=a)},_getFormatConfig:function(t){var e=this._get(t,"shortYearCutoff");return{shortYearCutoff:e="string"!=typeof e?e:(new Date).getFullYear()%100+parseInt(e,10),dayNamesShort:this._get(t,"dayNamesShort"),dayNames:this._get(t,"dayNames"),monthNamesShort:this._get(t,"monthNamesShort"),monthNames:this._get(t,"monthNames")}},_formatDate:function(t,e,i,n){e||(t.currentDay=t.selectedDay,t.currentMonth=t.selectedMonth,t.currentYear=t.selectedYear);var o=e?"object"==typeof e?e:this._daylightSavingAdjust(new Date(n,i,e)):this._daylightSavingAdjust(new Date(t.currentYear,t.currentMonth,t.currentDay));return this.formatDate(this._get(t,"dateFormat"),o,this._getFormatConfig(t))}}),t.fn.datepicker=function(e){if(!this.length)return this;t.datepicker.initialized||(t(document).on("mousedown",t.datepicker._checkExternalClick),t.datepicker.initialized=!0),0===t("#"+t.datepicker._mainDivId).length&&t("body").append(t.datepicker.dpDiv);var i=Array.prototype.slice.call(arguments,1);return"string"!=typeof e||"isDisabled"!==e&&"getDate"!==e&&"widget"!==e?"option"===e&&2===arguments.length&&"string"==typeof arguments[1]?t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this[0]].concat(i)):this.each((function(){"string"==typeof e?t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this].concat(i)):t.datepicker._attachDatepicker(this,e)})):t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this[0]].concat(i))},t.datepicker=new T,t.datepicker.initialized=!1,t.datepicker.uuid=(new Date).getTime(),t.datepicker.version="1.13.3",t.datepicker,t.ui.ie=!!/msie [\w.]+/.exec(navigator.userAgent.toLowerCase());var R,N=!1;function H(t){return function(){var e=this.element.val();t.apply(this,arguments),this._refresh(),e!==this.element.val()&&this._trigger("change")}}t(document).on("mouseup",(function(){N=!1})),t.widget("ui.mouse",{version:"1.13.3",options:{cancel:"input, textarea, button, select, option",distance:1,delay:0},_mouseInit:function(){var e=this;this.element.on("mousedown."+this.widgetName,(function(t){return e._mouseDown(t)})).on("click."+this.widgetName,(function(i){if(!0===t.data(i.target,e.widgetName+".preventClickEvent"))return t.removeData(i.target,e.widgetName+".preventClickEvent"),i.stopImmediatePropagation(),!1})),this.started=!1},_mouseDestroy:function(){this.element.off("."+this.widgetName),this._mouseMoveDelegate&&this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate)},_mouseDown:function(e){if(!N){this._mouseMoved=!1,this._mouseStarted&&this._mouseUp(e),this._mouseDownEvent=e;var i=this,n=1===e.which,o=!("string"!=typeof this.options.cancel||!e.target.nodeName)&&t(e.target).closest(this.options.cancel).length;return!(n&&!o&&this._mouseCapture(e)&&(this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout((function(){i.mouseDelayMet=!0}),this.options.delay)),this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=!1!==this._mouseStart(e),!this._mouseStarted)?(e.preventDefault(),0):(!0===t.data(e.target,this.widgetName+".preventClickEvent")&&t.removeData(e.target,this.widgetName+".preventClickEvent"),this._mouseMoveDelegate=function(t){return i._mouseMove(t)},this._mouseUpDelegate=function(t){return i._mouseUp(t)},this.document.on("mousemove."+this.widgetName,this._mouseMoveDelegate).on("mouseup."+this.widgetName,this._mouseUpDelegate),e.preventDefault(),N=!0,0)))}},_mouseMove:function(e){if(this._mouseMoved){if(t.ui.ie&&(!document.documentMode||document.documentMode<9)&&!e.button)return this._mouseUp(e);if(!e.which)if(e.originalEvent.altKey||e.originalEvent.ctrlKey||e.originalEvent.metaKey||e.originalEvent.shiftKey)this.ignoreMissingWhich=!0;else if(!this.ignoreMissingWhich)return this._mouseUp(e)}return(e.which||e.button)&&(this._mouseMoved=!0),this._mouseStarted?(this._mouseDrag(e),e.preventDefault()):(this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=!1!==this._mouseStart(this._mouseDownEvent,e),this._mouseStarted?this._mouseDrag(e):this._mouseUp(e)),!this._mouseStarted)},_mouseUp:function(e){this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,e.target===this._mouseDownEvent.target&&t.data(e.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(e)),this._mouseDelayTimer&&(clearTimeout(this._mouseDelayTimer),delete this._mouseDelayTimer),this.ignoreMissingWhich=!1,N=!1,e.preventDefault()},_mouseDistanceMet:function(t){return Math.max(Math.abs(this._mouseDownEvent.pageX-t.pageX),Math.abs(this._mouseDownEvent.pageY-t.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}}),t.ui.plugin={add:function(e,i,n){var o,r=t.ui[e].prototype;for(o in n)r.plugins[o]=r.plugins[o]||[],r.plugins[o].push([i,n[o]])},call:function(t,e,i,n){var o,r=t.plugins[e];if(r&&(n||t.element[0].parentNode&&11!==t.element[0].parentNode.nodeType))for(o=0;o0||(this.handle=this._getHandle(e),!this.handle||(this._blurActiveElement(e),this._blockFrames(!0===i.iframeFix?"iframe":i.iframeFix),0)))},_blockFrames:function(e){this.iframeBlocks=this.document.find(e).map((function(){var e=t(this);return t("
      ").css("position","absolute").appendTo(e.parent()).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()).offset(e.offset())[0]}))},_unblockFrames:function(){this.iframeBlocks&&(this.iframeBlocks.remove(),delete this.iframeBlocks)},_blurActiveElement:function(e){var i=t.ui.safeActiveElement(this.document[0]);t(e.target).closest(i).length||t.ui.safeBlur(i)},_mouseStart:function(e){var i=this.options;return this.helper=this._createHelper(e),this._addClass(this.helper,"ui-draggable-dragging"),this._cacheHelperProportions(),t.ui.ddmanager&&(t.ui.ddmanager.current=this),this._cacheMargins(),this.cssPosition=this.helper.css("position"),this.scrollParent=this.helper.scrollParent(!0),this.offsetParent=this.helper.offsetParent(),this.hasFixedAncestor=this.helper.parents().filter((function(){return"fixed"===t(this).css("position")})).length>0,this.positionAbs=this.element.offset(),this._refreshOffsets(e),this.originalPosition=this.position=this._generatePosition(e,!1),this.originalPageX=e.pageX,this.originalPageY=e.pageY,i.cursorAt&&this._adjustOffsetFromHelper(i.cursorAt),this._setContainment(),!1===this._trigger("start",e)?(this._clear(),!1):(this._cacheHelperProportions(),t.ui.ddmanager&&!i.dropBehaviour&&t.ui.ddmanager.prepareOffsets(this,e),this._mouseDrag(e,!0),t.ui.ddmanager&&t.ui.ddmanager.dragStart(this,e),!0)},_refreshOffsets:function(t){this.offset={top:this.positionAbs.top-this.margins.top,left:this.positionAbs.left-this.margins.left,scroll:!1,parent:this._getParentOffset(),relative:this._getRelativeOffset()},this.offset.click={left:t.pageX-this.offset.left,top:t.pageY-this.offset.top}},_mouseDrag:function(e,i){if(this.hasFixedAncestor&&(this.offset.parent=this._getParentOffset()),this.position=this._generatePosition(e,!0),this.positionAbs=this._convertPositionTo("absolute"),!i){var n=this._uiHash();if(!1===this._trigger("drag",e,n))return this._mouseUp(new t.Event("mouseup",e)),!1;this.position=n.position}return this.helper[0].style.left=this.position.left+"px",this.helper[0].style.top=this.position.top+"px",t.ui.ddmanager&&t.ui.ddmanager.drag(this,e),!1},_mouseStop:function(e){var i=this,n=!1;return t.ui.ddmanager&&!this.options.dropBehaviour&&(n=t.ui.ddmanager.drop(this,e)),this.dropped&&(n=this.dropped,this.dropped=!1),"invalid"===this.options.revert&&!n||"valid"===this.options.revert&&n||!0===this.options.revert||"function"==typeof this.options.revert&&this.options.revert.call(this.element,n)?t(this.helper).animate(this.originalPosition,parseInt(this.options.revertDuration,10),(function(){!1!==i._trigger("stop",e)&&i._clear()})):!1!==this._trigger("stop",e)&&this._clear(),!1},_mouseUp:function(e){return this._unblockFrames(),t.ui.ddmanager&&t.ui.ddmanager.dragStop(this,e),this.handleElement.is(e.target)&&this.element.trigger("focus"),t.ui.mouse.prototype._mouseUp.call(this,e)},cancel:function(){return this.helper.is(".ui-draggable-dragging")?this._mouseUp(new t.Event("mouseup",{target:this.element[0]})):this._clear(),this},_getHandle:function(e){return!this.options.handle||!!t(e.target).closest(this.element.find(this.options.handle)).length},_setHandleClassName:function(){this.handleElement=this.options.handle?this.element.find(this.options.handle):this.element,this._addClass(this.handleElement,"ui-draggable-handle")},_removeHandleClassName:function(){this._removeClass(this.handleElement,"ui-draggable-handle")},_createHelper:function(e){var i=this.options,n="function"==typeof i.helper,o=n?t(i.helper.apply(this.element[0],[e])):"clone"===i.helper?this.element.clone().removeAttr("id"):this.element;return o.parents("body").length||o.appendTo("parent"===i.appendTo?this.element[0].parentNode:i.appendTo),n&&o[0]===this.element[0]&&this._setPositionRelative(),o[0]===this.element[0]||/(fixed|absolute)/.test(o.css("position"))||o.css("position","absolute"),o},_setPositionRelative:function(){/^(?:r|a|f)/.test(this.element.css("position"))||(this.element[0].style.position="relative")},_adjustOffsetFromHelper:function(t){"string"==typeof t&&(t=t.split(" ")),Array.isArray(t)&&(t={left:+t[0],top:+t[1]||0}),"left"in t&&(this.offset.click.left=t.left+this.margins.left),"right"in t&&(this.offset.click.left=this.helperProportions.width-t.right+this.margins.left),"top"in t&&(this.offset.click.top=t.top+this.margins.top),"bottom"in t&&(this.offset.click.top=this.helperProportions.height-t.bottom+this.margins.top)},_isRootNode:function(t){return/(html|body)/i.test(t.tagName)||t===this.document[0]},_getParentOffset:function(){var e=this.offsetParent.offset(),i=this.document[0];return"absolute"===this.cssPosition&&this.scrollParent[0]!==i&&t.contains(this.scrollParent[0],this.offsetParent[0])&&(e.left+=this.scrollParent.scrollLeft(),e.top+=this.scrollParent.scrollTop()),this._isRootNode(this.offsetParent[0])&&(e={top:0,left:0}),{top:e.top+(parseInt(this.offsetParent.css("borderTopWidth"),10)||0),left:e.left+(parseInt(this.offsetParent.css("borderLeftWidth"),10)||0)}},_getRelativeOffset:function(){if("relative"!==this.cssPosition)return{top:0,left:0};var t=this.element.position(),e=this._isRootNode(this.scrollParent[0]);return{top:t.top-(parseInt(this.helper.css("top"),10)||0)+(e?0:this.scrollParent.scrollTop()),left:t.left-(parseInt(this.helper.css("left"),10)||0)+(e?0:this.scrollParent.scrollLeft())}},_cacheMargins:function(){this.margins={left:parseInt(this.element.css("marginLeft"),10)||0,top:parseInt(this.element.css("marginTop"),10)||0,right:parseInt(this.element.css("marginRight"),10)||0,bottom:parseInt(this.element.css("marginBottom"),10)||0}},_cacheHelperProportions:function(){this.helperProportions={width:this.helper.outerWidth(),height:this.helper.outerHeight()}},_setContainment:function(){var e,i,n,o=this.options,r=this.document[0];this.relativeContainer=null,o.containment?"window"!==o.containment?"document"!==o.containment?o.containment.constructor!==Array?("parent"===o.containment&&(o.containment=this.helper[0].parentNode),(n=(i=t(o.containment))[0])&&(e=/(scroll|auto)/.test(i.css("overflow")),this.containment=[(parseInt(i.css("borderLeftWidth"),10)||0)+(parseInt(i.css("paddingLeft"),10)||0),(parseInt(i.css("borderTopWidth"),10)||0)+(parseInt(i.css("paddingTop"),10)||0),(e?Math.max(n.scrollWidth,n.offsetWidth):n.offsetWidth)-(parseInt(i.css("borderRightWidth"),10)||0)-(parseInt(i.css("paddingRight"),10)||0)-this.helperProportions.width-this.margins.left-this.margins.right,(e?Math.max(n.scrollHeight,n.offsetHeight):n.offsetHeight)-(parseInt(i.css("borderBottomWidth"),10)||0)-(parseInt(i.css("paddingBottom"),10)||0)-this.helperProportions.height-this.margins.top-this.margins.bottom],this.relativeContainer=i)):this.containment=o.containment:this.containment=[0,0,t(r).width()-this.helperProportions.width-this.margins.left,(t(r).height()||r.body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top]:this.containment=[t(window).scrollLeft()-this.offset.relative.left-this.offset.parent.left,t(window).scrollTop()-this.offset.relative.top-this.offset.parent.top,t(window).scrollLeft()+t(window).width()-this.helperProportions.width-this.margins.left,t(window).scrollTop()+(t(window).height()||r.body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top]:this.containment=null},_convertPositionTo:function(t,e){e||(e=this.position);var i="absolute"===t?1:-1,n=this._isRootNode(this.scrollParent[0]);return{top:e.top+this.offset.relative.top*i+this.offset.parent.top*i-("fixed"===this.cssPosition?-this.offset.scroll.top:n?0:this.offset.scroll.top)*i,left:e.left+this.offset.relative.left*i+this.offset.parent.left*i-("fixed"===this.cssPosition?-this.offset.scroll.left:n?0:this.offset.scroll.left)*i}},_generatePosition:function(t,e){var i,n,o,r,s=this.options,a=this._isRootNode(this.scrollParent[0]),c=t.pageX,l=t.pageY;return a&&this.offset.scroll||(this.offset.scroll={top:this.scrollParent.scrollTop(),left:this.scrollParent.scrollLeft()}),e&&(this.containment&&(this.relativeContainer?(n=this.relativeContainer.offset(),i=[this.containment[0]+n.left,this.containment[1]+n.top,this.containment[2]+n.left,this.containment[3]+n.top]):i=this.containment,t.pageX-this.offset.click.lefti[2]&&(c=i[2]+this.offset.click.left),t.pageY-this.offset.click.top>i[3]&&(l=i[3]+this.offset.click.top)),s.grid&&(o=s.grid[1]?this.originalPageY+Math.round((l-this.originalPageY)/s.grid[1])*s.grid[1]:this.originalPageY,l=i?o-this.offset.click.top>=i[1]||o-this.offset.click.top>i[3]?o:o-this.offset.click.top>=i[1]?o-s.grid[1]:o+s.grid[1]:o,r=s.grid[0]?this.originalPageX+Math.round((c-this.originalPageX)/s.grid[0])*s.grid[0]:this.originalPageX,c=i?r-this.offset.click.left>=i[0]||r-this.offset.click.left>i[2]?r:r-this.offset.click.left>=i[0]?r-s.grid[0]:r+s.grid[0]:r),"y"===s.axis&&(c=this.originalPageX),"x"===s.axis&&(l=this.originalPageY)),{top:l-this.offset.click.top-this.offset.relative.top-this.offset.parent.top+("fixed"===this.cssPosition?-this.offset.scroll.top:a?0:this.offset.scroll.top),left:c-this.offset.click.left-this.offset.relative.left-this.offset.parent.left+("fixed"===this.cssPosition?-this.offset.scroll.left:a?0:this.offset.scroll.left)}},_clear:function(){this._removeClass(this.helper,"ui-draggable-dragging"),this.helper[0]===this.element[0]||this.cancelHelperRemoval||this.helper.remove(),this.helper=null,this.cancelHelperRemoval=!1,this.destroyOnClear&&this.destroy()},_trigger:function(e,i,n){return n=n||this._uiHash(),t.ui.plugin.call(this,e,[i,n,this],!0),/^(drag|start|stop)/.test(e)&&(this.positionAbs=this._convertPositionTo("absolute"),n.offset=this.positionAbs),t.Widget.prototype._trigger.call(this,e,i,n)},plugins:{},_uiHash:function(){return{helper:this.helper,position:this.position,originalPosition:this.originalPosition,offset:this.positionAbs}}}),t.ui.plugin.add("draggable","connectToSortable",{start:function(e,i,n){var o=t.extend({},i,{item:n.element});n.sortables=[],t(n.options.connectToSortable).each((function(){var i=t(this).sortable("instance");i&&!i.options.disabled&&(n.sortables.push(i),i.refreshPositions(),i._trigger("activate",e,o))}))},stop:function(e,i,n){var o=t.extend({},i,{item:n.element});n.cancelHelperRemoval=!1,t.each(n.sortables,(function(){var t=this;t.isOver?(t.isOver=0,n.cancelHelperRemoval=!0,t.cancelHelperRemoval=!1,t._storedCSS={position:t.placeholder.css("position"),top:t.placeholder.css("top"),left:t.placeholder.css("left")},t._mouseStop(e),t.options.helper=t.options._helper):(t.cancelHelperRemoval=!0,t._trigger("deactivate",e,o))}))},drag:function(e,i,n){t.each(n.sortables,(function(){var o=!1,r=this;r.positionAbs=n.positionAbs,r.helperProportions=n.helperProportions,r.offset.click=n.offset.click,r._intersectsWith(r.containerCache)&&(o=!0,t.each(n.sortables,(function(){return this.positionAbs=n.positionAbs,this.helperProportions=n.helperProportions,this.offset.click=n.offset.click,this!==r&&this._intersectsWith(this.containerCache)&&t.contains(r.element[0],this.element[0])&&(o=!1),o}))),o?(r.isOver||(r.isOver=1,n._parent=i.helper.parent(),r.currentItem=i.helper.appendTo(r.element).data("ui-sortable-item",!0),r.options._helper=r.options.helper,r.options.helper=function(){return i.helper[0]},e.target=r.currentItem[0],r._mouseCapture(e,!0),r._mouseStart(e,!0,!0),r.offset.click.top=n.offset.click.top,r.offset.click.left=n.offset.click.left,r.offset.parent.left-=n.offset.parent.left-r.offset.parent.left,r.offset.parent.top-=n.offset.parent.top-r.offset.parent.top,n._trigger("toSortable",e),n.dropped=r.element,t.each(n.sortables,(function(){this.refreshPositions()})),n.currentItem=n.element,r.fromOutside=n),r.currentItem&&(r._mouseDrag(e),i.position=r.position)):r.isOver&&(r.isOver=0,r.cancelHelperRemoval=!0,r.options._revert=r.options.revert,r.options.revert=!1,r._trigger("out",e,r._uiHash(r)),r._mouseStop(e,!0),r.options.revert=r.options._revert,r.options.helper=r.options._helper,r.placeholder&&r.placeholder.remove(),i.helper.appendTo(n._parent),n._refreshOffsets(e),i.position=n._generatePosition(e,!0),n._trigger("fromSortable",e),n.dropped=!1,t.each(n.sortables,(function(){this.refreshPositions()})))}))}}),t.ui.plugin.add("draggable","cursor",{start:function(e,i,n){var o=t("body"),r=n.options;o.css("cursor")&&(r._cursor=o.css("cursor")),o.css("cursor",r.cursor)},stop:function(e,i,n){var o=n.options;o._cursor&&t("body").css("cursor",o._cursor)}}),t.ui.plugin.add("draggable","opacity",{start:function(e,i,n){var o=t(i.helper),r=n.options;o.css("opacity")&&(r._opacity=o.css("opacity")),o.css("opacity",r.opacity)},stop:function(e,i,n){var o=n.options;o._opacity&&t(i.helper).css("opacity",o._opacity)}}),t.ui.plugin.add("draggable","scroll",{start:function(t,e,i){i.scrollParentNotHidden||(i.scrollParentNotHidden=i.helper.scrollParent(!1)),i.scrollParentNotHidden[0]!==i.document[0]&&"HTML"!==i.scrollParentNotHidden[0].tagName&&(i.overflowOffset=i.scrollParentNotHidden.offset())},drag:function(e,i,n){var o=n.options,r=!1,s=n.scrollParentNotHidden[0],a=n.document[0];s!==a&&"HTML"!==s.tagName?(o.axis&&"x"===o.axis||(n.overflowOffset.top+s.offsetHeight-e.pageY=0;d--)l=(c=n.snapElements[d].left-n.margins.left)+n.snapElements[d].width,h=(u=n.snapElements[d].top-n.margins.top)+n.snapElements[d].height,ml+f||bh+f||!t.contains(n.snapElements[d].item.ownerDocument,n.snapElements[d].item)?(n.snapElements[d].snapping&&n.options.snap.release&&n.options.snap.release.call(n.element,e,t.extend(n._uiHash(),{snapItem:n.snapElements[d].item})),n.snapElements[d].snapping=!1):("inner"!==A.snapMode&&(o=Math.abs(u-b)<=f,r=Math.abs(h-C)<=f,s=Math.abs(c-m)<=f,a=Math.abs(l-g)<=f,o&&(i.position.top=n._convertPositionTo("relative",{top:u-n.helperProportions.height,left:0}).top),r&&(i.position.top=n._convertPositionTo("relative",{top:h,left:0}).top),s&&(i.position.left=n._convertPositionTo("relative",{top:0,left:c-n.helperProportions.width}).left),a&&(i.position.left=n._convertPositionTo("relative",{top:0,left:l}).left)),p=o||r||s||a,"outer"!==A.snapMode&&(o=Math.abs(u-C)<=f,r=Math.abs(h-b)<=f,s=Math.abs(c-g)<=f,a=Math.abs(l-m)<=f,o&&(i.position.top=n._convertPositionTo("relative",{top:u,left:0}).top),r&&(i.position.top=n._convertPositionTo("relative",{top:h-n.helperProportions.height,left:0}).top),s&&(i.position.left=n._convertPositionTo("relative",{top:0,left:c}).left),a&&(i.position.left=n._convertPositionTo("relative",{top:0,left:l-n.helperProportions.width}).left)),!n.snapElements[d].snapping&&(o||r||s||a||p)&&n.options.snap.snap&&n.options.snap.snap.call(n.element,e,t.extend(n._uiHash(),{snapItem:n.snapElements[d].item})),n.snapElements[d].snapping=o||r||s||a||p)}}),t.ui.plugin.add("draggable","stack",{start:function(e,i,n){var o,r=n.options,s=t.makeArray(t(r.stack)).sort((function(e,i){return(parseInt(t(e).css("zIndex"),10)||0)-(parseInt(t(i).css("zIndex"),10)||0)}));s.length&&(o=parseInt(t(s[0]).css("zIndex"),10)||0,t(s).each((function(e){t(this).css("zIndex",o+e)})),this.css("zIndex",o+s.length))}}),t.ui.plugin.add("draggable","zIndex",{start:function(e,i,n){var o=t(i.helper),r=n.options;o.css("zIndex")&&(r._zIndex=o.css("zIndex")),o.css("zIndex",r.zIndex)},stop:function(e,i,n){var o=n.options;o._zIndex&&t(i.helper).css("zIndex",o._zIndex)}}),t.ui.draggable,t.widget("ui.resizable",t.ui.mouse,{version:"1.13.3",widgetEventPrefix:"resize",options:{alsoResize:!1,animate:!1,animateDuration:"slow",animateEasing:"swing",aspectRatio:!1,autoHide:!1,classes:{"ui-resizable-se":"ui-icon ui-icon-gripsmall-diagonal-se"},containment:!1,ghost:!1,grid:!1,handles:"e,s,se",helper:!1,maxHeight:null,maxWidth:null,minHeight:10,minWidth:10,zIndex:90,resize:null,start:null,stop:null},_num:function(t){return parseFloat(t)||0},_isNumber:function(t){return!isNaN(parseFloat(t))},_hasScroll:function(e,i){if("hidden"===t(e).css("overflow"))return!1;var n=i&&"left"===i?"scrollLeft":"scrollTop",o=!1;if(e[n]>0)return!0;try{e[n]=1,o=e[n]>0,e[n]=0}catch(t){}return o},_create:function(){var e,i=this.options,n=this;this._addClass("ui-resizable"),t.extend(this,{_aspectRatio:!!i.aspectRatio,aspectRatio:i.aspectRatio,originalElement:this.element,_proportionallyResizeElements:[],_helper:i.helper||i.ghost||i.animate?i.helper||"ui-resizable-helper":null}),this.element[0].nodeName.match(/^(canvas|textarea|input|select|button|img)$/i)&&(this.element.wrap(t("
      ").css({overflow:"hidden",position:this.element.css("position"),width:this.element.outerWidth(),height:this.element.outerHeight(),top:this.element.css("top"),left:this.element.css("left")})),this.element=this.element.parent().data("ui-resizable",this.element.resizable("instance")),this.elementIsWrapper=!0,e={marginTop:this.originalElement.css("marginTop"),marginRight:this.originalElement.css("marginRight"),marginBottom:this.originalElement.css("marginBottom"),marginLeft:this.originalElement.css("marginLeft")},this.element.css(e),this.originalElement.css("margin",0),this.originalResizeStyle=this.originalElement.css("resize"),this.originalElement.css("resize","none"),this._proportionallyResizeElements.push(this.originalElement.css({position:"static",zoom:1,display:"block"})),this.originalElement.css(e),this._proportionallyResize()),this._setupHandles(),i.autoHide&&t(this.element).on("mouseenter",(function(){i.disabled||(n._removeClass("ui-resizable-autohide"),n._handles.show())})).on("mouseleave",(function(){i.disabled||n.resizing||(n._addClass("ui-resizable-autohide"),n._handles.hide())})),this._mouseInit()},_destroy:function(){this._mouseDestroy(),this._addedHandles.remove();var e,i=function(e){t(e).removeData("resizable").removeData("ui-resizable").off(".resizable")};return this.elementIsWrapper&&(i(this.element),e=this.element,this.originalElement.css({position:e.css("position"),width:e.outerWidth(),height:e.outerHeight(),top:e.css("top"),left:e.css("left")}).insertAfter(e),e.remove()),this.originalElement.css("resize",this.originalResizeStyle),i(this.originalElement),this},_setOption:function(t,e){switch(this._super(t,e),t){case"handles":this._removeHandles(),this._setupHandles();break;case"aspectRatio":this._aspectRatio=!!e}},_setupHandles:function(){var e,i,n,o,r,s=this.options,a=this;if(this.handles=s.handles||(t(".ui-resizable-handle",this.element).length?{n:".ui-resizable-n",e:".ui-resizable-e",s:".ui-resizable-s",w:".ui-resizable-w",se:".ui-resizable-se",sw:".ui-resizable-sw",ne:".ui-resizable-ne",nw:".ui-resizable-nw"}:"e,s,se"),this._handles=t(),this._addedHandles=t(),this.handles.constructor===String)for("all"===this.handles&&(this.handles="n,e,s,w,se,sw,ne,nw"),n=this.handles.split(","),this.handles={},i=0;i"),this._addClass(r,"ui-resizable-handle "+o),r.css({zIndex:s.zIndex}),this.handles[e]=".ui-resizable-"+e,this.element.children(this.handles[e]).length||(this.element.append(r),this._addedHandles=this._addedHandles.add(r));this._renderAxis=function(e){var i,n,o,r;for(i in e=e||this.element,this.handles)this.handles[i].constructor===String?this.handles[i]=this.element.children(this.handles[i]).first().show():(this.handles[i].jquery||this.handles[i].nodeType)&&(this.handles[i]=t(this.handles[i]),this._on(this.handles[i],{mousedown:a._mouseDown})),this.elementIsWrapper&&this.originalElement[0].nodeName.match(/^(textarea|input|select|button)$/i)&&(n=t(this.handles[i],this.element),r=/sw|ne|nw|se|n|s/.test(i)?n.outerHeight():n.outerWidth(),o=["padding",/ne|nw|n/.test(i)?"Top":/se|sw|s/.test(i)?"Bottom":/^e$/.test(i)?"Right":"Left"].join(""),e.css(o,r),this._proportionallyResize()),this._handles=this._handles.add(this.handles[i])},this._renderAxis(this.element),this._handles=this._handles.add(this.element.find(".ui-resizable-handle")),this._handles.disableSelection(),this._handles.on("mouseover",(function(){a.resizing||(this.className&&(r=this.className.match(/ui-resizable-(se|sw|ne|nw|n|e|s|w)/i)),a.axis=r&&r[1]?r[1]:"se")})),s.autoHide&&(this._handles.hide(),this._addClass("ui-resizable-autohide"))},_removeHandles:function(){this._addedHandles.remove()},_mouseCapture:function(e){var i,n,o=!1;for(i in this.handles)((n=t(this.handles[i])[0])===e.target||t.contains(n,e.target))&&(o=!0);return!this.options.disabled&&o},_mouseStart:function(e){var i,n,o,r=this.options,s=this.element;return this.resizing=!0,this._renderProxy(),i=this._num(this.helper.css("left")),n=this._num(this.helper.css("top")),r.containment&&(i+=t(r.containment).scrollLeft()||0,n+=t(r.containment).scrollTop()||0),this.offset=this.helper.offset(),this.position={left:i,top:n},this.size=this._helper?{width:this.helper.width(),height:this.helper.height()}:{width:s.width(),height:s.height()},this.originalSize=this._helper?{width:s.outerWidth(),height:s.outerHeight()}:{width:s.width(),height:s.height()},this.sizeDiff={width:s.outerWidth()-s.width(),height:s.outerHeight()-s.height()},this.originalPosition={left:i,top:n},this.originalMousePosition={left:e.pageX,top:e.pageY},this.aspectRatio="number"==typeof r.aspectRatio?r.aspectRatio:this.originalSize.width/this.originalSize.height||1,o=t(".ui-resizable-"+this.axis).css("cursor"),t("body").css("cursor","auto"===o?this.axis+"-resize":o),this._addClass("ui-resizable-resizing"),this._propagate("start",e),!0},_mouseDrag:function(e){var i,n,o=this.originalMousePosition,r=this.axis,s=e.pageX-o.left||0,a=e.pageY-o.top||0,c=this._change[r];return this._updatePrevProperties(),!!c&&(i=c.apply(this,[e,s,a]),this._updateVirtualBoundaries(e.shiftKey),(this._aspectRatio||e.shiftKey)&&(i=this._updateRatio(i,e)),i=this._respectSize(i,e),this._updateCache(i),this._propagate("resize",e),n=this._applyChanges(),!this._helper&&this._proportionallyResizeElements.length&&this._proportionallyResize(),t.isEmptyObject(n)||(this._updatePrevProperties(),this._trigger("resize",e,this.ui()),this._applyChanges()),!1)},_mouseStop:function(e){this.resizing=!1;var i,n,o,r,s,a,c,l=this.options,u=this;return this._helper&&(o=(n=(i=this._proportionallyResizeElements).length&&/textarea/i.test(i[0].nodeName))&&this._hasScroll(i[0],"left")?0:u.sizeDiff.height,r=n?0:u.sizeDiff.width,s={width:u.helper.width()-r,height:u.helper.height()-o},a=parseFloat(u.element.css("left"))+(u.position.left-u.originalPosition.left)||null,c=parseFloat(u.element.css("top"))+(u.position.top-u.originalPosition.top)||null,l.animate||this.element.css(t.extend(s,{top:c,left:a})),u.helper.height(u.size.height),u.helper.width(u.size.width),this._helper&&!l.animate&&this._proportionallyResize()),t("body").css("cursor","auto"),this._removeClass("ui-resizable-resizing"),this._propagate("stop",e),this._helper&&this.helper.remove(),!1},_updatePrevProperties:function(){this.prevPosition={top:this.position.top,left:this.position.left},this.prevSize={width:this.size.width,height:this.size.height}},_applyChanges:function(){var t={};return this.position.top!==this.prevPosition.top&&(t.top=this.position.top+"px"),this.position.left!==this.prevPosition.left&&(t.left=this.position.left+"px"),this.helper.css(t),this.size.width!==this.prevSize.width&&(t.width=this.size.width+"px",this.helper.width(t.width)),this.size.height!==this.prevSize.height&&(t.height=this.size.height+"px",this.helper.height(t.height)),t},_updateVirtualBoundaries:function(t){var e,i,n,o,r,s=this.options;r={minWidth:this._isNumber(s.minWidth)?s.minWidth:0,maxWidth:this._isNumber(s.maxWidth)?s.maxWidth:1/0,minHeight:this._isNumber(s.minHeight)?s.minHeight:0,maxHeight:this._isNumber(s.maxHeight)?s.maxHeight:1/0},(this._aspectRatio||t)&&(e=r.minHeight*this.aspectRatio,n=r.minWidth/this.aspectRatio,i=r.maxHeight*this.aspectRatio,o=r.maxWidth/this.aspectRatio,e>r.minWidth&&(r.minWidth=e),n>r.minHeight&&(r.minHeight=n),it.width,s=this._isNumber(t.height)&&e.minHeight&&e.minHeight>t.height,a=this.originalPosition.left+this.originalSize.width,c=this.originalPosition.top+this.originalSize.height,l=/sw|nw|w/.test(i),u=/nw|ne|n/.test(i);return r&&(t.width=e.minWidth),s&&(t.height=e.minHeight),n&&(t.width=e.maxWidth),o&&(t.height=e.maxHeight),r&&l&&(t.left=a-e.minWidth),n&&l&&(t.left=a-e.maxWidth),s&&u&&(t.top=c-e.minHeight),o&&u&&(t.top=c-e.maxHeight),t.width||t.height||t.left||!t.top?t.width||t.height||t.top||!t.left||(t.left=null):t.top=null,t},_getPaddingPlusBorderDimensions:function(t){for(var e=0,i=[],n=[t.css("borderTopWidth"),t.css("borderRightWidth"),t.css("borderBottomWidth"),t.css("borderLeftWidth")],o=[t.css("paddingTop"),t.css("paddingRight"),t.css("paddingBottom"),t.css("paddingLeft")];e<4;e++)i[e]=parseFloat(n[e])||0,i[e]+=parseFloat(o[e])||0;return{height:i[0]+i[2],width:i[1]+i[3]}},_proportionallyResize:function(){if(this._proportionallyResizeElements.length)for(var t,e=0,i=this.helper||this.element;e
      ").css({overflow:"hidden"}),this._addClass(this.helper,this._helper),this.helper.css({width:this.element.outerWidth(),height:this.element.outerHeight(),position:"absolute",left:this.elementOffset.left+"px",top:this.elementOffset.top+"px",zIndex:++i.zIndex}),this.helper.appendTo("body").disableSelection()):this.helper=this.element},_change:{e:function(t,e){return{width:this.originalSize.width+e}},w:function(t,e){var i=this.originalSize;return{left:this.originalPosition.left+e,width:i.width-e}},n:function(t,e,i){var n=this.originalSize;return{top:this.originalPosition.top+i,height:n.height-i}},s:function(t,e,i){return{height:this.originalSize.height+i}},se:function(e,i,n){return t.extend(this._change.s.apply(this,arguments),this._change.e.apply(this,[e,i,n]))},sw:function(e,i,n){return t.extend(this._change.s.apply(this,arguments),this._change.w.apply(this,[e,i,n]))},ne:function(e,i,n){return t.extend(this._change.n.apply(this,arguments),this._change.e.apply(this,[e,i,n]))},nw:function(e,i,n){return t.extend(this._change.n.apply(this,arguments),this._change.w.apply(this,[e,i,n]))}},_propagate:function(e,i){t.ui.plugin.call(this,e,[i,this.ui()]),"resize"!==e&&this._trigger(e,i,this.ui())},plugins:{},ui:function(){return{originalElement:this.originalElement,element:this.element,helper:this.helper,position:this.position,size:this.size,originalSize:this.originalSize,originalPosition:this.originalPosition}}}),t.ui.plugin.add("resizable","animate",{stop:function(e){var i=t(this).resizable("instance"),n=i.options,o=i._proportionallyResizeElements,r=o.length&&/textarea/i.test(o[0].nodeName),s=r&&i._hasScroll(o[0],"left")?0:i.sizeDiff.height,a=r?0:i.sizeDiff.width,c={width:i.size.width-a,height:i.size.height-s},l=parseFloat(i.element.css("left"))+(i.position.left-i.originalPosition.left)||null,u=parseFloat(i.element.css("top"))+(i.position.top-i.originalPosition.top)||null;i.element.animate(t.extend(c,u&&l?{top:u,left:l}:{}),{duration:n.animateDuration,easing:n.animateEasing,step:function(){var n={width:parseFloat(i.element.css("width")),height:parseFloat(i.element.css("height")),top:parseFloat(i.element.css("top")),left:parseFloat(i.element.css("left"))};o&&o.length&&t(o[0]).css({width:n.width,height:n.height}),i._updateCache(n),i._propagate("resize",e)}})}}),t.ui.plugin.add("resizable","containment",{start:function(){var e,i,n,o,r,s,a,c=t(this).resizable("instance"),l=c.options,u=c.element,h=l.containment,d=h instanceof t?h.get(0):/parent/.test(h)?u.parent().get(0):h;d&&(c.containerElement=t(d),/document/.test(h)||h===document?(c.containerOffset={left:0,top:0},c.containerPosition={left:0,top:0},c.parentData={element:t(document),left:0,top:0,width:t(document).width(),height:t(document).height()||document.body.parentNode.scrollHeight}):(e=t(d),i=[],t(["Top","Right","Left","Bottom"]).each((function(t,n){i[t]=c._num(e.css("padding"+n))})),c.containerOffset=e.offset(),c.containerPosition=e.position(),c.containerSize={height:e.innerHeight()-i[3],width:e.innerWidth()-i[1]},n=c.containerOffset,o=c.containerSize.height,r=c.containerSize.width,s=c._hasScroll(d,"left")?d.scrollWidth:r,a=c._hasScroll(d)?d.scrollHeight:o,c.parentData={element:d,left:n.left,top:n.top,width:s,height:a}))},resize:function(e){var i,n,o,r,s=t(this).resizable("instance"),a=s.options,c=s.containerOffset,l=s.position,u=s._aspectRatio||e.shiftKey,h={top:0,left:0},d=s.containerElement,p=!0;d[0]!==document&&/static/.test(d.css("position"))&&(h=c),l.left<(s._helper?c.left:0)&&(s.size.width=s.size.width+(s._helper?s.position.left-c.left:s.position.left-h.left),u&&(s.size.height=s.size.width/s.aspectRatio,p=!1),s.position.left=a.helper?c.left:0),l.top<(s._helper?c.top:0)&&(s.size.height=s.size.height+(s._helper?s.position.top-c.top:s.position.top),u&&(s.size.width=s.size.height*s.aspectRatio,p=!1),s.position.top=s._helper?c.top:0),o=s.containerElement.get(0)===s.element.parent().get(0),r=/relative|absolute/.test(s.containerElement.css("position")),o&&r?(s.offset.left=s.parentData.left+s.position.left,s.offset.top=s.parentData.top+s.position.top):(s.offset.left=s.element.offset().left,s.offset.top=s.element.offset().top),i=Math.abs(s.sizeDiff.width+(s._helper?s.offset.left-h.left:s.offset.left-c.left)),n=Math.abs(s.sizeDiff.height+(s._helper?s.offset.top-h.top:s.offset.top-c.top)),i+s.size.width>=s.parentData.width&&(s.size.width=s.parentData.width-i,u&&(s.size.height=s.size.width/s.aspectRatio,p=!1)),n+s.size.height>=s.parentData.height&&(s.size.height=s.parentData.height-n,u&&(s.size.width=s.size.height*s.aspectRatio,p=!1)),p||(s.position.left=s.prevPosition.left,s.position.top=s.prevPosition.top,s.size.width=s.prevSize.width,s.size.height=s.prevSize.height)},stop:function(){var e=t(this).resizable("instance"),i=e.options,n=e.containerOffset,o=e.containerPosition,r=e.containerElement,s=t(e.helper),a=s.offset(),c=s.outerWidth()-e.sizeDiff.width,l=s.outerHeight()-e.sizeDiff.height;e._helper&&!i.animate&&/relative/.test(r.css("position"))&&t(this).css({left:a.left-o.left-n.left,width:c,height:l}),e._helper&&!i.animate&&/static/.test(r.css("position"))&&t(this).css({left:a.left-o.left-n.left,width:c,height:l})}}),t.ui.plugin.add("resizable","alsoResize",{start:function(){var e=t(this).resizable("instance").options;t(e.alsoResize).each((function(){var e=t(this);e.data("ui-resizable-alsoresize",{width:parseFloat(e.css("width")),height:parseFloat(e.css("height")),left:parseFloat(e.css("left")),top:parseFloat(e.css("top"))})}))},resize:function(e,i){var n=t(this).resizable("instance"),o=n.options,r=n.originalSize,s=n.originalPosition,a={height:n.size.height-r.height||0,width:n.size.width-r.width||0,top:n.position.top-s.top||0,left:n.position.left-s.left||0};t(o.alsoResize).each((function(){var e=t(this),n=t(this).data("ui-resizable-alsoresize"),o={},r=e.parents(i.originalElement[0]).length?["width","height"]:["width","height","top","left"];t.each(r,(function(t,e){var i=(n[e]||0)+(a[e]||0);i&&i>=0&&(o[e]=i||null)})),e.css(o)}))},stop:function(){t(this).removeData("ui-resizable-alsoresize")}}),t.ui.plugin.add("resizable","ghost",{start:function(){var e=t(this).resizable("instance"),i=e.size;e.ghost=e.originalElement.clone(),e.ghost.css({opacity:.25,display:"block",position:"relative",height:i.height,width:i.width,margin:0,left:0,top:0}),e._addClass(e.ghost,"ui-resizable-ghost"),!1!==t.uiBackCompat&&"string"==typeof e.options.ghost&&e.ghost.addClass(this.options.ghost),e.ghost.appendTo(e.helper)},resize:function(){var e=t(this).resizable("instance");e.ghost&&e.ghost.css({position:"relative",height:e.size.height,width:e.size.width})},stop:function(){var e=t(this).resizable("instance");e.ghost&&e.helper&&e.helper.get(0).removeChild(e.ghost.get(0))}}),t.ui.plugin.add("resizable","grid",{resize:function(){var e,i=t(this).resizable("instance"),n=i.options,o=i.size,r=i.originalSize,s=i.originalPosition,a=i.axis,c="number"==typeof n.grid?[n.grid,n.grid]:n.grid,l=c[0]||1,u=c[1]||1,h=Math.round((o.width-r.width)/l)*l,d=Math.round((o.height-r.height)/u)*u,p=r.width+h,A=r.height+d,f=n.maxWidth&&n.maxWidthp,C=n.minHeight&&n.minHeight>A;n.grid=c,m&&(p+=l),C&&(A+=u),f&&(p-=l),g&&(A-=u),/^(se|s|e)$/.test(a)?(i.size.width=p,i.size.height=A):/^(ne)$/.test(a)?(i.size.width=p,i.size.height=A,i.position.top=s.top-d):/^(sw)$/.test(a)?(i.size.width=p,i.size.height=A,i.position.left=s.left-h):((A-u<=0||p-l<=0)&&(e=i._getPaddingPlusBorderDimensions(this)),A-u>0?(i.size.height=A,i.position.top=s.top-d):(A=u-e.height,i.size.height=A,i.position.top=s.top+r.height-A),p-l>0?(i.size.width=p,i.position.left=s.left-h):(p=l-e.width,i.size.width=p,i.position.left=s.left+r.width-p))}}),t.ui.resizable,t.widget("ui.dialog",{version:"1.13.3",options:{appendTo:"body",autoOpen:!0,buttons:[],classes:{"ui-dialog":"ui-corner-all","ui-dialog-titlebar":"ui-corner-all"},closeOnEscape:!0,closeText:"Close",draggable:!0,hide:null,height:"auto",maxHeight:null,maxWidth:null,minHeight:150,minWidth:150,modal:!1,position:{my:"center",at:"center",of:window,collision:"fit",using:function(e){var i=t(this).css(e).offset().top;i<0&&t(this).css("top",e.top-i)}},resizable:!0,show:null,title:null,width:300,beforeClose:null,close:null,drag:null,dragStart:null,dragStop:null,focus:null,open:null,resize:null,resizeStart:null,resizeStop:null},sizeRelatedOptions:{buttons:!0,height:!0,maxHeight:!0,maxWidth:!0,minHeight:!0,minWidth:!0,width:!0},resizableRelatedOptions:{maxHeight:!0,maxWidth:!0,minHeight:!0,minWidth:!0},_create:function(){this.originalCss={display:this.element[0].style.display,width:this.element[0].style.width,minHeight:this.element[0].style.minHeight,maxHeight:this.element[0].style.maxHeight,height:this.element[0].style.height},this.originalPosition={parent:this.element.parent(),index:this.element.parent().children().index(this.element)},this.originalTitle=this.element.attr("title"),null==this.options.title&&null!=this.originalTitle&&(this.options.title=this.originalTitle),this.options.disabled&&(this.options.disabled=!1),this._createWrapper(),this.element.show().removeAttr("title").appendTo(this.uiDialog),this._addClass("ui-dialog-content","ui-widget-content"),this._createTitlebar(),this._createButtonPane(),this.options.draggable&&t.fn.draggable&&this._makeDraggable(),this.options.resizable&&t.fn.resizable&&this._makeResizable(),this._isOpen=!1,this._trackFocus()},_init:function(){this.options.autoOpen&&this.open()},_appendTo:function(){var e=this.options.appendTo;return e&&(e.jquery||e.nodeType)?t(e):this.document.find(e||"body").eq(0)},_destroy:function(){var t,e=this.originalPosition;this._untrackInstance(),this._destroyOverlay(),this.element.removeUniqueId().css(this.originalCss).detach(),this.uiDialog.remove(),this.originalTitle&&this.element.attr("title",this.originalTitle),(t=e.parent.children().eq(e.index)).length&&t[0]!==this.element[0]?t.before(this.element):e.parent.append(this.element)},widget:function(){return this.uiDialog},disable:t.noop,enable:t.noop,close:function(e){var i=this;this._isOpen&&!1!==this._trigger("beforeClose",e)&&(this._isOpen=!1,this._focusedElement=null,this._destroyOverlay(),this._untrackInstance(),this.opener.filter(":focusable").trigger("focus").length||t.ui.safeBlur(t.ui.safeActiveElement(this.document[0])),this._hide(this.uiDialog,this.options.hide,(function(){i._trigger("close",e)})))},isOpen:function(){return this._isOpen},moveToTop:function(){this._moveToTop()},_moveToTop:function(e,i){var n=!1,o=this.uiDialog.siblings(".ui-front:visible").map((function(){return+t(this).css("z-index")})).get(),r=Math.max.apply(null,o);return r>=+this.uiDialog.css("z-index")&&(this.uiDialog.css("z-index",r+1),n=!0),n&&!i&&this._trigger("focus",e),n},open:function(){var e=this;this._isOpen?this._moveToTop()&&this._focusTabbable():(this._isOpen=!0,this.opener=t(t.ui.safeActiveElement(this.document[0])),this._size(),this._position(),this._createOverlay(),this._moveToTop(null,!0),this.overlay&&this.overlay.css("z-index",this.uiDialog.css("z-index")-1),this._show(this.uiDialog,this.options.show,(function(){e._focusTabbable(),e._trigger("focus")})),this._makeFocusTarget(),this._trigger("open"))},_focusTabbable:function(){var t=this._focusedElement;t||(t=this.element.find("[autofocus]")),t.length||(t=this.element.find(":tabbable")),t.length||(t=this.uiDialogButtonPane.find(":tabbable")),t.length||(t=this.uiDialogTitlebarClose.filter(":tabbable")),t.length||(t=this.uiDialog),t.eq(0).trigger("focus")},_restoreTabbableFocus:function(){var e=t.ui.safeActiveElement(this.document[0]);this.uiDialog[0]===e||t.contains(this.uiDialog[0],e)||this._focusTabbable()},_keepFocus:function(t){t.preventDefault(),this._restoreTabbableFocus(),this._delay(this._restoreTabbableFocus)},_createWrapper:function(){this.uiDialog=t("
      ").hide().attr({tabIndex:-1,role:"dialog"}).appendTo(this._appendTo()),this._addClass(this.uiDialog,"ui-dialog","ui-widget ui-widget-content ui-front"),this._on(this.uiDialog,{keydown:function(e){if(this.options.closeOnEscape&&!e.isDefaultPrevented()&&e.keyCode&&e.keyCode===t.ui.keyCode.ESCAPE)return e.preventDefault(),void this.close(e);if(e.keyCode===t.ui.keyCode.TAB&&!e.isDefaultPrevented()){var i=this.uiDialog.find(":tabbable"),n=i.first(),o=i.last();e.target!==o[0]&&e.target!==this.uiDialog[0]||e.shiftKey?e.target!==n[0]&&e.target!==this.uiDialog[0]||!e.shiftKey||(this._delay((function(){o.trigger("focus")})),e.preventDefault()):(this._delay((function(){n.trigger("focus")})),e.preventDefault())}},mousedown:function(t){this._moveToTop(t)&&this._focusTabbable()}}),this.element.find("[aria-describedby]").length||this.uiDialog.attr({"aria-describedby":this.element.uniqueId().attr("id")})},_createTitlebar:function(){var e;this.uiDialogTitlebar=t("
      "),this._addClass(this.uiDialogTitlebar,"ui-dialog-titlebar","ui-widget-header ui-helper-clearfix"),this._on(this.uiDialogTitlebar,{mousedown:function(e){t(e.target).closest(".ui-dialog-titlebar-close")||this.uiDialog.trigger("focus")}}),this.uiDialogTitlebarClose=t("").button({label:t("").text(this.options.closeText).html(),icon:"ui-icon-closethick",showLabel:!1}).appendTo(this.uiDialogTitlebar),this._addClass(this.uiDialogTitlebarClose,"ui-dialog-titlebar-close"),this._on(this.uiDialogTitlebarClose,{click:function(t){t.preventDefault(),this.close(t)}}),e=t("").uniqueId().prependTo(this.uiDialogTitlebar),this._addClass(e,"ui-dialog-title"),this._title(e),this.uiDialogTitlebar.prependTo(this.uiDialog),this.uiDialog.attr({"aria-labelledby":e.attr("id")})},_title:function(t){this.options.title?t.text(this.options.title):t.html(" ")},_createButtonPane:function(){this.uiDialogButtonPane=t("
      "),this._addClass(this.uiDialogButtonPane,"ui-dialog-buttonpane","ui-widget-content ui-helper-clearfix"),this.uiButtonSet=t("
      ").appendTo(this.uiDialogButtonPane),this._addClass(this.uiButtonSet,"ui-dialog-buttonset"),this._createButtons()},_createButtons:function(){var e=this,i=this.options.buttons;this.uiDialogButtonPane.remove(),this.uiButtonSet.empty(),t.isEmptyObject(i)||Array.isArray(i)&&!i.length?this._removeClass(this.uiDialog,"ui-dialog-buttons"):(t.each(i,(function(i,n){var o,r;n="function"==typeof n?{click:n,text:i}:n,n=t.extend({type:"button"},n),o=n.click,r={icon:n.icon,iconPosition:n.iconPosition,showLabel:n.showLabel,icons:n.icons,text:n.text},delete n.click,delete n.icon,delete n.iconPosition,delete n.showLabel,delete n.icons,"boolean"==typeof n.text&&delete n.text,t("",n).button(r).appendTo(e.uiButtonSet).on("click",(function(){o.apply(e.element[0],arguments)}))})),this._addClass(this.uiDialog,"ui-dialog-buttons"),this.uiDialogButtonPane.appendTo(this.uiDialog))},_makeDraggable:function(){var e=this,i=this.options;function n(t){return{position:t.position,offset:t.offset}}this.uiDialog.draggable({cancel:".ui-dialog-content, .ui-dialog-titlebar-close",handle:".ui-dialog-titlebar",containment:"document",start:function(i,o){e._addClass(t(this),"ui-dialog-dragging"),e._blockFrames(),e._trigger("dragStart",i,n(o))},drag:function(t,i){e._trigger("drag",t,n(i))},stop:function(o,r){var s=r.offset.left-e.document.scrollLeft(),a=r.offset.top-e.document.scrollTop();i.position={my:"left top",at:"left"+(s>=0?"+":"")+s+" top"+(a>=0?"+":"")+a,of:e.window},e._removeClass(t(this),"ui-dialog-dragging"),e._unblockFrames(),e._trigger("dragStop",o,n(r))}})},_makeResizable:function(){var e=this,i=this.options,n=i.resizable,o=this.uiDialog.css("position"),r="string"==typeof n?n:"n,e,s,w,se,sw,ne,nw";function s(t){return{originalPosition:t.originalPosition,originalSize:t.originalSize,position:t.position,size:t.size}}this.uiDialog.resizable({cancel:".ui-dialog-content",containment:"document",alsoResize:this.element,maxWidth:i.maxWidth,maxHeight:i.maxHeight,minWidth:i.minWidth,minHeight:this._minHeight(),handles:r,start:function(i,n){e._addClass(t(this),"ui-dialog-resizing"),e._blockFrames(),e._trigger("resizeStart",i,s(n))},resize:function(t,i){e._trigger("resize",t,s(i))},stop:function(n,o){var r=e.uiDialog.offset(),a=r.left-e.document.scrollLeft(),c=r.top-e.document.scrollTop();i.height=e.uiDialog.height(),i.width=e.uiDialog.width(),i.position={my:"left top",at:"left"+(a>=0?"+":"")+a+" top"+(c>=0?"+":"")+c,of:e.window},e._removeClass(t(this),"ui-dialog-resizing"),e._unblockFrames(),e._trigger("resizeStop",n,s(o))}}).css("position",o)},_trackFocus:function(){this._on(this.widget(),{focusin:function(e){this._makeFocusTarget(),this._focusedElement=t(e.target)}})},_makeFocusTarget:function(){this._untrackInstance(),this._trackingInstances().unshift(this)},_untrackInstance:function(){var e=this._trackingInstances(),i=t.inArray(this,e);-1!==i&&e.splice(i,1)},_trackingInstances:function(){var t=this.document.data("ui-dialog-instances");return t||(t=[],this.document.data("ui-dialog-instances",t)),t},_minHeight:function(){var t=this.options;return"auto"===t.height?t.minHeight:Math.min(t.minHeight,t.height)},_position:function(){var t=this.uiDialog.is(":visible");t||this.uiDialog.show(),this.uiDialog.position(this.options.position),t||this.uiDialog.hide()},_setOptions:function(e){var i=this,n=!1,o={};t.each(e,(function(t,e){i._setOption(t,e),t in i.sizeRelatedOptions&&(n=!0),t in i.resizableRelatedOptions&&(o[t]=e)})),n&&(this._size(),this._position()),this.uiDialog.is(":data(ui-resizable)")&&this.uiDialog.resizable("option",o)},_setOption:function(e,i){var n,o,r=this.uiDialog;"disabled"!==e&&(this._super(e,i),"appendTo"===e&&this.uiDialog.appendTo(this._appendTo()),"buttons"===e&&this._createButtons(),"closeText"===e&&this.uiDialogTitlebarClose.button({label:t("").text(""+this.options.closeText).html()}),"draggable"===e&&((n=r.is(":data(ui-draggable)"))&&!i&&r.draggable("destroy"),!n&&i&&this._makeDraggable()),"position"===e&&this._position(),"resizable"===e&&((o=r.is(":data(ui-resizable)"))&&!i&&r.resizable("destroy"),o&&"string"==typeof i&&r.resizable("option","handles",i),o||!1===i||this._makeResizable()),"title"===e&&this._title(this.uiDialogTitlebar.find(".ui-dialog-title")))},_size:function(){var t,e,i,n=this.options;this.element.show().css({width:"auto",minHeight:0,maxHeight:"none",height:0}),n.minWidth>n.width&&(n.width=n.minWidth),t=this.uiDialog.css({height:"auto",width:n.width}).outerHeight(),e=Math.max(0,n.minHeight-t),i="number"==typeof n.maxHeight?Math.max(0,n.maxHeight-t):"none","auto"===n.height?this.element.css({minHeight:e,maxHeight:i,height:"auto"}):this.element.height(Math.max(0,n.height-t)),this.uiDialog.is(":data(ui-resizable)")&&this.uiDialog.resizable("option","minHeight",this._minHeight())},_blockFrames:function(){this.iframeBlocks=this.document.find("iframe").map((function(){var e=t(this);return t("
      ").css({position:"absolute",width:e.outerWidth(),height:e.outerHeight()}).appendTo(e.parent()).offset(e.offset())[0]}))},_unblockFrames:function(){this.iframeBlocks&&(this.iframeBlocks.remove(),delete this.iframeBlocks)},_allowInteraction:function(e){return!!t(e.target).closest(".ui-dialog").length||!!t(e.target).closest(".ui-datepicker").length},_createOverlay:function(){if(this.options.modal){var e=t.fn.jquery.substring(0,4),i=!0;this._delay((function(){i=!1})),this.document.data("ui-dialog-overlays")||this.document.on("focusin.ui-dialog",function(t){if(!i){var n=this._trackingInstances()[0];n._allowInteraction(t)||(t.preventDefault(),n._focusTabbable(),"3.4."!==e&&"3.5."!==e&&"3.6."!==e||n._delay(n._restoreTabbableFocus))}}.bind(this)),this.overlay=t("
      ").appendTo(this._appendTo()),this._addClass(this.overlay,null,"ui-widget-overlay ui-front"),this._on(this.overlay,{mousedown:"_keepFocus"}),this.document.data("ui-dialog-overlays",(this.document.data("ui-dialog-overlays")||0)+1)}},_destroyOverlay:function(){if(this.options.modal&&this.overlay){var t=this.document.data("ui-dialog-overlays")-1;t?this.document.data("ui-dialog-overlays",t):(this.document.off("focusin.ui-dialog"),this.document.removeData("ui-dialog-overlays")),this.overlay.remove(),this.overlay=null}}}),!1!==t.uiBackCompat&&t.widget("ui.dialog",t.ui.dialog,{options:{dialogClass:""},_createWrapper:function(){this._super(),this.uiDialog.addClass(this.options.dialogClass)},_setOption:function(t,e){"dialogClass"===t&&this.uiDialog.removeClass(this.options.dialogClass).addClass(e),this._superApply(arguments)}}),t.ui.dialog,t.widget("ui.droppable",{version:"1.13.3",widgetEventPrefix:"drop",options:{accept:"*",addClasses:!0,greedy:!1,scope:"default",tolerance:"intersect",activate:null,deactivate:null,drop:null,out:null,over:null},_create:function(){var t,e=this.options,i=e.accept;this.isover=!1,this.isout=!0,this.accept="function"==typeof i?i:function(t){return t.is(i)},this.proportions=function(){if(!arguments.length)return t||(t={width:this.element[0].offsetWidth,height:this.element[0].offsetHeight});t=arguments[0]},this._addToManager(e.scope),e.addClasses&&this._addClass("ui-droppable")},_addToManager:function(e){t.ui.ddmanager.droppables[e]=t.ui.ddmanager.droppables[e]||[],t.ui.ddmanager.droppables[e].push(this)},_splice:function(t){for(var e=0;e=e&&t=u&&s<=d||c>=u&&c<=d||sd)&&(r>=l&&r<=h||a>=l&&a<=h||rh);default:return!1}}}(),t.ui.ddmanager={current:null,droppables:{default:[]},prepareOffsets:function(e,i){var n,o,r=t.ui.ddmanager.droppables[e.options.scope]||[],s=i?i.type:null,a=(e.currentItem||e.element).find(":data(ui-droppable)").addBack();t:for(n=0;n").appendTo(this.element),this._addClass(this.valueDiv,"ui-progressbar-value","ui-widget-header"),this._refreshValue()},_destroy:function(){this.element.removeAttr("role aria-valuemin aria-valuemax aria-valuenow"),this.valueDiv.remove()},value:function(t){if(void 0===t)return this.options.value;this.options.value=this._constrainedValue(t),this._refreshValue()},_constrainedValue:function(t){return void 0===t&&(t=this.options.value),this.indeterminate=!1===t,"number"!=typeof t&&(t=0),!this.indeterminate&&Math.min(this.options.max,Math.max(this.min,t))},_setOptions:function(t){var e=t.value;delete t.value,this._super(t),this.options.value=this._constrainedValue(e),this._refreshValue()},_setOption:function(t,e){"max"===t&&(e=Math.max(this.min,e)),this._super(t,e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",t),this._toggleClass(null,"ui-state-disabled",!!t)},_percentage:function(){return this.indeterminate?100:100*(this.options.value-this.min)/(this.options.max-this.min)},_refreshValue:function(){var e=this.options.value,i=this._percentage();this.valueDiv.toggle(this.indeterminate||e>this.min).width(i.toFixed(0)+"%"),this._toggleClass(this.valueDiv,"ui-progressbar-complete",null,e===this.options.max)._toggleClass("ui-progressbar-indeterminate",null,this.indeterminate),this.indeterminate?(this.element.removeAttr("aria-valuenow"),this.overlayDiv||(this.overlayDiv=t("
      ").appendTo(this.valueDiv),this._addClass(this.overlayDiv,"ui-progressbar-overlay"))):(this.element.attr({"aria-valuemax":this.options.max,"aria-valuenow":e}),this.overlayDiv&&(this.overlayDiv.remove(),this.overlayDiv=null)),this.oldValue!==e&&(this.oldValue=e,this._trigger("change")),e===this.options.max&&this._trigger("complete")}}),t.widget("ui.selectable",t.ui.mouse,{version:"1.13.3",options:{appendTo:"body",autoRefresh:!0,distance:0,filter:"*",tolerance:"touch",selected:null,selecting:null,start:null,stop:null,unselected:null,unselecting:null},_create:function(){var e=this;this._addClass("ui-selectable"),this.dragged=!1,this.refresh=function(){e.elementPos=t(e.element[0]).offset(),e.selectees=t(e.options.filter,e.element[0]),e._addClass(e.selectees,"ui-selectee"),e.selectees.each((function(){var i=t(this),n=i.offset(),o={left:n.left-e.elementPos.left,top:n.top-e.elementPos.top};t.data(this,"selectable-item",{element:this,$element:i,left:o.left,top:o.top,right:o.left+i.outerWidth(),bottom:o.top+i.outerHeight(),startselected:!1,selected:i.hasClass("ui-selected"),selecting:i.hasClass("ui-selecting"),unselecting:i.hasClass("ui-unselecting")})}))},this.refresh(),this._mouseInit(),this.helper=t("
      "),this._addClass(this.helper,"ui-selectable-helper")},_destroy:function(){this.selectees.removeData("selectable-item"),this._mouseDestroy()},_mouseStart:function(e){var i=this,n=this.options;this.opos=[e.pageX,e.pageY],this.elementPos=t(this.element[0]).offset(),this.options.disabled||(this.selectees=t(n.filter,this.element[0]),this._trigger("start",e),t(n.appendTo).append(this.helper),this.helper.css({left:e.pageX,top:e.pageY,width:0,height:0}),n.autoRefresh&&this.refresh(),this.selectees.filter(".ui-selected").each((function(){var n=t.data(this,"selectable-item");n.startselected=!0,e.metaKey||e.ctrlKey||(i._removeClass(n.$element,"ui-selected"),n.selected=!1,i._addClass(n.$element,"ui-unselecting"),n.unselecting=!0,i._trigger("unselecting",e,{unselecting:n.element}))})),t(e.target).parents().addBack().each((function(){var n,o=t.data(this,"selectable-item");if(o)return n=!e.metaKey&&!e.ctrlKey||!o.$element.hasClass("ui-selected"),i._removeClass(o.$element,n?"ui-unselecting":"ui-selected")._addClass(o.$element,n?"ui-selecting":"ui-unselecting"),o.unselecting=!n,o.selecting=n,o.selected=n,n?i._trigger("selecting",e,{selecting:o.element}):i._trigger("unselecting",e,{unselecting:o.element}),!1})))},_mouseDrag:function(e){if(this.dragged=!0,!this.options.disabled){var i,n=this,o=this.options,r=this.opos[0],s=this.opos[1],a=e.pageX,c=e.pageY;return r>a&&(i=a,a=r,r=i),s>c&&(i=c,c=s,s=i),this.helper.css({left:r,top:s,width:a-r,height:c-s}),this.selectees.each((function(){var i=t.data(this,"selectable-item"),l=!1,u={};i&&i.element!==n.element[0]&&(u.left=i.left+n.elementPos.left,u.right=i.right+n.elementPos.left,u.top=i.top+n.elementPos.top,u.bottom=i.bottom+n.elementPos.top,"touch"===o.tolerance?l=!(u.left>a||u.rightc||u.bottomr&&u.rights&&u.bottom",options:{appendTo:null,classes:{"ui-selectmenu-button-open":"ui-corner-top","ui-selectmenu-button-closed":"ui-corner-all"},disabled:null,icons:{button:"ui-icon-triangle-1-s"},position:{my:"left top",at:"left bottom",collision:"none"},width:!1,change:null,close:null,focus:null,open:null,select:null},_create:function(){var e=this.element.uniqueId().attr("id");this.ids={element:e,button:e+"-button",menu:e+"-menu"},this._drawButton(),this._drawMenu(),this._bindFormResetHandler(),this._rendered=!1,this.menuItems=t()},_drawButton:function(){var e,i=this,n=this._parseOption(this.element.find("option:selected"),this.element[0].selectedIndex);this.labels=this.element.labels().attr("for",this.ids.button),this._on(this.labels,{click:function(t){this.button.trigger("focus"),t.preventDefault()}}),this.element.hide(),this.button=t("",{tabindex:this.options.disabled?-1:0,id:this.ids.button,role:"combobox","aria-expanded":"false","aria-autocomplete":"list","aria-owns":this.ids.menu,"aria-haspopup":"true",title:this.element.attr("title")}).insertAfter(this.element),this._addClass(this.button,"ui-selectmenu-button ui-selectmenu-button-closed","ui-button ui-widget"),e=t("").appendTo(this.button),this._addClass(e,"ui-selectmenu-icon","ui-icon "+this.options.icons.button),this.buttonItem=this._renderButtonItem(n).appendTo(this.button),!1!==this.options.width&&this._resizeButton(),this._on(this.button,this._buttonEvents),this.button.one("focusin",(function(){i._rendered||i._refreshMenu()}))},_drawMenu:function(){var e=this;this.menu=t("
        ",{"aria-hidden":"true","aria-labelledby":this.ids.button,id:this.ids.menu}),this.menuWrap=t("
        ").append(this.menu),this._addClass(this.menuWrap,"ui-selectmenu-menu","ui-front"),this.menuWrap.appendTo(this._appendTo()),this.menuInstance=this.menu.menu({classes:{"ui-menu":"ui-corner-bottom"},role:"listbox",select:function(t,i){t.preventDefault(),e._setSelection(),e._select(i.item.data("ui-selectmenu-item"),t)},focus:function(t,i){var n=i.item.data("ui-selectmenu-item");null!=e.focusIndex&&n.index!==e.focusIndex&&(e._trigger("focus",t,{item:n}),e.isOpen||e._select(n,t)),e.focusIndex=n.index,e.button.attr("aria-activedescendant",e.menuItems.eq(n.index).attr("id"))}}).menu("instance"),this.menuInstance._off(this.menu,"mouseleave"),this.menuInstance._closeOnDocumentClick=function(){return!1},this.menuInstance._isDivider=function(){return!1}},refresh:function(){this._refreshMenu(),this.buttonItem.replaceWith(this.buttonItem=this._renderButtonItem(this._getSelectedItem().data("ui-selectmenu-item")||{})),null===this.options.width&&this._resizeButton()},_refreshMenu:function(){var t,e=this.element.find("option");this.menu.empty(),this._parseOptions(e),this._renderMenu(this.menu,this.items),this.menuInstance.refresh(),this.menuItems=this.menu.find("li").not(".ui-selectmenu-optgroup").find(".ui-menu-item-wrapper"),this._rendered=!0,e.length&&(t=this._getSelectedItem(),this.menuInstance.focus(null,t),this._setAria(t.data("ui-selectmenu-item")),this._setOption("disabled",this.element.prop("disabled")))},open:function(t){this.options.disabled||(this._rendered?(this._removeClass(this.menu.find(".ui-state-active"),null,"ui-state-active"),this.menuInstance.focus(null,this._getSelectedItem())):this._refreshMenu(),this.menuItems.length&&(this.isOpen=!0,this._toggleAttr(),this._resizeMenu(),this._position(),this._on(this.document,this._documentClick),this._trigger("open",t)))},_position:function(){this.menuWrap.position(t.extend({of:this.button},this.options.position))},close:function(t){this.isOpen&&(this.isOpen=!1,this._toggleAttr(),this.range=null,this._off(this.document),this._trigger("close",t))},widget:function(){return this.button},menuWidget:function(){return this.menu},_renderButtonItem:function(e){var i=t("");return this._setText(i,e.label),this._addClass(i,"ui-selectmenu-text"),i},_renderMenu:function(e,i){var n=this,o="";t.each(i,(function(i,r){var s;r.optgroup!==o&&(s=t("
      • ",{text:r.optgroup}),n._addClass(s,"ui-selectmenu-optgroup","ui-menu-divider"+(r.element.parent("optgroup").prop("disabled")?" ui-state-disabled":"")),s.appendTo(e),o=r.optgroup),n._renderItemData(e,r)}))},_renderItemData:function(t,e){return this._renderItem(t,e).data("ui-selectmenu-item",e)},_renderItem:function(e,i){var n=t("
      • "),o=t("
        ",{title:i.element.attr("title")});return i.disabled&&this._addClass(n,null,"ui-state-disabled"),i.hidden?n.prop("hidden",!0):this._setText(o,i.label),n.append(o).appendTo(e)},_setText:function(t,e){e?t.text(e):t.html(" ")},_move:function(t,e){var i,n,o=".ui-menu-item";this.isOpen?i=this.menuItems.eq(this.focusIndex).parent("li"):(i=this.menuItems.eq(this.element[0].selectedIndex).parent("li"),o+=":not(.ui-state-disabled)"),(n="first"===t||"last"===t?i["first"===t?"prevAll":"nextAll"](o).eq(-1):i[t+"All"](o).eq(0)).length&&this.menuInstance.focus(e,n)},_getSelectedItem:function(){return this.menuItems.eq(this.element[0].selectedIndex).parent("li")},_toggle:function(t){this[this.isOpen?"close":"open"](t)},_setSelection:function(){var t;this.range&&(window.getSelection?((t=window.getSelection()).removeAllRanges(),t.addRange(this.range)):this.range.select(),this.button.trigger("focus"))},_documentClick:{mousedown:function(e){this.isOpen&&(t(e.target).closest(".ui-selectmenu-menu, #"+t.escapeSelector(this.ids.button)).length||this.close(e))}},_buttonEvents:{mousedown:function(){var t;window.getSelection?(t=window.getSelection()).rangeCount&&(this.range=t.getRangeAt(0)):this.range=document.selection.createRange()},click:function(t){this._setSelection(),this._toggle(t)},keydown:function(e){var i=!0;switch(e.keyCode){case t.ui.keyCode.TAB:case t.ui.keyCode.ESCAPE:this.close(e),i=!1;break;case t.ui.keyCode.ENTER:this.isOpen&&this._selectFocusedItem(e);break;case t.ui.keyCode.UP:e.altKey?this._toggle(e):this._move("prev",e);break;case t.ui.keyCode.DOWN:e.altKey?this._toggle(e):this._move("next",e);break;case t.ui.keyCode.SPACE:this.isOpen?this._selectFocusedItem(e):this._toggle(e);break;case t.ui.keyCode.LEFT:this._move("prev",e);break;case t.ui.keyCode.RIGHT:this._move("next",e);break;case t.ui.keyCode.HOME:case t.ui.keyCode.PAGE_UP:this._move("first",e);break;case t.ui.keyCode.END:case t.ui.keyCode.PAGE_DOWN:this._move("last",e);break;default:this.menu.trigger(e),i=!1}i&&e.preventDefault()}},_selectFocusedItem:function(t){var e=this.menuItems.eq(this.focusIndex).parent("li");e.hasClass("ui-state-disabled")||this._select(e.data("ui-selectmenu-item"),t)},_select:function(t,e){var i=this.element[0].selectedIndex;this.element[0].selectedIndex=t.index,this.buttonItem.replaceWith(this.buttonItem=this._renderButtonItem(t)),this._setAria(t),this._trigger("select",e,{item:t}),t.index!==i&&this._trigger("change",e,{item:t}),this.close(e)},_setAria:function(t){var e=this.menuItems.eq(t.index).attr("id");this.button.attr({"aria-labelledby":e,"aria-activedescendant":e}),this.menu.attr("aria-activedescendant",e)},_setOption:function(t,e){if("icons"===t){var i=this.button.find("span.ui-icon");this._removeClass(i,null,this.options.icons.button)._addClass(i,null,e.button)}this._super(t,e),"appendTo"===t&&this.menuWrap.appendTo(this._appendTo()),"width"===t&&this._resizeButton()},_setOptionDisabled:function(t){this._super(t),this.menuInstance.option("disabled",t),this.button.attr("aria-disabled",t),this._toggleClass(this.button,null,"ui-state-disabled",t),this.element.prop("disabled",t),t?(this.button.attr("tabindex",-1),this.close()):this.button.attr("tabindex",0)},_appendTo:function(){var e=this.options.appendTo;return e&&(e=e.jquery||e.nodeType?t(e):this.document.find(e).eq(0)),e&&e[0]||(e=this.element.closest(".ui-front, dialog")),e.length||(e=this.document[0].body),e},_toggleAttr:function(){this.button.attr("aria-expanded",this.isOpen),this._removeClass(this.button,"ui-selectmenu-button-"+(this.isOpen?"closed":"open"))._addClass(this.button,"ui-selectmenu-button-"+(this.isOpen?"open":"closed"))._toggleClass(this.menuWrap,"ui-selectmenu-open",null,this.isOpen),this.menu.attr("aria-hidden",!this.isOpen)},_resizeButton:function(){var t=this.options.width;!1!==t?(null===t&&(t=this.element.show().outerWidth(),this.element.hide()),this.button.outerWidth(t)):this.button.css("width","")},_resizeMenu:function(){this.menu.outerWidth(Math.max(this.button.outerWidth(),this.menu.width("").outerWidth()+1))},_getCreateOptions:function(){var t=this._super();return t.disabled=this.element.prop("disabled"),t},_parseOptions:function(e){var i=this,n=[];e.each((function(e,o){n.push(i._parseOption(t(o),e))})),this.items=n},_parseOption:function(t,e){var i=t.parent("optgroup");return{element:t,index:e,value:t.val(),label:t.text(),hidden:i.prop("hidden")||t.prop("hidden"),optgroup:i.attr("label")||"",disabled:i.prop("disabled")||t.prop("disabled")}},_destroy:function(){this._unbindFormResetHandler(),this.menuWrap.remove(),this.button.remove(),this.element.show(),this.element.removeUniqueId(),this.labels.attr("for",this.ids.element)}}]),t.widget("ui.slider",t.ui.mouse,{version:"1.13.3",widgetEventPrefix:"slide",options:{animate:!1,classes:{"ui-slider":"ui-corner-all","ui-slider-handle":"ui-corner-all","ui-slider-range":"ui-corner-all ui-widget-header"},distance:0,max:100,min:0,orientation:"horizontal",range:!1,step:1,value:0,values:null,change:null,slide:null,start:null,stop:null},numPages:5,_create:function(){this._keySliding=!1,this._mouseSliding=!1,this._animateOff=!0,this._handleIndex=null,this._detectOrientation(),this._mouseInit(),this._calculateNewMax(),this._addClass("ui-slider ui-slider-"+this.orientation,"ui-widget ui-widget-content"),this._refresh(),this._animateOff=!1},_refresh:function(){this._createRange(),this._createHandles(),this._setupEvents(),this._refreshValue()},_createHandles:function(){var e,i,n=this.options,o=this.element.find(".ui-slider-handle"),r=[];for(i=n.values&&n.values.length||1,o.length>i&&(o.slice(i).remove(),o=o.slice(0,i)),e=o.length;e");this.handles=o.add(t(r.join("")).appendTo(this.element)),this._addClass(this.handles,"ui-slider-handle","ui-state-default"),this.handle=this.handles.eq(0),this.handles.each((function(e){t(this).data("ui-slider-handle-index",e).attr("tabIndex",0)}))},_createRange:function(){var e=this.options;e.range?(!0===e.range&&(e.values?e.values.length&&2!==e.values.length?e.values=[e.values[0],e.values[0]]:Array.isArray(e.values)&&(e.values=e.values.slice(0)):e.values=[this._valueMin(),this._valueMin()]),this.range&&this.range.length?(this._removeClass(this.range,"ui-slider-range-min ui-slider-range-max"),this.range.css({left:"",bottom:""})):(this.range=t("
        ").appendTo(this.element),this._addClass(this.range,"ui-slider-range")),"min"!==e.range&&"max"!==e.range||this._addClass(this.range,"ui-slider-range-"+e.range)):(this.range&&this.range.remove(),this.range=null)},_setupEvents:function(){this._off(this.handles),this._on(this.handles,this._handleEvents),this._hoverable(this.handles),this._focusable(this.handles)},_destroy:function(){this.handles.remove(),this.range&&this.range.remove(),this._mouseDestroy()},_mouseCapture:function(e){var i,n,o,r,s,a,c,l=this,u=this.options;return!u.disabled&&(this.elementSize={width:this.element.outerWidth(),height:this.element.outerHeight()},this.elementOffset=this.element.offset(),i={x:e.pageX,y:e.pageY},n=this._normValueFromMouse(i),o=this._valueMax()-this._valueMin()+1,this.handles.each((function(e){var i=Math.abs(n-l.values(e));(o>i||o===i&&(e===l._lastChangedValue||l.values(e)===u.min))&&(o=i,r=t(this),s=e)})),!1!==this._start(e,s)&&(this._mouseSliding=!0,this._handleIndex=s,this._addClass(r,null,"ui-state-active"),r.trigger("focus"),a=r.offset(),c=!t(e.target).parents().addBack().is(".ui-slider-handle"),this._clickOffset=c?{left:0,top:0}:{left:e.pageX-a.left-r.width()/2,top:e.pageY-a.top-r.height()/2-(parseInt(r.css("borderTopWidth"),10)||0)-(parseInt(r.css("borderBottomWidth"),10)||0)+(parseInt(r.css("marginTop"),10)||0)},this.handles.hasClass("ui-state-hover")||this._slide(e,s,n),this._animateOff=!0,!0))},_mouseStart:function(){return!0},_mouseDrag:function(t){var e={x:t.pageX,y:t.pageY},i=this._normValueFromMouse(e);return this._slide(t,this._handleIndex,i),!1},_mouseStop:function(t){return this._removeClass(this.handles,null,"ui-state-active"),this._mouseSliding=!1,this._stop(t,this._handleIndex),this._change(t,this._handleIndex),this._handleIndex=null,this._clickOffset=null,this._animateOff=!1,!1},_detectOrientation:function(){this.orientation="vertical"===this.options.orientation?"vertical":"horizontal"},_normValueFromMouse:function(t){var e,i,n,o,r;return"horizontal"===this.orientation?(e=this.elementSize.width,i=t.x-this.elementOffset.left-(this._clickOffset?this._clickOffset.left:0)):(e=this.elementSize.height,i=t.y-this.elementOffset.top-(this._clickOffset?this._clickOffset.top:0)),(n=i/e)>1&&(n=1),n<0&&(n=0),"vertical"===this.orientation&&(n=1-n),o=this._valueMax()-this._valueMin(),r=this._valueMin()+n*o,this._trimAlignValue(r)},_uiHash:function(t,e,i){var n={handle:this.handles[t],handleIndex:t,value:void 0!==e?e:this.value()};return this._hasMultipleValues()&&(n.value=void 0!==e?e:this.values(t),n.values=i||this.values()),n},_hasMultipleValues:function(){return this.options.values&&this.options.values.length},_start:function(t,e){return this._trigger("start",t,this._uiHash(e))},_slide:function(t,e,i){var n,o=this.value(),r=this.values();this._hasMultipleValues()&&(n=this.values(e?0:1),o=this.values(e),2===this.options.values.length&&!0===this.options.range&&(i=0===e?Math.min(n,i):Math.max(n,i)),r[e]=i),i!==o&&!1!==this._trigger("slide",t,this._uiHash(e,i,r))&&(this._hasMultipleValues()?this.values(e,i):this.value(i))},_stop:function(t,e){this._trigger("stop",t,this._uiHash(e))},_change:function(t,e){this._keySliding||this._mouseSliding||(this._lastChangedValue=e,this._trigger("change",t,this._uiHash(e)))},value:function(t){return arguments.length?(this.options.value=this._trimAlignValue(t),this._refreshValue(),void this._change(null,0)):this._value()},values:function(t,e){var i,n,o;if(arguments.length>1)return this.options.values[t]=this._trimAlignValue(e),this._refreshValue(),void this._change(null,t);if(!arguments.length)return this._values();if(!Array.isArray(arguments[0]))return this._hasMultipleValues()?this._values(t):this.value();for(i=this.options.values,n=arguments[0],o=0;o=0;i--)this._change(null,i);this._animateOff=!1;break;case"step":case"min":case"max":this._animateOff=!0,this._calculateNewMax(),this._refreshValue(),this._animateOff=!1;break;case"range":this._animateOff=!0,this._refresh(),this._animateOff=!1}},_setOptionDisabled:function(t){this._super(t),this._toggleClass(null,"ui-state-disabled",!!t)},_value:function(){var t=this.options.value;return this._trimAlignValue(t)},_values:function(t){var e,i,n;if(arguments.length)return e=this.options.values[t],this._trimAlignValue(e);if(this._hasMultipleValues()){for(i=this.options.values.slice(),n=0;n=this._valueMax())return this._valueMax();var e=this.options.step>0?this.options.step:1,i=(t-this._valueMin())%e,n=t-i;return 2*Math.abs(i)>=e&&(n+=i>0?e:-e),parseFloat(n.toFixed(5))},_calculateNewMax:function(){var t=this.options.max,e=this._valueMin(),i=this.options.step;(t=Math.round((t-e)/i)*i+e)>this.options.max&&(t-=i),this.max=parseFloat(t.toFixed(this._precision()))},_precision:function(){var t=this._precisionOf(this.options.step);return null!==this.options.min&&(t=Math.max(t,this._precisionOf(this.options.min))),t},_precisionOf:function(t){var e=t.toString(),i=e.indexOf(".");return-1===i?0:e.length-i-1},_valueMin:function(){return this.options.min},_valueMax:function(){return this.max},_refreshRange:function(t){"vertical"===t&&this.range.css({width:"",left:""}),"horizontal"===t&&this.range.css({height:"",bottom:""})},_refreshValue:function(){var e,i,n,o,r,s=this.options.range,a=this.options,c=this,l=!this._animateOff&&a.animate,u={};this._hasMultipleValues()?this.handles.each((function(n){i=(c.values(n)-c._valueMin())/(c._valueMax()-c._valueMin())*100,u["horizontal"===c.orientation?"left":"bottom"]=i+"%",t(this).stop(1,1)[l?"animate":"css"](u,a.animate),!0===c.options.range&&("horizontal"===c.orientation?(0===n&&c.range.stop(1,1)[l?"animate":"css"]({left:i+"%"},a.animate),1===n&&c.range[l?"animate":"css"]({width:i-e+"%"},{queue:!1,duration:a.animate})):(0===n&&c.range.stop(1,1)[l?"animate":"css"]({bottom:i+"%"},a.animate),1===n&&c.range[l?"animate":"css"]({height:i-e+"%"},{queue:!1,duration:a.animate}))),e=i})):(n=this.value(),o=this._valueMin(),r=this._valueMax(),i=r!==o?(n-o)/(r-o)*100:0,u["horizontal"===this.orientation?"left":"bottom"]=i+"%",this.handle.stop(1,1)[l?"animate":"css"](u,a.animate),"min"===s&&"horizontal"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({width:i+"%"},a.animate),"max"===s&&"horizontal"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({width:100-i+"%"},a.animate),"min"===s&&"vertical"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({height:i+"%"},a.animate),"max"===s&&"vertical"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({height:100-i+"%"},a.animate))},_handleEvents:{keydown:function(e){var i,n,o,r=t(e.target).data("ui-slider-handle-index");switch(e.keyCode){case t.ui.keyCode.HOME:case t.ui.keyCode.END:case t.ui.keyCode.PAGE_UP:case t.ui.keyCode.PAGE_DOWN:case t.ui.keyCode.UP:case t.ui.keyCode.RIGHT:case t.ui.keyCode.DOWN:case t.ui.keyCode.LEFT:if(e.preventDefault(),!this._keySliding&&(this._keySliding=!0,this._addClass(t(e.target),null,"ui-state-active"),!1===this._start(e,r)))return}switch(o=this.options.step,i=n=this._hasMultipleValues()?this.values(r):this.value(),e.keyCode){case t.ui.keyCode.HOME:n=this._valueMin();break;case t.ui.keyCode.END:n=this._valueMax();break;case t.ui.keyCode.PAGE_UP:n=this._trimAlignValue(i+(this._valueMax()-this._valueMin())/this.numPages);break;case t.ui.keyCode.PAGE_DOWN:n=this._trimAlignValue(i-(this._valueMax()-this._valueMin())/this.numPages);break;case t.ui.keyCode.UP:case t.ui.keyCode.RIGHT:if(i===this._valueMax())return;n=this._trimAlignValue(i+o);break;case t.ui.keyCode.DOWN:case t.ui.keyCode.LEFT:if(i===this._valueMin())return;n=this._trimAlignValue(i-o)}this._slide(e,r,n)},keyup:function(e){var i=t(e.target).data("ui-slider-handle-index");this._keySliding&&(this._keySliding=!1,this._stop(e,i),this._change(e,i),this._removeClass(t(e.target),null,"ui-state-active"))}}}),t.widget("ui.sortable",t.ui.mouse,{version:"1.13.3",widgetEventPrefix:"sort",ready:!1,options:{appendTo:"parent",axis:!1,connectWith:!1,containment:!1,cursor:"auto",cursorAt:!1,dropOnEmpty:!0,forcePlaceholderSize:!1,forceHelperSize:!1,grid:!1,handle:!1,helper:"original",items:"> *",opacity:!1,placeholder:!1,revert:!1,scroll:!0,scrollSensitivity:20,scrollSpeed:20,scope:"default",tolerance:"intersect",zIndex:1e3,activate:null,beforeStop:null,change:null,deactivate:null,out:null,over:null,receive:null,remove:null,sort:null,start:null,stop:null,update:null},_isOverAxis:function(t,e,i){return t>=e&&t=0;t--)this.items[t].item.removeData(this.widgetName+"-item");return this},_mouseCapture:function(e,i){var n=null,o=!1,r=this;return!(this.reverting||this.options.disabled||"static"===this.options.type||(this._refreshItems(e),t(e.target).parents().each((function(){if(t.data(this,r.widgetName+"-item")===r)return n=t(this),!1})),t.data(e.target,r.widgetName+"-item")===r&&(n=t(e.target)),!n||this.options.handle&&!i&&(t(this.options.handle,n).find("*").addBack().each((function(){this===e.target&&(o=!0)})),!o)||(this.currentItem=n,this._removeCurrentsFromItems(),0)))},_mouseStart:function(e,i,n){var o,r,s=this.options;if(this.currentContainer=this,this.refreshPositions(),this.appendTo=t("parent"!==s.appendTo?s.appendTo:this.currentItem.parent()),this.helper=this._createHelper(e),this._cacheHelperProportions(),this._cacheMargins(),this.offset=this.currentItem.offset(),this.offset={top:this.offset.top-this.margins.top,left:this.offset.left-this.margins.left},t.extend(this.offset,{click:{left:e.pageX-this.offset.left,top:e.pageY-this.offset.top},relative:this._getRelativeOffset()}),this.helper.css("position","absolute"),this.cssPosition=this.helper.css("position"),s.cursorAt&&this._adjustOffsetFromHelper(s.cursorAt),this.domPosition={prev:this.currentItem.prev()[0],parent:this.currentItem.parent()[0]},this.helper[0]!==this.currentItem[0]&&this.currentItem.hide(),this._createPlaceholder(),this.scrollParent=this.placeholder.scrollParent(),t.extend(this.offset,{parent:this._getParentOffset()}),s.containment&&this._setContainment(),s.cursor&&"auto"!==s.cursor&&(r=this.document.find("body"),this.storedCursor=r.css("cursor"),r.css("cursor",s.cursor),this.storedStylesheet=t("").appendTo(r)),s.zIndex&&(this.helper.css("zIndex")&&(this._storedZIndex=this.helper.css("zIndex")),this.helper.css("zIndex",s.zIndex)),s.opacity&&(this.helper.css("opacity")&&(this._storedOpacity=this.helper.css("opacity")),this.helper.css("opacity",s.opacity)),this.scrollParent[0]!==this.document[0]&&"HTML"!==this.scrollParent[0].tagName&&(this.overflowOffset=this.scrollParent.offset()),this._trigger("start",e,this._uiHash()),this._preserveHelperProportions||this._cacheHelperProportions(),!n)for(o=this.containers.length-1;o>=0;o--)this.containers[o]._trigger("activate",e,this._uiHash(this));return t.ui.ddmanager&&(t.ui.ddmanager.current=this),t.ui.ddmanager&&!s.dropBehaviour&&t.ui.ddmanager.prepareOffsets(this,e),this.dragging=!0,this._addClass(this.helper,"ui-sortable-helper"),this.helper.parent().is(this.appendTo)||(this.helper.detach().appendTo(this.appendTo),this.offset.parent=this._getParentOffset()),this.position=this.originalPosition=this._generatePosition(e),this.originalPageX=e.pageX,this.originalPageY=e.pageY,this.lastPositionAbs=this.positionAbs=this._convertPositionTo("absolute"),this._mouseDrag(e),!0},_scroll:function(t){var e=this.options,i=!1;return this.scrollParent[0]!==this.document[0]&&"HTML"!==this.scrollParent[0].tagName?(this.overflowOffset.top+this.scrollParent[0].offsetHeight-t.pageY=0;i--)if(o=(n=this.items[i]).item[0],(r=this._intersectsWithPointer(n))&&n.instance===this.currentContainer&&!(o===this.currentItem[0]||this.placeholder[1===r?"next":"prev"]()[0]===o||t.contains(this.placeholder[0],o)||"semi-dynamic"===this.options.type&&t.contains(this.element[0],o))){if(this.direction=1===r?"down":"up","pointer"!==this.options.tolerance&&!this._intersectsWithSides(n))break;this._rearrange(e,n),this._trigger("change",e,this._uiHash());break}return this._contactContainers(e),t.ui.ddmanager&&t.ui.ddmanager.drag(this,e),this._trigger("sort",e,this._uiHash()),this.lastPositionAbs=this.positionAbs,!1},_mouseStop:function(e,i){if(e){if(t.ui.ddmanager&&!this.options.dropBehaviour&&t.ui.ddmanager.drop(this,e),this.options.revert){var n=this,o=this.placeholder.offset(),r=this.options.axis,s={};r&&"x"!==r||(s.left=o.left-this.offset.parent.left-this.margins.left+(this.offsetParent[0]===this.document[0].body?0:this.offsetParent[0].scrollLeft)),r&&"y"!==r||(s.top=o.top-this.offset.parent.top-this.margins.top+(this.offsetParent[0]===this.document[0].body?0:this.offsetParent[0].scrollTop)),this.reverting=!0,t(this.helper).animate(s,parseInt(this.options.revert,10)||500,(function(){n._clear(e)}))}else this._clear(e,i);return!1}},cancel:function(){if(this.dragging){this._mouseUp(new t.Event("mouseup",{target:null})),"original"===this.options.helper?(this.currentItem.css(this._storedCSS),this._removeClass(this.currentItem,"ui-sortable-helper")):this.currentItem.show();for(var e=this.containers.length-1;e>=0;e--)this.containers[e]._trigger("deactivate",null,this._uiHash(this)),this.containers[e].containerCache.over&&(this.containers[e]._trigger("out",null,this._uiHash(this)),this.containers[e].containerCache.over=0)}return this.placeholder&&(this.placeholder[0].parentNode&&this.placeholder[0].parentNode.removeChild(this.placeholder[0]),"original"!==this.options.helper&&this.helper&&this.helper[0].parentNode&&this.helper.remove(),t.extend(this,{helper:null,dragging:!1,reverting:!1,_noFinalSort:null}),this.domPosition.prev?t(this.domPosition.prev).after(this.currentItem):t(this.domPosition.parent).prepend(this.currentItem)),this},serialize:function(e){var i=this._getItemsAsjQuery(e&&e.connected),n=[];return e=e||{},t(i).each((function(){var i=(t(e.item||this).attr(e.attribute||"id")||"").match(e.expression||/(.+)[\-=_](.+)/);i&&n.push((e.key||i[1]+"[]")+"="+(e.key&&e.expression?i[1]:i[2]))})),!n.length&&e.key&&n.push(e.key+"="),n.join("&")},toArray:function(e){var i=this._getItemsAsjQuery(e&&e.connected),n=[];return e=e||{},i.each((function(){n.push(t(e.item||this).attr(e.attribute||"id")||"")})),n},_intersectsWith:function(t){var e=this.positionAbs.left,i=e+this.helperProportions.width,n=this.positionAbs.top,o=n+this.helperProportions.height,r=t.left,s=r+t.width,a=t.top,c=a+t.height,l=this.offset.click.top,u=this.offset.click.left,h="x"===this.options.axis||n+l>a&&n+lr&&e+ut[this.floating?"width":"height"]?p:r0?"down":"up")},_getDragHorizontalDirection:function(){var t=this.positionAbs.left-this.lastPositionAbs.left;return 0!==t&&(t>0?"right":"left")},refresh:function(t){return this._refreshItems(t),this._setHandleClassName(),this.refreshPositions(),this},_connectWith:function(){var t=this.options;return t.connectWith.constructor===String?[t.connectWith]:t.connectWith},_getItemsAsjQuery:function(e){var i,n,o,r,s=[],a=[],c=this._connectWith();if(c&&e)for(i=c.length-1;i>=0;i--)for(n=(o=t(c[i],this.document[0])).length-1;n>=0;n--)(r=t.data(o[n],this.widgetFullName))&&r!==this&&!r.options.disabled&&a.push(["function"==typeof r.options.items?r.options.items.call(r.element):t(r.options.items,r.element).not(".ui-sortable-helper").not(".ui-sortable-placeholder"),r]);function l(){s.push(this)}for(a.push(["function"==typeof this.options.items?this.options.items.call(this.element,null,{options:this.options,item:this.currentItem}):t(this.options.items,this.element).not(".ui-sortable-helper").not(".ui-sortable-placeholder"),this]),i=a.length-1;i>=0;i--)a[i][0].each(l);return t(s)},_removeCurrentsFromItems:function(){var e=this.currentItem.find(":data("+this.widgetName+"-item)");this.items=t.grep(this.items,(function(t){for(var i=0;i=0;i--)for(n=(o=t(d[i],this.document[0])).length-1;n>=0;n--)(r=t.data(o[n],this.widgetFullName))&&r!==this&&!r.options.disabled&&(h.push(["function"==typeof r.options.items?r.options.items.call(r.element[0],e,{item:this.currentItem}):t(r.options.items,r.element),r]),this.containers.push(r));for(i=h.length-1;i>=0;i--)for(s=h[i][1],n=0,l=(a=h[i][0]).length;n=0;i--)n=this.items[i],this.currentContainer&&n.instance!==this.currentContainer&&n.item[0]!==this.currentItem[0]||(o=this.options.toleranceElement?t(this.options.toleranceElement,n.item):n.item,e||(n.width=o.outerWidth(),n.height=o.outerHeight()),r=o.offset(),n.left=r.left,n.top=r.top)},refreshPositions:function(t){var e,i;if(this.floating=!!this.items.length&&("x"===this.options.axis||this._isFloating(this.items[0].item)),this.offsetParent&&this.helper&&(this.offset.parent=this._getParentOffset()),this._refreshItemPositions(t),this.options.custom&&this.options.custom.refreshContainers)this.options.custom.refreshContainers.call(this);else for(e=this.containers.length-1;e>=0;e--)i=this.containers[e].element.offset(),this.containers[e].containerCache.left=i.left,this.containers[e].containerCache.top=i.top,this.containers[e].containerCache.width=this.containers[e].element.outerWidth(),this.containers[e].containerCache.height=this.containers[e].element.outerHeight();return this},_createPlaceholder:function(e){var i,n,o=(e=e||this).options;o.placeholder&&o.placeholder.constructor!==String||(i=o.placeholder,n=e.currentItem[0].nodeName.toLowerCase(),o.placeholder={element:function(){var o=t("<"+n+">",e.document[0]);return e._addClass(o,"ui-sortable-placeholder",i||e.currentItem[0].className)._removeClass(o,"ui-sortable-helper"),"tbody"===n?e._createTrPlaceholder(e.currentItem.find("tr").eq(0),t("",e.document[0]).appendTo(o)):"tr"===n?e._createTrPlaceholder(e.currentItem,o):"img"===n&&o.attr("src",e.currentItem.attr("src")),i||o.css("visibility","hidden"),o},update:function(t,r){i&&!o.forcePlaceholderSize||(r.height()&&(!o.forcePlaceholderSize||"tbody"!==n&&"tr"!==n)||r.height(e.currentItem.innerHeight()-parseInt(e.currentItem.css("paddingTop")||0,10)-parseInt(e.currentItem.css("paddingBottom")||0,10)),r.width()||r.width(e.currentItem.innerWidth()-parseInt(e.currentItem.css("paddingLeft")||0,10)-parseInt(e.currentItem.css("paddingRight")||0,10)))}}),e.placeholder=t(o.placeholder.element.call(e.element,e.currentItem)),e.currentItem.after(e.placeholder),o.placeholder.update(e,e.placeholder)},_createTrPlaceholder:function(e,i){var n=this;e.children().each((function(){t(" ",n.document[0]).attr("colspan",t(this).attr("colspan")||1).appendTo(i)}))},_contactContainers:function(e){var i,n,o,r,s,a,c,l,u,h,d=null,p=null;for(i=this.containers.length-1;i>=0;i--)if(!t.contains(this.currentItem[0],this.containers[i].element[0]))if(this._intersectsWith(this.containers[i].containerCache)){if(d&&t.contains(this.containers[i].element[0],d.element[0]))continue;d=this.containers[i],p=i}else this.containers[i].containerCache.over&&(this.containers[i]._trigger("out",e,this._uiHash(this)),this.containers[i].containerCache.over=0);if(d)if(1===this.containers.length)this.containers[p].containerCache.over||(this.containers[p]._trigger("over",e,this._uiHash(this)),this.containers[p].containerCache.over=1);else{for(o=1e4,r=null,s=(u=d.floating||this._isFloating(this.currentItem))?"left":"top",a=u?"width":"height",h=u?"pageX":"pageY",n=this.items.length-1;n>=0;n--)t.contains(this.containers[p].element[0],this.items[n].item[0])&&this.items[n].item[0]!==this.currentItem[0]&&(c=this.items[n].item.offset()[s],l=!1,e[h]-c>this.items[n][a]/2&&(l=!0),Math.abs(e[h]-c)this.containment[2]&&(r=this.containment[2]+this.offset.click.left),e.pageY-this.offset.click.top>this.containment[3]&&(s=this.containment[3]+this.offset.click.top)),o.grid&&(i=this.originalPageY+Math.round((s-this.originalPageY)/o.grid[1])*o.grid[1],s=this.containment?i-this.offset.click.top>=this.containment[1]&&i-this.offset.click.top<=this.containment[3]?i:i-this.offset.click.top>=this.containment[1]?i-o.grid[1]:i+o.grid[1]:i,n=this.originalPageX+Math.round((r-this.originalPageX)/o.grid[0])*o.grid[0],r=this.containment?n-this.offset.click.left>=this.containment[0]&&n-this.offset.click.left<=this.containment[2]?n:n-this.offset.click.left>=this.containment[0]?n-o.grid[0]:n+o.grid[0]:n)),{top:s-this.offset.click.top-this.offset.relative.top-this.offset.parent.top+("fixed"===this.cssPosition?-this.scrollParent.scrollTop():c?0:a.scrollTop()),left:r-this.offset.click.left-this.offset.relative.left-this.offset.parent.left+("fixed"===this.cssPosition?-this.scrollParent.scrollLeft():c?0:a.scrollLeft())}},_rearrange:function(t,e,i,n){i?i[0].appendChild(this.placeholder[0]):e.item[0].parentNode.insertBefore(this.placeholder[0],"down"===this.direction?e.item[0]:e.item[0].nextSibling),this.counter=this.counter?++this.counter:1;var o=this.counter;this._delay((function(){o===this.counter&&this.refreshPositions(!n)}))},_clear:function(t,e){this.reverting=!1;var i,n=[];if(!this._noFinalSort&&this.currentItem.parent().length&&this.placeholder.before(this.currentItem),this._noFinalSort=null,this.helper[0]===this.currentItem[0]){for(i in this._storedCSS)"auto"!==this._storedCSS[i]&&"static"!==this._storedCSS[i]||(this._storedCSS[i]="");this.currentItem.css(this._storedCSS),this._removeClass(this.currentItem,"ui-sortable-helper")}else this.currentItem.show();function o(t,e,i){return function(n){i._trigger(t,n,e._uiHash(e))}}for(this.fromOutside&&!e&&n.push((function(t){this._trigger("receive",t,this._uiHash(this.fromOutside))})),!this.fromOutside&&this.domPosition.prev===this.currentItem.prev().not(".ui-sortable-helper")[0]&&this.domPosition.parent===this.currentItem.parent()[0]||e||n.push((function(t){this._trigger("update",t,this._uiHash())})),this!==this.currentContainer&&(e||(n.push((function(t){this._trigger("remove",t,this._uiHash())})),n.push(function(t){return function(e){t._trigger("receive",e,this._uiHash(this))}}.call(this,this.currentContainer)),n.push(function(t){return function(e){t._trigger("update",e,this._uiHash(this))}}.call(this,this.currentContainer)))),i=this.containers.length-1;i>=0;i--)e||n.push(o("deactivate",this,this.containers[i])),this.containers[i].containerCache.over&&(n.push(o("out",this,this.containers[i])),this.containers[i].containerCache.over=0);if(this.storedCursor&&(this.document.find("body").css("cursor",this.storedCursor),this.storedStylesheet.remove()),this._storedOpacity&&this.helper.css("opacity",this._storedOpacity),this._storedZIndex&&this.helper.css("zIndex","auto"===this._storedZIndex?"":this._storedZIndex),this.dragging=!1,e||this._trigger("beforeStop",t,this._uiHash()),this.placeholder[0].parentNode.removeChild(this.placeholder[0]),this.cancelHelperRemoval||(this.helper[0]!==this.currentItem[0]&&this.helper.remove(),this.helper=null),!e){for(i=0;i",widgetEventPrefix:"spin",options:{classes:{"ui-spinner":"ui-corner-all","ui-spinner-down":"ui-corner-br","ui-spinner-up":"ui-corner-tr"},culture:null,icons:{down:"ui-icon-triangle-1-s",up:"ui-icon-triangle-1-n"},incremental:!0,max:null,min:null,numberFormat:null,page:10,step:1,change:null,spin:null,start:null,stop:null},_create:function(){this._setOption("max",this.options.max),this._setOption("min",this.options.min),this._setOption("step",this.options.step),""!==this.value()&&this._value(this.element.val(),!0),this._draw(),this._on(this._events),this._refresh(),this._on(this.window,{beforeunload:function(){this.element.removeAttr("autocomplete")}})},_getCreateOptions:function(){var e=this._super(),i=this.element;return t.each(["min","max","step"],(function(t,n){var o=i.attr(n);null!=o&&o.length&&(e[n]=o)})),e},_events:{keydown:function(t){this._start(t)&&this._keydown(t)&&t.preventDefault()},keyup:"_stop",focus:function(){this.previous=this.element.val()},blur:function(t){this.cancelBlur?delete this.cancelBlur:(this._stop(),this._refresh(),this.previous!==this.element.val()&&this._trigger("change",t))},mousewheel:function(e,i){var n=t.ui.safeActiveElement(this.document[0]);if(this.element[0]===n&&i){if(!this.spinning&&!this._start(e))return!1;this._spin((i>0?1:-1)*this.options.step,e),clearTimeout(this.mousewheelTimer),this.mousewheelTimer=this._delay((function(){this.spinning&&this._stop(e)}),100),e.preventDefault()}},"mousedown .ui-spinner-button":function(e){var i;function n(){this.element[0]===t.ui.safeActiveElement(this.document[0])||(this.element.trigger("focus"),this.previous=i,this._delay((function(){this.previous=i})))}i=this.element[0]===t.ui.safeActiveElement(this.document[0])?this.previous:this.element.val(),e.preventDefault(),n.call(this),this.cancelBlur=!0,this._delay((function(){delete this.cancelBlur,n.call(this)})),!1!==this._start(e)&&this._repeat(null,t(e.currentTarget).hasClass("ui-spinner-up")?1:-1,e)},"mouseup .ui-spinner-button":"_stop","mouseenter .ui-spinner-button":function(e){if(t(e.currentTarget).hasClass("ui-state-active"))return!1!==this._start(e)&&void this._repeat(null,t(e.currentTarget).hasClass("ui-spinner-up")?1:-1,e)},"mouseleave .ui-spinner-button":"_stop"},_enhance:function(){this.uiSpinner=this.element.attr("autocomplete","off").wrap("").parent().append("")},_draw:function(){this._enhance(),this._addClass(this.uiSpinner,"ui-spinner","ui-widget ui-widget-content"),this._addClass("ui-spinner-input"),this.element.attr("role","spinbutton"),this.buttons=this.uiSpinner.children("a").attr("tabIndex",-1).attr("aria-hidden",!0).button({classes:{"ui-button":""}}),this._removeClass(this.buttons,"ui-corner-all"),this._addClass(this.buttons.first(),"ui-spinner-button ui-spinner-up"),this._addClass(this.buttons.last(),"ui-spinner-button ui-spinner-down"),this.buttons.first().button({icon:this.options.icons.up,showLabel:!1}),this.buttons.last().button({icon:this.options.icons.down,showLabel:!1}),this.buttons.height()>Math.ceil(.5*this.uiSpinner.height())&&this.uiSpinner.height()>0&&this.uiSpinner.height(this.uiSpinner.height())},_keydown:function(e){var i=this.options,n=t.ui.keyCode;switch(e.keyCode){case n.UP:return this._repeat(null,1,e),!0;case n.DOWN:return this._repeat(null,-1,e),!0;case n.PAGE_UP:return this._repeat(null,i.page,e),!0;case n.PAGE_DOWN:return this._repeat(null,-i.page,e),!0}return!1},_start:function(t){return!(!this.spinning&&!1===this._trigger("start",t)||(this.counter||(this.counter=1),this.spinning=!0,0))},_repeat:function(t,e,i){t=t||500,clearTimeout(this.timer),this.timer=this._delay((function(){this._repeat(40,e,i)}),t),this._spin(e*this.options.step,i)},_spin:function(t,e){var i=this.value()||0;this.counter||(this.counter=1),i=this._adjustValue(i+t*this._increment(this.counter)),this.spinning&&!1===this._trigger("spin",e,{value:i})||(this._value(i),this.counter++)},_increment:function(t){var e=this.options.incremental;return e?"function"==typeof e?e(t):Math.floor(t*t*t/5e4-t*t/500+17*t/200+1):1},_precision:function(){var t=this._precisionOf(this.options.step);return null!==this.options.min&&(t=Math.max(t,this._precisionOf(this.options.min))),t},_precisionOf:function(t){var e=t.toString(),i=e.indexOf(".");return-1===i?0:e.length-i-1},_adjustValue:function(t){var e,i,n=this.options;return i=t-(e=null!==n.min?n.min:0),t=e+(i=Math.round(i/n.step)*n.step),t=parseFloat(t.toFixed(this._precision())),null!==n.max&&t>n.max?n.max:null!==n.min&&t"},_buttonHtml:function(){return""}}),t.ui.spinner,t.widget("ui.tabs",{version:"1.13.3",delay:300,options:{active:null,classes:{"ui-tabs":"ui-corner-all","ui-tabs-nav":"ui-corner-all","ui-tabs-panel":"ui-corner-bottom","ui-tabs-tab":"ui-corner-top"},collapsible:!1,event:"click",heightStyle:"content",hide:null,show:null,activate:null,beforeActivate:null,beforeLoad:null,load:null},_isLocal:(R=/#.*$/,function(t){var e,i;e=t.href.replace(R,""),i=location.href.replace(R,"");try{e=decodeURIComponent(e)}catch(t){}try{i=decodeURIComponent(i)}catch(t){}return t.hash.length>1&&e===i}),_create:function(){var e=this,i=this.options;this.running=!1,this._addClass("ui-tabs","ui-widget ui-widget-content"),this._toggleClass("ui-tabs-collapsible",null,i.collapsible),this._processTabs(),i.active=this._initialActive(),Array.isArray(i.disabled)&&(i.disabled=t.uniqueSort(i.disabled.concat(t.map(this.tabs.filter(".ui-state-disabled"),(function(t){return e.tabs.index(t)})))).sort()),!1!==this.options.active&&this.anchors.length?this.active=this._findActive(i.active):this.active=t(),this._refresh(),this.active.length&&this.load(i.active)},_initialActive:function(){var e=this.options.active,i=this.options.collapsible,n=location.hash.substring(1);return null===e&&(n&&this.tabs.each((function(i,o){if(t(o).attr("aria-controls")===n)return e=i,!1})),null===e&&(e=this.tabs.index(this.tabs.filter(".ui-tabs-active"))),null!==e&&-1!==e||(e=!!this.tabs.length&&0)),!1!==e&&-1===(e=this.tabs.index(this.tabs.eq(e)))&&(e=!i&&0),!i&&!1===e&&this.anchors.length&&(e=0),e},_getCreateEventData:function(){return{tab:this.active,panel:this.active.length?this._getPanelForTab(this.active):t()}},_tabKeydown:function(e){var i=t(t.ui.safeActiveElement(this.document[0])).closest("li"),n=this.tabs.index(i),o=!0;if(!this._handlePageNav(e)){switch(e.keyCode){case t.ui.keyCode.RIGHT:case t.ui.keyCode.DOWN:n++;break;case t.ui.keyCode.UP:case t.ui.keyCode.LEFT:o=!1,n--;break;case t.ui.keyCode.END:n=this.anchors.length-1;break;case t.ui.keyCode.HOME:n=0;break;case t.ui.keyCode.SPACE:return e.preventDefault(),clearTimeout(this.activating),void this._activate(n);case t.ui.keyCode.ENTER:return e.preventDefault(),clearTimeout(this.activating),void this._activate(n!==this.options.active&&n);default:return}e.preventDefault(),clearTimeout(this.activating),n=this._focusNextTab(n,o),e.ctrlKey||e.metaKey||(i.attr("aria-selected","false"),this.tabs.eq(n).attr("aria-selected","true"),this.activating=this._delay((function(){this.option("active",n)}),this.delay))}},_panelKeydown:function(e){this._handlePageNav(e)||e.ctrlKey&&e.keyCode===t.ui.keyCode.UP&&(e.preventDefault(),this.active.trigger("focus"))},_handlePageNav:function(e){return e.altKey&&e.keyCode===t.ui.keyCode.PAGE_UP?(this._activate(this._focusNextTab(this.options.active-1,!1)),!0):e.altKey&&e.keyCode===t.ui.keyCode.PAGE_DOWN?(this._activate(this._focusNextTab(this.options.active+1,!0)),!0):void 0},_findNextTab:function(e,i){var n=this.tabs.length-1;for(;-1!==t.inArray((e>n&&(e=0),e<0&&(e=n),e),this.options.disabled);)e=i?e+1:e-1;return e},_focusNextTab:function(t,e){return t=this._findNextTab(t,e),this.tabs.eq(t).trigger("focus"),t},_setOption:function(t,e){"active"!==t?(this._super(t,e),"collapsible"===t&&(this._toggleClass("ui-tabs-collapsible",null,e),e||!1!==this.options.active||this._activate(0)),"event"===t&&this._setupEvents(e),"heightStyle"===t&&this._setupHeightStyle(e)):this._activate(e)},_sanitizeSelector:function(t){return t?t.replace(/[!"$%&'()*+,.\/:;<=>?@\[\]\^`{|}~]/g,"\\$&"):""},refresh:function(){var e=this.options,i=this.tablist.children(":has(a[href])");e.disabled=t.map(i.filter(".ui-state-disabled"),(function(t){return i.index(t)})),this._processTabs(),!1!==e.active&&this.anchors.length?this.active.length&&!t.contains(this.tablist[0],this.active[0])?this.tabs.length===e.disabled.length?(e.active=!1,this.active=t()):this._activate(this._findNextTab(Math.max(0,e.active-1),!1)):e.active=this.tabs.index(this.active):(e.active=!1,this.active=t()),this._refresh()},_refresh:function(){this._setOptionDisabled(this.options.disabled),this._setupEvents(this.options.event),this._setupHeightStyle(this.options.heightStyle),this.tabs.not(this.active).attr({"aria-selected":"false","aria-expanded":"false",tabIndex:-1}),this.panels.not(this._getPanelForTab(this.active)).hide().attr({"aria-hidden":"true"}),this.active.length?(this.active.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0}),this._addClass(this.active,"ui-tabs-active","ui-state-active"),this._getPanelForTab(this.active).show().attr({"aria-hidden":"false"})):this.tabs.eq(0).attr("tabIndex",0)},_processTabs:function(){var e=this,i=this.tabs,n=this.anchors,o=this.panels;this.tablist=this._getList().attr("role","tablist"),this._addClass(this.tablist,"ui-tabs-nav","ui-helper-reset ui-helper-clearfix ui-widget-header"),this.tablist.on("mousedown"+this.eventNamespace,"> li",(function(e){t(this).is(".ui-state-disabled")&&e.preventDefault()})).on("focus"+this.eventNamespace,".ui-tabs-anchor",(function(){t(this).closest("li").is(".ui-state-disabled")&&this.blur()})),this.tabs=this.tablist.find("> li:has(a[href])").attr({role:"tab",tabIndex:-1}),this._addClass(this.tabs,"ui-tabs-tab","ui-state-default"),this.anchors=this.tabs.map((function(){return t("a",this)[0]})).attr({tabIndex:-1}),this._addClass(this.anchors,"ui-tabs-anchor"),this.panels=t(),this.anchors.each((function(i,n){var o,r,s,a=t(n).uniqueId().attr("id"),c=t(n).closest("li"),l=c.attr("aria-controls");e._isLocal(n)?(s=(o=n.hash).substring(1),r=e.element.find(e._sanitizeSelector(o))):(o="#"+(s=c.attr("aria-controls")||t({}).uniqueId()[0].id),(r=e.element.find(o)).length||(r=e._createPanel(s)).insertAfter(e.panels[i-1]||e.tablist),r.attr("aria-live","polite")),r.length&&(e.panels=e.panels.add(r)),l&&c.data("ui-tabs-aria-controls",l),c.attr({"aria-controls":s,"aria-labelledby":a}),r.attr("aria-labelledby",a)})),this.panels.attr("role","tabpanel"),this._addClass(this.panels,"ui-tabs-panel","ui-widget-content"),i&&(this._off(i.not(this.tabs)),this._off(n.not(this.anchors)),this._off(o.not(this.panels)))},_getList:function(){return this.tablist||this.element.find("ol, ul").eq(0)},_createPanel:function(e){return t("
        ").attr("id",e).data("ui-tabs-destroy",!0)},_setOptionDisabled:function(e){var i,n,o;for(Array.isArray(e)&&(e.length?e.length===this.anchors.length&&(e=!0):e=!1),o=0;n=this.tabs[o];o++)i=t(n),!0===e||-1!==t.inArray(o,e)?(i.attr("aria-disabled","true"),this._addClass(i,null,"ui-state-disabled")):(i.removeAttr("aria-disabled"),this._removeClass(i,null,"ui-state-disabled"));this.options.disabled=e,this._toggleClass(this.widget(),this.widgetFullName+"-disabled",null,!0===e)},_setupEvents:function(e){var i={};e&&t.each(e.split(" "),(function(t,e){i[e]="_eventHandler"})),this._off(this.anchors.add(this.tabs).add(this.panels)),this._on(!0,this.anchors,{click:function(t){t.preventDefault()}}),this._on(this.anchors,i),this._on(this.tabs,{keydown:"_tabKeydown"}),this._on(this.panels,{keydown:"_panelKeydown"}),this._focusable(this.tabs),this._hoverable(this.tabs)},_setupHeightStyle:function(e){var i,n=this.element.parent();"fill"===e?(i=n.height(),i-=this.element.outerHeight()-this.element.height(),this.element.siblings(":visible").each((function(){var e=t(this),n=e.css("position");"absolute"!==n&&"fixed"!==n&&(i-=e.outerHeight(!0))})),this.element.children().not(this.panels).each((function(){i-=t(this).outerHeight(!0)})),this.panels.each((function(){t(this).height(Math.max(0,i-t(this).innerHeight()+t(this).height()))})).css("overflow","auto")):"auto"===e&&(i=0,this.panels.each((function(){i=Math.max(i,t(this).height("").height())})).height(i))},_eventHandler:function(e){var i=this.options,n=this.active,o=t(e.currentTarget).closest("li"),r=o[0]===n[0],s=r&&i.collapsible,a=s?t():this._getPanelForTab(o),c=n.length?this._getPanelForTab(n):t(),l={oldTab:n,oldPanel:c,newTab:s?t():o,newPanel:a};e.preventDefault(),o.hasClass("ui-state-disabled")||o.hasClass("ui-tabs-loading")||this.running||r&&!i.collapsible||!1===this._trigger("beforeActivate",e,l)||(i.active=!s&&this.tabs.index(o),this.active=r?t():o,this.xhr&&this.xhr.abort(),c.length||a.length||t.error("jQuery UI Tabs: Mismatching fragment identifier."),a.length&&this.load(this.tabs.index(o),e),this._toggle(e,l))},_toggle:function(e,i){var n=this,o=i.newPanel,r=i.oldPanel;function s(){n.running=!1,n._trigger("activate",e,i)}function a(){n._addClass(i.newTab.closest("li"),"ui-tabs-active","ui-state-active"),o.length&&n.options.show?n._show(o,n.options.show,s):(o.show(),s())}this.running=!0,r.length&&this.options.hide?this._hide(r,this.options.hide,(function(){n._removeClass(i.oldTab.closest("li"),"ui-tabs-active","ui-state-active"),a()})):(this._removeClass(i.oldTab.closest("li"),"ui-tabs-active","ui-state-active"),r.hide(),a()),r.attr("aria-hidden","true"),i.oldTab.attr({"aria-selected":"false","aria-expanded":"false"}),o.length&&r.length?i.oldTab.attr("tabIndex",-1):o.length&&this.tabs.filter((function(){return 0===t(this).attr("tabIndex")})).attr("tabIndex",-1),o.attr("aria-hidden","false"),i.newTab.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0})},_activate:function(e){var i,n=this._findActive(e);n[0]!==this.active[0]&&(n.length||(n=this.active),i=n.find(".ui-tabs-anchor")[0],this._eventHandler({target:i,currentTarget:i,preventDefault:t.noop}))},_findActive:function(e){return!1===e?t():this.tabs.eq(e)},_getIndex:function(e){return"string"==typeof e&&(e=this.anchors.index(this.anchors.filter("[href$='"+t.escapeSelector(e)+"']"))),e},_destroy:function(){this.xhr&&this.xhr.abort(),this.tablist.removeAttr("role").off(this.eventNamespace),this.anchors.removeAttr("role tabIndex").removeUniqueId(),this.tabs.add(this.panels).each((function(){t.data(this,"ui-tabs-destroy")?t(this).remove():t(this).removeAttr("role tabIndex aria-live aria-busy aria-selected aria-labelledby aria-hidden aria-expanded")})),this.tabs.each((function(){var e=t(this),i=e.data("ui-tabs-aria-controls");i?e.attr("aria-controls",i).removeData("ui-tabs-aria-controls"):e.removeAttr("aria-controls")})),this.panels.show(),"content"!==this.options.heightStyle&&this.panels.css("height","")},enable:function(e){var i=this.options.disabled;!1!==i&&(void 0===e?i=!1:(e=this._getIndex(e),i=Array.isArray(i)?t.map(i,(function(t){return t!==e?t:null})):t.map(this.tabs,(function(t,i){return i!==e?i:null}))),this._setOptionDisabled(i))},disable:function(e){var i=this.options.disabled;if(!0!==i){if(void 0===e)i=!0;else{if(e=this._getIndex(e),-1!==t.inArray(e,i))return;i=Array.isArray(i)?t.merge([e],i).sort():[e]}this._setOptionDisabled(i)}},load:function(e,i){e=this._getIndex(e);var n=this,o=this.tabs.eq(e),r=o.find(".ui-tabs-anchor"),s=this._getPanelForTab(o),a={tab:o,panel:s},c=function(t,e){"abort"===e&&n.panels.stop(!1,!0),n._removeClass(o,"ui-tabs-loading"),s.removeAttr("aria-busy"),t===n.xhr&&delete n.xhr};this._isLocal(r[0])||(this.xhr=t.ajax(this._ajaxSettings(r,i,a)),this.xhr&&"canceled"!==this.xhr.statusText&&(this._addClass(o,"ui-tabs-loading"),s.attr("aria-busy","true"),this.xhr.done((function(t,e,o){setTimeout((function(){s.html(t),n._trigger("load",i,a),c(o,e)}),1)})).fail((function(t,e){setTimeout((function(){c(t,e)}),1)}))))},_ajaxSettings:function(e,i,n){var o=this;return{url:e.attr("href").replace(/#.*$/,""),beforeSend:function(e,r){return o._trigger("beforeLoad",i,t.extend({jqXHR:e,ajaxSettings:r},n))}}},_getPanelForTab:function(e){var i=t(e).attr("aria-controls");return this.element.find(this._sanitizeSelector("#"+i))}}),!1!==t.uiBackCompat&&t.widget("ui.tabs",t.ui.tabs,{_processTabs:function(){this._superApply(arguments),this._addClass(this.tabs,"ui-tab")}}),t.ui.tabs,t.widget("ui.tooltip",{version:"1.13.3",options:{classes:{"ui-tooltip":"ui-corner-all ui-widget-shadow"},content:function(){var e=t(this).attr("title");return t("").text(e).html()},hide:!0,items:"[title]:not([disabled])",position:{my:"left top+15",at:"left bottom",collision:"flipfit flip"},show:!0,track:!1,close:null,open:null},_addDescribedBy:function(t,e){var i=(t.attr("aria-describedby")||"").split(/\s+/);i.push(e),t.data("ui-tooltip-id",e).attr("aria-describedby",String.prototype.trim.call(i.join(" ")))},_removeDescribedBy:function(e){var i=e.data("ui-tooltip-id"),n=(e.attr("aria-describedby")||"").split(/\s+/),o=t.inArray(i,n);-1!==o&&n.splice(o,1),e.removeData("ui-tooltip-id"),(n=String.prototype.trim.call(n.join(" ")))?e.attr("aria-describedby",n):e.removeAttr("aria-describedby")},_create:function(){this._on({mouseover:"open",focusin:"open"}),this.tooltips={},this.parents={},this.liveRegion=t("
        ").attr({role:"log","aria-live":"assertive","aria-relevant":"additions"}).appendTo(this.document[0].body),this._addClass(this.liveRegion,null,"ui-helper-hidden-accessible"),this.disabledTitles=t([])},_setOption:function(e,i){var n=this;this._super(e,i),"content"===e&&t.each(this.tooltips,(function(t,e){n._updateContent(e.element)}))},_setOptionDisabled:function(t){this[t?"_disable":"_enable"]()},_disable:function(){var e=this;t.each(this.tooltips,(function(i,n){var o=t.Event("blur");o.target=o.currentTarget=n.element[0],e.close(o,!0)})),this.disabledTitles=this.disabledTitles.add(this.element.find(this.options.items).addBack().filter((function(){var e=t(this);if(e.is("[title]"))return e.data("ui-tooltip-title",e.attr("title")).removeAttr("title")})))},_enable:function(){this.disabledTitles.each((function(){var e=t(this);e.data("ui-tooltip-title")&&e.attr("title",e.data("ui-tooltip-title"))})),this.disabledTitles=t([])},open:function(e){var i=this,n=t(e?e.target:this.element).closest(this.options.items);n.length&&!n.data("ui-tooltip-id")&&(n.attr("title")&&n.data("ui-tooltip-title",n.attr("title")),n.data("ui-tooltip-open",!0),e&&"mouseover"===e.type&&n.parents().each((function(){var e,n=t(this);n.data("ui-tooltip-open")&&((e=t.Event("blur")).target=e.currentTarget=this,i.close(e,!0)),n.attr("title")&&(n.uniqueId(),i.parents[this.id]={element:this,title:n.attr("title")},n.attr("title",""))})),this._registerCloseHandlers(e,n),this._updateContent(n,e))},_updateContent:function(t,e){var i,n=this.options.content,o=this,r=e?e.type:null;if("string"==typeof n||n.nodeType||n.jquery)return this._open(e,t,n);(i=n.call(t[0],(function(i){o._delay((function(){t.data("ui-tooltip-open")&&(e&&(e.type=r),this._open(e,t,i))}))})))&&this._open(e,t,i)},_open:function(e,i,n){var o,r,s,a,c=t.extend({},this.options.position);function l(t){c.of=t,r.is(":hidden")||r.position(c)}n&&((o=this._find(i))?o.tooltip.find(".ui-tooltip-content").html(n):(i.is("[title]")&&(e&&"mouseover"===e.type?i.attr("title",""):i.removeAttr("title")),o=this._tooltip(i),r=o.tooltip,this._addDescribedBy(i,r.attr("id")),r.find(".ui-tooltip-content").html(n),this.liveRegion.children().hide(),(a=t("
        ").html(r.find(".ui-tooltip-content").html())).removeAttr("name").find("[name]").removeAttr("name"),a.removeAttr("id").find("[id]").removeAttr("id"),a.appendTo(this.liveRegion),this.options.track&&e&&/^mouse/.test(e.type)?(this._on(this.document,{mousemove:l}),l(e)):r.position(t.extend({of:i},this.options.position)),r.hide(),this._show(r,this.options.show),this.options.track&&this.options.show&&this.options.show.delay&&(s=this.delayedShow=setInterval((function(){r.is(":visible")&&(l(c.of),clearInterval(s))}),13)),this._trigger("open",e,{tooltip:r})))},_registerCloseHandlers:function(e,i){var n={keyup:function(e){if(e.keyCode===t.ui.keyCode.ESCAPE){var n=t.Event(e);n.currentTarget=i[0],this.close(n,!0)}}};i[0]!==this.element[0]&&(n.remove=function(){var t=this._find(i);t&&this._removeTooltip(t.tooltip)}),e&&"mouseover"!==e.type||(n.mouseleave="close"),e&&"focusin"!==e.type||(n.focusout="close"),this._on(!0,i,n)},close:function(e){var i,n=this,o=t(e?e.currentTarget:this.element),r=this._find(o);r?(i=r.tooltip,r.closing||(clearInterval(this.delayedShow),o.data("ui-tooltip-title")&&!o.attr("title")&&o.attr("title",o.data("ui-tooltip-title")),this._removeDescribedBy(o),r.hiding=!0,i.stop(!0),this._hide(i,this.options.hide,(function(){n._removeTooltip(t(this))})),o.removeData("ui-tooltip-open"),this._off(o,"mouseleave focusout keyup"),o[0]!==this.element[0]&&this._off(o,"remove"),this._off(this.document,"mousemove"),e&&"mouseleave"===e.type&&t.each(this.parents,(function(e,i){t(i.element).attr("title",i.title),delete n.parents[e]})),r.closing=!0,this._trigger("close",e,{tooltip:i}),r.hiding||(r.closing=!1))):o.removeData("ui-tooltip-open")},_tooltip:function(e){var i=t("
        ").attr("role","tooltip"),n=t("
        ").appendTo(i),o=i.uniqueId().attr("id");return this._addClass(n,"ui-tooltip-content"),this._addClass(i,"ui-tooltip","ui-widget ui-widget-content"),i.appendTo(this._appendTo(e)),this.tooltips[o]={element:e,tooltip:i}},_find:function(t){var e=t.data("ui-tooltip-id");return e?this.tooltips[e]:null},_removeTooltip:function(t){clearInterval(this.delayedShow),t.remove(),delete this.tooltips[t.attr("id")]},_appendTo:function(t){var e=t.closest(".ui-front, dialog");return e.length||(e=this.document[0].body),e},_destroy:function(){var e=this;t.each(this.tooltips,(function(i,n){var o=t.Event("blur"),r=n.element;o.target=o.currentTarget=r[0],e.close(o,!0),t("#"+i).remove(),r.data("ui-tooltip-title")&&(r.attr("title")||r.attr("title",r.data("ui-tooltip-title")),r.removeData("ui-tooltip-title"))})),this.liveRegion.remove()}}),!1!==t.uiBackCompat&&t.widget("ui.tooltip",t.ui.tooltip,{options:{tooltipClass:null},_tooltip:function(){var t=this._superApply(arguments);return this.options.tooltipClass&&t.tooltip.addClass(this.options.tooltipClass),t}}),t.ui.tooltip},void 0===(r=n.apply(e,o))||(t.exports=r)}()},35358:(t,e,i)=>{var n={"./af":25177,"./af.js":25177,"./ar":61509,"./ar-dz":41488,"./ar-dz.js":41488,"./ar-kw":58676,"./ar-kw.js":58676,"./ar-ly":42353,"./ar-ly.js":42353,"./ar-ma":24496,"./ar-ma.js":24496,"./ar-ps":6947,"./ar-ps.js":6947,"./ar-sa":60301,"./ar-sa.js":60301,"./ar-tn":89756,"./ar-tn.js":89756,"./ar.js":61509,"./az":95533,"./az.js":95533,"./be":28959,"./be.js":28959,"./bg":47777,"./bg.js":47777,"./bm":54903,"./bm.js":54903,"./bn":61290,"./bn-bd":17357,"./bn-bd.js":17357,"./bn.js":61290,"./bo":31545,"./bo.js":31545,"./br":11470,"./br.js":11470,"./bs":44429,"./bs.js":44429,"./ca":7306,"./ca.js":7306,"./cs":56464,"./cs.js":56464,"./cv":73635,"./cv.js":73635,"./cy":64226,"./cy.js":64226,"./da":93601,"./da.js":93601,"./de":77853,"./de-at":26111,"./de-at.js":26111,"./de-ch":54697,"./de-ch.js":54697,"./de.js":77853,"./dv":60708,"./dv.js":60708,"./el":54691,"./el.js":54691,"./en-au":53872,"./en-au.js":53872,"./en-ca":28298,"./en-ca.js":28298,"./en-gb":56195,"./en-gb.js":56195,"./en-ie":66584,"./en-ie.js":66584,"./en-il":65543,"./en-il.js":65543,"./en-in":9033,"./en-in.js":9033,"./en-nz":79402,"./en-nz.js":79402,"./en-sg":43004,"./en-sg.js":43004,"./eo":32934,"./eo.js":32934,"./es":97650,"./es-do":20838,"./es-do.js":20838,"./es-mx":17730,"./es-mx.js":17730,"./es-us":56575,"./es-us.js":56575,"./es.js":97650,"./et":3035,"./et.js":3035,"./eu":3508,"./eu.js":3508,"./fa":119,"./fa.js":119,"./fi":90527,"./fi.js":90527,"./fil":95995,"./fil.js":95995,"./fo":52477,"./fo.js":52477,"./fr":85498,"./fr-ca":26435,"./fr-ca.js":26435,"./fr-ch":37892,"./fr-ch.js":37892,"./fr.js":85498,"./fy":37071,"./fy.js":37071,"./ga":41734,"./ga.js":41734,"./gd":70217,"./gd.js":70217,"./gl":77329,"./gl.js":77329,"./gom-deva":32124,"./gom-deva.js":32124,"./gom-latn":93383,"./gom-latn.js":93383,"./gu":95050,"./gu.js":95050,"./he":11713,"./he.js":11713,"./hi":43861,"./hi.js":43861,"./hr":26308,"./hr.js":26308,"./hu":90609,"./hu.js":90609,"./hy-am":17160,"./hy-am.js":17160,"./id":74063,"./id.js":74063,"./is":89374,"./is.js":89374,"./it":88383,"./it-ch":21827,"./it-ch.js":21827,"./it.js":88383,"./ja":23827,"./ja.js":23827,"./jv":89722,"./jv.js":89722,"./ka":41794,"./ka.js":41794,"./kk":27088,"./kk.js":27088,"./km":96870,"./km.js":96870,"./kn":84451,"./kn.js":84451,"./ko":63164,"./ko.js":63164,"./ku":98174,"./ku-kmr":6181,"./ku-kmr.js":6181,"./ku.js":98174,"./ky":78474,"./ky.js":78474,"./lb":79680,"./lb.js":79680,"./lo":15867,"./lo.js":15867,"./lt":45766,"./lt.js":45766,"./lv":69532,"./lv.js":69532,"./me":58076,"./me.js":58076,"./mi":41848,"./mi.js":41848,"./mk":30306,"./mk.js":30306,"./ml":73739,"./ml.js":73739,"./mn":99053,"./mn.js":99053,"./mr":86169,"./mr.js":86169,"./ms":73386,"./ms-my":92297,"./ms-my.js":92297,"./ms.js":73386,"./mt":77075,"./mt.js":77075,"./my":72264,"./my.js":72264,"./nb":22274,"./nb.js":22274,"./ne":8235,"./ne.js":8235,"./nl":92572,"./nl-be":43784,"./nl-be.js":43784,"./nl.js":92572,"./nn":54566,"./nn.js":54566,"./oc-lnc":69330,"./oc-lnc.js":69330,"./pa-in":29849,"./pa-in.js":29849,"./pl":94418,"./pl.js":94418,"./pt":79834,"./pt-br":48303,"./pt-br.js":48303,"./pt.js":79834,"./ro":24457,"./ro.js":24457,"./ru":82271,"./ru.js":82271,"./sd":1221,"./sd.js":1221,"./se":33478,"./se.js":33478,"./si":17538,"./si.js":17538,"./sk":5784,"./sk.js":5784,"./sl":46637,"./sl.js":46637,"./sq":86794,"./sq.js":86794,"./sr":45719,"./sr-cyrl":3322,"./sr-cyrl.js":3322,"./sr.js":45719,"./ss":56e3,"./ss.js":56e3,"./sv":41011,"./sv.js":41011,"./sw":40748,"./sw.js":40748,"./ta":11025,"./ta.js":11025,"./te":11885,"./te.js":11885,"./tet":28861,"./tet.js":28861,"./tg":86571,"./tg.js":86571,"./th":55802,"./th.js":55802,"./tk":59527,"./tk.js":59527,"./tl-ph":29231,"./tl-ph.js":29231,"./tlh":31052,"./tlh.js":31052,"./tr":85096,"./tr.js":85096,"./tzl":79846,"./tzl.js":79846,"./tzm":81765,"./tzm-latn":97711,"./tzm-latn.js":97711,"./tzm.js":81765,"./ug-cn":48414,"./ug-cn.js":48414,"./uk":16618,"./uk.js":16618,"./ur":57777,"./ur.js":57777,"./uz":57609,"./uz-latn":72475,"./uz-latn.js":72475,"./uz.js":57609,"./vi":21135,"./vi.js":21135,"./x-pseudo":64051,"./x-pseudo.js":64051,"./yo":82218,"./yo.js":82218,"./zh-cn":52648,"./zh-cn.js":52648,"./zh-hk":1632,"./zh-hk.js":1632,"./zh-mo":31541,"./zh-mo.js":31541,"./zh-tw":50304,"./zh-tw.js":50304};function o(t){var e=r(t);return i(e)}function r(t){if(!i.o(n,t)){var e=new Error("Cannot find module '"+t+"'");throw e.code="MODULE_NOT_FOUND",e}return n[t]}o.keys=function(){return Object.keys(n)},o.resolve=r,t.exports=o,o.id=35358},7452:t=>{var e=function(t){"use strict";var e,i=Object.prototype,n=i.hasOwnProperty,o=Object.defineProperty||function(t,e,i){t[e]=i.value},r="function"==typeof Symbol?Symbol:{},s=r.iterator||"@@iterator",a=r.asyncIterator||"@@asyncIterator",c=r.toStringTag||"@@toStringTag";function l(t,e,i){return Object.defineProperty(t,e,{value:i,enumerable:!0,configurable:!0,writable:!0}),t[e]}try{l({},"")}catch(t){l=function(t,e,i){return t[e]=i}}function u(t,e,i,n){var r=e&&e.prototype instanceof m?e:m,s=Object.create(r.prototype),a=new S(n||[]);return o(s,"_invoke",{value:E(t,i,a)}),s}function h(t,e,i){try{return{type:"normal",arg:t.call(e,i)}}catch(t){return{type:"throw",arg:t}}}t.wrap=u;var d="suspendedStart",p="suspendedYield",A="executing",f="completed",g={};function m(){}function C(){}function b(){}var v={};l(v,s,(function(){return this}));var x=Object.getPrototypeOf,y=x&&x(x(T([])));y&&y!==i&&n.call(y,s)&&(v=y);var w=b.prototype=m.prototype=Object.create(v);function k(t){["next","throw","return"].forEach((function(e){l(t,e,(function(t){return this._invoke(e,t)}))}))}function B(t,e){function i(o,r,s,a){var c=h(t[o],t,r);if("throw"!==c.type){var l=c.arg,u=l.value;return u&&"object"==typeof u&&n.call(u,"__await")?e.resolve(u.__await).then((function(t){i("next",t,s,a)}),(function(t){i("throw",t,s,a)})):e.resolve(u).then((function(t){l.value=t,s(l)}),(function(t){return i("throw",t,s,a)}))}a(c.arg)}var r;o(this,"_invoke",{value:function(t,n){function o(){return new e((function(e,o){i(t,n,e,o)}))}return r=r?r.then(o,o):o()}})}function E(t,i,n){var o=d;return function(r,s){if(o===A)throw new Error("Generator is already running");if(o===f){if("throw"===r)throw s;return{value:e,done:!0}}for(n.method=r,n.arg=s;;){var a=n.delegate;if(a){var c=_(a,n);if(c){if(c===g)continue;return c}}if("next"===n.method)n.sent=n._sent=n.arg;else if("throw"===n.method){if(o===d)throw o=f,n.arg;n.dispatchException(n.arg)}else"return"===n.method&&n.abrupt("return",n.arg);o=A;var l=h(t,i,n);if("normal"===l.type){if(o=n.done?f:p,l.arg===g)continue;return{value:l.arg,done:n.done}}"throw"===l.type&&(o=f,n.method="throw",n.arg=l.arg)}}}function _(t,i){var n=i.method,o=t.iterator[n];if(o===e)return i.delegate=null,"throw"===n&&t.iterator.return&&(i.method="return",i.arg=e,_(t,i),"throw"===i.method)||"return"!==n&&(i.method="throw",i.arg=new TypeError("The iterator does not provide a '"+n+"' method")),g;var r=h(o,t.iterator,i.arg);if("throw"===r.type)return i.method="throw",i.arg=r.arg,i.delegate=null,g;var s=r.arg;return s?s.done?(i[t.resultName]=s.value,i.next=t.nextLoc,"return"!==i.method&&(i.method="next",i.arg=e),i.delegate=null,g):s:(i.method="throw",i.arg=new TypeError("iterator result is not an object"),i.delegate=null,g)}function I(t){var e={tryLoc:t[0]};1 in t&&(e.catchLoc=t[1]),2 in t&&(e.finallyLoc=t[2],e.afterLoc=t[3]),this.tryEntries.push(e)}function D(t){var e=t.completion||{};e.type="normal",delete e.arg,t.completion=e}function S(t){this.tryEntries=[{tryLoc:"root"}],t.forEach(I,this),this.reset(!0)}function T(t){if(null!=t){var i=t[s];if(i)return i.call(t);if("function"==typeof t.next)return t;if(!isNaN(t.length)){var o=-1,r=function i(){for(;++o=0;--r){var s=this.tryEntries[r],a=s.completion;if("root"===s.tryLoc)return o("end");if(s.tryLoc<=this.prev){var c=n.call(s,"catchLoc"),l=n.call(s,"finallyLoc");if(c&&l){if(this.prev=0;--i){var o=this.tryEntries[i];if(o.tryLoc<=this.prev&&n.call(o,"finallyLoc")&&this.prev=0;--e){var i=this.tryEntries[e];if(i.finallyLoc===t)return this.complete(i.completion,i.afterLoc),D(i),g}},catch:function(t){for(var e=this.tryEntries.length-1;e>=0;--e){var i=this.tryEntries[e];if(i.tryLoc===t){var n=i.completion;if("throw"===n.type){var o=n.arg;D(i)}return o}}throw new Error("illegal catch attempt")},delegateYield:function(t,i,n){return this.delegate={iterator:T(t),resultName:i,nextLoc:n},"next"===this.method&&(this.arg=e),g}},t}(t.exports);try{regeneratorRuntime=e}catch(t){"object"==typeof globalThis?globalThis.regeneratorRuntime=e:Function("r","regeneratorRuntime = r")(e)}},44275:(t,e,i)=>{var n,o=i(74692);void 0===(n=o).fn.each2&&n.extend(n.fn,{each2:function(t){for(var e=n([0]),i=-1,o=this.length;++i=112&&t<=123}},d={"Ⓐ":"A",A:"A",À:"A",Á:"A",Â:"A",Ầ:"A",Ấ:"A",Ẫ:"A",Ẩ:"A",Ã:"A",Ā:"A",Ă:"A",Ằ:"A",Ắ:"A",Ẵ:"A",Ẳ:"A",Ȧ:"A",Ǡ:"A",Ä:"A",Ǟ:"A",Ả:"A",Å:"A",Ǻ:"A",Ǎ:"A",Ȁ:"A",Ȃ:"A",Ạ:"A",Ậ:"A",Ặ:"A",Ḁ:"A",Ą:"A",Ⱥ:"A",Ɐ:"A",Ꜳ:"AA",Æ:"AE",Ǽ:"AE",Ǣ:"AE",Ꜵ:"AO",Ꜷ:"AU",Ꜹ:"AV",Ꜻ:"AV",Ꜽ:"AY","Ⓑ":"B",B:"B",Ḃ:"B",Ḅ:"B",Ḇ:"B",Ƀ:"B",Ƃ:"B",Ɓ:"B","Ⓒ":"C",C:"C",Ć:"C",Ĉ:"C",Ċ:"C",Č:"C",Ç:"C",Ḉ:"C",Ƈ:"C",Ȼ:"C",Ꜿ:"C","Ⓓ":"D",D:"D",Ḋ:"D",Ď:"D",Ḍ:"D",Ḑ:"D",Ḓ:"D",Ḏ:"D",Đ:"D",Ƌ:"D",Ɗ:"D",Ɖ:"D",Ꝺ:"D",DZ:"DZ",DŽ:"DZ",Dz:"Dz",Dž:"Dz","Ⓔ":"E",E:"E",È:"E",É:"E",Ê:"E",Ề:"E",Ế:"E",Ễ:"E",Ể:"E",Ẽ:"E",Ē:"E",Ḕ:"E",Ḗ:"E",Ĕ:"E",Ė:"E",Ë:"E",Ẻ:"E",Ě:"E",Ȅ:"E",Ȇ:"E",Ẹ:"E",Ệ:"E",Ȩ:"E",Ḝ:"E",Ę:"E",Ḙ:"E",Ḛ:"E",Ɛ:"E",Ǝ:"E","Ⓕ":"F",F:"F",Ḟ:"F",Ƒ:"F",Ꝼ:"F","Ⓖ":"G",G:"G",Ǵ:"G",Ĝ:"G",Ḡ:"G",Ğ:"G",Ġ:"G",Ǧ:"G",Ģ:"G",Ǥ:"G",Ɠ:"G",Ꞡ:"G",Ᵹ:"G",Ꝿ:"G","Ⓗ":"H",H:"H",Ĥ:"H",Ḣ:"H",Ḧ:"H",Ȟ:"H",Ḥ:"H",Ḩ:"H",Ḫ:"H",Ħ:"H",Ⱨ:"H",Ⱶ:"H",Ɥ:"H","Ⓘ":"I",I:"I",Ì:"I",Í:"I",Î:"I",Ĩ:"I",Ī:"I",Ĭ:"I",İ:"I",Ï:"I",Ḯ:"I",Ỉ:"I",Ǐ:"I",Ȉ:"I",Ȋ:"I",Ị:"I",Į:"I",Ḭ:"I",Ɨ:"I","Ⓙ":"J",J:"J",Ĵ:"J",Ɉ:"J","Ⓚ":"K",K:"K",Ḱ:"K",Ǩ:"K",Ḳ:"K",Ķ:"K",Ḵ:"K",Ƙ:"K",Ⱪ:"K",Ꝁ:"K",Ꝃ:"K",Ꝅ:"K",Ꞣ:"K","Ⓛ":"L",L:"L",Ŀ:"L",Ĺ:"L",Ľ:"L",Ḷ:"L",Ḹ:"L",Ļ:"L",Ḽ:"L",Ḻ:"L",Ł:"L",Ƚ:"L",Ɫ:"L",Ⱡ:"L",Ꝉ:"L",Ꝇ:"L",Ꞁ:"L",LJ:"LJ",Lj:"Lj","Ⓜ":"M",M:"M",Ḿ:"M",Ṁ:"M",Ṃ:"M",Ɱ:"M",Ɯ:"M","Ⓝ":"N",N:"N",Ǹ:"N",Ń:"N",Ñ:"N",Ṅ:"N",Ň:"N",Ṇ:"N",Ņ:"N",Ṋ:"N",Ṉ:"N",Ƞ:"N",Ɲ:"N",Ꞑ:"N",Ꞥ:"N",NJ:"NJ",Nj:"Nj","Ⓞ":"O",O:"O",Ò:"O",Ó:"O",Ô:"O",Ồ:"O",Ố:"O",Ỗ:"O",Ổ:"O",Õ:"O",Ṍ:"O",Ȭ:"O",Ṏ:"O",Ō:"O",Ṑ:"O",Ṓ:"O",Ŏ:"O",Ȯ:"O",Ȱ:"O",Ö:"O",Ȫ:"O",Ỏ:"O",Ő:"O",Ǒ:"O",Ȍ:"O",Ȏ:"O",Ơ:"O",Ờ:"O",Ớ:"O",Ỡ:"O",Ở:"O",Ợ:"O",Ọ:"O",Ộ:"O",Ǫ:"O",Ǭ:"O",Ø:"O",Ǿ:"O",Ɔ:"O",Ɵ:"O",Ꝋ:"O",Ꝍ:"O",Ƣ:"OI",Ꝏ:"OO",Ȣ:"OU","Ⓟ":"P",P:"P",Ṕ:"P",Ṗ:"P",Ƥ:"P",Ᵽ:"P",Ꝑ:"P",Ꝓ:"P",Ꝕ:"P","Ⓠ":"Q",Q:"Q",Ꝗ:"Q",Ꝙ:"Q",Ɋ:"Q","Ⓡ":"R",R:"R",Ŕ:"R",Ṙ:"R",Ř:"R",Ȑ:"R",Ȓ:"R",Ṛ:"R",Ṝ:"R",Ŗ:"R",Ṟ:"R",Ɍ:"R",Ɽ:"R",Ꝛ:"R",Ꞧ:"R",Ꞃ:"R","Ⓢ":"S",S:"S",ẞ:"S",Ś:"S",Ṥ:"S",Ŝ:"S",Ṡ:"S",Š:"S",Ṧ:"S",Ṣ:"S",Ṩ:"S",Ș:"S",Ş:"S",Ȿ:"S",Ꞩ:"S",Ꞅ:"S","Ⓣ":"T",T:"T",Ṫ:"T",Ť:"T",Ṭ:"T",Ț:"T",Ţ:"T",Ṱ:"T",Ṯ:"T",Ŧ:"T",Ƭ:"T",Ʈ:"T",Ⱦ:"T",Ꞇ:"T",Ꜩ:"TZ","Ⓤ":"U",U:"U",Ù:"U",Ú:"U",Û:"U",Ũ:"U",Ṹ:"U",Ū:"U",Ṻ:"U",Ŭ:"U",Ü:"U",Ǜ:"U",Ǘ:"U",Ǖ:"U",Ǚ:"U",Ủ:"U",Ů:"U",Ű:"U",Ǔ:"U",Ȕ:"U",Ȗ:"U",Ư:"U",Ừ:"U",Ứ:"U",Ữ:"U",Ử:"U",Ự:"U",Ụ:"U",Ṳ:"U",Ų:"U",Ṷ:"U",Ṵ:"U",Ʉ:"U","Ⓥ":"V",V:"V",Ṽ:"V",Ṿ:"V",Ʋ:"V",Ꝟ:"V",Ʌ:"V",Ꝡ:"VY","Ⓦ":"W",W:"W",Ẁ:"W",Ẃ:"W",Ŵ:"W",Ẇ:"W",Ẅ:"W",Ẉ:"W",Ⱳ:"W","Ⓧ":"X",X:"X",Ẋ:"X",Ẍ:"X","Ⓨ":"Y",Y:"Y",Ỳ:"Y",Ý:"Y",Ŷ:"Y",Ỹ:"Y",Ȳ:"Y",Ẏ:"Y",Ÿ:"Y",Ỷ:"Y",Ỵ:"Y",Ƴ:"Y",Ɏ:"Y",Ỿ:"Y","Ⓩ":"Z",Z:"Z",Ź:"Z",Ẑ:"Z",Ż:"Z",Ž:"Z",Ẓ:"Z",Ẕ:"Z",Ƶ:"Z",Ȥ:"Z",Ɀ:"Z",Ⱬ:"Z",Ꝣ:"Z","ⓐ":"a",a:"a",ẚ:"a",à:"a",á:"a",â:"a",ầ:"a",ấ:"a",ẫ:"a",ẩ:"a",ã:"a",ā:"a",ă:"a",ằ:"a",ắ:"a",ẵ:"a",ẳ:"a",ȧ:"a",ǡ:"a",ä:"a",ǟ:"a",ả:"a",å:"a",ǻ:"a",ǎ:"a",ȁ:"a",ȃ:"a",ạ:"a",ậ:"a",ặ:"a",ḁ:"a",ą:"a",ⱥ:"a",ɐ:"a",ꜳ:"aa",æ:"ae",ǽ:"ae",ǣ:"ae",ꜵ:"ao",ꜷ:"au",ꜹ:"av",ꜻ:"av",ꜽ:"ay","ⓑ":"b",b:"b",ḃ:"b",ḅ:"b",ḇ:"b",ƀ:"b",ƃ:"b",ɓ:"b","ⓒ":"c",c:"c",ć:"c",ĉ:"c",ċ:"c",č:"c",ç:"c",ḉ:"c",ƈ:"c",ȼ:"c",ꜿ:"c",ↄ:"c","ⓓ":"d",d:"d",ḋ:"d",ď:"d",ḍ:"d",ḑ:"d",ḓ:"d",ḏ:"d",đ:"d",ƌ:"d",ɖ:"d",ɗ:"d",ꝺ:"d",dz:"dz",dž:"dz","ⓔ":"e",e:"e",è:"e",é:"e",ê:"e",ề:"e",ế:"e",ễ:"e",ể:"e",ẽ:"e",ē:"e",ḕ:"e",ḗ:"e",ĕ:"e",ė:"e",ë:"e",ẻ:"e",ě:"e",ȅ:"e",ȇ:"e",ẹ:"e",ệ:"e",ȩ:"e",ḝ:"e",ę:"e",ḙ:"e",ḛ:"e",ɇ:"e",ɛ:"e",ǝ:"e","ⓕ":"f",f:"f",ḟ:"f",ƒ:"f",ꝼ:"f","ⓖ":"g",g:"g",ǵ:"g",ĝ:"g",ḡ:"g",ğ:"g",ġ:"g",ǧ:"g",ģ:"g",ǥ:"g",ɠ:"g",ꞡ:"g",ᵹ:"g",ꝿ:"g","ⓗ":"h",h:"h",ĥ:"h",ḣ:"h",ḧ:"h",ȟ:"h",ḥ:"h",ḩ:"h",ḫ:"h",ẖ:"h",ħ:"h",ⱨ:"h",ⱶ:"h",ɥ:"h",ƕ:"hv","ⓘ":"i",i:"i",ì:"i",í:"i",î:"i",ĩ:"i",ī:"i",ĭ:"i",ï:"i",ḯ:"i",ỉ:"i",ǐ:"i",ȉ:"i",ȋ:"i",ị:"i",į:"i",ḭ:"i",ɨ:"i",ı:"i","ⓙ":"j",j:"j",ĵ:"j",ǰ:"j",ɉ:"j","ⓚ":"k",k:"k",ḱ:"k",ǩ:"k",ḳ:"k",ķ:"k",ḵ:"k",ƙ:"k",ⱪ:"k",ꝁ:"k",ꝃ:"k",ꝅ:"k",ꞣ:"k","ⓛ":"l",l:"l",ŀ:"l",ĺ:"l",ľ:"l",ḷ:"l",ḹ:"l",ļ:"l",ḽ:"l",ḻ:"l",ſ:"l",ł:"l",ƚ:"l",ɫ:"l",ⱡ:"l",ꝉ:"l",ꞁ:"l",ꝇ:"l",lj:"lj","ⓜ":"m",m:"m",ḿ:"m",ṁ:"m",ṃ:"m",ɱ:"m",ɯ:"m","ⓝ":"n",n:"n",ǹ:"n",ń:"n",ñ:"n",ṅ:"n",ň:"n",ṇ:"n",ņ:"n",ṋ:"n",ṉ:"n",ƞ:"n",ɲ:"n",ʼn:"n",ꞑ:"n",ꞥ:"n",nj:"nj","ⓞ":"o",o:"o",ò:"o",ó:"o",ô:"o",ồ:"o",ố:"o",ỗ:"o",ổ:"o",õ:"o",ṍ:"o",ȭ:"o",ṏ:"o",ō:"o",ṑ:"o",ṓ:"o",ŏ:"o",ȯ:"o",ȱ:"o",ö:"o",ȫ:"o",ỏ:"o",ő:"o",ǒ:"o",ȍ:"o",ȏ:"o",ơ:"o",ờ:"o",ớ:"o",ỡ:"o",ở:"o",ợ:"o",ọ:"o",ộ:"o",ǫ:"o",ǭ:"o",ø:"o",ǿ:"o",ɔ:"o",ꝋ:"o",ꝍ:"o",ɵ:"o",ƣ:"oi",ȣ:"ou",ꝏ:"oo","ⓟ":"p",p:"p",ṕ:"p",ṗ:"p",ƥ:"p",ᵽ:"p",ꝑ:"p",ꝓ:"p",ꝕ:"p","ⓠ":"q",q:"q",ɋ:"q",ꝗ:"q",ꝙ:"q","ⓡ":"r",r:"r",ŕ:"r",ṙ:"r",ř:"r",ȑ:"r",ȓ:"r",ṛ:"r",ṝ:"r",ŗ:"r",ṟ:"r",ɍ:"r",ɽ:"r",ꝛ:"r",ꞧ:"r",ꞃ:"r","ⓢ":"s",s:"s",ß:"s",ś:"s",ṥ:"s",ŝ:"s",ṡ:"s",š:"s",ṧ:"s",ṣ:"s",ṩ:"s",ș:"s",ş:"s",ȿ:"s",ꞩ:"s",ꞅ:"s",ẛ:"s","ⓣ":"t",t:"t",ṫ:"t",ẗ:"t",ť:"t",ṭ:"t",ț:"t",ţ:"t",ṱ:"t",ṯ:"t",ŧ:"t",ƭ:"t",ʈ:"t",ⱦ:"t",ꞇ:"t",ꜩ:"tz","ⓤ":"u",u:"u",ù:"u",ú:"u",û:"u",ũ:"u",ṹ:"u",ū:"u",ṻ:"u",ŭ:"u",ü:"u",ǜ:"u",ǘ:"u",ǖ:"u",ǚ:"u",ủ:"u",ů:"u",ű:"u",ǔ:"u",ȕ:"u",ȗ:"u",ư:"u",ừ:"u",ứ:"u",ữ:"u",ử:"u",ự:"u",ụ:"u",ṳ:"u",ų:"u",ṷ:"u",ṵ:"u",ʉ:"u","ⓥ":"v",v:"v",ṽ:"v",ṿ:"v",ʋ:"v",ꝟ:"v",ʌ:"v",ꝡ:"vy","ⓦ":"w",w:"w",ẁ:"w",ẃ:"w",ŵ:"w",ẇ:"w",ẅ:"w",ẘ:"w",ẉ:"w",ⱳ:"w","ⓧ":"x",x:"x",ẋ:"x",ẍ:"x","ⓨ":"y",y:"y",ỳ:"y",ý:"y",ŷ:"y",ỹ:"y",ȳ:"y",ẏ:"y",ÿ:"y",ỷ:"y",ẙ:"y",ỵ:"y",ƴ:"y",ɏ:"y",ỿ:"y","ⓩ":"z",z:"z",ź:"z",ẑ:"z",ż:"z",ž:"z",ẓ:"z",ẕ:"z",ƶ:"z",ȥ:"z",ɀ:"z",ⱬ:"z",ꝣ:"z",Ά:"Α",Έ:"Ε",Ή:"Η",Ί:"Ι",Ϊ:"Ι",Ό:"Ο",Ύ:"Υ",Ϋ:"Υ",Ώ:"Ω",ά:"α",έ:"ε",ή:"η",ί:"ι",ϊ:"ι",ΐ:"ι",ό:"ο",ύ:"υ",ϋ:"υ",ΰ:"υ",ω:"ω",ς:"σ"};a=t(document),l=1,r=function(){return l++},i=O(Object,{bind:function(t){var e=this;return function(){t.apply(e,arguments)}},init:function(i){var n,o,s,a,l=".select2-results";this.opts=i=this.prepareOpts(i),this.id=i.id,i.element.data("select2")!==e&&null!==i.element.data("select2")&&i.element.data("select2").destroy(),this.container=this.createContainer(),this.liveRegion=t("",{role:"status","aria-live":"polite"}).addClass("select2-hidden-accessible").appendTo(document.body),this.containerId="s2id_"+(i.element.attr("id")||"autogen"+r()),this.containerEventName=this.containerId.replace(/([.])/g,"_").replace(/([;&,\-\.\+\*\~':"\!\^#$%@\[\]\(\)=>\|])/g,"\\$1"),this.container.attr("id",this.containerId),this.container.attr("title",i.element.attr("title")),this.body=t("body"),y(this.container,this.opts.element,this.opts.adaptContainerCssClass),this.container.attr("style",i.element.attr("style")),this.container.css(D(i.containerCss,this.opts.element)),this.container.addClass(D(i.containerCssClass,this.opts.element)),this.elementTabIndex=this.opts.element.attr("tabindex"),this.opts.element.data("select2",this).attr("tabindex","-1").before(this.container).on("click.select2",x),this.container.data("select2",this),this.dropdown=this.container.find(".select2-drop"),y(this.dropdown,this.opts.element,this.opts.adaptDropdownCssClass),this.dropdown.addClass(D(i.dropdownCssClass,this.opts.element)),this.dropdown.data("select2",this),this.dropdown.on("click",x),this.results=n=this.container.find(l),this.search=o=this.container.find("input.select2-input"),this.queryCount=0,this.resultsPage=0,this.context=null,this.initContainer(),this.container.on("click",x),this.results.on("mousemove",(function(i){var n=u;n!==e&&n.x===i.pageX&&n.y===i.pageY||t(i.target).trigger("mousemove-filtered",i)})),this.dropdown.on("mousemove-filtered",l,this.bind(this.highlightUnderEvent)),this.dropdown.on("touchstart touchmove touchend",l,this.bind((function(t){this._touchEvent=!0,this.highlightUnderEvent(t)}))),this.dropdown.on("touchmove",l,this.bind(this.touchMoved)),this.dropdown.on("touchstart touchend",l,this.bind(this.clearTouchMoved)),this.dropdown.on("click",this.bind((function(t){this._touchEvent&&(this._touchEvent=!1,this.selectHighlighted())}))),s=this.results,a=v(80,(function(t){s.trigger("scroll-debounced",t)})),s.on("scroll",(function(t){f(t.target,s.get())>=0&&a(t)})),this.dropdown.on("scroll-debounced",l,this.bind(this.loadMoreIfNeeded)),t(this.container).on("change",".select2-input",(function(t){t.stopPropagation()})),t(this.dropdown).on("change",".select2-input",(function(t){t.stopPropagation()})),t.fn.mousewheel&&n.mousewheel((function(t,e,i,o){var r=n.scrollTop();o>0&&r-o<=0?(n.scrollTop(0),x(t)):o<0&&n.get(0).scrollHeight-n.scrollTop()+o<=n.height()&&(n.scrollTop(n.get(0).scrollHeight-n.height()),x(t))})),b(o),o.on("keyup-change input paste",this.bind(this.updateResults)),o.on("focus",(function(){o.addClass("select2-focused")})),o.on("blur",(function(){o.removeClass("select2-focused")})),this.dropdown.on("mouseup",l,this.bind((function(e){t(e.target).closest(".select2-result-selectable").length>0&&(this.highlightUnderEvent(e),this.selectHighlighted(e))}))),this.dropdown.on("click mouseup mousedown touchstart touchend focusin",(function(t){t.stopPropagation()})),this.nextSearchTerm=e,t.isFunction(this.opts.initSelection)&&(this.initSelection(),this.monitorSource()),null!==i.maximumInputLength&&this.search.attr("maxlength",i.maximumInputLength);var h=i.element.prop("disabled");h===e&&(h=!1),this.enable(!h);var d=i.element.prop("readonly");d===e&&(d=!1),this.readonly(d),c=c||function(){var e=t("
        ");e.appendTo("body");var i={width:e.width()-e[0].clientWidth,height:e.height()-e[0].clientHeight};return e.remove(),i}(),this.autofocus=i.element.prop("autofocus"),i.element.prop("autofocus",!1),this.autofocus&&this.focus(),this.search.attr("placeholder",i.searchInputPlaceholder)},destroy:function(){var t=this.opts.element,i=t.data("select2"),n=this;this.close(),t.length&&t[0].detachEvent&&t.each((function(){this.detachEvent("onpropertychange",n._sync)})),this.propertyObserver&&(this.propertyObserver.disconnect(),this.propertyObserver=null),this._sync=null,i!==e&&(i.container.remove(),i.liveRegion.remove(),i.dropdown.remove(),t.removeClass("select2-offscreen").removeData("select2").off(".select2").prop("autofocus",this.autofocus||!1),this.elementTabIndex?t.attr({tabindex:this.elementTabIndex}):t.removeAttr("tabindex"),t.show()),T.call(this,"container","liveRegion","dropdown","results","search")},optionToData:function(t){return t.is("option")?{id:t.prop("value"),text:t.text(),element:t.get(),css:t.attr("class"),disabled:t.prop("disabled"),locked:g(t.attr("locked"),"locked")||g(t.data("locked"),!0)}:t.is("optgroup")?{text:t.attr("label"),children:[],element:t.get(),css:t.attr("class")}:void 0},prepareOpts:function(i){var n,o,s,a,c=this;if("select"===(n=i.element).get(0).tagName.toLowerCase()&&(this.select=o=i.element),o&&t.each(["id","multiple","ajax","query","createSearchChoice","initSelection","data","tags"],(function(){if(this in i)throw new Error("Option '"+this+"' is not allowed for Select2 when attached to a ","
        "," ","
          ","
        ","
        "].join(""))},enableInterface:function(){this.parent.enableInterface.apply(this,arguments)&&this.focusser.prop("disabled",!this.isInterfaceEnabled())},opening:function(){var i,n,o;this.opts.minimumResultsForSearch>=0&&this.showSearch(!0),this.parent.opening.apply(this,arguments),!1!==this.showSearchInput&&this.search.val(this.focusser.val()),this.opts.shouldFocusInput(this)&&(this.search.focus(),(i=this.search.get(0)).createTextRange?((n=i.createTextRange()).collapse(!1),n.select()):i.setSelectionRange&&(o=this.search.val().length,i.setSelectionRange(o,o))),""===this.search.val()&&this.nextSearchTerm!=e&&(this.search.val(this.nextSearchTerm),this.search.select()),this.focusser.prop("disabled",!0).val(""),this.updateResults(!0),this.opts.element.trigger(t.Event("select2-open"))},close:function(){this.opened()&&(this.parent.close.apply(this,arguments),this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus())},focus:function(){this.opened()?this.close():(this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus())},isFocused:function(){return this.container.hasClass("select2-container-active")},cancel:function(){this.parent.cancel.apply(this,arguments),this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus()},destroy:function(){t("label[for='"+this.focusser.attr("id")+"']").attr("for",this.opts.element.attr("id")),this.parent.destroy.apply(this,arguments),T.call(this,"selection","focusser")},initContainer:function(){var e,i,n=this.container,o=this.dropdown,s=r();this.opts.minimumResultsForSearch<0?this.showSearch(!1):this.showSearch(!0),this.selection=e=n.find(".select2-choice"),this.focusser=n.find(".select2-focusser"),e.find(".select2-chosen").attr("id","select2-chosen-"+s),this.focusser.attr("aria-labelledby","select2-chosen-"+s),this.results.attr("id","select2-results-"+s),this.search.attr("aria-owns","select2-results-"+s),this.focusser.attr("id","s2id_autogen"+s),i=t("label[for='"+this.opts.element.attr("id")+"']"),this.focusser.prev().text(i.text()).attr("for",this.focusser.attr("id"));var a=this.opts.element.attr("title");this.opts.element.attr("title",a||i.text()),this.focusser.attr("tabindex",this.elementTabIndex),this.search.attr("id",this.focusser.attr("id")+"_search"),this.search.prev().text(t("label[for='"+this.focusser.attr("id")+"']").text()).attr("for",this.search.attr("id")),this.search.on("keydown",this.bind((function(t){if(this.isInterfaceEnabled()&&229!=t.keyCode)if(t.which!==h.PAGE_UP&&t.which!==h.PAGE_DOWN)switch(t.which){case h.UP:case h.DOWN:return this.moveHighlight(t.which===h.UP?-1:1),void x(t);case h.ENTER:return this.selectHighlighted(),void x(t);case h.TAB:return void this.selectHighlighted({noFocus:!0});case h.ESC:return this.cancel(t),void x(t)}else x(t)}))),this.search.on("blur",this.bind((function(t){document.activeElement===this.body.get(0)&&window.setTimeout(this.bind((function(){this.opened()&&this.search.focus()})),0)}))),this.focusser.on("keydown",this.bind((function(t){if(this.isInterfaceEnabled()&&t.which!==h.TAB&&!h.isControl(t)&&!h.isFunctionKey(t)&&t.which!==h.ESC){if(!1!==this.opts.openOnEnter||t.which!==h.ENTER){if(t.which==h.DOWN||t.which==h.UP||t.which==h.ENTER&&this.opts.openOnEnter){if(t.altKey||t.ctrlKey||t.shiftKey||t.metaKey)return;return this.open(),void x(t)}return t.which==h.DELETE||t.which==h.BACKSPACE?(this.opts.allowClear&&this.clear(),void x(t)):void 0}x(t)}}))),b(this.focusser),this.focusser.on("keyup-change input",this.bind((function(t){if(this.opts.minimumResultsForSearch>=0){if(t.stopPropagation(),this.opened())return;this.open()}}))),e.on("mousedown touchstart","abbr",this.bind((function(t){var e;this.isInterfaceEnabled()&&(this.clear(),(e=t).preventDefault(),e.stopImmediatePropagation(),this.close(),this.selection.focus())}))),e.on("mousedown touchstart",this.bind((function(i){p(e),this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.opened()?this.close():this.isInterfaceEnabled()&&this.open(),x(i)}))),o.on("mousedown touchstart",this.bind((function(){this.opts.shouldFocusInput(this)&&this.search.focus()}))),e.on("focus",this.bind((function(t){x(t)}))),this.focusser.on("focus",this.bind((function(){this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.container.addClass("select2-container-active")}))).on("blur",this.bind((function(){this.opened()||(this.container.removeClass("select2-container-active"),this.opts.element.trigger(t.Event("select2-blur")))}))),this.search.on("focus",this.bind((function(){this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.container.addClass("select2-container-active")}))),this.initContainerWidth(),this.opts.element.addClass("select2-offscreen"),this.setPlaceholder()},clear:function(e){var i=this.selection.data("select2-data");if(i){var n=t.Event("select2-clearing");if(this.opts.element.trigger(n),n.isDefaultPrevented())return;var o=this.getPlaceholderOption();this.opts.element.val(o?o.val():""),this.selection.find(".select2-chosen").empty(),this.selection.removeData("select2-data"),this.setPlaceholder(),!1!==e&&(this.opts.element.trigger({type:"select2-removed",val:this.id(i),choice:i}),this.triggerChange({removed:i}))}},initSelection:function(){if(this.isPlaceholderOptionSelected())this.updateSelection(null),this.close(),this.setPlaceholder();else{var t=this;this.opts.initSelection.call(null,this.opts.element,(function(i){i!==e&&null!==i&&(t.updateSelection(i),t.close(),t.setPlaceholder(),t.nextSearchTerm=t.opts.nextSearchTerm(i,t.search.val()))}))}},isPlaceholderOptionSelected:function(){var t;return this.getPlaceholder()!==e&&((t=this.getPlaceholderOption())!==e&&t.prop("selected")||""===this.opts.element.val()||this.opts.element.val()===e||null===this.opts.element.val())},prepareOpts:function(){var e=this.parent.prepareOpts.apply(this,arguments),i=this;return"select"===e.element.get(0).tagName.toLowerCase()?e.initSelection=function(t,e){var n=t.find("option").filter((function(){return this.selected&&!this.disabled}));e(i.optionToData(n))}:"data"in e&&(e.initSelection=e.initSelection||function(i,n){var o=i.val(),r=null;e.query({matcher:function(t,i,n){var s=g(o,e.id(n));return s&&(r=n),s},callback:t.isFunction(n)?function(){n(r)}:t.noop})}),e},getPlaceholder:function(){return this.select&&this.getPlaceholderOption()===e?e:this.parent.getPlaceholder.apply(this,arguments)},setPlaceholder:function(){var t=this.getPlaceholder();if(this.isPlaceholderOptionSelected()&&t!==e){if(this.select&&this.getPlaceholderOption()===e)return;this.selection.find(".select2-chosen").html(this.opts.escapeMarkup(t)),this.selection.addClass("select2-default"),this.container.removeClass("select2-allowclear")}},postprocessResults:function(t,e,i){var n=0,o=this;if(this.findHighlightableChoices().each2((function(t,e){if(g(o.id(e.data("select2-data")),o.opts.element.val()))return n=t,!1})),!1!==i&&(!0===e&&n>=0?this.highlight(n):this.highlight(0)),!0===e){var r=this.opts.minimumResultsForSearch;r>=0&&this.showSearch(S(t.results)>=r)}},showSearch:function(e){this.showSearchInput!==e&&(this.showSearchInput=e,this.dropdown.find(".select2-search").toggleClass("select2-search-hidden",!e),this.dropdown.find(".select2-search").toggleClass("select2-offscreen",!e),t(this.dropdown,this.container).toggleClass("select2-with-searchbox",e))},onSelect:function(t,e){if(this.triggerSelect(t)){var i=this.opts.element.val(),n=this.data();this.opts.element.val(this.id(t)),this.updateSelection(t),this.opts.element.trigger({type:"select2-selected",val:this.id(t),choice:t}),this.nextSearchTerm=this.opts.nextSearchTerm(t,this.search.val()),this.close(),e&&e.noFocus||!this.opts.shouldFocusInput(this)||this.focusser.focus(),g(i,this.id(t))||this.triggerChange({added:t,removed:n})}},updateSelection:function(t){var i,n,o=this.selection.find(".select2-chosen");this.selection.data("select2-data",t),o.empty(),null!==t&&(i=this.opts.formatSelection(t,o,this.opts.escapeMarkup)),i!==e&&o.append(i),(n=this.opts.formatSelectionCssClass(t,o))!==e&&o.addClass(n),this.selection.removeClass("select2-default"),this.opts.allowClear&&this.getPlaceholder()!==e&&this.container.addClass("select2-allowclear")},val:function(){var t,i=!1,n=null,o=this,r=this.data();if(0===arguments.length)return this.opts.element.val();if(t=arguments[0],arguments.length>1&&(i=arguments[1]),this.select)this.select.val(t).find("option").filter((function(){return this.selected})).each2((function(t,e){return n=o.optionToData(e),!1})),this.updateSelection(n),this.setPlaceholder(),i&&this.triggerChange({added:n,removed:r});else{if(!t&&0!==t)return void this.clear(i);if(this.opts.initSelection===e)throw new Error("cannot call val() if initSelection() is not defined");this.opts.element.val(t),this.opts.initSelection(this.opts.element,(function(t){o.opts.element.val(t?o.id(t):""),o.updateSelection(t),o.setPlaceholder(),i&&o.triggerChange({added:t,removed:r})}))}},clearSearch:function(){this.search.val(""),this.focusser.val("")},data:function(t){var i,n=!1;if(0===arguments.length)return(i=this.selection.data("select2-data"))==e&&(i=null),i;arguments.length>1&&(n=arguments[1]),t?(i=this.data(),this.opts.element.val(t?this.id(t):""),this.updateSelection(t),n&&this.triggerChange({added:t,removed:i})):this.clear(n)}}),o=O(i,{createContainer:function(){return t(document.createElement("div")).attr({class:"select2-container select2-container-multi"}).html(["
          ","
        • "," "," ","
        • ","
        ","
        ","
          ","
        ","
        "].join(""))},prepareOpts:function(){var e=this.parent.prepareOpts.apply(this,arguments),i=this;return"select"===e.element.get(0).tagName.toLowerCase()?e.initSelection=function(t,e){var n=[];t.find("option").filter((function(){return this.selected&&!this.disabled})).each2((function(t,e){n.push(i.optionToData(e))})),e(n)}:"data"in e&&(e.initSelection=e.initSelection||function(i,n){var o=m(i.val(),e.separator),r=[];e.query({matcher:function(i,n,s){var a=t.grep(o,(function(t){return g(t,e.id(s))})).length;return a&&r.push(s),a},callback:t.isFunction(n)?function(){for(var t=[],i=0;i0||(this.selectChoice(null),this.clearPlaceholder(),this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.open(),this.focusSearch(),e.preventDefault()))}))),this.container.on("focus",i,this.bind((function(){this.isInterfaceEnabled()&&(this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.container.addClass("select2-container-active"),this.dropdown.addClass("select2-drop-active"),this.clearPlaceholder())}))),this.initContainerWidth(),this.opts.element.addClass("select2-offscreen"),this.clearSearch()},enableInterface:function(){this.parent.enableInterface.apply(this,arguments)&&this.search.prop("disabled",!this.isInterfaceEnabled())},initSelection:function(){if(""===this.opts.element.val()&&""===this.opts.element.text()&&(this.updateSelection([]),this.close(),this.clearSearch()),this.select||""!==this.opts.element.val()){var t=this;this.opts.initSelection.call(null,this.opts.element,(function(i){i!==e&&null!==i&&(t.updateSelection(i),t.close(),t.clearSearch())}))}},clearSearch:function(){var t=this.getPlaceholder(),i=this.getMaxSearchWidth();t!==e&&0===this.getVal().length&&!1===this.search.hasClass("select2-focused")?(this.search.val(t).addClass("select2-default"),this.search.width(i>0?i:this.container.css("width"))):this.search.val("").width(10)},clearPlaceholder:function(){this.search.hasClass("select2-default")&&this.search.val("").removeClass("select2-default")},opening:function(){this.clearPlaceholder(),this.resizeSearch(),this.parent.opening.apply(this,arguments),this.focusSearch(),""===this.search.val()&&this.nextSearchTerm!=e&&(this.search.val(this.nextSearchTerm),this.search.select()),this.updateResults(!0),this.opts.shouldFocusInput(this)&&this.search.focus(),this.opts.element.trigger(t.Event("select2-open"))},close:function(){this.opened()&&this.parent.close.apply(this,arguments)},focus:function(){this.close(),this.search.focus()},isFocused:function(){return this.search.hasClass("select2-focused")},updateSelection:function(e){var i=[],n=[],o=this;t(e).each((function(){f(o.id(this),i)<0&&(i.push(o.id(this)),n.push(this))})),e=n,this.selection.find(".select2-search-choice").remove(),t(e).each((function(){o.addSelectedChoice(this)})),o.postprocessResults()},tokenize:function(){var t=this.search.val();null!=(t=this.opts.tokenizer.call(this,t,this.data(),this.bind(this.onSelect),this.opts))&&t!=e&&(this.search.val(t),t.length>0&&this.open())},onSelect:function(t,i){this.triggerSelect(t)&&""!==t.text&&(this.addSelectedChoice(t),this.opts.element.trigger({type:"selected",val:this.id(t),choice:t}),this.nextSearchTerm=this.opts.nextSearchTerm(t,this.search.val()),this.clearSearch(),this.updateResults(),!this.select&&this.opts.closeOnSelect||this.postprocessResults(t,!1,!0===this.opts.closeOnSelect),this.opts.closeOnSelect?(this.close(),this.search.width(10)):this.countSelectableResults()>0?(this.search.width(10),this.resizeSearch(),this.getMaximumSelectionSize()>0&&this.val().length>=this.getMaximumSelectionSize()?this.updateResults(!0):this.nextSearchTerm!=e&&(this.search.val(this.nextSearchTerm),this.updateResults(),this.search.select()),this.positionDropdown()):(this.close(),this.search.width(10)),this.triggerChange({added:t}),i&&i.noFocus||this.focusSearch())},cancel:function(){this.close(),this.focusSearch()},addSelectedChoice:function(i){var n,o,r=!i.locked,s=t("
      • "),a=t("
      • "),c=r?s:a,l=this.id(i),u=this.getVal();(n=this.opts.formatSelection(i,c.find("div"),this.opts.escapeMarkup))!=e&&c.find("div").replaceWith("
        "+n+"
        "),(o=this.opts.formatSelectionCssClass(i,c.find("div")))!=e&&c.addClass(o),r&&c.find(".select2-search-choice-close").on("mousedown",x).on("click dblclick",this.bind((function(e){this.isInterfaceEnabled()&&(this.unselect(t(e.target)),this.selection.find(".select2-search-choice-focus").removeClass("select2-search-choice-focus"),x(e),this.close(),this.focusSearch())}))).on("focus",this.bind((function(){this.isInterfaceEnabled()&&(this.container.addClass("select2-container-active"),this.dropdown.addClass("select2-drop-active"))}))),c.data("select2-data",i),c.insertBefore(this.searchContainer),u.push(l),this.setVal(u)},unselect:function(e){var i,n,o=this.getVal();if(0===(e=e.closest(".select2-search-choice")).length)throw"Invalid argument: "+e+". Must be .select2-search-choice";if(i=e.data("select2-data")){var r=t.Event("select2-removing");if(r.val=this.id(i),r.choice=i,this.opts.element.trigger(r),r.isDefaultPrevented())return!1;for(;(n=f(this.id(i),o))>=0;)o.splice(n,1),this.setVal(o),this.select&&this.postprocessResults();return e.remove(),this.opts.element.trigger({type:"select2-removed",val:this.id(i),choice:i}),this.triggerChange({removed:i}),!0}},postprocessResults:function(t,e,i){var n=this.getVal(),o=this.results.find(".select2-result"),r=this.results.find(".select2-result-with-children"),s=this;o.each2((function(t,e){f(s.id(e.data("select2-data")),n)>=0&&(e.addClass("select2-selected"),e.find(".select2-result-selectable").addClass("select2-selected"))})),r.each2((function(t,e){e.is(".select2-result-selectable")||0!==e.find(".select2-result-selectable:not(.select2-selected)").length||e.addClass("select2-selected")})),-1==this.highlight()&&!1!==i&&s.highlight(0),!this.opts.createSearchChoice&&!o.filter(".select2-result:not(.select2-selected)").length>0&&(!t||t&&!t.more&&0===this.results.find(".select2-no-results").length)&&I(s.opts.formatNoMatches,"formatNoMatches")&&this.results.append("
      • "+D(s.opts.formatNoMatches,s.opts.element,s.search.val())+"
      • ")},getMaxSearchWidth:function(){return this.selection.width()-C(this.search)},resizeSearch:function(){var e,i,n,o,r=C(this.search);e=function(e){if(!s){var i=e[0].currentStyle||window.getComputedStyle(e[0],null);(s=t(document.createElement("div")).css({position:"absolute",left:"-10000px",top:"-10000px",display:"none",fontSize:i.fontSize,fontFamily:i.fontFamily,fontStyle:i.fontStyle,fontWeight:i.fontWeight,letterSpacing:i.letterSpacing,textTransform:i.textTransform,whiteSpace:"nowrap"})).attr("class","select2-sizer"),t("body").append(s)}return s.text(e.val()),s.width()}(this.search)+10,i=this.search.offset().left,(o=(n=this.selection.width())-(i-this.selection.offset().left)-r)0&&i--,t.splice(n,1),n--);return{added:e,removed:t}},val:function(i,n){var o,r=this;if(0===arguments.length)return this.getVal();if((o=this.data()).length||(o=[]),!i&&0!==i)return this.opts.element.val(""),this.updateSelection([]),this.clearSearch(),void(n&&this.triggerChange({added:this.data(),removed:o}));if(this.setVal(i),this.select)this.opts.initSelection(this.select,this.bind(this.updateSelection)),n&&this.triggerChange(this.buildChangeDetails(o,this.data()));else{if(this.opts.initSelection===e)throw new Error("val() cannot be called if initSelection() is not defined");this.opts.initSelection(this.opts.element,(function(e){var i=t.map(e,r.id);r.setVal(i),r.updateSelection(e),r.clearSearch(),n&&r.triggerChange(r.buildChangeDetails(o,r.data()))}))}this.clearSearch()},onSortStart:function(){if(this.select)throw new Error("Sorting of elements is not supported when attached to instead.");this.search.width(0),this.searchContainer.hide()},onSortEnd:function(){var e=[],i=this;this.searchContainer.show(),this.searchContainer.appendTo(this.searchContainer.parent()),this.resizeSearch(),this.selection.find(".select2-search-choice").each((function(){e.push(i.opts.id(t(this).data("select2-data")))})),this.setVal(e),this.triggerChange()},data:function(e,i){var n,o,r=this;if(0===arguments.length)return this.selection.children(".select2-search-choice").map((function(){return t(this).data("select2-data")})).get();o=this.data(),e||(e=[]),n=t.map(e,(function(t){return r.opts.id(t)})),this.setVal(n),this.updateSelection(e),this.clearSearch(),i&&this.triggerChange(this.buildChangeDetails(o,this.data()))}}),t.fn.select2=function(){var i,n,o,r,s,a=Array.prototype.slice.call(arguments,0),c=["val","destroy","opened","open","close","focus","isFocused","container","dropdown","onSortStart","onSortEnd","enable","disable","readonly","positionDropdown","data","search"],l=["opened","isFocused","container","dropdown"],u=["val","data"],h={search:"externalSearch"};return this.each((function(){if(0===a.length||"object"==typeof a[0])(i=0===a.length?{}:t.extend({},a[0])).element=t(this),"select"===i.element.get(0).tagName.toLowerCase()?s=i.element.prop("multiple"):(s=i.multiple||!1,"tags"in i&&(i.multiple=s=!0)),(n=s?new window.Select2.class.multi:new window.Select2.class.single).init(i);else{if("string"!=typeof a[0])throw"Invalid arguments to select2 plugin: "+a;if(f(a[0],c)<0)throw"Unknown method: "+a[0];if(r=e,(n=t(this).data("select2"))===e)return;if("container"===(o=a[0])?r=n.container:"dropdown"===o?r=n.dropdown:(h[o]&&(o=h[o]),r=n[o].apply(n,a.slice(1))),f(a[0],l)>=0||f(a[0],u)>=0&&1==a.length)return!1}})),r===e?this:r},t.fn.select2.defaults={width:"copy",loadMorePadding:0,closeOnSelect:!0,openOnEnter:!0,containerCss:{},dropdownCss:{},containerCssClass:"",dropdownCssClass:"",formatResult:function(t,e,i,n){var o=[];return w(t.text,i.term,o,n),o.join("")},formatSelection:function(t,i,n){return t?n(t.text):e},sortResults:function(t,e,i){return t},formatResultCssClass:function(t){return t.css},formatSelectionCssClass:function(t,i){return e},minimumResultsForSearch:0,minimumInputLength:0,maximumInputLength:null,maximumSelectionSize:0,id:function(t){return t==e?null:t.id},matcher:function(t,e){return A(""+e).toUpperCase().indexOf(A(""+t).toUpperCase())>=0},separator:",",tokenSeparators:[],tokenizer:function(t,i,n,o){var r,s,a,c,l,u=t,h=!1;if(!o.createSearchChoice||!o.tokenSeparators||o.tokenSeparators.length<1)return e;for(;;){for(s=-1,a=0,c=o.tokenSeparators.length;a=0));a++);if(s<0)break;if(r=t.substring(0,s),t=t.substring(s+l.length),r.length>0&&(r=o.createSearchChoice.call(this,r,i))!==e&&null!==r&&o.id(r)!==e&&null!==o.id(r)){for(h=!1,a=0,c=i.length;a0)&&t.opts.minimumResultsForSearch<0)}},t.fn.select2.locales=[],t.fn.select2.locales.en={formatMatches:function(t){return 1===t?"One result is available, press enter to select it.":t+" results are available, use up and down arrow keys to navigate."},formatNoMatches:function(){return"No matches found"},formatAjaxError:function(t,e,i){return"Loading failed"},formatInputTooShort:function(t,e){var i=e-t.length;return"Please enter "+i+" or more character"+(1==i?"":"s")},formatInputTooLong:function(t,e){var i=t.length-e;return"Please delete "+i+" character"+(1==i?"":"s")},formatSelectionTooBig:function(t){return"You can only select "+t+" item"+(1==t?"":"s")},formatLoadMore:function(t){return"Loading more results…"},formatSearching:function(){return"Searching…"}},t.extend(t.fn.select2.defaults,t.fn.select2.locales.en),t.fn.select2.ajaxDefaults={transport:t.ajax,params:{type:"GET",cache:!1,dataType:"json"}},window.Select2={query:{ajax:B,local:E,tags:_},util:{debounce:v,markMatch:w,escapeMarkup:k,stripDiacritics:A},class:{abstract:i,single:n,multi:o}}}function p(e){var i=t(document.createTextNode(""));e.before(i),i.before(e),i.remove()}function A(t){return t.replace(/[^\u0000-\u007E]/g,(function(t){return d[t]||t}))}function f(t,e){for(var i=0,n=e.length;i"),i.push(n(t.substring(o,o+r))),i.push(""),i.push(n(t.substring(o+r,t.length))))}function k(t){var e={"\\":"\","&":"&","<":"<",">":">",'"':""","'":"'","/":"/"};return String(t).replace(/[&<>"'\/\\]/g,(function(t){return e[t]}))}function B(i){var n,o=null,r=i.quietMillis||100,s=i.url,a=this;return function(c){window.clearTimeout(n),n=window.setTimeout((function(){var n=i.data,r=s,l=i.transport||t.fn.select2.ajaxDefaults.transport,u={type:i.type||"GET",cache:i.cache||!1,jsonpCallback:i.jsonpCallback||e,dataType:i.dataType||"json"},h=t.extend({},t.fn.select2.ajaxDefaults.params,u);n=n?n.call(a,c.term,c.page,c.context):null,r="function"==typeof r?r.call(a,c.term,c.page,c.context):r,o&&"function"==typeof o.abort&&o.abort(),i.params&&(t.isFunction(i.params)?t.extend(h,i.params.call(a)):t.extend(h,i.params)),t.extend(h,{url:r,dataType:i.dataType,data:n,success:function(t){var e=i.results(t,c.page,c);c.callback(e)},error:function(t,e,i){var n={hasError:!0,jqXHR:t,textStatus:e,errorThrown:i};c.callback(n)}}),o=l.call(a,h)}),r)}}function E(e){var i,n,o=e,r=function(t){return""+t.text};t.isArray(o)&&(o={results:n=o}),!1===t.isFunction(o)&&(n=o,o=function(){return n});var s=o();return s.text&&(r=s.text,t.isFunction(r)||(i=s.text,r=function(t){return t[i]})),function(e){var i,n=e.term,s={results:[]};""!==n?(i=function(o,s){var a,c;if((o=o[0]).children){for(c in a={},o)o.hasOwnProperty(c)&&(a[c]=o[c]);a.children=[],t(o.children).each2((function(t,e){i(e,a.children)})),(a.children.length||e.matcher(n,r(a),o))&&s.push(a)}else e.matcher(n,r(o),o)&&s.push(o)},t(o().results).each2((function(t,e){i(e,s.results)})),e.callback(s)):e.callback(o())}}function _(i){var n=t.isFunction(i);return function(o){var r=o.term,s={results:[]},a=n?i(o):i;t.isArray(a)&&(t(a).each((function(){var t=this.text!==e,i=t?this.text:this;(""===r||o.matcher(r,i))&&s.results.push(t?this:{id:this,text:this})})),o.callback(s))}}function I(e,i){if(t.isFunction(e))return!0;if(!e)return!1;if("string"==typeof e)return!0;throw new Error(i+" must be a string, function, or falsy value")}function D(e,i){if(t.isFunction(e)){var n=Array.prototype.slice.call(arguments,2);return e.apply(i,n)}return e}function S(e){var i=0;return t.each(e,(function(t,e){e.children?i+=S(e.children):i++})),i}function T(){var e=this;t.each(arguments,(function(t,i){e[i].remove(),e[i]=null}))}function O(e,i){var n=function(){};return(n.prototype=new e).constructor=n,n.prototype.parent=e.prototype,n.prototype=t.extend(n.prototype,i),n}}(o)},57223:()=>{"use strict";!function t(e,i,n){function o(s,a){if(!i[s]){if(!e[s]){if(r)return r(s,!0);throw new Error("Cannot find module '"+s+"'")}var c=i[s]={exports:{}};e[s][0].call(c.exports,(function(t){return o(e[s][1][t]||t)}),c,c.exports,t,e,i,n)}return i[s].exports}for(var r=void 0,s=0;s0?e.touches[0]["page"+t]:e.changedTouches[0]["page"+t]:e["page"+t]},klass:{has:function(t,e){return-1!==t.className.indexOf(e)},add:function(t,i){!o.klass.has(t,i)&&e.addBodyClasses&&(t.className+=" "+i)},remove:function(t,i){e.addBodyClasses&&(t.className=t.className.replace(i,"").replace(/^\s+|\s+$/g,""))}},dispatchEvent:function(t){if("function"==typeof n[t])return n[t].call()},vendor:function(){var t,e=document.createElement("div"),i="webkit Moz O ms".split(" ");for(t in i)if(void 0!==e.style[i[t]+"Transition"])return i[t]},transitionCallback:function(){return"Moz"===i.vendor||"ms"===i.vendor?"transitionend":i.vendor+"TransitionEnd"},deepExtend:function(t,e){var i;for(i in e)e[i]&&e[i].constructor&&e[i].constructor===Object?(t[i]=t[i]||{},o.deepExtend(t[i],e[i])):t[i]=e[i];return t},angleOfDrag:function(t,e){var n,o;return(o=Math.atan2(-(i.startDragY-e),i.startDragX-t))<0&&(o+=2*Math.PI),(n=Math.floor(o*(180/Math.PI)-180))<0&&n>-180&&(n=360-Math.abs(n)),Math.abs(n)},events:{addEvent:function(t,e,i){return t.addEventListener?t.addEventListener(e,i,!1):t.attachEvent?t.attachEvent("on"+e,i):void 0},removeEvent:function(t,e,i){return t.addEventListener?t.removeEventListener(e,i,!1):t.attachEvent?t.detachEvent("on"+e,i):void 0},prevent:function(t){t.preventDefault?t.preventDefault():t.returnValue=!1}},parentUntil:function(t,e){for(var i="string"==typeof e;t.parentNode;){if(i&&t.getAttribute&&t.getAttribute(e))return t;if(!i&&t===e)return t;t=t.parentNode}return null}},r={translate:{get:{matrix:function(t){var n=window.getComputedStyle(e.element)[i.vendor+"Transform"].match(/\((.*)\)/);return n?(16===(n=n[1].split(",")).length&&(t+=8),parseInt(n[t],10)):0}},easeCallback:function(){e.element.style[i.vendor+"Transition"]="",i.translation=r.translate.get.matrix(4),i.easing=!1,clearInterval(i.animatingInterval),0===i.easingTo&&(o.klass.remove(document.body,"snapjs-right"),o.klass.remove(document.body,"snapjs-left")),o.dispatchEvent("animated"),o.events.removeEvent(e.element,o.transitionCallback(),r.translate.easeCallback)},easeTo:function(t){i.easing=!0,i.easingTo=t,e.element.style[i.vendor+"Transition"]="all "+e.transitionSpeed+"s "+e.easing,i.animatingInterval=setInterval((function(){o.dispatchEvent("animating")}),1),o.events.addEvent(e.element,o.transitionCallback(),r.translate.easeCallback),r.translate.x(t),0===t&&(e.element.style[i.vendor+"Transform"]="")},x:function(t){if(!("left"===e.disable&&t>0||"right"===e.disable&&t<0)){e.hyperextensible||(t===e.maxPosition||t>e.maxPosition?t=e.maxPosition:(t===e.minPosition||t0,h=l;if(i.intentChecked&&!i.hasIntent)return;if(e.addBodyClasses&&(c>0?(o.klass.add(document.body,"snapjs-left"),o.klass.remove(document.body,"snapjs-right")):c<0&&(o.klass.add(document.body,"snapjs-right"),o.klass.remove(document.body,"snapjs-left"))),!1===i.hasIntent||null===i.hasIntent){var d=o.angleOfDrag(n,s),p=d>=0&&d<=e.slideIntent||d<=360&&d>360-e.slideIntent;d>=180&&d<=180+e.slideIntent||d<=180&&d>=180-e.slideIntent||p?(i.hasIntent=!0,e.stopPropagation&&t.stopPropagation()):i.hasIntent=!1,i.intentChecked=!0}if(e.minDragDistance>=Math.abs(n-i.startDragX)||!1===i.hasIntent)return;o.events.prevent(t),o.dispatchEvent("drag"),i.dragWatchers.current=n,i.dragWatchers.last>n?("left"!==i.dragWatchers.state&&(i.dragWatchers.state="left",i.dragWatchers.hold=n),i.dragWatchers.last=n):i.dragWatchers.laste.maxPosition/2,flick:Math.abs(i.dragWatchers.current-i.dragWatchers.hold)>e.flickThreshold,translation:{absolute:c,relative:l,sinceDirectionChange:i.dragWatchers.current-i.dragWatchers.hold,percentage:c/e.maxPosition*100}}):(e.minPosition>c&&(h=l-(c-e.minPosition)*e.resistance),i.simpleStates={opening:"right",towards:i.dragWatchers.state,hyperExtending:e.minPosition>c,halfway:ce.flickThreshold,translation:{absolute:c,relative:l,sinceDirectionChange:i.dragWatchers.current-i.dragWatchers.hold,percentage:c/e.minPosition*100}}),r.translate.x(h+a)}},endDrag:function(t){if(i.isDragging){o.dispatchEvent("end");var n=r.translate.get.matrix(4);if(0===i.dragWatchers.current&&0!==n&&e.tapToClose)return o.dispatchEvent("close"),o.events.prevent(t),r.translate.easeTo(0),i.isDragging=!1,void(i.startDragX=0);"left"===i.simpleStates.opening?i.simpleStates.halfway||i.simpleStates.hyperExtending||i.simpleStates.flick?i.simpleStates.flick&&"left"===i.simpleStates.towards?r.translate.easeTo(0):(i.simpleStates.flick&&"right"===i.simpleStates.towards||i.simpleStates.halfway||i.simpleStates.hyperExtending)&&r.translate.easeTo(e.maxPosition):r.translate.easeTo(0):"right"===i.simpleStates.opening&&(i.simpleStates.halfway||i.simpleStates.hyperExtending||i.simpleStates.flick?i.simpleStates.flick&&"right"===i.simpleStates.towards?r.translate.easeTo(0):(i.simpleStates.flick&&"left"===i.simpleStates.towards||i.simpleStates.halfway||i.simpleStates.hyperExtending)&&r.translate.easeTo(e.minPosition):r.translate.easeTo(0)),i.isDragging=!1,i.startDragX=o.page("X",t)}}}},s=function(t){if(o.deepExtend(e,t),!e.element)throw"Snap's element argument does not exist.";e.element.setAttribute("touch-action","pan-y")};this.open=function(t){o.dispatchEvent("open"),o.klass.remove(document.body,"snapjs-expand-left"),o.klass.remove(document.body,"snapjs-expand-right"),"left"===t?(i.simpleStates.opening="left",i.simpleStates.towards="right",o.klass.add(document.body,"snapjs-left"),o.klass.remove(document.body,"snapjs-right"),r.translate.easeTo(e.maxPosition)):"right"===t&&(i.simpleStates.opening="right",i.simpleStates.towards="left",o.klass.remove(document.body,"snapjs-left"),o.klass.add(document.body,"snapjs-right"),r.translate.easeTo(e.minPosition))},this.close=function(){o.dispatchEvent("close"),r.translate.easeTo(0)},this.expand=function(t){var e=window.innerWidth||document.documentElement.clientWidth;"left"===t?(o.dispatchEvent("expandLeft"),o.klass.add(document.body,"snapjs-expand-left"),o.klass.remove(document.body,"snapjs-expand-right")):(o.dispatchEvent("expandRight"),o.klass.add(document.body,"snapjs-expand-right"),o.klass.remove(document.body,"snapjs-expand-left"),e*=-1),r.translate.easeTo(e)},this.on=function(t,e){return n[t]=e,this},this.off=function(t){n[t]&&(n[t]=!1)},this.enable=function(){o.dispatchEvent("enable"),r.drag.listen()},this.disable=function(){o.dispatchEvent("disable"),r.drag.stopListening()},this.settings=function(t){s(t)},this.state=function(){var t=r.translate.get.matrix(4);return{state:t===e.maxPosition?"left":t===e.minPosition?"right":"closed",info:i.simpleStates}},s(t),i.vendor=o.vendor(),r.drag.listen()}},{}]},{},[1])},53425:(t,e,i)=>{var n,o=i(74692);(n=o).fn.strengthify=function(t){"use strict";var e={zxcvbn:"zxcvbn/zxcvbn.js",userInputs:[],titles:["Weakest","Weak","So-so","Good","Perfect"],tilesOptions:{tooltip:!0,element:!1},drawTitles:!1,drawMessage:!1,drawBars:!0,$addAfter:null,nonce:null};return this.each((function(){var i=n.extend(e,t);function o(t){return n('div[data-strengthifyFor="'+t+'"]')}function r(){var t=n(this).val().substring(0,100),e=n(this).attr("id"),r=""===t?0:1,s=zxcvbn(t,i.userInputs),a="",c="",l="",u=o(e),h=u.find(".strengthify-container"),d=u.find("[data-strengthifyMessage]");switch(u.children().css("opacity",r).css("-ms-filter",'"progid:DXImageTransform.Microsoft.Alpha(Opacity='+100*r+')"'),i.onResult&&i.onResult(s),s.score){case 0:case 1:a="password-bad",c="danger",l=s.feedback?s.feedback.suggestions.join("
        "):"";break;case 2:c="warning",l=s.feedback?s.feedback.suggestions.join("
        "):"",a="password-medium";break;case 3:a="password-good",c="info",l="Getting better.";break;case 4:a="password-good",c="success",l="Looks good."}d&&(d.removeAttr("class"),d.addClass("bg-"+c),""===t&&(l=""),d.html(l)),h&&(h.attr("class",a+" strengthify-container").css("width",25*(0===s.score?1:s.score)+"%"),""===t&&h.css("width",0)),i.drawTitles&&(i.tilesOptions.tooltip&&(u.attr("title",i.titles[s.score]).tooltip({placement:"bottom",trigger:"manual"}).tooltip("fixTitle").tooltip("show"),0===r&&u.tooltip("hide")),i.tilesOptions.element&&u.find(".strengthify-tiles").text(i.titles[s.score]))}i.drawTitles||i.drawMessage||i.drawBars||console.warn("expect at least one of 'drawTitles', 'drawMessage', or 'drawBars' to be true"),function(){var t=n(this),e=t.attr("id"),s=r.bind(this),a=i.$addAfter;a||(a=t),a.after('
        '),i.drawBars&&o(e).append('
        ').append('
        ').append('
        ').append('
        ').append('
        '),i.drawMessage&&o(e).append("
        "),i.drawTitles&&i.tilesOptions&&o(e).append('
        ');var c=document.createElement("script");c.src=i.zxcvbn,null!==i.nonce&&c.setAttribute("nonce",i.nonce),c.onload=function(){t.parent().on("scroll",s),t.bind("keyup input change",s)},document.head.appendChild(c)}.call(this)}))}},83864:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACgAAAAoAQMAAAC2MCouAAAABlBMVEVmZmZ1dXVT6N0BAAAAUklEQVQIW8XNsQ3AIAwF0bMoKBmBURgNj8YojEBJEcXwu2yQ+p507BTeWDnozPISjPpY4O0W6CqEisUtiG/EF+IT8YG4fznihnhCPCNeEK/89D1Gd22TNOyXVAAAAABJRU5ErkJggg=="},26609:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACgAAABkAQMAAADOquA5AAAAA1BMVEUAAACnej3aAAAADklEQVQYGWMYBaOABgAAAlgAARbiVEcAAAAASUVORK5CYII="},7369:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAaVBMVEUAAAAcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkSVcboQAAAAInRSTlMAGBAyCD9gIS5RZkqgwEQnj81slZ0MMK4WLB2ZcIGF737fFn1o5AAADQJJREFUeNrsml2OwjAMBuOrfPc/5IrsAwqjHVSVdiPhETy0tuOfuGlTGE3T7EClxjdTyeYVSJ1O0fN/fBblGwvCDsyDRQETlLxIK1mkSBEOYL8o39gS7MA8wByxAJxBSmlOB1SGySUwfk0BcqvgWIiPTmV6PI97ZIKokXcIZ1g7QAJAB9yGh4j8ABRkDbAWnMqb3RYuvAvwEprKe+X/B/0g1DRN0zTNF/CBJ8Gtn4Mq5c/ySUlC+QX18vcB8kKoMm4tCQNAAaiwHi0KqFeFBSjdPLLkn4bxe8TIGBWUemk9SZL5vQV28KQs4qI6Ey4p2JTu0wGyal30PmCOttEa0HeBpmmapmma/yPnH+ZPjZ+7E2AGfsKF78kx/2FAOKBcLXT8jFBlNQ9l5gABiFT8ywjwCDmklgHd5UUYCLWDYBAK3b9ul8MCiDgTz8DMNQAmmMmqkBf1CfwfKJG3MOcDx7R3cwZw0IOnx9FcIcEJlw8Q2ntDi8P3awCle90FLrbPg9E0TdM0TUPO/y01OR2A7hddlonH5+5zLABxAC3NwANYf1ZKLSInZRvozCGlgPRC/yyAJrCgM8gaVTLPFGTyb/7SAhTcvW8zrUCi+aMAPEPzrPV52mR4B2WC/TG3w/TvAUCKARAh7CGHPcXBAEMSRAFQoPcFQADQp4KLJ7p/HjTnJSAuhl0C9TTWS0B6nP5lEQsTAJwyiLAI2hzZIjjhImj2A6R8jlw8SPQaHoZ3AMn27wN+2DnX5bZBIIwuoBvquB13xp3ef5z3f8hGKO4KqNZx67bqlKMozrLCsJ8Qguji/voNMY1Go9FoHBjkd+KwT8zUOQB5IMA9CgCPjZ86BZwZf6Yad+8yrOvV1AFD5X8cJFyVksVS+G8FC1gbUAW8SQBDEN38wQIYz3cnV+aHG0Nt0lIFYLYPirxU2X+XAA7qoMj8icprXr42/WqoTeHF3hjhwZ1gKUClwP4exxKgzkFaqvyGALUfkMfi2Mx869kZuKqLtO9AKMC+neCWIIb/QWA/0YIzZ6933gSE5awVOvhs/vDjnEaj0Wg0fi/+Hz+RkRlQz+dqE34l/mO9KqmMTj80RFMAFrxkYJoHe1kWucHzb5XHozsZ8vmdX9wbG24+csChrlax/li363u8UE51UDspQJ6dvcvRjmMJwBVLIJ/ZtQD1hLUyNH4OdgjcbgH19olMoN0WQEK9JA72gLzdB+zuXrXxgq/6APUf9vg3zwJWly+KZ8EQNfe5gwVvjQNeDl5ejDugAL8KXhqNRqPR+CEBIMiL6RLyh4jAKYrBV+yRG5/ACjGU7mDr0ckEk6gCofz6ERilsjNDic9kGTQkPvd9RBMiQKyGujO7g9khkBiyeCHUtn4hZW201t1E1zF1xuXzlbxChaHAXJeosxP6vvcrhSCnTICNAnQLaAvIBABxTwg824FEYEcAuhWuAtB5H9gKcD6f7ScwBDLDFGDMBMQ/QeIqiPMrmwrmgl8W9loAEf14gmsfgFYwr/GFhYsK4MexzwR4//69ULfA2q4TagFG4PVWACATwHkKiRJaAO8XdluAiyzxO/0/QIAgKoAnrfp1K+gh8OrV9hA4y9InnrX8kJa7BdD446vX+wK4IkFwCS2AcRz3+wCcixDdVgCRrQABCJqfjwAfP14T/NoJ+uqYNwRIa52gAgyiJvMQgX5PgLJAxoQWwJs3b6DbbQHBxeiCCrDa+wK8WWE13cQ4Te+YXCZAEM0QlyUToCsF6AoByFrAvMZvC6DlfUgUTa7r9lpAcInAjk0EItkxOU0wrubEM1PVAjIB7joEICsvxV8JEPLyinEAX41xwD2nQZhJqygExqrF89JOb9Di64RaABk1/ocQwpAI8tPA+NgXJ9mM9NJoNBqN/4avX22/B2+4Ia02gbAzf4/Ado49szIX07Pxtq0RFfXpezG4wEVyhmHYxh+CKnDqgC9TRAc6M8yfMO/aDMD2T1QBmBfAmM9P03TbLvbJ8D16PHh63Z2zzNt9eoJTET8wjBo/qAK4on6UtvD2afmMKEEiGjAI7AaMnNOi+ZkEmTJbcvvSXSay+g9DXUE1Z7VnqhYnkcHr0JEAENgVwCfUlvCNvbNRTBOGovA1/CM4WTdcra7bef+HHAblJrklzOmoP/mw1WMieE8vScBgt6vtclsY8aOgiP7WgLpfzAAB5I5+NXVMsVGeQsMZrFEfb+8nIMbyNXYpUtWLtwia6G3MgD7jDI0dfuEnzPgR0V8bQJtuqfiU0pchA1iTrTkDOP502AMAvZXk4+2toVlzk5I5xw5AxEenPgM4A9KsW2T8GsA9HldQSrHe9AvPmBj2cdYRay439t+ObMQABTsj6KNjJ08rj7gwj5ekARGOiPit7TkGGHq7+VH/2AzH/ziSTWqOn0yUE7ASsq5ZH3Iftc8AcgCRUvy8gBt826DINIBI7hKDfCVmWpMTvzyAV2b8tEJJVGI1GLBLoTyvF4GWohGFVY1DFeMAcdpbaDFXaFKnHL/oBtkBZRQX1FEkZGaQh5zuEP9ASI6BAoFAIPCZFEBidGMdX8gDQP+THB35Bdf3+1GoiKgyu+Y9wA6sUBRZxg7kwI4M2iWiCMt2ZL5FgSMFa/kES/m5Qo66KN4tB4BLDEiRU47UeHFFlTsazwaN2Pm4vSqQU+oe3HC581Gt8wBKw3VAiDoHh4roC3J+YU1U4R1XMwBAyq/QsesfOwHYADeQgpCkQEpjBlhDTeiTUQAbQDv0mcdD9bIEDAO2iw5zg1Xn+ogBk/PpIcpz2PtUBVjxK0AakIGMw9ea45cZYr8eMaCrcAYABWVsAGkDDIfzts3znHXRxU8F6x6h4egxA+Rwu3Lij2C2ARtkHVgb41rr9fg+ZgBLBahB7wEUyIYnxNHrdrvYttjTEbyjIqovN8CfAbUdPweYV5ps0E7CQKluQoplgLXrZB3b7gbbn2q0DWjbbgewGsH3oqiR/+82oOYzcIkig9Y+54tqh73hAIjIbPYi2Aa8vh5vToKMtgFF1LYtWohu8P/1AjXVAAaZkE1VlmtWSLqbYgdg3PHDjPBxN4jsxEgbgOIAG8BcxQBJf/6lhuLTBw7osFqMd0XK2MfSaEGwDDDiozhC1N1imhoH3O41K+rlRRGT7g5K0eBYjzzjEggEAtehKIhZVuiolvQ8bIDNIL7iyFd6FpboWJqCaHhK06Ahg988mGESuhYNDjQ0GxsoNaTANzbg2/R3XzEJEnEsZD3h0WiiQ9xi/TOx7ANe9goGrgGMAtz4gWRi4ibrVbwaNG/zswzYAEoBG2Pj7nsoUbrx1xw7xz82dTdVKcB6RUQrq0LziQYkOJIIA2R+8ztWRhnHP2KAslJGTzSPwdUdAyI0TTPfSJcDlgYIOCTTP47/ogyYvRHkBFBqSIEXNuDFzAD/Crj84jaA5RzIRm/FcjXaCJqS8//iXoABzUaDgWZ4d5pU9HHCAFn6CF8wmKzRsT4rqIcyIBAIBAKBeUkg5IygTrxXSFyftzc3fgg5IwBbIA3QZcqskNTq8Au2f+Wgy77S+OFtAiRkawiJhOYCYAscA9geIBneng7PrmAZYJdLA2wJjZSguUBPKQ1ge/T9URLVAJwKlgG1jElG7JfwG3DXGQDNbWXAXG0Ac1NtwMy9ADQ31AvcAAls+XQGBAKBQOATwVNfR6W+En5tlTVQ2T/R9+Qq1J0BCTjkPFkDOTlAfP/BufpGqbDuDCBUliu1cADufXSevtWJjQoN0a+EGk4BoMqo7rQBOJD4e9zdhunb+H6az84ato4PS3yjw9voOG9+z3+hPAUyhd2IAYsjOGkIDaGxuNWvFNcZ0NFA2e1CBTt8uN9+F52nb3UXoFr3gSlq82i4QFbYBjxuI5gDzb4Bcvt0QJLACv+BP7DNNwA2d3nVfCAQCAQuhK8PmNZyEtX5mtc3j/Yjrw/wazmN7nzN65tDT7PEwHJKi4mUZ2qxvhm0H3l9gNYa1ikBlHaap9LiwMug4Wr6sJzX72yPXA1veUNEVrmtNaT1JHJyNE6wJkpT/WCyPpf7NYjGylmylvcgMnVZlqw1RC3wtwZYD6TWe2/qvGGCpz6JgER9j6HT74cA+HSr45/PAHnvC8ivpw2azoCW+vgx2y7g1wzrKQMBTGSIR6OlFlpPIq8PkI0aN4Ivo40UXE0j5SONJLkannKtfBpoWXuZuxsT65tBTzH/QIbXN4/2M/9Qltd3bX1L1zsEAoFAIHA3oOdSfdP/XNsL4gOY0I9tAPwG6IU1QH4DCHRfBgAcoNDSIOhfHg0KGXBnBjx5G/DsvUAgEAgEAoFrc6tzYyXTsyARITo//gXdCwtaXGzAAvcb/0UZwPHeb/x2BmBxWkYMwAk7XpCtH7cNiE5w+eAX67vKgUszoK9/v/H/awY8TPyX9gIy/sduA6b7/7vLAc6AK4BF/3NH8f/ZKBi5AADUzjm/v2XQ+gAAAABJRU5ErkJggg=="},36114:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAZlBMVEUAAAD80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nyRr7t6AAAAIXRSTlMAGBAyPwhgUSEuZkqgwEQnj82VbJ0MMIOuFiwdcJnvft/kuoF8AAANB0lEQVR42uyaQW7rMAxExaPM/S9ZRF0M4kGfENhQBYQP+IvfoUxyQstW2tE0zQmUanwzJR3ugOp2iyiqpHoL3mhITqBevAXEByRd1JJCNSVBAq938K6R8ASiAXWtR4JP0KoD2OEMro0OuH5sIXRycMAAhR7BzrgFT6DBCdCL5T2EEwAFbJ8AwyWSAcYBuAfQCM7gwx4Lzz0FeBNy8Fn9/0G/CDVN0zRN8wU88CZ49HtQqfhdXipoSL+AX/x9gN+EffUNllABYUAGXMNV6ZcD0oDCw+POw5Dr54pBng6CX+ynsTz/7cITbIoqrgzPhgsMm+o5EwC71vPfB3iPOGgP6KdA0zRN0zTN/6H7L/O3rq8dDXAH/AMW1+iz/Gmo4j+p4wq8voYy5H25UqMEUIBVzs/9ZMbQQ6UOMp0uokLECYoFSpHz43FZaQDImnAHvJwLcIOOvwToEj6J/B9YxCMsrfzNjsXLuYB1hg/aSzUDpPgB6nxFr+eBhpDVHpDqWU+Bh9bzY7JpmqZpmia5/2ep0u0C8LzImiZc3yL9ZwVAgojCDrgA6/IvpywRKjpAa14SDIwskN8JsAG+9iQ9sj/+9aQ1miCp0ICKdOsxQwck7F+r8VJGuAFNvEaDJ0iTOB/Dcdj5sYCrCg47OtZbz/UppwETaNAGhEFsAJ1OIz4DWJ7g+RkGxLcApBh0C5QX4y0AM575YRNTNhDkR5ZSboIGDfAmaHITpPUjUPFnxPJIhPfwIHgCEh3/fcAPO2e63DQMRWEt3pnCZJiQKcuP7/1fEqzUnEpCcgsGzKDPcdNredE5vpatxI796zfENBqNRqNxYjC/E0v9xEy+BHCoPniNA8Cx+smngK3qj1zj1bsM0pnJQgGQlR8HAZtNibQk5XtigdoMxILjmaBiiGY/2IDK892hKCqHvc8zwlAQoCiCZFkKix9vgIVcFFF5oJ4BJHKq5QoUkyqsz4zh4EawYIAcKO9xagbkS6j29RxXmJdrfcefCrAh4WPA5k3k/h0IgvrtBHuGFMoPhPoTLdjX9F6p6S+lS9mhk/fmT3+d02g0Go3G78X94ycyogDy/lwewq/oP9dPJaXq9CaJJQMUOxNBNTzZj2URBzz9lT0O7WSI+3eO9aUYdh854FTfVnF/1W7XdziD4tgAgglxfzYJI72WcxnARsUgpXfBgLzDmgXSz8kOgf0MyOcPRAYVM4CASgmc7AH5ehtQ3L2KcQaXtQEqP+3xXz0L1Jp8I9yPBVFwzJ5MfO064OXgzIuxJzTgp5H+RqPRaDR+iAfw5sX0AfOHGIGH0VS47Vy58QVqEn1a7Ot+9GaG2cgBn65+AiYjFCsQ4xPRApLE564b0YQRYMwudZfy09SDJzBEesHnsVZIWhvVup/pe+a++F3hRlyhJBCw5FtU74Su69ydxJCHyIBnDtCvoAyIDABjv2HgKd4ygIIB9HfYDKB3zvPcgMvlUn8Cw0AUVA2YIgNZpRPYDLGbIapgbPh1pZQBjOjtG2xtAKpgXOMrK1cZ4Kapiwx4fHw0KA6UYk3IDJD+tyADgMgA60gsCqD1P64UM8COrPqtPgfw4I0McIRRq7uDDoE3b5hlwMWsbeJF2/dheLUB0j++eVs2QPrZFAXQ+qdpgmIGWDvCaJ8bsL5kgAc8MuATwKdP2wR3bwRdIgcqBoQxnyADRqOQZRiBrmQAG9K7gtb/7t076IsZ4O04Wi8D7nHZgHd3MAE7M83zB2YbGeCVw4zrEBnQpwb0iQFEGbBIf9kAbe9jIEm5vi9lgLcBTyFmZB2jY3KeYTKBmSfmJAPKBuwfAhBvT/plAL7whMuNwG3nOmD/NKj6hNEIPFOW8by00Ru0+XxCboCZpP8QvB8C3vw0MB37w0l1JjrTaDQajf+G281UceBMGQhjHY8v9N9HVtTHXrizJN2zaT+WoqQ+XWcqXOFqYoZhUODwXg489MBtHtGFzgLLF6p3bXrg+b/IAVhWoNKfn+d5P072yfBdPQ4cnXbnYhakyDzAQ6IfGCbpBzmATepHGhve857PGOHNiASDgaJgzCUMSM5sMHMUmzi+9teZqP7DkFdQ4aJ4QRmnpBycLh3xAJ6iAS6g2Piv7J2NYppAEITXA/lRsJK2xEaTdt7/JQtHwnBs4GpNqZr7NJrhENzJshx4mOPuuD2mg/iRNh78qQFldxsGCCAf6aehXss6p05gYQZbzPvrewRUX77EKUFiOvEcwRI9TxnwWgWoccJPPGIYP6Je+TPg0NwKnlL60mcAtbiaGcD4k34LAOxa4vfXt4dlz5KS8eUWIOLR6ZwBzIA0a246fgswPh43bRJRH7obR0z02zh1RM12xp80ZBMGGDAjLO8dO81UeaxT53hJGRDRYR0/1zcygBrHw4/yx+ELGJ8l82rGL4SbAPVYliV1m/soZwygOZxgDKcrWPBdg6KhASJ6k+jlkxC/FsaviiAdML3aYdOWwl1vwCmBmX69DnSjiiic2Riq6geo095Kq7FCXp0wfrUbpAOGIk5t4bfNOoM0udwg8x0h3QcKBAKBwP8kBWKWcDR88VyH+C/J0ZD7RlL+NQZF81jAOIfzdGCHNM0yOpADJxlQbxFF2NYT4y1SvJJS6wmU+nOFHGWavjgOAJcYkCCXHAlfjEKKcW88A5wPm3lshCJFLsn44Ibt7ke1nM7mDrxNR9Q42M+IriHnC0uRAi/4MAMAJHyFjd3+uAlAA8aBpII4YXdNG+B0NWFPRgE0QE7oMo9d9c0GAA04rhqGKywa1ycM8I6nh2rP4W5TBeDEbwBtQAbh4StKIBkNoECv3ddjDdhZmAFAKhkNEGsAHUZe13meU6dN/JJSdyiNkZ4yQHe3i1H8EYY14ICsAftBv9Z5Pb5PGUBpANPrRwApsn6COno9HlfHmidI8NK+u/IyA/wZULrxM8C8sGS9HiUMjHFrhIGz6WQNx+YO159isgbUdbMBOEXwJU1L5P+6BpQ8Axcbp8y753xRnPBIB+wbH5a9CK4BT0+v91GCTNaANKrrGjXUbvDf7QVKKZmy+rPpYrPZUyFu7oYOgE+DKZlA7QaZEZaJGoC0hQaQDzFA051/KWF4+mAEGpyK8WLEgNtYEq0EjgGD+GQdIWrua/H1A673mhXz8GCEJKdWNR64RUafcQkEAoGPIU2FbAs0FFv5PByAQy++4pWv8lnYomE7FCKc1FKhkgG/2JkhnHApFVoqWYwDjOlT4BsN+Ob/7isSI1bHQmrChEYVtXGr5S/Etgt42ymAjA0gBhjHD8SegZvUu/Wu11zn4gawAhjTVwG0jN/DBptx/CVjZ/xTQ3cTkwDUu+Zh58xQ/UcDYrwSKwN0fvMdm0Eb458wwDgpYwear8HZRwZEqKpquZ4uA9YGaBgS/QPjvygDFi+CTABj+hR4oAEPKgMmF8D2i2sA5RLoorej3E0WwaFk/l+8FyCQxajQU/HvxT8ZM0AboFvv4gsG4z0a9mcFdVcGBAKBQCCwLDGUXBCUsecKiY/m+XkcP5RcEIAWaANsmxnOEJemfYDr36bXm26m6cPbGIhHAUNJxLIUAC0YGUB7gLh/ezY8dwbHALddG+BKWLSELAU6NtoA2mOf++OiEsBoBseAUsWkI/ZIzBtw0xkAy3VlwFI1gFxVDVh4LwDLFe0FroAYrvx0BgQCgUDgP4JPfR2VOQl+Ho3TUXn8RN+Ta1A2BsRgyHm8B3IZAfX9B+fqK6XAvjFAUDiulMoBjJ+j8/S1Dmw0qER+xlIxBYAik7LVBAxk/X3d3Pvh2/j+Np6dGq5et7f1lXZvo9dx84/8C+UJkBmcJgxYvYI3DaWhNFbX+pXiNgMaKhi3LhRww8f42++i8/S1bgJS2n1ggpLhQlJkqWvA/RbBHKgeKyB3TwfEMZzw7/gD2/wA4HCTV80HAoFA4EJ4fYBf60FU52subxnth9cH+LUeRne+5vKW0H626Nn6tBpIeaZWy1tAe1DXB1htoU4EkKTRHEqLlodeY6zl3XYuf7Q+GWvMtlfNs9PuaotY7UUPjgbhp8FJYn/xzs/2eQ2RqXZKav1sZ6HebDbUFpEa+FMDnF+0tltvAurO8an52Uyt558x1P9+2oc5Xdv4lzNAP3sC8miPQd4MqKWLH4tsAn5NqH0GAvBkyIxGLTWs9qKvD9BFjUXwYbJIYawniupUkZSxxky7VXMaqKk9LLsbU8tbQPtYviPD5S2gvSzfleXyPlpf0/UOgUAgEAjcDOi4VF/1P9eeBesWePR9G4B5A+yNGpB5AwRyWwYADFBpbRDsw4yGhAy4MQM+eQ347HuBQCAQCAQCH821jo3V+EdBIkJ0fvwruRVWsrrYgBVuN/6LMoDx3m78bgZg9XabMABvuPFiFP/91oDoDbb3flHfVA5cmgHd/Lcb/99mwN3Ef+leQMd/3zXAv/+/uRxgBnwAWHU/NxT/742CkQsAnOsjp3ys99QAAAAASUVORK5CYII="},48832:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAb1BMVEUAAAD8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vwLtayQAAAAJHRSTlMAGBAyPwhgIS5RZkqgwEQnYo/NlWydDDAWLB2tgXCZhe+2ft+AEhBBAAANEklEQVR42uyaQW7rMAwFzbvM/c/4AW0C+6FDFG71BZQDZBGTEslnWracXMMwnEBR11+m4HAFqNclqpGCujlvFCQ7EOCecJwgeFgLwvqhIALE+Jvz1pYooFSAeuYDcgZDgKJROJ1rgwKZv5Yg9gJKRjezh/Mn4hagIpx2AADtNaQdIAlEB2zDU2w72BwKGnmhbs6H3RZ++C7gi9ByPqv+L5gHoWEYhmEY/gA/8CR49HNQUf4sDyUFwUL08vcBBdRj9g2SWAIhQDo83amv9SpSgNLN447NUObvGYu5gBK9VM8EWJ9dALnBt4wr3bPgEsGW9ZwOkFXrl94HrNkOWgPmLjAMwzAMw/D/4P3D/Kv52VCAAfgBN/bwvfgAMgEeoB8BPMyky304abMAkYBYJb7MgCVAo1hWkOF4GAmjdlAMII0eX7fLpABiZuEV2HBNIAtkcXfg4b6QDmol8haGTt+sGB/uCfQRuvLimztAHBB7PyPQNrQE7NeAtJ51F/jl8QBcwzAMwzAMyfu/pcLrBHS/6DYWnl8T/nsJSIDw0go8gfvPStTN5FC2gWZNqQJmFI8fh6IAnRvsjUTBOlJhk3/zlwpQEa5vM1UAtH669oIczl2fzxgu7yAWsT/O7XDG9wTCKrtjyP182GN8mlOAhRQYAoRAvQCRQPiHQ28G3T9Lg3wuAQlx2SVQUO0l4C8dM74sYmQBQZ6yMMUiaOdIFsGAWJagX+fLz5GbrwS9hi/DOyDh+PcB/9g51x2nYSAK+5I7WpAqVBbE5c/3/s9I61DG9pDJFgoE4S+bdieuG5+TiRO3Sf1fvyCm0Wg0Go0Dg/udeOwDM7oG8FB9cI8DwGP1o5eAN/UXrnH3JsP6vhotGFT54yDh1ZJCS1W+JxawXoASnC0A2xDk8YEGGPd3p6KiHPY+z0iTEmDmB1VdVPXfZYAHLYqiPGFnAEqOUS6BxCiF5otxPLgTrA1QDmxvcSwDdA3SpOobBuhywD0WTzby1aMz8KqLtK9AqMC+nGDPEKP8QWDf0YK/Z/SKpd9Ilw2HDj6aP/x5TqPRaDQav5fwjx/IKALQ4zkdwq/oP9ZPJdXq5EkkmgYAEFwBZniwH8uiDFgfM3sCgcwg8koBF8hi2L3lgEN9W8X6Z12uHwgOiUsDSCaU49kqLPR6jmUANyyDQhFrA/SAVQWin4PtAvsZoF+fKA3SGaCvV5D4YDfI233A5uaVmOAIqg+Q8sPu/+ZRwOrynRB+LIgNx/zBxFvnAS+H4F6MP6ABd6P1NxqNRqPxQyJAdC+nv+D+FDPwNDuDjztnbnwGS2Ksi+OeHxNM6g2yGiMwOhUXgTB/o6ggkvjUdTOyYAaY1anusn039RBJDIVeiCrO37BujbS6n+h7pt74+nylbFAVCLDoNcrohK7rwkplyFNhQOYA/RUkAwoDwPkLDtaYWwawYQD9CjcD6EOI5AacTif7DgwHeWAbMBYGEi6QuBniw0rWwNLw85WtDGBGni5w6wOQBpYtPgNwFgPCOHaFAc/Pzw6dgTrWC7QBI/A6NwAoDPCByqJEtsLnK5sZ4Geu+r18DhAhOjEgkGZ5uxVkF3j1Kt8FTtde8fJ4g5imuw0Q/fOr19sGiH5uihLZCsdxhM0M8H6G2ecGOJcbEIEo9fkA8OEDbiWsnWBQ+7xhQJr1AjFgcBKyDDPQbRlQr5Axka3wzZs30G9mQPTz7KMYsMbbBrxZYQ39xDhN75h8YUB0UmFOU663rw3oKwMoMmBJ+g0DSsPfJ6qU6/utDIg+EdmImUlzvk9OE4xrOMHKVGWAYcDuLgDF+pJ+ZUAs11edB/DROA+45zAIC2l2ApFRZTwv7fQGWb1eoA1wo+h/CDEOieh+Ghgf+8NJNiOdazQajcZ/w5cvziRAMIohzTaRuDF+n4F8jL2wslTDs3E/FkVVe7rOGZzh7EqGYcj1xygOPPXAx2nOBjsLLJ8xr9qMQP5v5gAsV8AYz0/TtB9X22T4rp4AgU425+KWfJs+wVOlHxhG0Q/iAL5qH3XseHuZPpHrd3MmGBxsCsad0pQJnBxuKmJXxuf+PFG0fxh0AyVcJF5QGedmhiCnjkSAyKYBISGxi1/ZOxfGNGEoCl/DG8Ep3camdWu38/9/4zBUbpJbwpyO+sinrR4TwHt6uTwMdrvaLreFET8KiuhvDajx2t1qM0AAuaO/mzqhxGhPoeEM1qj3l/fzKI06UGOfIlW9+BFBE/0YM6DPOENjj1/4CTN+RPTXBtCOXqniU0qfhgxgTbbmDOD402ENAPRS4veXt4FmwyUl48k1QMRHpz4DOAPSrLvJ+DWAezyuDknEetffeMTEsI6zjlhzu7H+dmQjBijYGUHvHTt5qjySwjxekgZE7LCMn5fnGGDo7eu3+tvrJ3B8mmxSc/xkopyAlZB1zfqQ+6h9BpADiJTi1wVc8G2DItMAIrlKDPI7MdOaOH5RBNkBNagVSqISq8GAfQrlmV4EWooiCqsbhyr2A8Rpb6HFWKFJnXL8YjPIDiijuaCOIiYzgzzkdIP4d4TkPlAgEAgEPpICiLmEo+MTeQDof5KjIz/j+n4/ChURVVDWkAN2YIWiyDJ2IAf2ZNAuEUVYtiPjLQq8UbCWL7CUnyvkqIvixXIAOMeAFDnlSI2JK6rcvfFs0Eicj9urAjml7sENtzsf1TpPoDTcB4Soc3DoiL4h5wlrogovuJgBAFKeQseuf+wEYAPcQApCnAIpjRlg7WpCn4wC2ADao8883lUvS8AwYLvoMBdYda6PGDA5nh6iPYe9TlWAFb8CpAEZyDh8rTl+mSH29EgA3YUzACgoYwNIG2A4nLdtnuesiy5+Klj3CA1Hjxkgd7crJ/4IZg3YIevAxtivtabH1zEDWCpADfoZQIFseEEcvW63i23LH3biBRVRfb4B/gyo7fg5wLzSZIN2EgZKdQNSLAOsVSfr2HZ32P5UozWgbbsVwCqCL0VRI//fNaDmM3CxIoPWPueLao9noDKLm1n2ItgGfP/e3x0DMFoDiqhtW7QQm8H/txWoqQYwyJhsqrLcsELc3RU7AOOBn2aE9zeDyI6M1AAUB9gA5iIGSPrzLzUUnz5wQIdVMV4UKWMdW0cLgmWAER8lEaLuntDUfsD1XrOinp4UMen+oBQpu8jIMy6BQCBwGYqCmGWFjmpJj8MO2A3iM974TI/CEh1LUxDxSwcaNGTwm3dmmJguRYMDDc3GDkoNKfCFDfgy/d1XTIxYHAtZL3g0mugQt5j/TCz7gJe9goFrAKMAN34gnhi4yXqVrAbNy/woA3aAUsDOWLj7HkqUbvw1x87xjw3dTVUKsF4R0crq0HygATHeiIUBMr/5HSujjeMfMUBZKaMHmifg7o4BEZqmQUQzwQFLAwQckukfx39WBsxeBDkBlBpS4IkNeDIzwD8Dbj+7BrCcA1n0VixXo0XQlJz/Z28FGNBsNNBw0q2Pci22ccIA2XoPXzAYb9CxOSmouzIgEAgEAoF5iSHkjKCOvVdIXJ4fP9z4IeSMAGyBNEC3KbNDXKvDL9j+lYMu+07jh7cxEJOtISRimguALXAMYHuAeHh7Ojy7g2WA3S4NsCU0UoLmAj2lNIDt0Y9vkqgG4HSwDKhlTDJiv4TfgJvOAGiuKwPmqgHMVdWAmbcC0FzRVuAKiGHLhzMgEAgEAh8IHvo6KrUn/NoqGgDw/EDfk6tQdwbE4JDzeAPk5ADx/Qen6iulwqYzgFBZrtTCAbiP0Wn6Wgc2KjREv2JqOAWAKqP6oBlwIMnXpLsPw7fx9TienTVsnRxuyZXu3kZ4pgPP/BfKUyBT2I8YsHgDRw2hITQW1/qV4joDOhoouy5UsMOH++130Wn6WlcBqvU2MEXN4YIKZIVtwP0WwRxonhsgt08HxDGs8O/4A9t8B2B3k1fNBwKBQOBM+PqAaS0HUZ2ueX7zaD/y+gC/lsPoTtc8vzn0NEsMLKe0GEh5ohbzm0H7kdcHaK1hvSaA1p3mobQ48DRouJrebef5O8sjV8Pb3hCR1W5rDWk9iRwcjSOsidZr/WSyP7f7NYjG2lmylo8gMnVZlqw1RC3wtwZYT6TWa+/aecMET38SAYn+HkOn3w8B8OlWx39BA1Ki1GOAfPQF5NfTBk1nQEt9/LjcKpCm3jfk1wzrKQMBTGSIR6OlFlpPIq8PkEWNi+DTaJGCq2mkfaRIkqvhadfKp4GWtZe5N2NifjPoKebfkeH5zaP9zL8ry/O7tL6m6x0CgUAgELgZ0HOuvup/ru0FyQFM6Ps2AH4D9I01QH4DCHRbBgAcoNDSIOhfHg0KGXBjBjx4DXj0rUAgEAgEAoFLc61jYyXToyARITo9/gXdCgtanG3AArcb/1kZwPHebvx2BmBxvI0YgCN2vCBb328NiI5w++AX65vKgXMzoO9/u/H/awbcTfznbgVk/PddA6a3/zeXA5wBFwCL/ueG4v+zUTByAQBgAGlfOv28YwAAAABJRU5ErkJggg=="},3132:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRABE2zymuwAAAAd0SU1FB+gEGhAiFSquI88AABqVSURBVHja7Z1rjCVHdcd/bTuxCPHaIcRe7PWusBJsEjDZGVsRj0hYxLmTSJsA8jp3BwUIODsOhKfIzuDM+INnMXOHxPiBo13LJsjSPLLrALGl+A7GGJmwAszs8oxDEmxmcdiFDyEsHyIH4c6H6ld116u7751753b9R3du3z5V1VV1Tj26zqlTwe/h0WScNegMeAwWXgAaDi8AMtqEtAedic2EF4As2qwAK00SgV4LwODbT5uwcswVYB86EYhTHnwZewhZAMwdYJj8mWBrP/r4YfT0tjaM7dkxE6uVQLB/NRIBU8oj1EdkBaAXHeC+GinEceN2WB514kJAwCqwSkBgSLlOGYcOQbIOEBcxbgc6hFConixEOkGl+HEr0z3f9uywZt5dU7aVcQsh7QHMHaArTG3QPnyIp5tYaE6lXts0DUHZlOv1M0OGoPRKoLkVmdpgWqlV2449BXPbNOfd3AemKdv6mS2F8gJgRjjwqmmzUlnAzENQnPLgy9hD9FoAtjrarIwSe+3wAtBw+JXAhsMLQMPhBaDh8ALQcHgBaDi8ADQcXgAaDm8PkI876PxvMsrYA7hZBNiUMW2jPYD5CXb21LEHsKvDRd5HSkjK2QO4acDMVahn0D7NtWvaNvbbUl/JfetTHxlrgKI9gIB+NTwOZdK36em22C72AKbcmZ9uj29GGKUdf48EZHsA1bWMVadeQB3G3j5d7AFM7c8tb3rxCa3WBmWetCVQRRlkUrgOuz2ASbhs/U9ccq8ONmDwlVPXHmDQ+d9keHVww+EXghoOLwANhxeAhsMLQMPhBaDh8ALQcHgBaDjOGXQGhg7hAFf566+Vls7/OfWi96USBpmD0JqD6qoge8wBlFweAkIw6vpd/AOEFShlUfUZtvwL1gfGVOzCUTW2WwlcQpWIe5YUwFb8wKEA+viBQwW5FCE0KHtc8hcYaPJ3uWfEFHsNmEtoFqDQEhtsjVjKf3YIcC2+zlrHXklBDzr40KiJtI2idXIQJrEDJTX7dNVT4ualz0NooJvTTktnbgbZXAZQdhIYOrQeWygX6azWxt2YGzikbmKQS7pVa8DUBF3SttdBgV7mNTDt4lxCqWnmLtAuweY0bF2sWxdta0G2p7tMIqvCLuJ2upSDMj2AW9dZb5YbOPYy/cpjYOxg3dINHMJUhXmYNg+AyrjnaAINDoPOwVZ+foW4fiWw4fAC0HB4AWg4vAA0HF4AGg4vAA2HF4CGQ94cGjtLHRzs/sD7CZcacNGIVotn2xvt+pRSSAUg3hjl4u69WgX0DtXSsuXcrQZMrmZTbVy7dGyhp4z/9GVoV66BMJdLQL051LyF00Wj3Vbc650I6NJycw2hz79bDeie0c5tr22Xip2WwNYD1duaXtigK28Nc3GnbtuCrdsg6mZJY8+BLh27C3d7zt0c0qs1BkXWBjm6bWN5yhzV/sRQStmsMNYprINimLIC4F4BQYm4bjkwV6HL8+17+/XPt8W2CYC9DswMtAuAWYA0AlDuLSCtgCoqiyCThjr1UPo2Pb8K0nxXnUOYnr4vosYjuNqDgOn5cUz1HMCWcuq7wbS/OZ/LkvYApgqQJzCm4pszZyqiKY1s0exmXyoW2AXQVILVnAOJ1dIpuMHE3tXk2Bu3XFJ2CHAzpwqtLiLMo2Cd2G7Vqy6H2xhc36TNlE71Q23scwAlvH+ALNrWE5NGDl4AGg6/FNxweAFoOLwANBxeABoOLwANhxeAXmOQ6uwKyNsD2GDSV7kUvV1T391v1M9dYFnsHrKyF+0BTDBpzF1WCWON3T6HDaZ61N1cZd4eHli3v9oZrItvSn1ASBeCstmye/stLjZmt0ZWO/3bdaEZTBo7W+xAGy57V6ftNG0eDZ2o7iXdFKjnADqjA7O+Kh0aqhgtiJZjN5vS+zAIcdX1BSXuqp6rer59Z/NQIn9eQFqFZU/gzg8hQYm4MdVtC7R983Z1FxImNtp6CPeUTT4CNhlpD5BVFFbJmu0kAbuyte7oGGR6EHUPIX+rQvSmFaueIPceQ8J+eQhYTTKl6sBFBy/MvdRYNdoDuGj77e4hzEhtAdQmFeaqTwchvXeROGRQkpoNUdWgpi9QawNDbQfuoizVTQJ7oWx1s1qsOtF0mUQCFgEdGua6wKuDZQxN17xZ8CuBMhrGfi8AjYcXgIbDC0DD4QWg4fAC0HAMnwC0hktbNurIC4CbLtuksgmdqLoQLbqb8io2aD8IQ4Ny7uJd3EkHTNTIT5dYSFrGcFVd1qcYoRPA60AWAPMqtXm1O27VLbpKEQiThVL13j3R9U8kIbqa+PFVNafq2d7H7aj5EUcqALK79yJSfbjOZXpAELF/Tfksc9cuuv41Jgx7Z+Onq58vWxTkU3FzH9E4xL6C0yoze7y2abJi9lcfx9ecXDnrtPU6i4DYWiGlj9AR8HWQNQkLcv9V0JsyuBlE6I3KYnrcf+hMMtQ5tLlPkFv/iB0BXwept/BslekdjNhPvXA9VkJHFyIQFuYRsSJY7ZVfzk+v3Mo3AGXeAtIq1tnk2Y5kMtEnEmoXCArziCDzdNVAZLYnkt1HeCSQzwuwWaqZzC7rnmSxlqTt8hoZON6LsYqf9SsxbAYhofYdwqMvGLaTQ333vMkYPl2Ax6bCC0DD4QWg4fAC0HCMkgDMJisNs31J/zLGor/LBl3U3kEIwKGo4jY4VDmlRy2afhtCnpCsBcoycZb55HpeGXu2lnhcxlNcyzrrXMtTShGYteZ+f0Tdr3mGnm6LCffm/sxPSLgk1gFCHuJJ4HymMoHTV7JDyf3D3KhJOl0kOspew86iYuoCSzyZYSEs8yapcudz4ec4WIIu51CVu/0cln5PcY/0e4xrWWAcWGeGRziurQH1M1ycSetP/rQdii1CpDVvK2Oy5BcLwCIAn5OCr2USLwrISXZpqvcoKEUgZDy5XlcU8atclfktC4DQBEwmtPwWsZA5SQTmmNfu39Ups8al3/kcjrHOODuAl/EhxjUCcAqAF1XcYRQSL2kHzpRsCLMA5EU8gHQhKGZ9Nx8gwpPACX7MpwzZH4u+92pDbDPEXuZJSQDyOCxt/z4s9VUAByERgTkO5nqEtAL1FbmNx5Lra5R52MFFBDzfkMu/NNDMPaBZHR8oUiknYjH7/4YPZG+nK4FdSwIn+HEhjJyFF0a6vFBhzyPwq4b0J/mq8fmPk6qMD/N4QQBSESh2/gKt3Hcxd9cZczrDP3En8G5mlPFPA09nrouYYz75bC5i9t/H82QRcF0KVrE/jxcAcBbPaUNcAKCZoNh6gFgE4DCPa8MEoJ3kXZ37zmMbH4+u3qagXkIHWABm6LCnMATkNalVt5navSTYQnyCtxbuCfYf5XnAOwGiQb+ELqDI/nwBL7Cm8UvJ1XiBZusB4LKI8Y9zGU8p6LM8xSHgcWY1fYAZv8y7k6s82uziQfYzA5xNyAzPNxiUzHFQyaRdmY8OY9hgC/EWhQBMcRjYy9FoHrXItCBUVwYV5fv51jh3Rt/jCpqtBxBMFyKgeg2bleiqXmBH7ltVRTCDaOfyELOLBci8FyxohgGB+Rpd/HrNEGqbjnsgEgHIsN8kAHOZ62KnU2T/5/gb6VcR5i7R3APMKV7zytAhHqLS73wV3QOE/ALzhVdAIRL5O51c6WyTPLgh8yliOXnLgeWKIfSIRUBi/zDZA8wCL838frJSN14XISjY38vUBQaj9t7PYZn9wyQAHgPBKOkCPCrAC0DD4QWg4fAC0HB4ARgtPJbRZzhBFoCWw8ZsPVxO3nTDrFKjPpfRZRff8g8RSn95y4YjOfoRxXOz2vL9faADfN5SP53c+kIZvDb6M2OJJZbiH9nXwBZd5oB5hW3+Bm+IVqAe5RFezJRSnfs0e4GjvJircspacH/3jXX7cvg5bonuitRuVuj7jia/9hbiu+rjxQrfQl/ocZgAWJLU3QAdDjBBF5igm39fp0UXOMr1HGEvKPdPfJ8dwDNcaqjdpWgxaZnPcV9WAAT7hTatKAIh+yzewG1rhWI/4Sd5I5/kjTzEHk0FzXKQQ0wVdHrpkavqw1ddjm//Ly7hh1zEM+zQbD6doUNIwDQLWjpgoH+ZM2zjd5T0uPqXgcmSNRhTjybq9iz9SEEJf5TrFc8/xBTL3E83trfIqoPj5dR55io5aslu6VJrDm/he2xwglOs8wNliFnm2cGNPNOHdcCnuZjvciHf5RK+pw0l1tJnjHRknbqEMxzXqmvi1jeppE5ItabbIKe2tvg1hzsAfwCcx5sBaLGWCsAT0mr6PHM8oVWb6rCGzZnzzTzEHj7D7/N5XqswLptlnsNM9YX98GL+ld/kP/gNvsFbFSqVdwGxsdS0In5MBwz0bYxpDF+WJMbn1/I7HEjSF1tkF5VPUeMa/oVXZ35/UWHS8nZgJ7CHjL1VLABXExtTiO+DfWHBLXyP/+ZLnOJLbBSoMfvnjM8ODfrwicQ9jaoH+jYv5Vv8Ot/it9JJUII2dxLr+6cVyp+UfjY/N9DTOYCMdOwV+ELJupvIlSnfQ7xGqpXXaJ+fa6DZSWDcetU2aePs50beHplzFKUzlOIWR9ii2WZQoJvYn3cBoRojYwFYU9LfzgeZ4Tbez4f5Oz4q0ScLIiGrhOrSU/bnp34pWrkhYM1A11GfQai78/QlJqOxP2fL6S4Abl76W8RDQdk5hGCwvvXHbwExVG8BE4mLGrWAyCi+p3yAvzXmrg49IDSy3z6NTkVA9QZwG+/lAa4HjnAdt/N+ibrEJA/xUybzcfNOotJ3+bI4SkhIly5hZBmsL6IudVPnP8/NmV83F/qTKUTH343KMKWgm37DPi376tOXrewXRlqiY58gMdmSsMYEaDbQ/4yPR/P+6/k4P1OE2MMky/m4rurg6RrLEx5l0IESkz93iCGqIILeHqDh8LqAhsMLQMPhBaDh8ALQcDRPAITaWPVO00lUue9ySOc85d2hOx7ehqwATCcVUP01pLp/gLpoESbbtY5rrRo+G73/HyiIwEc4wD3cwzt4B3fy3kJMUTsPRr/OA86L/gRu4mOE3MIthHyMmwrxze4r8tYMeXuGIt0WoujpQaZHSF8Dp1ngJA8Db+XcRO1ZTMR2yjb0y+p9iUlm6DDNgmJRRTz5BGMcZ7cmF/GC7A3cS3Gl8JXJ9Rm+rVgLPcFXmGKGTpSOvBxuV4fHq/ddpSLZvPaqcp/ZzYUIEkOZeYXLz5CJTIxEnZ2qgxeiVeLjnMuzhX0vw4BJYIErmQQmCwJwgt3A7oT9JxQpXBR9q7enPsUv8hPgfP5PSf8KNzLFCxKdfvl+8upo/TJEteo5y3yyq1DVhNZ4MGNFUezhhAhembku4k/5OQDfj29kh4CHgePs5gSfKF009yNlTLGVnVQCoWebzFxnMRaxPGZ/USff4nXGPPwvPwHgJ7xeQT3GFCHQjthfXNYdz/ypMa+5FvmfB+YZY5xxpUVBiz3AIYRitwizu++ALjPsYBeXcmlqMyTvDRTsH1N6CgpzV9WUPaYs2tCJWj8sK/unsUzrV7G/K9k85Nfav82ZjCOcY4X4r6YDHGAnOp3eNs6ULlOKS5LvB4E/UoT4K0DoMKYQej8ZIalYFZvPLPAD4OeczQ5u5VFxO3tewLOcG1XdBjsrmHxhDOFm8GR6QlZLr5qjfD3q/qBoFyezX8XAaf4k8+tu7jM8XSVgwjWGGDzOKF3gTEijdn6Mv0G6H3JfYQ6QVRaf4IOl5wA3QWSFsZTWbjoEzHAuz/IVDrHBTkUXmzpaV7tcz95VhQhyf2aq6gkLEfPS6yxi9ouBYEc6ygGpwdsiEwTK9tvhAXZHf0X2wwIneAh4FDHTKGKNz/B5zuNcpTnWnMXBxgVcwL1cwK9E/83YrbgXzwGuRN2gdnE2u9jFLuCmOEQ6BAj/F6ITnBnCKaDYHD1Dh2+woNgcLdj/DGORbWzeC4Bgv2nidivX8Z/AxQr2AzzCNCHrfIQuu7WWfw9pUj+YcRqxv7D/+HC0uT79fzgXYkduU3nRy0HWUkptNaXwjFBWGzjI10AzWnSTjv/77MhpzdXzbnXu1fkX84tn+WPWIsOMbfw0F3eVf+dJVrW1FBIk+wUOF7yQ/SHzkUneHP+c62MOKewXZJd9+RBFh35K/wVeHZzFHv4a+JCmFS9xHndHYtXiGK8qiFgWKgHImsXZxXFT4AWg4WieLsBDgheAhsMLQMORF4BDWn/hd/G1ZJH2a9w16Ix79AbyUvC/cTnwWq4ohPuUtD7+Cl7BDt4w6Mx71Ee2B7iDywG4nDtyoe5K2J+u0L1e2QucIow8ZqvwP1EPYl9mGsaFqFMZRdWp+skNB7IC0AImmKCoanyVMq7q7vboo8b50fcBS646CoMNWIoqf0kbzxbCRg85lZhrFFn8Is31lkYqAKL9r7FGsQ9IFz2zalq7V9s8AgKHc0HFPtm8CKSbGyc1DLSFWGKSOxjnDm0KsJ35SEj0YjxSSBeCxPg/gdhg9R1pHiB7uDT5uzzCXo1rAgGxiHpS4S65E63Tx9uk8+v2dkesIbDM/byZSWWIkDsiU6/beY82hdMJ68uc6LFlEfcAnWj870Y6q8srjsJPk/rMV6EL/EjhPyfu9HXsd8X9rHG/gSp/p3AxYZkFTnOa09CnY6kGgLgHyKpBiioR9x7ABrGHN7+5MWW7nv2D7wFOZYaF06MyCxA9QNraW5kJYHr3y8q4qrsdyxw/UBwMD9ORfY6p9S9rruW7k3QTLzxF+nu4nTFu5z0GX9vbnSgjM0OID43SUKPv23ifgvrR3B70NCV9z6BXJ9s7f7uTBVsIGz3kNHdHWrpTmjZe9SSQIYUQgFNKic52cyu0c9RV9inidDhgHL9N9gS2uMOBkRQAFyzwu8mb/zG+YDwxY5TRWAHwGEl4bWDD4QWg4fAC0HB4AWg4vAA0HF4A8ugYdQIdq8ZgiyErACEbFhVQ746EGBSe4AkjvWO0VehYLRm2HOQeYCcHrEKgRio8LW0KHTYiTUOHjYIIyeJ3REE/IqWkEkH91vI43lVcZSifO/tdrJq2BPK+ggVOsqpcktV7Ew6leCH5NX1ReQHQoc1O8WxDCkfYW6ALOwNdfLkE+tM6dFTZGbWdOiIrgmoBAPWJEzYBgNjYQ1YKpb82IuZhSUEnAPr4chq9YLGeGiq2X29RqCeBJ1k0WPXocZLFhP2LmQoKWIzu7mKRkw4p6GCLvzkYCdYLFAVAsKC8Ti6O12KDxcKZG9MELLJBi2ktE92ePF1ZCEy+BwR10Rg3Sw0NYbcU5CFAN/anIfQnCgw/zJ28QDpXKU/dkshuDLEXLHAOOYxwyfU0JqN1M3VLwquDGw6/EthweAFoOLwANBxeABoOLwANR14ATHtvPUYQqQC0+DQAF/I2ja99oWf7rIbqsSURC0CLbuJ+9HK6SibPsMgxXkfXYaE4r5A9kvMEfmST6R4axAtBx9nNl3glIZ/lWkKlO2SBFvew0+pMtuiqOP9bdpTYb7qHBkIAWnT5ERcBj3CcaX7IhYo9vCFwgru5jw12ag4wFeFUvqrHI3fq2zjDtoI/7ZBreIxrMg7X1fTHEl/8Kvo469EHhb9uDwWELuBq4JsAXAvAN3kdVxcYPMOVTHIvsJ8u79QKgBpXABcDsJ2zFHsRhXOZ7ZwFPKd4O7k4+lwBPKdIfzvwkoj+Ev924wohAE8AL8/cfXl0T0YHuJ8uN7OLE+xRpqc3k7hQ+vXRyLN9iu28LyMWRfqFvC/6mOKLMNsVdA8l4jnABjuTTdNLTCqduAgl8CGmuIGrmdL6w1YNAUfYK/3O2xv1m+6hQSwA4jyMH/FNXs6FqE8MSK0BFoEDynOuwtEymBp9ZI+N+7PIT9B3+PtRsXn1sMHbAzQcfrbccHgBaDi8ADQcXgAajlQAbOcB1KUv8MWE/kXFuX/9pve7fIOmV0T8FvCpwnm5n5bOA6hLt7mZ6ze93+UbNL0yzr4M4C7eXKBcwQt5OLquS7+NPy/QX8b5iTah3/R+l2/Q9BoQQ0Dq+T+7bepViqss8vTV5GjZVW38wBDfln4+hX7Et5Xfln9z/NPSxjRdfBM9mwt1qUsi7ypW7Qza5ko23f27AuxDvTu4bvou8e3pq9xhu8YPUG8wC0v8DjOpFOlHAdirrb/47ge5lZ7s0FJtDcsXM09HQw+jcbc4HufTCTX3zenbCxz3QLbYgVbkXFLX5c8l/RCzZ4HrjDm4iVsz7O8JzqmfRAbPZf6XR2jtEczoDYP1DcCef3tcm5rsAQPtJj7Mh+kp+3s/BCwBb6L6EFC/i9fnr5hCtS7clL4pf8XzF8rRhQhk2d+DIUBMAm3nAbjRV4BJJqOrLD17EnaouHs8Q7XRMdJR0uX8h4W7X5YoNnrV+onLF1am3yqxX/3UkhACcEzKQIxjiqss8vR2UoFtbfzQEN+Wfj6FfsS3ld+Wf1P8vPOqsnRA6vzVpS4JsQ6wxhW8LEdZzZzsU5f+ML9dOIzy07xl0+j9Lt+g6TUgBAD+kedxFpdGd4+xzF9I4erS/4EXcm5i8/d1HsiwZzPo/S7foOmV4Q1CGg6vDWw4vAA0HF4AGg4vAA2HF4CGwwtAw5FVBtlO5x12ukcFyNrA8eRqXRm6Lt1j6FAcAuqxbt2aQr2WG9ROwUNCXgBsDFxn3UiP3TPoYGOgzpd3jLCirt9Dg7wAjIORgeOMG+nCQ4ceIWaDCdOBL2A3qPAoieIQMF4hFTm2OYV67dcmQB4loT8yZvhm+f4toA8oc17AsNM9KsAvBDUcXgAaDi8ADYcXgIbDC0DD4QWg4di6AtD2C0K9gCwA9dfZQmYJme17vtusSA4gPCpCFoB90WfQsLVuwf7VQWdzFCALwArxvr5Bwta6Pft7CNceIKRd+JRDWPhTQ7BXL4Yx+/0coCeQLYJWWGVF2bYCYDX3KQc39+0x+/cZ6at+DtAryAJg6gH2JayJP+WEYL5wp3ikSzuTvip1mf1+EOgB5L2B9R29h8wxrzyvp/hmkA+TZb8qD579fYBrD1Af9iOcyrG/rQnnUQrD9BYQsBp9ilCx388BegB5CGizSnsoO9cw6vTz3x414f0DNBxbVxfg0RP8P2vBpxnlgirJAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},19394:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRABVsYyGSQAAAAd0SU1FB+gEGhAiFSquI88AABqFSURBVHja7Z17jCRHfcc/bTuxCPHZIcQ+7POdsBJsApjcrq2IRyQs5Mwm0iWAfM7cogAB59aB8BS5XZxd/+E9zM6SGD9wdGfZBFnaR+4cILYUz2KMkQknwOwdzzgkwWYPhzv4I4Tjj8hBuPNHv6q669XdMzuz0/U97c1M/6qq6/Htqur6/epXwV48moyzBp0Bj8HCE6Dh8ASQ0SakPehMbCY8AUS0WQFWmkSBXhNg8M9Pm7ByzBVgHzoKJCkPvow9hEwAcwcYpv9MsD0/+vhhfPe2Nozt3kkjVitB1PyrMQVMKY9QHyESoBcd4L4aKSRxk+ewPOrEhYCAVWCVgMCQcp0yDh2CdB0gKWLyHOgQQqF6RETpBJXiJ0+Z7v62e4c18+6asq2MWwhZD2DuAF1hegbtw0d0d1MTmlOp92yahiAx5Xr9zJAhKL0SaH6KTM9gVqlVnx17CuZn05x3cx+YpWzrZ7YUyhPAjHDgVdNmpTLBzENQkvLgy9hD9JoAWx1tVkapee3wBGg4/Epgw+EJ0HB4AjQcngANhydAw+EJ0HB4AjQc3h4gH3fQ+d9klLEHcLMIsClj2kZ7APMd7M1Txx7Arg6P8j5SJClnD+CmATNXob6B9mm+u6Zta35b6iu5T33qI2MNULQHiKBfDU9CmfRterkttos9gCl35rvb45sRxmknnyMB2R5A9V3GqlMvoA5jfz5d7AFMz59b3vT0Ca3WBmXutCVQRRlkUrgOuz2AiVy2/icpuVcHGzD4yqlrDzDo/G8yvDq44fALQQ2HJ0DD4QnQcHgCNByeAA2HJ0DD4QnQcJwz6AwMHcIBrvLXXystnf9z6kXvSyUMMgehNQfVVUH2mAMouTwEhGDU9bv4BwgrSMqi6j1s+Y+aPjCmYidH1dhuJXAJVSLuWVIAW/EDhwLo4wcOFeRShNCg7HHJX2CQyZ/l7pFI7DVgLqGZQKElNtgeYin/4hDgWnydtY69koIedPChURNpG0Xr5CBMYwdKqXh31V2Sx0ufh9AgN6edlc78GIi5DKDsJDB0eHpsoVzYWe0Zd2vcwCF1UwO5pFu1BkyPoEva9jooyMu8BmZdnEsotczcBdoZbE7D1sW6ddG2J8h2d5dJZFXYKW6XSzko0wO4dZ31ZrmBYy/TrzwGxg7WLd3AIUxVmIdp8wCojHuOJtDgMOgcbOX7V4jrVwIbDk+AhsMToOHwBGg4PAEaDk+AhsMToOGQN4cmzlIHB7s/8H7CpQZcNKLV4tn2RrvepRQyAiQbo1zcvVergN6hWlq2nLvVgMnVbKaNa5eOHekpk3/6MrQr10CYyyWg3hxq3sLpotFuK671jgK6tNxcQ+jz71YDunu0c9tr26ViZyWw9UD1tqYXNujKW8Nc3KnbtmDrNoi6WdLYc6BLx+7C3Z5zN4f0ao1BsWmDnNy2sTxrHNX+xFBK2aww1imsg2KYsgRwr4CgRFy3HJir0OX+9r39+vvbYtsIYK8DcwPaCWAmkIYA5d4CsgqoorIIhDTUqYfSp+n+VZDlu+ocwnT3fbE0GcHVHgRM909iqucAtpQz3w2m/c35XJa0BzBVgDyBMRXfnDlTEU1piEWzm32pmsBOQFMJVnMOJFZLp+AGU/OupsfeuOWSskOAmzlVaHURYR4F68R2q151OdzG4PombaZ0qh9qY58DKOH9A4hoW09MGjl4AjQcfim44fAEaDg8ARoOT4CGwxOg4fAE6DUGqc6ugLw9gA0mfZVL0ds19d39Rv3cBZbF7iEre9EewASTxtxllTDR2O1z2GCqR93NVebt4YF1+6u9gXXxTakPCNlCkJgtu7ff4mKjuDWy2unfrgvNYNLY2WIH2nDiVZ2207R5NHSSupd0U6CeA+iMDsz6qmxoqGK0ED05drMpvQ+DEFddX1Diquq+qvvbdzYPJTICyIrC8gfIRwesJ81XPn5ApsurtoE6C1PXBUW1+7qFqOPjow/ICCAqCqtw2HaSgF3ZWnd0DIQeRN1DyJ+qEL15ilV3kHuPoeknxCFgNc2UqgOPOvjI3EuNVaM9gIu23+4ewozMFkBtUmGu+mwQ0nsXSUIGJaViiKoGNX2BWhuom8aAi7JUNwnshbLVzWqx6kTTZRKJIQdb8DAZrw6WMTRd82bBrwTKaFjzewI0Hp4ADYcnQMPhCdBweAI0HMNHgNawLJI2A3kCuOmyTSqb0EmqC9GiuymvYoP2gzA0KOcu3k0VM1EjP10SkrSM4aq6rM8wQieA14FMAPMqtXm1O3mqW3SVFAjThVL13r2o659IQ3Q18ZNv1Zyqi71PeY3lCCIjgOzuvYhMH65zmR4QxM2/pryXuWuPuv41Jgx7Z5O7q+8vWxTkU3FzH9E4JL6Csyoze7y2abKS5q8+jq85uXJW7/7XO1VPjNky+QgdAV8HCQGSqjWZTIF4aIIa9Y9E0fUf8t3zeZAPQijmcEW6d0DDtoDqkXkLF6tM72DEfuqF67ESOnlEgbAwj0gUwWqv/HJ+euVWvgEo8xaQVbHOJs92JJNJPpFKu0BQ6AcC4e6qgchsTyS7j/BIIZ8XYDtwxGR2Wfcki7U0bZfXyMDxWoJV/KxfiWEzCDHPATx6jmE7OdR3z5uM4dMFeGwqPAEaDk+AhsMToOEYJQLMpisNs31J/zLG4n+XDbqovUNEgENxxW1wqHJKj1o0/TaEPCFZC5RtxFnm0+/zytiztehxGU9xLeuscy1PKSkwa839/li6X3MPvdwWE+7N/TPfIW2laB0g5CGeBM5nSgicvZIdSq8f5kZN0tki0VH2OrhzzodY4kmhCWGZN0uVO58LP8fBEnI5h6rc7eew9HuKe6TfY1zLAuPAOjM8wnFtDajv4eJMWn/yp+1Q7ChEVvO2MqZLfgkBFgH4vBR8TUi8SJCT7NJU71FQUiBkPP2+riji17hK+C0TINIETKay/BaxkDmJAnPMaz0Y6Da+jUu/8zkcY51xdgAv58OMawhwCoAXVdxhFJIsaQfOEjGEmQB5igeQLQQlTd/NB4jxJHCCn/BpQ/bH4k/94uI2Q+xlnpQIkMdhoVAhh6W+CuAgpBSY42CuR8gqUF+R23gs/X6NMg87uIiA5xty+ZcGmbkHNKvjA0Uq5SiWNP/f8EHxcrYS2LUkcIKfFMLIWXhhrMsLFfY8EX7dkP4kXzPe/3EyZfVhHi8QIKNAsfOP0Mp9FnN3nTGnM/wTdwLvYUYZ/zTwtPC9iDnm07/NRdL89/E8mQKuS8Gq5s/jBQCcxXPaEBcAaCYoth4goQAc5nFtmAC0k7yrc595bOMT8be3K6SX0AEWgBk67CkMAXlNatVtpnYvCbYQn+RthWtR8x/lecC7AOJBv4QuoNj8+QJeYE3jV9Jv4wWZrQeAy+KGf5zLeEohn+UpDgGPM6vpA8z4Vd6TfsujzS4eZD8zwNmEzPB8g0HJHAeVjbRL+NNhDBtsId6qIMAUh4G9HI3nUYtMR4LqyqAiv59vjXNn/DmukNl6gKjRIwqoXsNmJbmqF9iR+1RVEcwQPefyELOLBRDeCxY0w0CE+Rpd/HrNEGqbjnsgpgAIzW8iwJzwvdjpFJv/8/yN9KsIc5do7gHmFK95ZeSQDFHZZ76K7gFCfon5witgRIn8lU6udLZJHtwg/BWxnL7lwHLFEHokFJCaf5jsAWaBlwq/n6zUjddFCIrm72XqEQaj9t7PYbn5h4kAHgPBKOkCPCrAE6Dh8ARoODwBGg5PgNHCY4I+wwkyAVoOG7P1cDl50w2zSo36nKDLLr7lHyKU/uUtG47k5EcU9xW15fv7IAf4gqV+Orn1hTJ4XfzPjCWWWEp+iK+BLbrMAfMK2/wN3hivQD3KI7yYKaU692n2Akd5MVfllLXg/u6b6Pbl8HPcEl+NUrtZoe87mv7aW4jvqo+PVvgW+iJPwgTAkqTuBuhwgAm6wATd/Ps6LbrAUa7nCHtBuX/iB+wAnuFSQ+0uxYtJy3ye+0QCRM0fadOKFAjZl9tZU/b08Gg/4ad4E5/iTTzEHk0FzXKQQ0wVdHri1k/VHVyOb/8vLuFHXMQz7ND4OJihQ0jANAtaOWCQf4UzbON3lfKk+peByZI1mEiPpup2UX6koIQ/yvWK+x9iimXup5vYW4jq4GQ5dZ65So5axC1das3hLXyfDU5winV+qAwxyzw7uJFn+rAO+DQX8z0u5Htcwve1oaK19BmjHFmnLuEMx7XqmuTpm1RKJ6Ra022QU6/c/YbDFYA/AM7jLQC0WMsI8IS0mj7PHE9o1aY6rGFz5nwzD7GHz/L7fIHXKYzLZpnnMFN9aX54Mf/Kb/Mf/Bbf5G0Klcq7gcRYaloRP5EDBvk2xjSGL0tSw+fX8jscSNOPtsguKu+ixjX8C68Rfn9JYdLyDmAnsAfB3iohwNUkxhTR58G+NMEtfJ//5suc4stsFKRJ888Z7x0a9OETqXsaVQ/0HV7Kt/lNvs3LsklQijZ3kuj7pxXKn0x+Nr8wyLM5gIxs7I3wxZJ1N5ErU76HeK1UK6/V3j/3gIqTwOTpVdukjbOfG3lHbM5RZGcoxS2OsEWzzaAgNzW/fF5RMY8hGQHWlPJ38CFmuI0P8BH+jo9J8skCJWSVUF151vz5qV+GVm4IWDPIddJniNTdefkSk/HYn7PldCeAm5f+FslQUHYOETWw/ulP3gISqN4CJlIXNWqCyCi+p3yQvzXmro48IDQ2v30anVFA9QZwG+/jAa4HjnAdt/MBSbrEJA/xMybzcfNOorJ3+bI4SkhIly5hbBmsL6IudVPnP8/Nwq+bC/3JFFHH343LMKWQm37DPm3z1ZcvW5s/MtKKOvYJUpMtCWtMgGYD/c/5RDzvv55P8HNFiD1MspyP66oOnq6xPOFRBh0oMflzRzREFSjo7QEaDq8LaDg8ARoOT4CGwxOg4WgeASK1seqdppOqct/tkM55yqtDdzy8DSIBptMKqP4aUt0/QF20CNPtWse1Vg2fi9//DxQo8FEOcA/38E7eyZ28rxAzqp0H41/nAefF/yLcxMcJuYVbCPk4NxXim91X5K0Z8vYMRbktRNHTgyyPkb0GTrPASR4G3sa5qdqzmIjtlG3ol9X7EpPM0GGaBcWiSnTnE4xxnN2aXCQLsjdwL8WVwlel38/wHcVa6Am+yhQzdOJ05OVwuzo8Wb3vKhXJ5rVXlfvMbi5EkBrKzCtcfoZMCDFSdXamDl6IV4mPcy7PFva9DAMmgQWuZBKYLBDgBLuB3Wnzn1CkcFH8qd6e+hS/zE+B8/k/pfyr3MgUL0h1+uX7yavj9csQ1arnLPPprkLVI7TGg4IVRbGHiyh4pfC9iD/lFwD8ILkgDgEPA8fZzQk+Wbpo7kfKmGIrO6kUkZ5tUvguYixu8qT5izr5Fq835uF/+SkAP+UNCukxpgiBdtz8xWXdceGfGvOa71H+54F5xhhnXGlR0GIPcIhIsVuE2d13QJcZdrCLS7k0sxmS9wZGzT+m9BQU5r5VU/aYsmhDJ376YVnZP40JT7+q+buSzUN+rf07nBEc4RwrxH8NHeAAO9Hp9LZxpnSZMlySfj4I/JEixF8BkQ5jikjvJyMko1Xx8ZkFfgj8grPZwa08Gl3O5gAhz3JuXHUb7Kxg8oUxhJvBk+kOopZeNUf5Rtz9QdEuTm5+VQNO8yfCr7u5z3B3FcEi1xjR4HFG6QJnQhq182P8DdL1kPsKcwBRWXyCD5WeA9wEsRXGUla72RAww7k8y1c5xAY7FV1s5mhd7XJdvKoKEeT+maWqOyzEjZd9F5E0fzQQ7MhGOSAzeFtkgkD5/HZ4gN3xv2LzwwIneAh4lGimUcQan+ULnMe5SnOsOYuDjQu4gHu5gF+L/zdjt+JaMge4EvUDtYuz2cUudgE3JSGyISDyfxF1gjNDOAWMNkfP0OGbLCg2R0fN/wxjsW1s3gtA1PymidutXMd/Ahcrmh/gEaYJWeejdNmttfx7SJP6QcFpxP7C/uPD8eb67P/DuRA7cpvKi14OREsptdWUwjNCWW3gIF8DzWjRTTv+H7AjpzVXz7vVuVfnP5pfPMsfsxYbZmzjZ7m4q/w7T7KqraWQIN0vcLjghewPmY9N8ub451wfc0hhvyC77MuHKDr0U/ov8OpgEXv4a+DDmqd4ifO4O6ZVi2O8ukAxESoCiGZxdjpuCjwBGo7m6QI8JHgCNByeAA1HngCHtP7C7+Lr6SLt17lr0Bn36A3kpeB/43LgdVxRCPdpaX38lbySHbxx0Jn3qA+xB7iDywG4nDtyoe5Kmz9boXuDshc4RRh7zFbhf+IexL7MNIwLUacERdWp+skNB0QCtIAJJiiqGl+tjKu6uj3+U+P8+POAJVcdhcEGLMWVv6SNZwthk4ecSs01ik38Is33LY2MANHzv8YaxT4gW/QU1bR2r7Z5BAQO54JG+2TzFMg2N05qGtAWYolJ7mCcO7QpwHbmY5LoaTxSyBaCovF/gmiD1XeleYDs4dLk7/IIezWuCSJEi6gnFe6SO/E6fbJNOr9ub3fEGgLL3M9bmFSGCLkjNvW6nfdqUzidNn2ZEz22LJIeoBOP/91YZ3V5xVH4aTKf+Sp0gR8r/Ocknb6u+V1xP2vcb5DKnxlcTFhmgdOc5jT06ViqASDpAUQ1SFEl4t4D2BDt4c1vbsyaXd/8g+8BTgnDwulRmQVEPUD2tLeECWB29SvKuKqrHcscP1AcDA/TsX2O6elf1nyXr07STb3wFOXv5XbGuJ33Gnxtb3eSjMwMITk0SiONP2/j/Qrpx3J70LOU9D2DXp1s7/ztThZsIWzykNPcHWvpTmme8aongQwpIgKcUjJa7OZWaOekq+xTxOlwwDh+m+wJbHGHAyNJABcs8Hvpm/8xvmg8MWOU0VgCeIwkvDaw4fAEaDg8ARoOT4CGwxOg4fAEyKNj1Al0rBqDLQaRACEbFhVQ746EGBSe4AmjvGO0VehYLRm2HOQeYCcHrCRQIyNPS5tCh41Y09Bho0AhmX5HFPIjUkoqCuq3lifxruIqQ/ncm9/FqmlLIO8rOMJJVpVLsnpvwqEULyS/ph9VXgB0aLMzurchhSPsLcgjOwNdfLkE+tM6dFLZGbVdOiIrgmoCgPrECRsBIDH2kJVC2a+NuPGwpKAjgD6+nEYvmlgvDRXbr7co1JPAkywarHr0OMli2vyLQgUFLMZXd7HISYcUdLDF3xyMRNNHKBIgaoLyOrkkXosNFgtnbkwTsMgGLaa1jeh25+nKJDD5Hoiki8a4ojQ0hN1SkIcA3difhdCfKDD8MHfyEbK5SnnploS4McResMA55DDCJdfTmIzWzdItCa8Objj8SmDD4QnQcHgCNByeAA2HJ0DDkSeAae+txwgiI0CLzwBwIW/X+NqP9Gyf00g9tiQSArTopu5HL6erbOQZFjnG6+k6LBTnFbJHcp7Aj2yy3EODZCHoOLv5Mq8i5HNcS6h0hxyhxT3stDqTLboqzv+WHSX2W+6hQUSAFl1+zEXAIxxnmh9xoWIPbwic4G7uY4OdmgNMo3AqX9XjsTv1bZxhW8Gfdsg1PMY1gsN1tfyx1Be/Sj7OevyHwl+3hwKRLuBq4FsAXAvAt3g9VxcaeIYrmeReYD9d3qUlgBpXABcDsJ2zFHsRI+cy2zkLeE7xdnJx/HcF8Jwi/e3AS2L5S/zbjSsiAjwBvEK4+or4mowOcD9dbmYXJ9ijTE9vJnGh9OtjsWf7DNt5v0CLovxC3h//meJHYbYr5B5KJHOADXamm6aXmFQ6cYmUwIeY4gauZkrrD1s1BBxB1jrl7Y36LffQICFAdB7Gj/kWr+BC1CcGZNYAi8AB5TlX4WgZTI0+xGPj/iz2E/Rd/n5UbF49bPD2AA2Hny03HJ4ADYcnQMPhCdBwZASwnQdQV77Al1L5lxTn/vVb3u/yDVpeEclbwKcL5+V+RjoPoK7c5mau3/J+l2/Q8so4+2UAd/GWguQKXsjD8fe68tv484L85ZyfahP6Le93+QYtr4FoCMg8/4vbpl6t+CYiL19Nj5Zd1cYPDPFt6edT6Ed8W/lt+TfHPy1tTNPFN8nFXKhLXRJ5V7FqZ9A2V7LZ7t8VYB/q3cF103eJb09f5Q7bNX6AeoNZWOJ3KKRSlB8FYK+2/pKrH+JWerJDS7U1LF/MvByNPIzH3eJ4nE8n1Fw3p28vcNID2WIHWsq5pK7Ln0v6IWbPAtcZc3ATtwrN3xOcUz8JAc8J/5dHaO0RzOhNA+sfAHv+7XFtarIHDLKb+AgfoafN3/shYAl4M9WHgPpdvD5/xRSqdeGm9E35K56/UE4eUUBs/h4MAdEk0HYegJt8BZhkMv4mysWTsEPF1eOC1CbHKEcpl/MfFq5+RZLY5FXrJylfWFl+q9T86ruWRESAY1IGEhxTfBORl7fTCmxr44eG+Lb08yn0I76t/Lb8m+LnnVeVlQNS568udUlE6wBrXMHLc5JV4WSfuvKH+Z3CYZSf4a2bJu93+QYtr4GIAPCPPI+zuDS+eoxl/kIKV1f+D7yQc1Obv2/wgNA8myHvd/kGLa8MbxDScHhtYMPhCdBweAI0HJ4ADYcnQMPhCdBwiMog2+m8wy73qABZGziefltXhq4r9xg6FIeAek23bk2h3pMb1E7BQ0KeALYGXGfdKE/cM+hga0CdL+8EYUVdv4cGeQKMg7EBxxk3yiMPHXqEmA0mTAe+gN2gwqMkikPAeIVU5NjmFOo9vzYCeZSE/siY4Zvl+7eAPqDMeQHDLveoAL8Q1HB4AjQcngANhydAw+EJ0HB4AjQcW5cAbb8g1AvIBKi/zhYyS8hs3/PdZkVyAOFRETIB9sV/g4bt6Y6af3XQ2RwFyARYIdnXN0jYnm7f/D2Eaw8Q0i78lUNY+KdG1Lx6GibN7+cAPYFsEbTCKivKZysAVnN/5eDmvj1p/n1G+aqfA/QKMgFMPcC+tGmSv3IkmC9cKR7p0hbSV6UuN78fBHqAYeoBxOYPtHLf/D2Faw9QH/YjnMo1f1sTzqMUhuktIGA1/itC1fx+DtADyNvD26zSHsrONYw7/fynR014/wANx9bVBXj0BP8PmH2cSu3btugAAAAldEVYdGRhdGU6Y3JlYXRlADIwMjQtMDQtMjZUMTY6MzM6NDYrMDA6MDCWXdlaAAAAJXRFWHRkYXRlOm1vZGlmeQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAw5wBh5gAAACh0RVh0ZGF0ZTp0aW1lc3RhbXAAMjAyNC0wNC0yNlQxNjozNDoyMSswMDowMFEBbEkAAAAZdEVYdFNvZnR3YXJlAEFkb2JlIEltYWdlUmVhZHlxyWU8AAAAAElFTkSuQmCC"},6411:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAERUExURXd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IGH+rSgAAABadFJOUwBYR3wiMpjhvct3ZpyyiaqlWk5650BlhVOLRpGUY2FNoGhtm3O/fcC8463l6eSBjl3f3eC51tvSxNXU12LacP4Nzplp+DgqFhzFedGnyJPQ2K/wzZCIsLvHq+OLyoQAAAABYktHRACIBR1IAAAAB3RJTUUH6AQaECIVKq4jzwAAD2tJREFUeNrtXQtj27YRBslIqumYkhu5S5s4br0mczYvyV5d13Vt1KZr4zqpu6Trev//hwzgC4c7PMRSpmgbn2zJR4AA7uMBvANAWYiIiIgRIIFk203Ysv4wcgZ6Ny8Bv/4JZkBlHpYQYoGgYBJA22Okq9QEHwFgFYCnAnJ++eegJkEtkBOQ0PYY6fQKMgLo6bwCljkZkAHWfrsKnnTOoCC5/aXbMifeTBsFs2DeRHqBuYV4rzC3AE8DhrcAOymsiT4C2NnATMRTOjHB4ceANfi41LsA7ULD3wW2jpvuCEVERERERESMGJfuCW7ZD0pYtAbUeU/oGTS7EeAnrALffACbEJKlD0qJpQGMAJaBZjfDxYRVQAnwRJeq9CGDIdZ+e4s9yZYZlcRzughMAUJJwGDTAdyChc1mjWhtjfmAxCzN16O2bQFWJJ4W958P4D1kq2NAGNf9LhARERERERERsT30c/yDrmmw/N6BR88CgC+nQofcvdvHtwOwBgVKA/8Rrh5JBp7FPB1cafYKvA2wpPrrt5XgI4ils8KYBrw6IIngSGwYZeWRE8CVuEb9PFyGEAF8Agj8GoRP92QxFaxzkzkrMzst0MufNYfXhLwdSNgshDBuOd1vouEauqgX7OOWPUTgTw+USC4HBC9IoAIQ1jrdqdu+C1zy+eHbZERERERERMRNRf9tqT3djMSyG91dpM0PDS5VBarv1oC1KvDH82xt1dIAlC7w4tQaXp3K7A5OwLq8zxvJinTXb4lvqQK+ssF6URE/Ai9P8tZaNrsnXgICe8OF1cx8DHj5SyzTPYHpByOcbcLh5gBbOycWxMJhSzTOHtkQazTAnmplmJROz7fYgPt0RgBrAW+emU67WJgAewOcl3CtZBYwuwmwrq3zFXrnBWBdgHSRYBew9/LEmYMx7N0cwPNYDEyYBQi2Qh8ggAyCJJUNS6EZHFq/5Rr5k+2tcBC4TvAesACeedzzAdt+PiYiIiIiImLUuNy7OHdUyKOyljM261iEi4Nu2TvqD/wIjv6sZ2DW1lovJxrTzOAU2cqOf+GrO4DtFjd9x2pt0vN0eMDVt2QAprAwok8vIWAvsy8B7ue7yyTP9wPY5jPM9WrWXl9w0JwLrtM3TkATbroISCzhMG+6J57i6bbVaSCp4M8MG6QgsbSQhbuATRS8fdhSGp0Q8e5ZsRJAu8TGwzs9qKnJBBadmc/3W9KJYOv2mBDGT4CQEOH9Yc7osOiUPDESiF5Dm4BC8w/++aNriOuuX0RERETE9UZ6xW9kFrcDfMtV1Bv+NfqPaSnAusxiel9pcDUQUlKoVxRiVIshbOuyQPGKUjWFFAVDZnyXQmUBOr+wLoEzAsfSbYBHL3R7vdTfiM4MAqAiwYhnqYj1TWBcBFiW3zlBKZEpAfhTWGI3dCxpu9hYusAaFsDymzs2KoIcFkD3KzR0j0Z/piMbA0gO6wxNqq2EjgGWDTKjMX/dJkPCH44hH+VP7QqB5S+FAb8rswMDnI5uF4neA31IRkhAX3TRPyIiIiLiZiFTfkK2fv5bE4lbQ7VuKhs3m/pyvBPw3GCncpVcKmY0OfPzcUvkALm4RQpAZ+xKcVc4ZJoobtcgJzQqwV5RTJGzV/5tEFK6RXO++7kRF7WGC0PftsVUZitbu3V60+pJDpMJ5BOjAYIFE3SvrVWoDsxtNbZBWlEUaQVCyMwgADEAykQnusYdgwBZ9L5E60pDYwGu9e6qOF3gBCbvvnsHMAHL5dL/BIbABIgAAbsGgaBURwckIQkmpGqgSfiBgssCYAroQ1VcjwGAGmi0+KA8/UAT8O57u78xCLh79y7bHu+WyQFKgNL/fUyAaVIg9TdtDD5I1QtVeFfBaQH7SnWY7ut5gKy0/5YAVT6aYquK0wXKLnDvHu4CSyEvgXxvT8jK168kQOl/+/77bgISckAeSZL9BIUwcHh46B4DYF8yIPXHBJQ/LQHlIIgIeKDOfvCgOXBUDYJHRB10AieAPaIhCAEf4vmJ+eK2fC9cBNAK4aMSqMLj42PQJsosINufTuWb7gKl7CbguEJ9IMnhvTy/Azl+Rgh1IXngt+UL6zuhBEwIAWBYwFzr7yGgLe7jEsTkJi0B1AKy/RLNJWIyqDF2CkafzPP2LpA39edOC+AEhLoATq/GwKLN3BKQmfW1xVV+ALwjHCAWELoNVu2Zm3Mwmb51A1c4MOgtcPX8ACWgZKAQm0OWLUp08PUYh6brEs4OvaaVdjeqf0RERETEyPHwoT89Be+8NoBt6yNBpsPdR+Vt6lEj1sF2G2PPa3nenlu5Jrtry0L8jrSn8N7XZLR1QA7J2zbWP8s0AzPlRZ7kUxTsyCbPd1pHzkpFpo8/ql3xhgF5sgJZaTI9m1y5gmvL1fVoNSiUM5e29/ZUcTvH1/QxwGOiv3KUDrX+yjdvo1+6O5w5ZgJ+L197uEGZvM4Zym+sDdLYQvxBnIo/4vg2l0JuyMKUDyYHSFbtXyxcDYTa2a/lxuCQxcnGLlLtOlYzFm10xQmoZgcQAU8ePH12/wGaNsqkfWe4PV4C/gR/lq+/YAWV609kHHzI2HiSU9+3lWtnPrXX97AR0Tgwg72F5KASdpoZmx0XAfUogCxgD/4KD3WDpP5oyi5sAX8Tn4i/6ymlY2IBx8QCjokFLIzYQ/aAapBq41tS36eV9GnbwDKYx7EDqDFA6xcm4MmDDz+SL7v+taeOCUihnHVq5H/AZ/L1T7RjwujjpXyHyCi97L8SHzkIaKK71GgQsR+BYY7yMJmKQyNeJARkhGGif7sjwiQAyZ9/cnd2919f1PJ+U9zuevLCvHqCdYFaxuLjx1pWtt/Od1oJEARqj1Aq3JOSQCa5H9UN1ncBtcVIuLqE6u6kOL8siP48gE+x/uLpl3L4m3/5tCVA9v/Ucz5TdM4GUXOSlU3yEz+ATnsT2fYNMD55QfWnt0FRberSyeWKwO2iPR9YCQZycQVRdAjwDR8oIiIiImILmOKJaeXKwTHL81z/eclbC1XoAd67H/RpQQor+b7Ct+YTQK7m+/DVV19/DV+g5uwp/UvIP+7chydP4P6dJp3st2imG5r5hlamB9rgjfpNOcym0xcGA/4vFwthIcvKUbQJkoEV9cYPtef1jcK/tSu6msoCFiy4adON2JQ9ZF0HrzqPdB0zGezoxcEqQQdXyjFewQvLbtlfSYBytdAZSvfy1zQATcC33z1//t23uj1TAcUCr+xQAowtI1BORqEND6mopipS7Wtnaj4GEfBMrdXhCleKdRcBNLzk6pL0skshi1qVstY/NfNDaeu77ekvZdIMuaswIRsyzPPLdVCUAVTgKeM5gS1gPsf71fOzMxVeagKk/gJNgVHGabBgF4mJt+1vbADpX13BZgz4DHYl4GWboSiM8+HAT8CR/PNI/TTJysCmcIgsgESvz57tPzuDk7bAF6p1s80RQC3g+1JuZuVq/bWC+arEoXm6JgzSDw4ODgwC6itbfRxKfC5/yIaHlXMMODtTHQAPgi+m09kGB0EyBnxfjwE1A0r/wghH76j2HurTV3twghhQBR2hYa+ZvGn0+/jj+ocYiHMMmGZnZ2dwhhmgt8FN3wUeq4lZ3R4auq3mcz1hJUdA+ZNqBsD4aP7cbQ7Q22BpESUcYwBMFTABtmvYhwCCtLz2jxs/wLJH0BxhpbW8SNVI+bxJPX+SmF/rIspRo5YmmZrSy5oNG939gO3j6NWrIyQu9hRX6fOWMdpgtnMyIiIiohemeHf06x/UEPPD6203akBcAFy0wo/NqPvjtps1GO4pde/VwuvqjqPetQ0sYYlP+I/FmRGb23m2LPlf9i9oXVyoAOqiFt5oAt60OYjbYPMjCk0JW3qgB6gMS3VPX3rLv0TcqxS+hyqnrgdrT0oPFNooAhs3lfx28tZcnWXVDUmAHAFUCH1hVG62YY4Xxir99fJiYepv27q7SBdYv7fy7a2RYblFAormehduAgrS5QFOU5yG9bcRkBomU240nxjhtEFABsvlcjhPVyvsJoCfg/SXuhuDYm8LGHYQLA2gemim1OGVJuAVylT4C8DpvceAYaM1Oug91eJTnImcRBgw+Ol9FxBiwCFwqRWuWnDeiOdYRzoGYKnY/O7zrQbrP6lpWXj50zbbMKbZioiIiIiIiEtGAT7xsgEz4sis9YREH+zsUP3BI14+AUAoMAgo01KcoZil6s3IoELmRp5XmdzhbUF854IlQ7lCNiABJgUmAVVa2+by8kj1aAaDAJzOCaDBIp8MMDfjDkIA3gxMCSinP+pGlh8z3OY6AyZgZtEprLEhbvL/B6xFwIAWsBYBA1vAsGMAxdbHgIHvAny+Y8t3gRFgu35ARERERMTNhv85suuO9L8Cfv4c7d2UXsrJDfqeXPUcKfxcoOcZ8uKl5QGKxjeh33/QVR4dVvA/SYBAu5MVKzPGAH2yVO/X7yaPDSmcCvFzIU7x09arQxnRms/XakUmBxP5027fhgNzP7uSwZQn6jUZqXub1fvmT/QVyhegdtvvOQgovxot2W++Xw8SSBJ1oJH31Ut//55Kl0eS/ZESUFqAxCm+4mpcWBm7kxEBX1RoTbyjPDrMynvgAu15kcHoFA6nDgKu3SCYA5yenOJhv5qO0CEpbPg/XI4N+YW8PhdX8qn5iIiIiIjeoM8HhGS6iaqr3LW+vnII9PmAkEy30XWVu9bXVw5ef2jxeh2ZbqTsKnetr68cBH0+4I0uoJHPlW94XsvVVtoy/VUrA5WFM/2NTn/jrF+AN13t6CTpgrZf4OcdfABdAbRyU4ioV4PPz/HqcCg/T2f59RK5LR2vntk/wWiP+OWXX4TZHiHO1lxfA/RMr0NWvfecNBg3iOUXTCF/fkJAsD2i+XXIZ5X+myNggb6DzkKA7bOLQsH6LRbis4AzUem/NgHhLqC+fauLiYe6CIQI9HYpQfJTWTJw1uYPgj4fYBnUmkFQD2J0kAIquwdV6yBJ66eDrJne8OOSVR9o5SCGvo31vY12lcMY2pHp60h1lcMY2pXt60p3lSMiIiIiIiI8qB2HS5NHD/L/A8PyNSQA/ASUL6yg8BMg6D89HDeqryQEj0wIgubNJZN/fzd2RAu48WPATb8LRERERERERGwaydXxBIK7ICHrvtE1If8faMxIRKCtaxBAr/dV0n8TFkD1vVL6mxZQbm8vXw4C2rU3U1+DQ3X2tR0Dsgam/viKV/pfHRvoawFV/qurf18LuPL6970LOPS/tmNAAFr/q2MDQQvoAqV38xsRMXL8H46Lpn0W3YdPAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},64886:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRAB3ZOzHrQAAAAd0SU1FB+gEGhAiFSquI88AABqqSURBVHja7Z17kGVFfcc/B0goY1iIMbDCsltSiWCimJ2BSvlIlZRF7iRVm6jFkrtjRY2SHaJR0TI7I5nhD2bFuWOCLEhqlwJjUTWP7BI1UBXuiIiFcUvF2fUZ8hIcJO7qHzGuf6SIJSd/nFf3Of0659w79849/Z26c889v+4+3f379eP079e/DqbxaDLOGnQGPAYLLwANhxcAGW1C2oPOxGbCC4CINivASpNEoNcCMPj20yasHHMF2IdOBJKUB1/GHkIWAHMHGKZ/Jtjajz5+GD+9rQ1je3bCxGoliNi/GouAKeUR6iNEAehFB7ivRgpJ3KQdlkeduBAQsAqsEhAYUq5TxqFDkK4DJEVM2oEOIRSqR0SUTlApftLKdM+3PTusmXfXlG1l3ELIegBzB+gKUxu0Dx/R000sNKdSr22ahiAx5Xr9zJAhKL0SaG5FpjaYVWrVtmNPwdw2zXk394FZyrZ+ZkvhnNIxbMzTV039LtOewiqm/itwiKsbAsWUR4b9VXqA0UablVFirx1eABoOvxLYcHgBaDi8ADQcXgAaDi8ADYcXgIbDC0DD4e0B8nEHnf9NRhl7ADeLAJsypm20BzA/wc6eOvYAdnV4lPeREpJy9gBuGjBzFeoZtE9z7Zq2jf221Fdy3/rUR8YaoGgPEEG/Gp6EMunb9HRbbBd7AFPuzE+3xzcjjNNOvkcCsj2A6lrGqlMvoA5jb58u9gCm9ueWN734hFZrgzJP2hKoogxqs2JsY8NsD2ASLlv/k5Q8HCV9Ya+1gYOvHJN4usQddP43GV4d3HD4haCGwwtAw+EFoOHwAtBweAFoOLwANBxeABqO8htDRh3hAFf566+Vls7/OfWi96USBpmD0JqD6qoge8wBlFweAkIw6vpd/AOEFShlUfUZtvxHrA+MqdiFo2pstxK4hCoR9ywpgK34gUMB9PEDhwpyKUJoUPa45C8w0OTvcs9IKPYaMJfQLEChJTbYGrGUf3EIcC2+zlrHXklBDzr40KiJtI2idXIQprEDJVV8uuopSfPS5yE00M1pZ6UzNwMxlwGUnQSGDq3HFspFOqu1cTfmBg6pmxjkkm7VGjA1QZe07XVQoJd5Dcy6OJdQapq5C7RLsDkNWxfr1kXbWpDt6S6TyKqwi7idLuWgTA/g1nXWm+UGjr1Mv/IYGDtYt3QDhzBVYR6mzQOgMu45mkCDw6BzsJWfXyGuXwlsOLwANBxeABoOLwANhxeAhsMLQMPhBaDhkDeHJs5SBwe7P/B+wqUGXDSi1eLZ9ka7PqUUMgFINka5uHuvVgG9Q7W0bDl3qwGTq9lMG9cuHTvSUyZ/+jK0K9dAmMsloN4cat7C6aLRbivu9U4EdGm5uYbQ59+tBnTPaOe217ZLxc5KYOuB6m1NL2zQlbeGubhTt23B1m0QdbOksedAl47dhbs9524O6dUagyJrgxzdtrG8bfRFHEopmxXGOoV1UAxTVgDcKyAoEdctB+YqdHm+fW+//vm22DYBsNeBmYF2AWhbnFkrBaDcW0BWAVVUFoGQhjr1UPo2Pb8KsnxXnUOYnr4vpiYjuNqDgOn5SUz1HMCWcua7wbS/OZ/LkvYApgqQJzCm4pszZyqiKQ2xaHazLxUL7AJoKsFqzoFEv5zmm9i7mh5745ZLyg4BbuZUodVFhHkUrBPbrXrV5XAbg+ubtJnSqX6ojX0OoIT3DyDCLIAjCS8ADYdfCm44vAA0HF4AGg4vAA2HF4CGwwtArzFIdXYF5O0BbDDpq1yK3q6p7+436ucusCx2D1nZi/YAJpg05i6rhInGbp/DBlM96m6uMm8PD6zbX+0M1sU3pT4gZAtBYrbs3n6Li43i1shqp3+7LjSDSWNnix1ow4l3ddpO0+bR0InqXtJNgXoOoDM6MOursqGhitFC1HLsZlN6HwYhrrq+oMRd1XNVz7fvbB5KZAIgKwrLHyAfHbCesK98/IBMl1dtA3UWpq4LimrPdQtRx8dHH5AJgKgorCLDtpME7MrWuqNjIPQg6h5C/laF6E0rVj1B7j2Gpp8Qh4DVNFOqDjzq4CNzLzVWjfYALtp+u3sIMzJbALVJhbnqs0FI710kCRmUpIohqhrU9AVqbaBuGgMuylLdJLAXylY3q8WqE02XSSSGHGzBw2S8OljG0HTNmwW/EiijYez3AtB4eAFoOLwANBxeABoOLwANx/AJQGtYFkmbgbwAuOmyTSqb0ImqC9GiuymvYoP2gzA0KOcu3k0VM1EjP10SIWkZw1V1WZ9hhE4ArwNZAMyr1ObV7qRVt+gqRSBMF0rVe/eirn8iDdHVxE+uqjlVF3uf8hrLEUQmALK79yIyfbjOZXpAELN/Tfksc9cedf1rTBj2ziZPVz9ftijIp+LmPqJxSHwFZ1Vm9nht02Ql7K8+jq85uXJW7/7XO1VPjNky+ggdAV8HiQAkVWsymQLx0AQ16h+Jous/5Kfn8yAfhFDM4Yr07ICGbQHVI/MWLlaZ3sGI/dQL12MldPRIBMLCPCJRBKu98sv56ZVb+QagzFtAVsU6mzzbkUwm+kRK7QJBoR8IhKerBiKzPZHsPsIjhXxegO3AEZPZZd2TLNbStF1eIwPHewlW8bN+JfILQabOW26D/WlH5jlAHaz6lq/CsJ0c6pm0yRg+XYDHpsILQMPhBaDh8ALQcIySAMymKw2zfUn/Msbiv8sGXdTeIRKAw3HFbXC4ckqPWjT9NoQ8IVkLlGXiLPPp9bwy9mwt8biMp7iWdda5lqeUIjBrzf3+mLpf8ww93RYT7s39mZ+QcinaGBLyEE8C5zMlBM5eyQ6n949woybpbJHoGHsNO4uKqUdY4kmBhbDMW6TKnc+Fn+NgCbqcQ1Xu9nNE+j3FPdLvMa5lgXFgnRke4YS2BtTPcHEmrT/503YodhQiq3lbGdMlv0QAFgH4vBR8TUi8KCDPsEtTvcdAKQIh4+n1uqKIX+Mq4bcsAJEmYDKl5beIhcxJIjDHvNaDgW7j27j0O5/DMdYZZwfwCj7MuEYATgHwkoo7jEKSJe3AmSKGMAtAXsQDyBaCEtZ38wFiPAmc5Md82pD9sfh7rzbENkPsZZ6UBCCPI0KhQo5IfRXAQUhFYI6DuR4hq0B9RW7jsfT6GmUednARAS805PIvDDRzD2hWxweKVMqJWML+v+aD4u1sJbBrSeAkPy6EkbPw4liXFyrseSL8qiH9Sb5mfP7jZMrqIzxeEIBMBIqdf4RW7ruYu+uMOZ3hH7kTeC8zyvingaeF6yLmmE8/m4uE/ffxAlkEXJeCVezP40UAnMXz2hAXAGgmKLYeIBEBOMLj2jABaCd5V+e+89jGJ+Krdyiol9ABFoAZOuwpDAF5TWrVbaZ2Lwm2EJ/k7YV7EfuP8QLg3QDxoF9CF1Bkf76AF1jT+KX0arxAs/UAcFnM+Me5jKcU9Fme4jDwOLOaPsCMX+a96VUebXbxIPuZAc4mZIYXGgxK5jioZNIu4aPDGDbYQrxNIQBTHAH2ciyeRy0SbwuvrgwqyvcLrXHujL/HFTRbDxAxPRIB1WvYrERX9QI7ct+qKoIZonYuDzG7WADhvWBBMwxEmK/Rxa/XDKG26bgHYhEAgf0mAZgTroudTpH9n+evpV9FmLtEcw8wp3jNK0OHZIjKvvNVdA8Q8gvMF14BI5HI3+nkSmeb5MENwqeI5fQtB5YrhtAjEQGJ/cPkIGIWeLnw+8lK3XhdhKBgfy9TjzAYtfd+jsjsHyYB8BgIRkkX4FEBXgAaDi8ADYcXgIbDC8Bo4TFBn+EEWQBaDhuz9XA5edMNs0qN+pygyy6+5R8mlP7ylg1Hc/SjiueK2vL9faADfMFSP53c+kIZvD7+M2OJJZaSH+JrYIsuc8C8wjZ/gzfFK1CP8ggvZUqpzn2avcAxXspVOWUtuL/7Jrp9Ofwct8Z3o9RuUej7jqW/9hbiu+rjoxW+hb7QkzABsCSpuwE6HGCCLjBBN/++TosucIzrOcpeUO6f+D47gGe51FC7S/Fi0jKf5z5RACL2R9q0ogiE7MvtrCl7eni0n/BTvJlP8WYeYo+mgmY5yGGmCjo9ceun6gkux7f/F5fwQy7iWXZofBzM0CEkYJoFLR0w0L/CGbbxO0p6Uv3LwGTJGkyox1J1u0g/WlDCH+N6xfMPM8Uy99NN7C1EdXCynDrPXCVHLeKWLrXm8Fa+xwYnOcU6P1CGmGWeHdzIs31YB3yai/kuF/JdLuF72lDRWvqMkY6sU5dwhhNadU3S+iaV1Amp1nQb5NTWFr/mcAfg94HzeCsALdYyAXhCWk2fZ44ntGpTHdawOXO+hYfYw2f5Pb7A6xXGZbPMc4SpvrAfXsq/8Jv8B7/BN3m7QqXyHiAxllItkCZ0wEDfxpjG8GVJYnx+Lb/DgTT9aIvsIu7LtNfwz7xW+P0lhUnLO4GdwB4Ee6tEAK4mMaaIvg/2hQW38j3+my9zii+zUaAm7J8zPjs06MMnUvc0qh7oO7ycb/PrfJvfyiZBKdrcSaLvn1YofzL62fzcQM/mADKysTfCF0vW3USuTPke4nVSrbxO+/xcAxUngUnrVdukjbOfG3lnbM5RlM5QilscYYtmm0GBbmK/fF5RMY8hmQCsKenv5EPMcDsf4CP8LR+T6JMFkZBVQnXpGfvzU78MrdwQsGag66jPEqm78/QlJuOxP2fL6S4Abl76WyRDQdk5RMRgfetP3gISqN4CJlIXNWoBkVF8T/kgf2PMXR16QGhkv30anYmA6g3gdm7iAa4HjnIdd/ABibrEJA/xUybzcfNOorJ3+bI4RkhIly5hbBmsL6IudVPnP88twq9bCv3JFFHH343LMKWgm37DPi376tOXreyPjLSijn2C1GRLwhoToNlA/zM+Ec/7r+cT/EwRYg+TLOfjuqqDp2ssT3iUQQdKTP7cEQ1RBRH09gANh9cFNBxeABoOLwANhxeAhqN5AhCpjVXvNJ1Ulfseh3TOU94duuPhbRAFYDqtgOqvBtX9A9RFizDdrnVCa9Xwufj9/0BBBD7KAe7hHt7Fu7iTmwoxo9p5MP51HnBe/BfhZj5OyK3cSsjHubkQ3+y+Im/NkLdnKNJtIYqeHmR6jOw1cJoFnuFh4O2cm6o9i4nYTtmGflm9LzHJDB2mWVAsqkRPPskYJ9ityUWyIHsD91JcKXx1en2G7yjWQk/yVaaYoROnIy+H29Xhyep9V6lINq+9qtxndnMhgtRQZl7h8jNkQoiRqrMzdfBCvEp8gnN5rrDvZRgwCSxwJZPAZEEATrIb2J2y/6QihYvib/X21Kf4RX4CnM//Kelf5UameFGq0y/fT14dr1+GqFY9Z5lPdxWqmtAaDwpWFMUeLhLBK4XrIv6EnwPw/eSGOAQ8DJxgNyf5ZOmiuR8pY4qt7KRSRHq2SeFaxFjM8oT9RZ18izcY8/C//ASAn/BGBfU4U4RAO2Z/cVl3XPhTY15zHeV/HphnjHHGlRYFLfYAh4kUu0WY3X0HdJlhB7u4lEszmyF5b2DE/jGlp6Awd1VN2WPKog2duPXDsrJ/GhNav4r9XcnmIb/W/h3OCI5wjhfiv5YOcICd6HR62zhTukwZLkm/HwT+UBHiL4FIhzFFpPeTEZKJVbH5zAI/AH7O2ezgNh6NbmdzgJDnODeuug12VjD5whjCzeDJ9ARRS6+ao3wj7v6gaBcns1/FwGn+WPh1N/cZnq4SsMg1RjR4nFG6wJmQRu38GH+DdD/kvsIcQFQWn+RDpecAN0NshbGU1W42BMxwLs/xVQ6zwU5FF5s5iFa7irY5kw5yf2aq6gkLMfOyaxEJ+6OBYEc2ygGZwdsiEwTK9tvhAXbHf0X2wwIneQh4lGimUcQan+ULnMe5SnOsOYuDjQu4gHu5gF+J/5uxW3EvmQNcibpB7eJsdrGLXcDNSYhsCIj8X0Sd4MwQTgGjzdEzdPgmC4rN0RH7n2Usto3NewGI2G+auN3GdfwncLGC/QCPME3IOh+ly26t5d9DmtQPCk4j9hf2Hx+JN9dn/4/kQuzIbSovejkQLaXUVlMKzwhltYGDfA00o0U37fi/z46c1lw971bnXp3/aH7xHH/EWmyYsY2f5uKu8u88yaq2lkKCdL/AkYIXsj9gPjbJm+Ofcn3MYYX9guyyLx+i6NBP6b/Aq4NF7OGvgA9rWvES53F3LFYtjvOagoiJUAmAaBZnF8dNgReAhqN5ugAPCV4AGg4vAA1HXgAOa/2F38XX00Xar3PXoDPu0RvIS8H/yuXA67miEO7T0vr4q3gVO3jToDPvUR9iD3CIywG4nEO5UHel7M9W6N6o7AVOEcYes1X4n7gHsS8zDeNC1ClBUXWqfnLDAVEAWsAEExRVja9RxlXd3R5/1Dg//j5gyVVHYbABS3HlL2nj2ULY6CGnUnONIotforne0sgEIGr/a6xR7AOyRU9RTWv3aptHQOBwLmi0TzYvAtnmxkkNA20hlpjkEOMc0qYA25mPhUQvxiOFTABa8f+W8KsI24mhx0CzLSx5Shd4RkHppN9R/5Bft5/UXMt3l5mI3S+o6Ie4iRPcxCFNCqBz9D6ySASgE4//3VhndXnFUfhpMp/5KnSBHyn85ySdvo79rrifNe43UOXvDC4mLLPAaU5zGvp0LNUAkCwFi2qQokpE9nFbx+NttIc3v7kxY7ue/XZXzCGwzP28lUlliJBDsbHnHbxPm8LptPPPhzglDAunR2UWEPUAWWtvCZ1/dvcryriqux3LHD9QHAwP07F9jqn1L2uu5buTdFMvPEX6+7iDMe7gfQZf29udKCMzQ0gOjdJQ4+/beb+C+rHcHvQsJX3PoFcn2zt/u5MFWwgbPeQ0d8daulOaNl71JJAhRSQAp5QSLXZzK7Rz1FX2KeJ0OGAcv032BLa4w4GRFAAXLPC76Zv/cb5oPDFjlNFYAfAYSXhtYMPhBaDh8ALQcHgBaDi8ADQcXgDy6Fi8+W8xBxA2iAIQsmFRAfXuSIhB4QmeMNI7RluFjtWSYctB7gF2csAqBGpkwtPSptBhI9Y0dNgoiJAsfkcV9KNSSioR1G8tT+JdxVWG8rmz38WqaUsg7ys4wjOsKpdk9d6EQyleSH5NP6q8AOjQZmf0bEMKR9lboEdHIOjiyyXQn9aho8rOqO3UEVkRVAsAqE+csAkAEPsZkZVC2a+NmHlYUtAJgD6+nEYvWKynhort11sU6kngMywqDxyx4RkWU/YvChUUsBjf3cWi0h4on4IOtvibg5FgfYSiAEQsKK8iSOK12GCxcObGNAGLbNBiWstEtydPVxYCk++BiLpojCtSQ0PYLQV5CNCN/VkI/YkCww9zJx8hm6uUp25JiBtD7AULnEMOI1xyPY3JaN1M3ZLw6uCGw68ENhxeABoOLwANhxeAhsMLQMORFwDT3luPEYS4OfQzAFzIOzRbQyM92+e0G0c9tiASAWjRTd2PXk5XyeQZFjnOG+g6LBTnFbJHc57Aj24y3UODZCHoBLv5Mq8m5HNcS6h0hxyhxT3stDqTLboqzv+WHSX2m+6hQSQALbr8iIuARzjBND/kQsUe3hA4yd3cxwY7NQeYRuFUvqrHY3fq2zjDtoI/7ZBreIxrBIfravpjqS9+FX2c9fiDwl+3hwKRLuBq4FsAXAvAt3gDVxcYPMOVTHIvsJ8u79YKgBpXABcDsJ2zFHsRI+cy2zkLeF7xdnJx/LkCeF6R/nbgZTH9Zf7txhWRADwBvFK4+8r4nowOcD9dbmEXJ9mjTE9vJnGh9OtjsWf7DNt5vyAWRfqFvD/+mOJHYbYr6B5KJHOADXamm6aXmMyfMg8kSuDDTHEDVzOl9YetGgKOslf6nbc36jfdQ4NEAKLzMH7Et3glF6I+MSCzBlgEDijPuQpHy2Bq9CEeG/ensZ+gf+PvRsXm1cMGbw/QcPjZcsPhBaDh8ALQcHgBaDgyAbCdB1CXvsCXUvqXFOf+9Zve7/INml4RyVvApwvn5X5GOg+gLt3mZq7f9H6Xb9D0yjj7dQB38dYC5QpezMPxdV367fxZgf4Kzk+1Cf2m97t8g6bXQDQEZJ7/xW1Tr1FcicjTV9OjZVe18QNDfFv6+RT6Ed9Wflv+zfFPSxvTdPFNdDEX6lKXRN5VrNoZtM2VbLb7dwXYh3p3cN30XeLb01e5w3aNH6DeYBaW+B0KqRTpkav9vdr6S+5+iNvoyQ4t1dawfDHzdDT0MB53i+NxPp1Qc9+cvr3ASQ9kix1oRc4ldV3+XNIPMXsWuM6Yg5u5TWB/T3BO/SQEPC/8L4/Q2iOY0RsG6xuAPf/2uDY12QMG2s18hI/QU/b3fghYAt5C9SGgfhevz18xhWpduCl9U/6K5y+Uo0ciILK/B0NANAm0nQfgRl8BJpmMr0S6eBJ2qLh7QqDa6BjpKOly/sPC3a9IFBu9av0k5Qsr02+T2K9+aklEAnBcykCC44orEXl6O63AtjZ+aIhvSz+fQj/i28pvy78pft55VVk6IHX+6lKXRLQOsMYVvCJHWRVO9qlLf5jfLhxG+Rnetmn0fpdv0PQaiAQA/oEXcBaXxnePs8yfS+Hq0v+eF3NuavP3DR4Q2LMZ9H6Xb9D0yvAGIQ2H1wY2HF4AGg4vAA2HF4CGwwtAw+EFoOEQlUG203mHne5RAbI2cDy9WleGrkv3GDoUh4B6rFu3plCv5Qa1U/CQkBcAGwPXWTfSE/cMOtgYqPPlnSCsqOv30CAvAONgZOA440Z65KFDjxCzwYTpwBewG1R4lERxCBivkIoc25xCvfZrEyCPktAfGTN8s3z/FtAHlDkvYNjpHhXgF4IaDi8ADYcXgIbDC0DD4QWg4fAC0HBsXQFo+wWhXkAWgPrrbCGzhMz2Pd9tViQHEB4VIQvAvvgzaNhad8T+1UFncxQgC8AKyb6+QcLWuj37ewjXHiCkXfiUQ1j4UyNir14ME/b7OUBPIFsErbDKirJtBcBq7lMObu7bE/bvM9JX/RygV5AFwNQD7EtZk3zKCcF84U7xSJe2kL4qdZn9fhDoAYapBxDZH2jpnv09hWsPUB/2I5zKsb+tCedRCsP0FhCwGn+KULHfzwF6AHl7eJtV2kPZuYZxp5//9qgJ7x+g4di6ugCPnuD/Aeakm0Be1BDQAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},14506:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAERUExURcwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAABa3WqsAAABadFJOUwBYR3wiMpjhvct3ZpyyiaqlWk5650BlhVOLRpGUY2FNoGhtm3O/fcC8463l6eSBjl3f3eC51tvSxNXU12LacP4Nzplp+DgqFhzFedGnyJPQ2K/wzZCIsLvHq+OLyoQAAAABYktHRACIBR1IAAAAB3RJTUUH6AQaECIVKq4jzwAAD2tJREFUeNrtXQtj27YRBslIqumYkhu5S5s4br0mczYvyV5d13Vt1KZr4zqpu6Trev//hwzgC4c7PMRSpmgbn2zJR4AA7uMBvANAWYiIiIgRIIFk203Ysv4wcgZ6Ny8Bv/4JZkBlHpYQYoGgYBJA22Okq9QEHwFgFYCnAnJ++eegJkEtkBOQ0PYY6fQKMgLo6bwCljkZkAHWfrsKnnTOoCC5/aXbMifeTBsFs2DeRHqBuYV4rzC3AE8DhrcAOymsiT4C2NnATMRTOjHB4ceANfi41LsA7ULD3wW2jpvuCEVERERERESMGJfuCW7ZD0pYtAbUeU/oGTS7EeAnrALffACbEJKlD0qJpQGMAJaBZjfDxYRVQAnwRJeq9CGDIdZ+e4s9yZYZlcRzughMAUJJwGDTAdyChc1mjWhtjfmAxCzN16O2bQFWJJ4W958P4D1kq2NAGNf9LhARERERERERsT30c/yDrmmw/N6BR88CgC+nQofcvdvHtwOwBgVKA/8Rrh5JBp7FPB1cafYKvA2wpPrrt5XgI4ils8KYBrw6IIngSGwYZeWRE8CVuEb9PFyGEAF8Agj8GoRP92QxFaxzkzkrMzst0MufNYfXhLwdSNgshDBuOd1vouEauqgX7OOWPUTgTw+USC4HBC9IoAIQ1jrdqdu+C1zy+eHbZERERERERMRNRf9tqT3djMSyG91dpM0PDS5VBarv1oC1KvDH82xt1dIAlC7w4tQaXp3K7A5OwLq8zxvJinTXb4lvqQK+ssF6URE/Ai9P8tZaNrsnXgICe8OF1cx8DHj5SyzTPYHpByOcbcLh5gBbOycWxMJhSzTOHtkQazTAnmplmJROz7fYgPt0RgBrAW+emU67WJgAewOcl3CtZBYwuwmwrq3zFXrnBWBdgHSRYBew9/LEmYMx7N0cwPNYDEyYBQi2Qh8ggAyCJJUNS6EZHFq/5Rr5k+2tcBC4TvAesACeedzzAdt+PiYiIiIiImLUuNy7OHdUyKOyljM261iEi4Nu2TvqD/wIjv6sZ2DW1lovJxrTzOAU2cqOf+GrO4DtFjd9x2pt0vN0eMDVt2QAprAwok8vIWAvsy8B7ue7yyTP9wPY5jPM9WrWXl9w0JwLrtM3TkATbroISCzhMG+6J57i6bbVaSCp4M8MG6QgsbSQhbuATRS8fdhSGp0Q8e5ZsRJAu8TGwzs9qKnJBBadmc/3W9KJYOv2mBDGT4CQEOH9Yc7osOiUPDESiF5Dm4BC8w/++aNriOuuX0RERETE9UZ6xW9kFrcDfMtV1Bv+NfqPaSnAusxiel9pcDUQUlKoVxRiVIshbOuyQPGKUjWFFAVDZnyXQmUBOr+wLoEzAsfSbYBHL3R7vdTfiM4MAqAiwYhnqYj1TWBcBFiW3zlBKZEpAfhTWGI3dCxpu9hYusAaFsDymzs2KoIcFkD3KzR0j0Z/piMbA0gO6wxNqq2EjgGWDTKjMX/dJkPCH44hH+VP7QqB5S+FAb8rswMDnI5uF4neA31IRkhAX3TRPyIiIiLiZiFTfkK2fv5bE4lbQ7VuKhs3m/pyvBPw3GCncpVcKmY0OfPzcUvkALm4RQpAZ+xKcVc4ZJoobtcgJzQqwV5RTJGzV/5tEFK6RXO++7kRF7WGC0PftsVUZitbu3V60+pJDpMJ5BOjAYIFE3SvrVWoDsxtNbZBWlEUaQVCyMwgADEAykQnusYdgwBZ9L5E60pDYwGu9e6qOF3gBCbvvnsHMAHL5dL/BIbABIgAAbsGgaBURwckIQkmpGqgSfiBgssCYAroQ1VcjwGAGmi0+KA8/UAT8O57u78xCLh79y7bHu+WyQFKgNL/fUyAaVIg9TdtDD5I1QtVeFfBaQH7SnWY7ut5gKy0/5YAVT6aYquK0wXKLnDvHu4CSyEvgXxvT8jK168kQOl/+/77bgISckAeSZL9BIUwcHh46B4DYF8yIPXHBJQ/LQHlIIgIeKDOfvCgOXBUDYJHRB10AieAPaIhCAEf4vmJ+eK2fC9cBNAK4aMSqMLj42PQJsosINufTuWb7gKl7CbguEJ9IMnhvTy/Azl+Rgh1IXngt+UL6zuhBEwIAWBYwFzr7yGgLe7jEsTkJi0B1AKy/RLNJWIyqDF2CkafzPP2LpA39edOC+AEhLoATq/GwKLN3BKQmfW1xVV+ALwjHCAWELoNVu2Zm3Mwmb51A1c4MOgtcPX8ACWgZKAQm0OWLUp08PUYh6brEs4OvaaVdjeqf0RERETEyPHwoT89Be+8NoBt6yNBpsPdR+Vt6lEj1sF2G2PPa3nenlu5Jrtry0L8jrSn8N7XZLR1QA7J2zbWP8s0AzPlRZ7kUxTsyCbPd1pHzkpFpo8/ql3xhgF5sgJZaTI9m1y5gmvL1fVoNSiUM5e29/ZUcTvH1/QxwGOiv3KUDrX+yjdvo1+6O5w5ZgJ+L197uEGZvM4Zym+sDdLYQvxBnIo/4vg2l0JuyMKUDyYHSFbtXyxcDYTa2a/lxuCQxcnGLlLtOlYzFm10xQmoZgcQAU8ePH12/wGaNsqkfWe4PV4C/gR/lq+/YAWV609kHHzI2HiSU9+3lWtnPrXX97AR0Tgwg72F5KASdpoZmx0XAfUogCxgD/4KD3WDpP5oyi5sAX8Tn4i/6ymlY2IBx8QCjokFLIzYQ/aAapBq41tS36eV9GnbwDKYx7EDqDFA6xcm4MmDDz+SL7v+taeOCUihnHVq5H/AZ/L1T7RjwujjpXyHyCi97L8SHzkIaKK71GgQsR+BYY7yMJmKQyNeJARkhGGif7sjwiQAyZ9/cnd2919f1PJ+U9zuevLCvHqCdYFaxuLjx1pWtt/Od1oJEARqj1Aq3JOSQCa5H9UN1ncBtcVIuLqE6u6kOL8siP48gE+x/uLpl3L4m3/5tCVA9v/Ucz5TdM4GUXOSlU3yEz+ATnsT2fYNMD55QfWnt0FRberSyeWKwO2iPR9YCQZycQVRdAjwDR8oIiIiImILmOKJaeXKwTHL81z/eclbC1XoAd67H/RpQQor+b7Ct+YTQK7m+/DVV19/DV+g5uwp/UvIP+7chydP4P6dJp3st2imG5r5hlamB9rgjfpNOcym0xcGA/4vFwthIcvKUbQJkoEV9cYPtef1jcK/tSu6msoCFiy4adON2JQ9ZF0HrzqPdB0zGezoxcEqQQdXyjFewQvLbtlfSYBytdAZSvfy1zQATcC33z1//t23uj1TAcUCr+xQAowtI1BORqEND6mopipS7Wtnaj4GEfBMrdXhCleKdRcBNLzk6pL0skshi1qVstY/NfNDaeu77ekvZdIMuaswIRsyzPPLdVCUAVTgKeM5gS1gPsf71fOzMxVeagKk/gJNgVHGabBgF4mJt+1vbADpX13BZgz4DHYl4GWboSiM8+HAT8CR/PNI/TTJysCmcIgsgESvz57tPzuDk7bAF6p1s80RQC3g+1JuZuVq/bWC+arEoXm6JgzSDw4ODgwC6itbfRxKfC5/yIaHlXMMODtTHQAPgi+m09kGB0EyBnxfjwE1A0r/wghH76j2HurTV3twghhQBR2hYa+ZvGn0+/jj+ocYiHMMmGZnZ2dwhhmgt8FN3wUeq4lZ3R4auq3mcz1hJUdA+ZNqBsD4aP7cbQ7Q22BpESUcYwBMFTABtmvYhwCCtLz2jxs/wLJH0BxhpbW8SNVI+bxJPX+SmF/rIspRo5YmmZrSy5oNG939gO3j6NWrIyQu9hRX6fOWMdpgtnMyIiIiohemeHf06x/UEPPD6203akBcAFy0wo/NqPvjtps1GO4pde/VwuvqjqPetQ0sYYlP+I/FmRGb23m2LPlf9i9oXVyoAOqiFt5oAt60OYjbYPMjCk0JW3qgB6gMS3VPX3rLv0TcqxS+hyqnrgdrT0oPFNooAhs3lfx28tZcnWXVDUmAHAFUCH1hVG62YY4Xxir99fJiYepv27q7SBdYv7fy7a2RYblFAormehduAgrS5QFOU5yG9bcRkBomU240nxjhtEFABsvlcjhPVyvsJoCfg/SXuhuDYm8LGHYQLA2gemim1OGVJuAVylT4C8DpvceAYaM1Oug91eJTnImcRBgw+Ol9FxBiwCFwqRWuWnDeiOdYRzoGYKnY/O7zrQbrP6lpWXj50zbbMKbZioiIiIiIiEtGAT7xsgEz4sis9YREH+zsUP3BI14+AUAoMAgo01KcoZil6s3IoELmRp5XmdzhbUF854IlQ7lCNiABJgUmAVVa2+by8kj1aAaDAJzOCaDBIp8MMDfjDkIA3gxMCSinP+pGlh8z3OY6AyZgZtEprLEhbvL/B6xFwIAWsBYBA1vAsGMAxdbHgIHvAny+Y8t3gRFgu35ARERERMTNhv85suuO9L8Cfv4c7d2UXsrJDfqeXPUcKfxcoOcZ8uKl5QGKxjeh33/QVR4dVvA/SYBAu5MVKzPGAH2yVO/X7yaPDSmcCvFzIU7x09arQxnRms/XakUmBxP5027fhgNzP7uSwZQn6jUZqXub1fvmT/QVyhegdtvvOQgovxot2W++Xw8SSBJ1oJH31Ut//55Kl0eS/ZESUFqAxCm+4mpcWBm7kxEBX1RoTbyjPDrMynvgAu15kcHoFA6nDgKu3SCYA5yenOJhv5qO0CEpbPg/XI4N+YW8PhdX8qn5iIiIiIjeoM8HhGS6iaqr3LW+vnII9PmAkEy30XWVu9bXVw5ef2jxeh2ZbqTsKnetr68cBH0+4I0uoJHPlW94XsvVVtoy/VUrA5WFM/2NTn/jrF+AN13t6CTpgrZf4OcdfABdAbRyU4ioV4PPz/HqcCg/T2f59RK5LR2vntk/wWiP+OWXX4TZHiHO1lxfA/RMr0NWvfecNBg3iOUXTCF/fkJAsD2i+XXIZ5X+myNggb6DzkKA7bOLQsH6LRbis4AzUem/NgHhLqC+fauLiYe6CIQI9HYpQfJTWTJw1uYPgj4fYBnUmkFQD2J0kAIquwdV6yBJ66eDrJne8OOSVR9o5SCGvo31vY12lcMY2pHp60h1lcMY2pXt60p3lSMiIiIiIiI8qB2HS5NHD/L/A8PyNSQA/ASUL6yg8BMg6D89HDeqryQEj0wIgubNJZN/fzd2RAu48WPATb8LRERERERERGwaydXxBIK7ICHrvtE1If8faMxIRKCtaxBAr/dV0n8TFkD1vVL6mxZQbm8vXw4C2rU3U1+DQ3X2tR0Dsgam/viKV/pfHRvoawFV/qurf18LuPL6970LOPS/tmNAAFr/q2MDQQvoAqV38xsRMXL8H46Lpn0W3YdPAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},81972:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRAD/h4/MvwAAAAd0SU1FB+gEGhAiFSquI88AABg6SURBVHja7V1tjF3HWX6OEykqwcF8uSZxspJ/NAEhS75LJBSEZBSha34EFZXAtSM+GqN1qtKqCMhurLs/wpp274JCUhdpXTmQPze7WheluD9YU5tUpjEW7q4DpTilatq1Q7fmT2n+kCLhlx/naz7e+Tjn3Lv37s48o91773ln5szM+5w5Z953Zk5CiAgZu0ZdgIjRIhIgcEQCyOiA0Bl1IbYSkQAiOlgCsBQSBQZNgNFfPx3Ufa5N1X8UJgrkOY++joMEiaFDRB2CIZSANU7HIoclfZ62Y4xjPzesad01sJ+/POqu4zYKehXNlfMhQMfZPOb0eVpzDi4CuM7uUwN3zu46bqNQpfmrKKFeeh8KwpF3k7L75uyq4zYKehWbKBDO69enB6l/Bfv0AG4lcy0QQA/gG+o/A9TvgP1zcD8DwJHWpN4AngEGEUbfNJ0GBLPfgjoFAUZdxwGGJPoCJHSwhKNYHnUxtg6RAIEjWgIDRyRA4IgECByRAIEjEiBwRAIEjkiAwBHnA6hpR13+rYZm7HR508hpbbcbSs2mWhl8DJcRtsl8AJcvMi/7jjIFV28ANwHcObhyt/kTbY3f8SpdXW9lXvYd6gxyN3+VJq6X2m9KittdXJee9kACAXbIbAB1PoCvx75eE7v7D9/5AB1r2ereoALvAfxDp2YT+9DLHtw5uOjpcwMJ9hlgEGH0jdN0PsCoy7/FIbqDA0c0BAWOSIDAEQkQOCIBAkckQOCIBAgckQCB4+5RF2DsQEhGeO4c9ctQsfx3N0s+lEYYZQnIWYJUSXXK6E45gprLtwCCyEKuCpkB2VnNapKqqHsOV/lT1SfWXNzkqJvarwY+sSqk3SVFcFU/8aiAOX3i0UA+VTBfoT69h60OifJZ7Ry5xN0C9hraCUSO1IDrIpbKL94CfKtPBom7kZIBdPA2Bbjvok1KQEXqhJWKZ+fOkl9e5jKQRW7Pu6yd/TIQS5kAVR8CyePqccXyYWe9a9xPuYlH7jYF+eRbtwVsl6BP3u420ORVhoFlF+cTi5fZu0A3g+15uLpYvy7adQW5zu7zEFkXboq75VIJVHdw6KOA7X3+GsPIOB8gcERLYOCIBAgckQCBIxIgcEQCBI5IgMARCRA4RAJ0QBj18miXrXC48GkBH49ovXTieo26qJ5WWhXjs3iy7vIuvxR+Oddb++O3rMy3Bfj0eYyOd6qqdehYW8C+ME4uZcoWrXncxXTFaVJ9n1huBdQtt08LmGKIqxI5Evm0rd9e7Z0GBNDWTtZt/uobRvtRoD793Fu4+6jALw9OATr05m/SA8k5kzMGTwAtjuwLILh9fQDvdFTvPUmFtH4lKOcimPzxrvPb0rvO70qt33vNpXR5/OGUcunTV94AMOx2rM7lSICqo4CyAep4rBIhDz53kj5t56+Dstz1HrLsZz+aSfMZR0crt0FSuKsTg9SWM7CcSWybXaulrHQLqHIf79TIw/UQ5tOBuktnzsfehfrdwfO47p2W6t6C7A+B9rRyKdMrreLp/U7k2iLCrsQmqas0RTUC+jxB+NOvLgF8cq6UR5wPICJ/cVx8X0BEKIim4MARCRA4IgECRyRA4IgECByRAIPGNhtWqfMBXLB5zH2q3skNUGOK5qWzrU4ax7ordjC73chmK/OxPuXnMNnsfC2NTS1xrpyphlS2xdVLP4JQGoJEZppsYTZ/lbg00pbe5onzcfPYPXKuHNIYZPDU2Ra4iue1p6+T+8jAPwMsGTp5u7+qvDUs1ZhYli7LdHWStj0MyNvXl1Q4yp2XO797ZfNYouwBUjt42YS2VficrPRGZzlXSJtL/ZZAuxdv199CwqZGVw/hn7Ntj4AtRtkDLAt+5jpFWzb6qfMGcHn73ftn2JEIPQjfQ8ifXIzBXMXcGeTeY0zUL98ClotCcR142sETbBMSbJMWjjLf9EYC7NevHUlRAn5Khb3py5uQeXeRPGZSUSrGqDuhZjio8Jxtm6whx7O9MaTZfvw+vm6qKfN5PifHKGIQMwa2NER3sIyx6Zq3CpEAgSOaggNHJEDgiAQIHJEAgSMSIHCMHwHaDe2BEZWgEsDPl21z2ZCX1BSjjdUtGYmPeh+EsUG17eJ9tpNOcKRBeVaRk6RtjVd3y/oSdTyWOxAyAexWaru1O7+q21hlKZBf8wnEpYkl0q7/SBFj1ZA+/1ZvU3Wx91lChLRBhPrfZC23zXdpE1Gb+PXzcs7EytMcTGUgawnZ9e9F6GjybWa1H64vwG91u51J6VybI7hglZt89q7ftqO6RI0nznbI6xvUGkATxClhCXQ1qTBPZfCbEGGeVKYSyDQlgy+ha/sEmeAJKKo/RfnCCLHJTAouJ0b5vHaBg89u9kdwAaQ9R+Szifhd+eXy+Lw2IgJAtVEACaMAfsaNbQDokh8ppKsAEu1Gkghn5x5W7fOJxJ0xovIF+L8wQp4VW34fNMxPEc3QwVJUvY5xmw8wLPVHGDBuBIjYYoyfLyBiSxEJEDgiAQJHJEDg2EkE6BaWhu5Q8j+AVhYOjLqqAwSBQIuZc2SDFmu7FS41dLIQXZMcNd2K6bvO1N2aOafhAIGmiYhoOvtlKwF/jqlMOmU4h1nuSgk6qwT7GQot5Y1/nnrUK4igqrE8biZIufp9xbqyyESSvqLCvkW9ehO75HIJXU3DNXWLpomoRS0imqaWpQX4c+iwtZC/RIyx4l3HIkZqByAsAAD+QeocLgjdxBdwA8CP4ERx7CYmlK4ktxKeA/Ak68qZLL6vMe6ar+DnhN+v4ilJCiQ4VsjUdcaEWcwJv2cxZ1y/a3JmTUq/1RK2sIZJ7Afws/hTTGKdySHBJgDgp1BvhVFaK24NtVkixjhXtDt3/imckX5Lbw/PVb+qRshwA8B1fA+vWYrfyj6fNMa4z5L6VdyQCKDiDERX8hmBiilOAQUFZnFKooPYgOaGvA+vF99/iS3DfrwfCe61lPL3LTLVI8nL+RdQJ0wu1SiWq//P8Ufi4dIbuOrI4Dq+p8WRi/ATmS+PmPk8KX7ckv8xfMV6/ssoXcZncFkjQEmBWZxic2grn3rpft1a0hn8LT4N4OOYYdN/F8C3hO86ZjFX/G0tcvW/jPfJFLjbMwNO/Sp+DACwC3eMMfYAAM6yMlcPkFMAOIPLxjgJYBwDPKp8qrgPf5V9e5qRPoAegHkAM+jhCe0WoHpS6y4zde+S4IrxCn5XO5aq/xzeB+CjAJDd9L0JwPUQagX3OPP4oeLbpCZz9QDAgUzxl3EAbzPyLt7GIoDL6Br6ADt+GB8vvqnoYALnMYUZAHeBMIN7LRNKZnGKVdKE8GdCCy64YvwOQ4ATOAPgSZzLnqMWMJ0K/AmgQuf3vc40n84+JxmZqwdIlZ5S4G1mJN6V5FwvsF/55JoImEF6ncu3mAnMA/hs8XvecBtIMdegi19rGIOf0/FZIKMAIKgfxTCw7RhGuYcwlyT5pcrjbNUOMNhhYD5IKj9Npeiyo20O1Ya5bnnfWHufGGIN+fzzQWBPPDo+7uAugJ8Wft+o1Y03BQE4IVzpg889xWimpkzhjHT1I84HCB47yRcQUQORAIEjEiBwRAIEjkiAnYXXBX+GF2QCtEFwLcw2gwpHRtOhRRfcpI5ZYfg6q0kXlWHvoiJfUeQrzHmnBPnUEOQA8CVH+/TQq91uh7NgRx999ItfQpu0iahLXUrX98phg1qZGeEiTdMiawa5lhkiVuiaIrd7stXQZePPCp5sIqJZ1hCSBz2925CTxpmm6Wzix+DleZzUqKNKeoVBrq2aazLtEK0Qstq1mbxvERHRLWvr5sakPh0niK+ObWdWMGIpQMLLInzsYPzycKK/yf7OGxuoS+kElK4hf9PLV10KJgL9J4FuE+gdMi0wn84k0xY5rPLD1KLDBnne/H3qV27BHCusfEVLvcKef5GI+tQuLYmiOzh3Us5httZGLeJyTt5z+Cf4NjZwHZtYw3fYGF3MYT+ewTtDsAN+C/fjm9iLb+IBfNsYK7Wlz1jlkH3qEt7FutFd089cMcdY6RGp1Uz7rPCzLX7S4wgA/AqA3fhtAEAbF1D0ANe0OXXXKvcAYgdn6gHOE9EFInqdvUK6ROzVP6ge4N8J9A0C/Su1mPN/zNED5HJY5eYeoC+VTr0F9IRSp+hVqt+XJdmXmRY8Tsf1s6un6GZE0Jt/EAR4nj5Mr9Az2V8V9cuz4kwESPcnaWf3S1X+NSL6t+zvhibP62e6h5fykw45n76896bhmYoEUN11+jOATTsi/aTjagbipyxr0SKh4FCPiWEngO6vq6J+tXp2AvDyp+kb9CHaoA/Rf9AnFPkxrXRTA5WX6ocxyCpuW+Um6a3sQVCV9ym/92/UJQAcId8jqO0Zn1ewecr2rNLA3CigXVSdJ4iZgCn+0FG6JnI41O/jcs8pwI0AXqA72YPfCt2hFxgCnKe+ntb39G6Fys+h/DOobdKyXf0qBWY1qWtat11OZH+VRVN536l+1zCwpEDbkLpcC3BWS23sgXzdwdMNzBMRVdADZI/9gJCafp5SD8f5AIEj+gICRyRA4IgECByRAIEjPAKkbmNuTNMrxkYf88hnN3uUsN2eqoUx4XQxRp52jFhdxoy6qZuENhGtZ9/XjaPli0Ud1ZHynxHRGTpDH6GPENEntJRp65zPfu0WQnrkJH2GiJ6n54noM3RSS19aQjlrh7wwn0hdiK/LXTH0hfysnUeu4AYt0iK9Z6GAS73DJEA/K9c0a1RJsZ6pny9Fbg45zpq6fr4IP0OcLXSdFrMS9BkKuex4uZeiTbwZzH6kTN025JPaGruZN4fbjV1MUTirxAgbxdXznlGJoyRAbsviz5GrvfzUc7hoURHRXtpPu2k37ae9rEIWCUTUK3z6tuuLJ4B5DxGitI/oFm2sEwDSLAqdAGmuK4VNliPAb9GxLGRy8Rng7wCs4xCu45Xa9xL9e+U7URFUpD76Y8J3ES1cBwAcAgBcZ3zybTxuLcP/4PsAgO/jg4z0Ck6AAHRwDOr2FSkmhcBjzvA9Lf8cgDm0MIlJdkZBG08AWARwnM3dvt13glXMYD8m8CAexIP5YXlxaKr+ljafDhCXNdXbKVhVaPUJJz0czNT/KvsQ18K6Vf2r0rr8BUX+NbxbLAg9gyta+l9AD8CzeAi8+oH78G7lOpV4oPg8D+BXmRh/DCBdtHoCwDuanFDSSr98ugC+A+D/cBf245O4lB4W3xfwA9yTNd0GHnLsuA+nXH8fQBUpd4ZpzBffZxgK/AsOFt/fKTkOQFU/p8Bp/Kbw6y/xsuXsHMHSrTH+FwDwLrsFzhFpnpX6govfk44TXlbk8nyh63hOmbWVbuGfTpadY7bzJ5wEsAEg9Qtk0vIWMIN78AP8MxaxgYeYLrbcaJ3fcl08ysVIlGCXcmeYz5RXfheRqz+9EezHLUmaq38BR5Cw128Pn8OhLOjqB+ZxHV8AcAnAIWaHIOAC/h5fwm7cw07HmnVssLEHe3AWe/Cj2X87DjHH0ovoIA6Cv6AmcBcmMIEJACeV23XxZOgaBo77KOAW5XNjuUeknuMM67RCK+x0KmSpiXqZy3Zdk5t/qUentBiuYSDRcS3wo4CVbK8w/SFwsQhEz+mjAL8wSgLYQ5vKCdG3SLUD6M/d5tLz5U9HF+9Rm/KJGbu1tEv0PHUsrUQEmsqCGqOVjQLS/+o2dFtgB4gB9ARdpav0hEHap/MFrdq0m6GYbRgI8tlKcstDnA8QOMLzBURIiAQIHJEAgUMlwCJrBQSA03izeHJ4E6dHXfCIwUB+CHwLDwP4Oh7R4r2m2cc/j18bdeEjmkPsAV7CwwCAh/GSEut0of7SQvdBthfYBGU7ZnP476wHcU8xH8dJ6JvC6GmzeXZjAmFM+BZR5md+Sxktrkmj2xxrzLjSbgiyj5LL0GOtdu7lVa4YLjnRZjE+32xQ/m0Uyq8vSQp+yVBxl7HD3TxtZ4x8maRMgWb7aObyF6lFLxpz8KvdDiXAW0RFD6D2AXLFbc2wQqZlYaL6NxhJr/jk1O9WDjLFtzMicPIXs28vWnLYDJMAPVIhKsCfAHznLed0m5mvl6czqd+XAKWlnpPnFnZ9d4ASZgJ0iWiTNmmTxsaQOzgCcAquQwBXyJWkqz9Vu0n949ADbArn3yTsjCAroLwFyGq4yhLgKpOhqwcwBbEH4tOP/hnATcFtGLiq6ZV8gZW+wGToahyz1Hb1ywoe3SggjTNypQ2eAJusgsUmWNKkS0Y1up4BTLK6vcfWhh1GAH938Dx+EY9l36/gH61vzNjJqPsuoDFFnA8QOKI3MHBEAgSOSIDAEQkQOCIBAkckgIoeqLZ0G0IkAGHDMRGDMKhXQowK13DNKu/h2drS7QnFSke0YbHGid4AVZKnaxtz6NFG5gjq0YYlBxCy5U2yfEXKqY67tucwNvc8UuctMP42S6/AN59JhTYCiOn0Zu4VaVLluXIwE8CU3ocANqnd0aNLd4hJ2FRJflqHiwCpCsvfshSEQnmuHEwEMKd3E6Cqis1SbvHlNg38Q+BNLOA3atxPbmIBE0gXJy8INvMEC9nRCSzgpkcOJrjSbw12kjdAY/lOfgZwheCfATYc1TITYDsE8iBIr4F0W4boDVTRw7OWLt4u3YaIBAgc0RIYOCIBAkckQOCIBAgckQCBQyUACS8WjwgAJQHa+DwAYC+eRpuNm1oOLhqkEdsSOQHaWC22H30Yq6ySZ7CAK3gcqx7vtVPNCyuKAWpli+URJmQttk5E/0Qgoi9S+nIEk/GwTRvkfqeI682j3H75w5THYAi5UoluEwj0ReoR6DaZ3k69Tscpdcq2jZnyO9W26DC1sv+HtQXaRIeJshhp4OVklbeKv9ZOs9kPK6TvC3gUwFcBAL8MAPgqHsejuKB0FjM4iGM4C2AKq/ioJrfjEQD3AwD2YRf2afJ9APZhH3YBuMOMTu7P/h4BcIfJfx+AD2TyD8TRjS9SX0Abq/gvvL84eht7cYRVcBuruIkJrOMQ6xShbKd6fbf6P5B+/wVmcWoL5REmZF3BBpWLpvvEb+KSukIXieg4LRpn3fC3APnd4vp8o2HLYzCE/Ev6roDbdJFuExke8sTJED2GAERmAsQwpqF0B0/jw9k+gV/HX4/lPn0RQ0CcDxA44tNy4IgECByRAIEjEiBwlARwvQ+gqXwebxTyN5j3/g1bPuz6jVpeF1mer5GK16TxYlO5a5u5YcuHXb9Ry2uH9OM0cThdRGsqd200OWz5sOs3anmDkN4CHis6BPGVrY8x30So8uXi1bLLxvSJJb0rfzWHYaR31d9Vfnv670ovxTWlt8nFUvC1rojUEFRagxLtlyznCiK+T3wJwFHpyODy90nvzl+MUTV9wuQFS358+jIXXX4OAPCksf3yo8/hkxjMIlUCcTv8ykf85Pl9t7wfq3JSflfNn88Nnr/d+ZM1/+btA+2zmjx/4+9zzBlrhrsHwKESd4T/dbjo6hHsEJej18khET7rpCePtLqjXMbnLLKT+BQ+hfzqHxAGfQvoA3gK9W8Bzbt4c/n0HOp14bb8beUrFU+15CkFRPUP7Bbgeh9AKRehypcodxkvKXLxpVMl1hg5OeWokf4qm56rn6v+YvmrppdvL9Xl+U1AlzceBVyR+JDjCvNNhCrvIN9DrGNMT5b0rvzVHIaR3lV/V/lt6QlyT1VVDkDq/PlaV0XGhJ1uiBm1IWrY8tqh/DpPbxSZv0HzWtSm8tP0ZiF/kzFiDFs+7PqNWl4zxAkhgSN6AwNHJEDgiAQIHJEAgSMSIHBEAgQO0RmkOx1ljLs8ogZkb+Bk8W2Njd1UHjF20G8BzVS35syh2ZWbNM4hQoJKAJcC17BmlU9iTegHdLgUKE6J4kA1ff0RBqgEmASsCpzEpFW+hkkrQQj2CROk+cRkuCZURFSEfguYrJGLnNqeQ7Pr10WgiIoQnUGjfoqPo4ARIHoDA0c0BAWOSIDAEQkQOCIBAkckQOCIBAgc25cAnWgQGgRkAjS3sxG6IHSHXu4OlnB06GcJADIBjmZ/o4br6k7VvzzqYu4EyARYyv5GC9fVHdU/QPj2AISO9lcNzKokFql6zTTM1R+fAQYCeUbQEpaxxF5bCYBl5a8aZr1i5eo/apUvx2eAgUG6KDvZnx6IOtofH69L/OtadOhxxPxhlMNy/hgarQ2kxhMuCLOYY1/WoI8M1Djl1b/ElkG++uMzwGDg2QP4BnMP4JO2ytVvihdDpaCqoOmrHpoQwBY49cebwMAJ0LwHGFbI1a1+xtAwxBlBgWP7+gIiBoL/BxnJfO3m3rs2AAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},22046:t=>{"use strict";t.exports="data:image/gif;base64,R0lGODlhEAAQAPQAAP///wAAAPDw8IqKiuDg4EZGRnp6egAAAFhYWCQkJKysrL6+vhQUFJycnAQEBDY2NmhoaAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACH/C05FVFNDQVBFMi4wAwEAAAAh/hpDcmVhdGVkIHdpdGggYWpheGxvYWQuaW5mbwAh+QQJCgAAACwAAAAAEAAQAAAFdyAgAgIJIeWoAkRCCMdBkKtIHIngyMKsErPBYbADpkSCwhDmQCBethRB6Vj4kFCkQPG4IlWDgrNRIwnO4UKBXDufzQvDMaoSDBgFb886MiQadgNABAokfCwzBA8LCg0Egl8jAggGAA1kBIA1BAYzlyILczULC2UhACH5BAkKAAAALAAAAAAQABAAAAV2ICACAmlAZTmOREEIyUEQjLKKxPHADhEvqxlgcGgkGI1DYSVAIAWMx+lwSKkICJ0QsHi9RgKBwnVTiRQQgwF4I4UFDQQEwi6/3YSGWRRmjhEETAJfIgMFCnAKM0KDV4EEEAQLiF18TAYNXDaSe3x6mjidN1s3IQAh+QQJCgAAACwAAAAAEAAQAAAFeCAgAgLZDGU5jgRECEUiCI+yioSDwDJyLKsXoHFQxBSHAoAAFBhqtMJg8DgQBgfrEsJAEAg4YhZIEiwgKtHiMBgtpg3wbUZXGO7kOb1MUKRFMysCChAoggJCIg0GC2aNe4gqQldfL4l/Ag1AXySJgn5LcoE3QXI3IQAh+QQJCgAAACwAAAAAEAAQAAAFdiAgAgLZNGU5joQhCEjxIssqEo8bC9BRjy9Ag7GILQ4QEoE0gBAEBcOpcBA0DoxSK/e8LRIHn+i1cK0IyKdg0VAoljYIg+GgnRrwVS/8IAkICyosBIQpBAMoKy9dImxPhS+GKkFrkX+TigtLlIyKXUF+NjagNiEAIfkECQoAAAAsAAAAABAAEAAABWwgIAICaRhlOY4EIgjH8R7LKhKHGwsMvb4AAy3WODBIBBKCsYA9TjuhDNDKEVSERezQEL0WrhXucRUQGuik7bFlngzqVW9LMl9XWvLdjFaJtDFqZ1cEZUB0dUgvL3dgP4WJZn4jkomWNpSTIyEAIfkECQoAAAAsAAAAABAAEAAABX4gIAICuSxlOY6CIgiD8RrEKgqGOwxwUrMlAoSwIzAGpJpgoSDAGifDY5kopBYDlEpAQBwevxfBtRIUGi8xwWkDNBCIwmC9Vq0aiQQDQuK+VgQPDXV9hCJjBwcFYU5pLwwHXQcMKSmNLQcIAExlbH8JBwttaX0ABAcNbWVbKyEAIfkECQoAAAAsAAAAABAAEAAABXkgIAICSRBlOY7CIghN8zbEKsKoIjdFzZaEgUBHKChMJtRwcWpAWoWnifm6ESAMhO8lQK0EEAV3rFopIBCEcGwDKAqPh4HUrY4ICHH1dSoTFgcHUiZjBhAJB2AHDykpKAwHAwdzf19KkASIPl9cDgcnDkdtNwiMJCshACH5BAkKAAAALAAAAAAQABAAAAV3ICACAkkQZTmOAiosiyAoxCq+KPxCNVsSMRgBsiClWrLTSWFoIQZHl6pleBh6suxKMIhlvzbAwkBWfFWrBQTxNLq2RG2yhSUkDs2b63AYDAoJXAcFRwADeAkJDX0AQCsEfAQMDAIPBz0rCgcxky0JRWE1AmwpKyEAIfkECQoAAAAsAAAAABAAEAAABXkgIAICKZzkqJ4nQZxLqZKv4NqNLKK2/Q4Ek4lFXChsg5ypJjs1II3gEDUSRInEGYAw6B6zM4JhrDAtEosVkLUtHA7RHaHAGJQEjsODcEg0FBAFVgkQJQ1pAwcDDw8KcFtSInwJAowCCA6RIwqZAgkPNgVpWndjdyohACH5BAkKAAAALAAAAAAQABAAAAV5ICACAimc5KieLEuUKvm2xAKLqDCfC2GaO9eL0LABWTiBYmA06W6kHgvCqEJiAIJiu3gcvgUsscHUERm+kaCxyxa+zRPk0SgJEgfIvbAdIAQLCAYlCj4DBw0IBQsMCjIqBAcPAooCBg9pKgsJLwUFOhCZKyQDA3YqIQAh+QQJCgAAACwAAAAAEAAQAAAFdSAgAgIpnOSonmxbqiThCrJKEHFbo8JxDDOZYFFb+A41E4H4OhkOipXwBElYITDAckFEOBgMQ3arkMkUBdxIUGZpEb7kaQBRlASPg0FQQHAbEEMGDSVEAA1QBhAED1E0NgwFAooCDWljaQIQCE5qMHcNhCkjIQAh+QQJCgAAACwAAAAAEAAQAAAFeSAgAgIpnOSoLgxxvqgKLEcCC65KEAByKK8cSpA4DAiHQ/DkKhGKh4ZCtCyZGo6F6iYYPAqFgYy02xkSaLEMV34tELyRYNEsCQyHlvWkGCzsPgMCEAY7Cg04Uk48LAsDhRA8MVQPEF0GAgqYYwSRlycNcWskCkApIyEAOwAAAAAAAAAAAA=="},65653:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADwAAAAoCAYAAACiu5n/AAACLElEQVR42u3Zz0sUYRzH8bUISoyF1i5iXSooyYgOEXapZNYNojwU/aAfUAT9A4YhUgdxt1To0KFIBCMIvEcUEXntUtivpYuUhYFIdDBMmD69he/hObgsbSnb13ngdZjZhX3eO8/MDrMpSctKErwsg//HUSgU7uNYsB3hHla4CybqEoRPaMJGFCEMewxuxnsIk5iALPqg1yVdj9eQGUdjiuE1eAs+QOYztrsMJqwFk8EyHguW95klD+ZD08gsYvBFCBPYgHXBOT1UNpg3ncQpnAicRbrCCQ3j8SIf5QvYEWxvxnlb0mWDr0MIvcOaCiayC78gRKmlH+WDbaIjkJnDzgq/+VHIvMWqag3ehBkIAxXGdkAIDVRlsE24H9//4ty9hju4Hej710c5m83WYging32HMYjMnwSvx75UlQ+iOiDEaEMLZiA8dPc7TFQDnkGYxQ8Iz9Hs8k4riqIa4l5ApojVbm8tiduPL5CZRs5lMGFH8DNYxo+C5d3tMfgohJeow0qMQujxuqRb0RBsZ3DA2ZIuP5LgJDgJToKr4ZHOWjTOy+fzNa6DiezCFGReod1lMGF3IYzjMm5B5rirYIJyEJ4iHezfjW+YRr2n4EHE2LrAa1cg5DwFj2DWLlKljn67p+B+CIdKPAaOsddTcBOEKbTZvjp0Qvjo8Sp9DjJFfIVMjBsef4f34AHeYAxX0VfqMbDnfw97IXMTta6DLbobcxBa3Qdb9BPE2LZQ8G98530ecQi/2QAAAABJRU5ErkJggg=="},32095:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAHgAAABQCAYAAADSm7GJAAADFElEQVR42u2dsW4TQRBAI0ERCYpDpAUdJX/hAlxQ3SekovYXIIvKEiBRIUF1lHT+BP+Br0TCCCsFLW5cmCS3jKWNNFrdZu+EOG7sd9Irkl0p8r3s7Mzs5XLinIMD5uhvAIIBwYBgaMnNNZvNyj0nkUvPQbAdtDjnCSU3zkGwEbS4iOToHATbE6wptVwEGyUhcaW/JkTbT7JcCpIse4K7SC4pk4wRXreE5ZUMUwezgh03lT0YyKKBOhjoZHUi1oCf7mkYohd9ACVFrj50HgxzmtQifKwF15L1fxC8UD9/EQxzHtxC8KiD4FHPNWMhuIACwd33h3kLuXOZ2mc4yyLRZS1kCG6H3uc2Mbl+LO9Z8FRwEaYINnpDdWKVIEdwC/QVC4l97nk6sUqwQHA3wbGEa9Sj4CCxSlIguHtZMg8Tq/4Edy/bLNXB4/G4FKJ1sJ7zTwTrhMuTU3f+NVqc84SSG+bEJR99a3BoaHERybE5HDYYFKwptVwEGyUhcRX5PufBRoiH4Tg80WFMcBfJPJNljfC6JSzzVCUrGMHswUAWDdTBQCcLOveiCdEBnCYBb9kBBAOCAcGAYEDw0XP0NwDBgGBAMCAYEAwIHvD7QzJhIlSCE2rF0o9lav4eBBt5JWHR8EfzdYATfgkFgg2g5J4LdSD1WrjyXDeIPkfwsNErV6/Y38J34aXwWHgkvBJWwi74RSgQPGD8nrtRwrbCe+G0YX9+KHzyc2rPRsgQPFzBEyVrJ7xLvNTsjvBBuFQreYLg4Qpeqv32m3BP+YxJPhUulOAKwQMl2HsnymNK8mudeCF44IK9rCcdBD8XrhBsS/BTBBOibwTPCNEGCFqSX4X7LeSeCRdK8BLBwy6TdIPjo3A3kUF/pkyy1+ioPVsv8KxB7gPhi7BVcndCpqYheKCtSt1+vBR+CG+EZ8IL4a3wU69cRYlgC4cN4UFD/LDBNVAi2NZxYa0Ixe5ikhFs58B/2SC48mOZUMYkI/jw/61diWDzgtOSEWxdcFpyhWDTgtOSEWxccCgZwfZJ9akrJXiKYEDwMfAHMSYobVemsdsAAAAASUVORK5CYII="},59699:t=>{"use strict";t.exports="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7"},34213:t=>{"use strict";t.exports="data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw=="},35548:(t,e,i)=>{"use strict";var n=i(33517),o=i(16823),r=TypeError;t.exports=function(t){if(n(t))return t;throw new r(o(t)+" is not a constructor")}},73506:(t,e,i)=>{"use strict";var n=i(13925),o=String,r=TypeError;t.exports=function(t){if(n(t))return t;throw new r("Can't set "+o(t)+" as a prototype")}},97080:(t,e,i)=>{"use strict";var n=i(94402).has;t.exports=function(t){return n(t),t}},6469:(t,e,i)=>{"use strict";var n=i(78227),o=i(2360),r=i(24913).f,s=n("unscopables"),a=Array.prototype;void 0===a[s]&&r(a,s,{configurable:!0,value:o(null)}),t.exports=function(t){a[s][t]=!0}},90679:(t,e,i)=>{"use strict";var n=i(1625),o=TypeError;t.exports=function(t,e){if(n(e,t))return t;throw new o("Incorrect invocation")}},77811:t=>{"use strict";t.exports="undefined"!=typeof ArrayBuffer&&"undefined"!=typeof DataView},67394:(t,e,i)=>{"use strict";var n=i(44576),o=i(46706),r=i(22195),s=n.ArrayBuffer,a=n.TypeError;t.exports=s&&o(s.prototype,"byteLength","get")||function(t){if("ArrayBuffer"!==r(t))throw new a("ArrayBuffer expected");return t.byteLength}},3238:(t,e,i)=>{"use strict";var n=i(44576),o=i(27476),r=i(67394),s=n.ArrayBuffer,a=s&&s.prototype,c=a&&o(a.slice);t.exports=function(t){if(0!==r(t))return!1;if(!c)return!1;try{return c(t,0,0),!1}catch(t){return!0}}},15652:(t,e,i)=>{"use strict";var n=i(79039);t.exports=n((function(){if("function"==typeof ArrayBuffer){var t=new ArrayBuffer(8);Object.isExtensible(t)&&Object.defineProperty(t,"a",{value:8})}}))},55169:(t,e,i)=>{"use strict";var n=i(3238),o=TypeError;t.exports=function(t){if(n(t))throw new o("ArrayBuffer is detached");return t}},95636:(t,e,i)=>{"use strict";var n=i(44576),o=i(79504),r=i(46706),s=i(57696),a=i(55169),c=i(67394),l=i(94483),u=i(1548),h=n.structuredClone,d=n.ArrayBuffer,p=n.DataView,A=Math.min,f=d.prototype,g=p.prototype,m=o(f.slice),C=r(f,"resizable","get"),b=r(f,"maxByteLength","get"),v=o(g.getInt8),x=o(g.setInt8);t.exports=(u||l)&&function(t,e,i){var n,o=c(t),r=void 0===e?o:s(e),f=!C||!C(t);if(a(t),u&&(t=h(t,{transfer:[t]}),o===r&&(i||f)))return t;if(o>=r&&(!i||f))n=m(t,0,r);else{var g=i&&!f&&b?{maxByteLength:b(t)}:void 0;n=new d(r,g);for(var y=new p(t),w=new p(n),k=A(r,o),B=0;B{"use strict";var n,o,r,s=i(77811),a=i(43724),c=i(44576),l=i(94901),u=i(20034),h=i(39297),d=i(36955),p=i(16823),A=i(66699),f=i(36840),g=i(62106),m=i(1625),C=i(42787),b=i(52967),v=i(78227),x=i(33392),y=i(91181),w=y.enforce,k=y.get,B=c.Int8Array,E=B&&B.prototype,_=c.Uint8ClampedArray,I=_&&_.prototype,D=B&&C(B),S=E&&C(E),T=Object.prototype,O=c.TypeError,M=v("toStringTag"),P=x("TYPED_ARRAY_TAG"),R="TypedArrayConstructor",N=s&&!!b&&"Opera"!==d(c.opera),H=!1,z={Int8Array:1,Uint8Array:1,Uint8ClampedArray:1,Int16Array:2,Uint16Array:2,Int32Array:4,Uint32Array:4,Float32Array:4,Float64Array:8},L={BigInt64Array:8,BigUint64Array:8},F=function(t){var e=C(t);if(u(e)){var i=k(e);return i&&h(i,R)?i[R]:F(e)}},j=function(t){if(!u(t))return!1;var e=d(t);return h(z,e)||h(L,e)};for(n in z)(r=(o=c[n])&&o.prototype)?w(r)[R]=o:N=!1;for(n in L)(r=(o=c[n])&&o.prototype)&&(w(r)[R]=o);if((!N||!l(D)||D===Function.prototype)&&(D=function(){throw new O("Incorrect invocation")},N))for(n in z)c[n]&&b(c[n],D);if((!N||!S||S===T)&&(S=D.prototype,N))for(n in z)c[n]&&b(c[n].prototype,S);if(N&&C(I)!==S&&b(I,S),a&&!h(S,M))for(n in H=!0,g(S,M,{configurable:!0,get:function(){return u(this)?this[P]:void 0}}),z)c[n]&&A(c[n],P,n);t.exports={NATIVE_ARRAY_BUFFER_VIEWS:N,TYPED_ARRAY_TAG:H&&P,aTypedArray:function(t){if(j(t))return t;throw new O("Target is not a typed array")},aTypedArrayConstructor:function(t){if(l(t)&&(!b||m(D,t)))return t;throw new O(p(t)+" is not a typed array constructor")},exportTypedArrayMethod:function(t,e,i,n){if(a){if(i)for(var o in z){var r=c[o];if(r&&h(r.prototype,t))try{delete r.prototype[t]}catch(i){try{r.prototype[t]=e}catch(t){}}}S[t]&&!i||f(S,t,i?e:N&&E[t]||e,n)}},exportTypedArrayStaticMethod:function(t,e,i){var n,o;if(a){if(b){if(i)for(n in z)if((o=c[n])&&h(o,t))try{delete o[t]}catch(t){}if(D[t]&&!i)return;try{return f(D,t,i?e:N&&D[t]||e)}catch(t){}}for(n in z)!(o=c[n])||o[t]&&!i||f(o,t,e)}},getTypedArrayConstructor:F,isView:function(t){if(!u(t))return!1;var e=d(t);return"DataView"===e||h(z,e)||h(L,e)},isTypedArray:j,TypedArray:D,TypedArrayPrototype:S}},66346:(t,e,i)=>{"use strict";var n=i(44576),o=i(79504),r=i(43724),s=i(77811),a=i(10350),c=i(66699),l=i(62106),u=i(56279),h=i(79039),d=i(90679),p=i(91291),A=i(18014),f=i(57696),g=i(15617),m=i(88490),C=i(42787),b=i(52967),v=i(84373),x=i(67680),y=i(23167),w=i(77740),k=i(10687),B=i(91181),E=a.PROPER,_=a.CONFIGURABLE,I="ArrayBuffer",D="DataView",S="prototype",T="Wrong index",O=B.getterFor(I),M=B.getterFor(D),P=B.set,R=n[I],N=R,H=N&&N[S],z=n[D],L=z&&z[S],F=Object.prototype,j=n.Array,U=n.RangeError,W=o(v),Y=o([].reverse),q=m.pack,Q=m.unpack,G=function(t){return[255&t]},X=function(t){return[255&t,t>>8&255]},V=function(t){return[255&t,t>>8&255,t>>16&255,t>>24&255]},K=function(t){return t[3]<<24|t[2]<<16|t[1]<<8|t[0]},J=function(t){return q(g(t),23,4)},Z=function(t){return q(t,52,8)},$=function(t,e,i){l(t[S],e,{configurable:!0,get:function(){return i(this)[e]}})},tt=function(t,e,i,n){var o=M(t),r=f(i),s=!!n;if(r+e>o.byteLength)throw new U(T);var a=o.bytes,c=r+o.byteOffset,l=x(a,c,c+e);return s?l:Y(l)},et=function(t,e,i,n,o,r){var s=M(t),a=f(i),c=n(+o),l=!!r;if(a+e>s.byteLength)throw new U(T);for(var u=s.bytes,h=a+s.byteOffset,d=0;d>24)},setUint8:function(t,e){ot(this,t,e<<24>>24)}},{unsafe:!0})}else H=(N=function(t){d(this,H);var e=f(t);P(this,{type:I,bytes:W(j(e),0),byteLength:e}),r||(this.byteLength=e,this.detached=!1)})[S],L=(z=function(t,e,i){d(this,L),d(t,H);var n=O(t),o=n.byteLength,s=p(e);if(s<0||s>o)throw new U("Wrong offset");if(s+(i=void 0===i?o-s:A(i))>o)throw new U("Wrong length");P(this,{type:D,buffer:t,byteLength:i,byteOffset:s,bytes:n.bytes}),r||(this.buffer=t,this.byteLength=i,this.byteOffset=s)})[S],r&&($(N,"byteLength",O),$(z,"buffer",M),$(z,"byteLength",M),$(z,"byteOffset",M)),u(L,{getInt8:function(t){return tt(this,1,t)[0]<<24>>24},getUint8:function(t){return tt(this,1,t)[0]},getInt16:function(t){var e=tt(this,2,t,arguments.length>1&&arguments[1]);return(e[1]<<8|e[0])<<16>>16},getUint16:function(t){var e=tt(this,2,t,arguments.length>1&&arguments[1]);return e[1]<<8|e[0]},getInt32:function(t){return K(tt(this,4,t,arguments.length>1&&arguments[1]))},getUint32:function(t){return K(tt(this,4,t,arguments.length>1&&arguments[1]))>>>0},getFloat32:function(t){return Q(tt(this,4,t,arguments.length>1&&arguments[1]),23)},getFloat64:function(t){return Q(tt(this,8,t,arguments.length>1&&arguments[1]),52)},setInt8:function(t,e){et(this,1,t,G,e)},setUint8:function(t,e){et(this,1,t,G,e)},setInt16:function(t,e){et(this,2,t,X,e,arguments.length>2&&arguments[2])},setUint16:function(t,e){et(this,2,t,X,e,arguments.length>2&&arguments[2])},setInt32:function(t,e){et(this,4,t,V,e,arguments.length>2&&arguments[2])},setUint32:function(t,e){et(this,4,t,V,e,arguments.length>2&&arguments[2])},setFloat32:function(t,e){et(this,4,t,J,e,arguments.length>2&&arguments[2])},setFloat64:function(t,e){et(this,8,t,Z,e,arguments.length>2&&arguments[2])}});k(N,I),k(z,D),t.exports={ArrayBuffer:N,DataView:z}},57029:(t,e,i)=>{"use strict";var n=i(48981),o=i(35610),r=i(26198),s=i(84606),a=Math.min;t.exports=[].copyWithin||function(t,e){var i=n(this),c=r(i),l=o(t,c),u=o(e,c),h=arguments.length>2?arguments[2]:void 0,d=a((void 0===h?c:o(h,c))-u,c-l),p=1;for(u0;)u in i?i[l]=i[u]:s(i,l),l+=p,u+=p;return i}},84373:(t,e,i)=>{"use strict";var n=i(48981),o=i(35610),r=i(26198);t.exports=function(t){for(var e=n(this),i=r(e),s=arguments.length,a=o(s>1?arguments[1]:void 0,i),c=s>2?arguments[2]:void 0,l=void 0===c?i:o(c,i);l>a;)e[a++]=t;return e}},90235:(t,e,i)=>{"use strict";var n=i(59213).forEach,o=i(34598)("forEach");t.exports=o?[].forEach:function(t){return n(this,t,arguments.length>1?arguments[1]:void 0)}},35370:(t,e,i)=>{"use strict";var n=i(26198);t.exports=function(t,e,i){for(var o=0,r=arguments.length>2?i:n(e),s=new t(r);r>o;)s[o]=e[o++];return s}},97916:(t,e,i)=>{"use strict";var n=i(76080),o=i(69565),r=i(48981),s=i(96319),a=i(44209),c=i(33517),l=i(26198),u=i(97040),h=i(70081),d=i(50851),p=Array;t.exports=function(t){var e=r(t),i=c(this),A=arguments.length,f=A>1?arguments[1]:void 0,g=void 0!==f;g&&(f=n(f,A>2?arguments[2]:void 0));var m,C,b,v,x,y,w=d(e),k=0;if(!w||this===p&&a(w))for(m=l(e),C=i?new this(m):p(m);m>k;k++)y=g?f(e[k],k):e[k],u(C,k,y);else for(C=i?new this:[],x=(v=h(e,w)).next;!(b=o(x,v)).done;k++)y=g?s(v,f,[b.value,k],!0):b.value,u(C,k,y);return C.length=k,C}},43839:(t,e,i)=>{"use strict";var n=i(76080),o=i(47055),r=i(48981),s=i(26198),a=function(t){var e=1===t;return function(i,a,c){for(var l,u=r(i),h=o(u),d=s(h),p=n(a,c);d-- >0;)if(p(l=h[d],d,u))switch(t){case 0:return l;case 1:return d}return e?-1:void 0}};t.exports={findLast:a(0),findLastIndex:a(1)}},59213:(t,e,i)=>{"use strict";var n=i(76080),o=i(79504),r=i(47055),s=i(48981),a=i(26198),c=i(1469),l=o([].push),u=function(t){var e=1===t,i=2===t,o=3===t,u=4===t,h=6===t,d=7===t,p=5===t||h;return function(A,f,g,m){for(var C,b,v=s(A),x=r(v),y=a(x),w=n(f,g),k=0,B=m||c,E=e?B(A,y):i||d?B(A,0):void 0;y>k;k++)if((p||k in x)&&(b=w(C=x[k],k,v),t))if(e)E[k]=b;else if(b)switch(t){case 3:return!0;case 5:return C;case 6:return k;case 2:l(E,C)}else switch(t){case 4:return!1;case 7:l(E,C)}return h?-1:o||u?u:E}};t.exports={forEach:u(0),map:u(1),filter:u(2),some:u(3),every:u(4),find:u(5),findIndex:u(6),filterReject:u(7)}},8379:(t,e,i)=>{"use strict";var n=i(18745),o=i(25397),r=i(91291),s=i(26198),a=i(34598),c=Math.min,l=[].lastIndexOf,u=!!l&&1/[1].lastIndexOf(1,-0)<0,h=a("lastIndexOf"),d=u||!h;t.exports=d?function(t){if(u)return n(l,this,arguments)||0;var e=o(this),i=s(e);if(0===i)return-1;var a=i-1;for(arguments.length>1&&(a=c(a,r(arguments[1]))),a<0&&(a=i+a);a>=0;a--)if(a in e&&e[a]===t)return a||0;return-1}:l},70597:(t,e,i)=>{"use strict";var n=i(79039),o=i(78227),r=i(39519),s=o("species");t.exports=function(t){return r>=51||!n((function(){var e=[];return(e.constructor={})[s]=function(){return{foo:1}},1!==e[t](Boolean).foo}))}},34598:(t,e,i)=>{"use strict";var n=i(79039);t.exports=function(t,e){var i=[][t];return!!i&&n((function(){i.call(null,e||function(){return 1},1)}))}},80926:(t,e,i)=>{"use strict";var n=i(79306),o=i(48981),r=i(47055),s=i(26198),a=TypeError,c="Reduce of empty array with no initial value",l=function(t){return function(e,i,l,u){var h=o(e),d=r(h),p=s(h);if(n(i),0===p&&l<2)throw new a(c);var A=t?p-1:0,f=t?-1:1;if(l<2)for(;;){if(A in d){u=d[A],A+=f;break}if(A+=f,t?A<0:p<=A)throw new a(c)}for(;t?A>=0:p>A;A+=f)A in d&&(u=i(u,d[A],A,h));return u}};t.exports={left:l(!1),right:l(!0)}},34527:(t,e,i)=>{"use strict";var n=i(43724),o=i(34376),r=TypeError,s=Object.getOwnPropertyDescriptor,a=n&&!function(){if(void 0!==this)return!0;try{Object.defineProperty([],"length",{writable:!1}).length=1}catch(t){return t instanceof TypeError}}();t.exports=a?function(t,e){if(o(t)&&!s(t,"length").writable)throw new r("Cannot set read only .length");return t.length=e}:function(t,e){return t.length=e}},67680:(t,e,i)=>{"use strict";var n=i(79504);t.exports=n([].slice)},74488:(t,e,i)=>{"use strict";var n=i(67680),o=Math.floor,r=function(t,e){var i=t.length;if(i<8)for(var s,a,c=1;c0;)t[a]=t[--a];a!==c++&&(t[a]=s)}else for(var l=o(i/2),u=r(n(t,0,l),e),h=r(n(t,l),e),d=u.length,p=h.length,A=0,f=0;A{"use strict";var n=i(34376),o=i(33517),r=i(20034),s=i(78227)("species"),a=Array;t.exports=function(t){var e;return n(t)&&(e=t.constructor,(o(e)&&(e===a||n(e.prototype))||r(e)&&null===(e=e[s]))&&(e=void 0)),void 0===e?a:e}},1469:(t,e,i)=>{"use strict";var n=i(87433);t.exports=function(t,e){return new(n(t))(0===e?0:e)}},37628:(t,e,i)=>{"use strict";var n=i(26198);t.exports=function(t,e){for(var i=n(t),o=new e(i),r=0;r{"use strict";var n=i(26198),o=i(91291),r=RangeError;t.exports=function(t,e,i,s){var a=n(t),c=o(i),l=c<0?a+c:c;if(l>=a||l<0)throw new r("Incorrect index");for(var u=new e(a),h=0;h{"use strict";var e="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789",i=e+"+/",n=e+"-_",o=function(t){for(var e={},i=0;i<64;i++)e[t.charAt(i)]=i;return e};t.exports={i2c:i,c2i:o(i),i2cUrl:n,c2iUrl:o(n)}},96319:(t,e,i)=>{"use strict";var n=i(28551),o=i(9539);t.exports=function(t,e,i,r){try{return r?e(n(i)[0],i[1]):e(i)}catch(e){o(t,"throw",e)}}},84428:(t,e,i)=>{"use strict";var n=i(78227)("iterator"),o=!1;try{var r=0,s={next:function(){return{done:!!r++}},return:function(){o=!0}};s[n]=function(){return this},Array.from(s,(function(){throw 2}))}catch(t){}t.exports=function(t,e){try{if(!e&&!o)return!1}catch(t){return!1}var i=!1;try{var r={};r[n]=function(){return{next:function(){return{done:i=!0}}}},t(r)}catch(t){}return i}},86938:(t,e,i)=>{"use strict";var n=i(2360),o=i(62106),r=i(56279),s=i(76080),a=i(90679),c=i(64117),l=i(72652),u=i(51088),h=i(62529),d=i(87633),p=i(43724),A=i(3451).fastKey,f=i(91181),g=f.set,m=f.getterFor;t.exports={getConstructor:function(t,e,i,u){var h=t((function(t,o){a(t,d),g(t,{type:e,index:n(null),first:null,last:null,size:0}),p||(t.size=0),c(o)||l(o,t[u],{that:t,AS_ENTRIES:i})})),d=h.prototype,f=m(e),C=function(t,e,i){var n,o,r=f(t),s=b(t,e);return s?s.value=i:(r.last=s={index:o=A(e,!0),key:e,value:i,previous:n=r.last,next:null,removed:!1},r.first||(r.first=s),n&&(n.next=s),p?r.size++:t.size++,"F"!==o&&(r.index[o]=s)),t},b=function(t,e){var i,n=f(t),o=A(e);if("F"!==o)return n.index[o];for(i=n.first;i;i=i.next)if(i.key===e)return i};return r(d,{clear:function(){for(var t=f(this),e=t.first;e;)e.removed=!0,e.previous&&(e.previous=e.previous.next=null),e=e.next;t.first=t.last=null,t.index=n(null),p?t.size=0:this.size=0},delete:function(t){var e=this,i=f(e),n=b(e,t);if(n){var o=n.next,r=n.previous;delete i.index[n.index],n.removed=!0,r&&(r.next=o),o&&(o.previous=r),i.first===n&&(i.first=o),i.last===n&&(i.last=r),p?i.size--:e.size--}return!!n},forEach:function(t){for(var e,i=f(this),n=s(t,arguments.length>1?arguments[1]:void 0);e=e?e.next:i.first;)for(n(e.value,e.key,this);e&&e.removed;)e=e.previous},has:function(t){return!!b(this,t)}}),r(d,i?{get:function(t){var e=b(this,t);return e&&e.value},set:function(t,e){return C(this,0===t?0:t,e)}}:{add:function(t){return C(this,t=0===t?0:t,t)}}),p&&o(d,"size",{configurable:!0,get:function(){return f(this).size}}),h},setStrong:function(t,e,i){var n=e+" Iterator",o=m(e),r=m(n);u(t,e,(function(t,e){g(this,{type:n,target:t,state:o(t),kind:e,last:null})}),(function(){for(var t=r(this),e=t.kind,i=t.last;i&&i.removed;)i=i.previous;return t.target&&(t.last=i=i?i.next:t.state.first)?h("keys"===e?i.key:"values"===e?i.value:[i.key,i.value],!1):(t.target=null,h(void 0,!0))}),i?"entries":"values",!i,!0),d(e)}}},91625:(t,e,i)=>{"use strict";var n=i(79504),o=i(56279),r=i(3451).getWeakData,s=i(90679),a=i(28551),c=i(64117),l=i(20034),u=i(72652),h=i(59213),d=i(39297),p=i(91181),A=p.set,f=p.getterFor,g=h.find,m=h.findIndex,C=n([].splice),b=0,v=function(t){return t.frozen||(t.frozen=new x)},x=function(){this.entries=[]},y=function(t,e){return g(t.entries,(function(t){return t[0]===e}))};x.prototype={get:function(t){var e=y(this,t);if(e)return e[1]},has:function(t){return!!y(this,t)},set:function(t,e){var i=y(this,t);i?i[1]=e:this.entries.push([t,e])},delete:function(t){var e=m(this.entries,(function(e){return e[0]===t}));return~e&&C(this.entries,e,1),!!~e}},t.exports={getConstructor:function(t,e,i,n){var h=t((function(t,o){s(t,p),A(t,{type:e,id:b++,frozen:null}),c(o)||u(o,t[n],{that:t,AS_ENTRIES:i})})),p=h.prototype,g=f(e),m=function(t,e,i){var n=g(t),o=r(a(e),!0);return!0===o?v(n).set(e,i):o[n.id]=i,t};return o(p,{delete:function(t){var e=g(this);if(!l(t))return!1;var i=r(t);return!0===i?v(e).delete(t):i&&d(i,e.id)&&delete i[e.id]},has:function(t){var e=g(this);if(!l(t))return!1;var i=r(t);return!0===i?v(e).has(t):i&&d(i,e.id)}}),o(p,i?{get:function(t){var e=g(this);if(l(t)){var i=r(t);if(!0===i)return v(e).get(t);if(i)return i[e.id]}},set:function(t,e){return m(this,t,e)}}:{add:function(t){return m(this,t,!0)}}),h}}},16468:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(79504),s=i(92796),a=i(36840),c=i(3451),l=i(72652),u=i(90679),h=i(94901),d=i(64117),p=i(20034),A=i(79039),f=i(84428),g=i(10687),m=i(23167);t.exports=function(t,e,i){var C=-1!==t.indexOf("Map"),b=-1!==t.indexOf("Weak"),v=C?"set":"add",x=o[t],y=x&&x.prototype,w=x,k={},B=function(t){var e=r(y[t]);a(y,t,"add"===t?function(t){return e(this,0===t?0:t),this}:"delete"===t?function(t){return!(b&&!p(t))&&e(this,0===t?0:t)}:"get"===t?function(t){return b&&!p(t)?void 0:e(this,0===t?0:t)}:"has"===t?function(t){return!(b&&!p(t))&&e(this,0===t?0:t)}:function(t,i){return e(this,0===t?0:t,i),this})};if(s(t,!h(x)||!(b||y.forEach&&!A((function(){(new x).entries().next()})))))w=i.getConstructor(e,t,C,v),c.enable();else if(s(t,!0)){var E=new w,_=E[v](b?{}:-0,1)!==E,I=A((function(){E.has(1)})),D=f((function(t){new x(t)})),S=!b&&A((function(){for(var t=new x,e=5;e--;)t[v](e,e);return!t.has(-0)}));D||((w=e((function(t,e){u(t,y);var i=m(new x,t,w);return d(e)||l(e,i[v],{that:i,AS_ENTRIES:C}),i}))).prototype=y,y.constructor=w),(I||S)&&(B("delete"),B("has"),C&&B("get")),(S||_)&&B(v),b&&y.clear&&delete y.clear}return k[t]=w,n({global:!0,constructor:!0,forced:w!==x},k),g(w,t),b||i.setStrong(w,t,C),w}},41436:(t,e,i)=>{"use strict";var n=i(78227)("match");t.exports=function(t){var e=/./;try{"/./"[t](e)}catch(i){try{return e[n]=!1,"/./"[t](e)}catch(t){}}return!1}},12211:(t,e,i)=>{"use strict";var n=i(79039);t.exports=!n((function(){function t(){}return t.prototype.constructor=null,Object.getPrototypeOf(new t)!==t.prototype}))},77240:(t,e,i)=>{"use strict";var n=i(79504),o=i(67750),r=i(655),s=/"/g,a=n("".replace);t.exports=function(t,e,i,n){var c=r(o(t)),l="<"+e;return""!==i&&(l+=" "+i+'="'+a(r(n),s,""")+'"'),l+">"+c+""}},62529:t=>{"use strict";t.exports=function(t,e){return{value:t,done:e}}},97040:(t,e,i)=>{"use strict";var n=i(43724),o=i(24913),r=i(6980);t.exports=function(t,e,i){n?o.f(t,e,r(0,i)):t[e]=i}},70380:(t,e,i)=>{"use strict";var n=i(79504),o=i(79039),r=i(60533).start,s=RangeError,a=isFinite,c=Math.abs,l=Date.prototype,u=l.toISOString,h=n(l.getTime),d=n(l.getUTCDate),p=n(l.getUTCFullYear),A=n(l.getUTCHours),f=n(l.getUTCMilliseconds),g=n(l.getUTCMinutes),m=n(l.getUTCMonth),C=n(l.getUTCSeconds);t.exports=o((function(){return"0385-07-25T07:06:39.999Z"!==u.call(new Date(-50000000000001))}))||!o((function(){u.call(new Date(NaN))}))?function(){if(!a(h(this)))throw new s("Invalid time value");var t=this,e=p(t),i=f(t),n=e<0?"-":e>9999?"+":"";return n+r(c(e),n?6:4,0)+"-"+r(m(t)+1,2,0)+"-"+r(d(t),2,0)+"T"+r(A(t),2,0)+":"+r(g(t),2,0)+":"+r(C(t),2,0)+"."+r(i,3,0)+"Z"}:u},53640:(t,e,i)=>{"use strict";var n=i(28551),o=i(84270),r=TypeError;t.exports=function(t){if(n(this),"string"===t||"default"===t)t="string";else if("number"!==t)throw new r("Incorrect hint");return o(this,t)}},62106:(t,e,i)=>{"use strict";var n=i(50283),o=i(24913);t.exports=function(t,e,i){return i.get&&n(i.get,e,{getter:!0}),i.set&&n(i.set,e,{setter:!0}),o.f(t,e,i)}},56279:(t,e,i)=>{"use strict";var n=i(36840);t.exports=function(t,e,i){for(var o in e)n(t,o,e[o],i);return t}},84606:(t,e,i)=>{"use strict";var n=i(16823),o=TypeError;t.exports=function(t,e){if(!delete t[e])throw new o("Cannot delete property "+n(e)+" of "+n(t))}},94483:(t,e,i)=>{"use strict";var n,o,r,s,a=i(44576),c=i(89429),l=i(1548),u=a.structuredClone,h=a.ArrayBuffer,d=a.MessageChannel,p=!1;if(l)p=function(t){u(t,{transfer:[t]})};else if(h)try{d||(n=c("worker_threads"))&&(d=n.MessageChannel),d&&(o=new d,r=new h(2),s=function(t){o.port1.postMessage(null,[t])},2===r.byteLength&&(s(r),0===r.byteLength&&(p=s)))}catch(t){}t.exports=p},96837:t=>{"use strict";var e=TypeError;t.exports=function(t){if(t>9007199254740991)throw e("Maximum allowed index exceeded");return t}},55002:t=>{"use strict";t.exports={IndexSizeError:{s:"INDEX_SIZE_ERR",c:1,m:1},DOMStringSizeError:{s:"DOMSTRING_SIZE_ERR",c:2,m:0},HierarchyRequestError:{s:"HIERARCHY_REQUEST_ERR",c:3,m:1},WrongDocumentError:{s:"WRONG_DOCUMENT_ERR",c:4,m:1},InvalidCharacterError:{s:"INVALID_CHARACTER_ERR",c:5,m:1},NoDataAllowedError:{s:"NO_DATA_ALLOWED_ERR",c:6,m:0},NoModificationAllowedError:{s:"NO_MODIFICATION_ALLOWED_ERR",c:7,m:1},NotFoundError:{s:"NOT_FOUND_ERR",c:8,m:1},NotSupportedError:{s:"NOT_SUPPORTED_ERR",c:9,m:1},InUseAttributeError:{s:"INUSE_ATTRIBUTE_ERR",c:10,m:1},InvalidStateError:{s:"INVALID_STATE_ERR",c:11,m:1},SyntaxError:{s:"SYNTAX_ERR",c:12,m:1},InvalidModificationError:{s:"INVALID_MODIFICATION_ERR",c:13,m:1},NamespaceError:{s:"NAMESPACE_ERR",c:14,m:1},InvalidAccessError:{s:"INVALID_ACCESS_ERR",c:15,m:1},ValidationError:{s:"VALIDATION_ERR",c:16,m:0},TypeMismatchError:{s:"TYPE_MISMATCH_ERR",c:17,m:1},SecurityError:{s:"SECURITY_ERR",c:18,m:1},NetworkError:{s:"NETWORK_ERR",c:19,m:1},AbortError:{s:"ABORT_ERR",c:20,m:1},URLMismatchError:{s:"URL_MISMATCH_ERR",c:21,m:1},QuotaExceededError:{s:"QUOTA_EXCEEDED_ERR",c:22,m:1},TimeoutError:{s:"TIMEOUT_ERR",c:23,m:1},InvalidNodeTypeError:{s:"INVALID_NODE_TYPE_ERR",c:24,m:1},DataCloneError:{s:"DATA_CLONE_ERR",c:25,m:1}}},67400:t=>{"use strict";t.exports={CSSRuleList:0,CSSStyleDeclaration:0,CSSValueList:0,ClientRectList:0,DOMRectList:0,DOMStringList:0,DOMTokenList:1,DataTransferItemList:0,FileList:0,HTMLAllCollection:0,HTMLCollection:0,HTMLFormElement:0,HTMLSelectElement:0,MediaList:0,MimeTypeArray:0,NamedNodeMap:0,NodeList:1,PaintRequestList:0,Plugin:0,PluginArray:0,SVGLengthList:0,SVGNumberList:0,SVGPathSegList:0,SVGPointList:0,SVGStringList:0,SVGTransformList:0,SourceBufferList:0,StyleSheetList:0,TextTrackCueList:0,TextTrackList:0,TouchList:0}},79296:(t,e,i)=>{"use strict";var n=i(4055)("span").classList,o=n&&n.constructor&&n.constructor.prototype;t.exports=o===Object.prototype?void 0:o},13709:(t,e,i)=>{"use strict";var n=i(82839).match(/firefox\/(\d+)/i);t.exports=!!n&&+n[1]},13763:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/MSIE|Trident/.test(n)},44265:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/ipad|iphone|ipod/i.test(n)&&"undefined"!=typeof Pebble},89544:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/(?:ipad|iphone|ipod).*applewebkit/i.test(n)},38574:(t,e,i)=>{"use strict";var n=i(84215);t.exports="NODE"===n},7860:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/web0s(?!.*chrome)/i.test(n)},3607:(t,e,i)=>{"use strict";var n=i(82839).match(/AppleWebKit\/(\d+)\./);t.exports=!!n&&+n[1]},84215:(t,e,i)=>{"use strict";var n=i(44576),o=i(82839),r=i(22195),s=function(t){return o.slice(0,t.length)===t};t.exports=s("Bun/")?"BUN":s("Cloudflare-Workers")?"CLOUDFLARE":s("Deno/")?"DENO":s("Node.js/")?"NODE":n.Bun&&"string"==typeof Bun.version?"BUN":n.Deno&&"object"==typeof Deno.version?"DENO":"process"===r(n.process)?"NODE":n.window&&n.document?"BROWSER":"REST"},16193:(t,e,i)=>{"use strict";var n=i(79504),o=Error,r=n("".replace),s=String(new o("zxcasd").stack),a=/\n\s*at [^:]*:[^\n]*/,c=a.test(s);t.exports=function(t,e){if(c&&"string"==typeof t&&!o.prepareStackTrace)for(;e--;)t=r(t,a,"");return t}},80747:(t,e,i)=>{"use strict";var n=i(66699),o=i(16193),r=i(24659),s=Error.captureStackTrace;t.exports=function(t,e,i,a){r&&(s?s(t,e):n(t,"stack",o(i,a)))}},24659:(t,e,i)=>{"use strict";var n=i(79039),o=i(6980);t.exports=!n((function(){var t=new Error("a");return!("stack"in t)||(Object.defineProperty(t,"stack",o(1,7)),7!==t.stack)}))},77536:(t,e,i)=>{"use strict";var n=i(43724),o=i(79039),r=i(28551),s=i(32603),a=Error.prototype.toString,c=o((function(){if(n){var t=Object.create(Object.defineProperty({},"name",{get:function(){return this===t}}));if("true"!==a.call(t))return!0}return"2: 1"!==a.call({message:1,name:2})||"Error"!==a.call({})}));t.exports=c?function(){var t=r(this),e=s(t.name,"Error"),i=s(t.message);return e?i?e+": "+i:e:i}:a},70259:(t,e,i)=>{"use strict";var n=i(34376),o=i(26198),r=i(96837),s=i(76080),a=function(t,e,i,c,l,u,h,d){for(var p,A,f=l,g=0,m=!!h&&s(h,d);g0&&n(p)?(A=o(p),f=a(t,e,p,A,f,u-1)-1):(r(f+1),t[f]=p),f++),g++;return f};t.exports=a},92744:(t,e,i)=>{"use strict";var n=i(79039);t.exports=!n((function(){return Object.isExtensible(Object.preventExtensions({}))}))},76080:(t,e,i)=>{"use strict";var n=i(27476),o=i(79306),r=i(40616),s=n(n.bind);t.exports=function(t,e){return o(t),void 0===e?t:r?s(t,e):function(){return t.apply(e,arguments)}}},30566:(t,e,i)=>{"use strict";var n=i(79504),o=i(79306),r=i(20034),s=i(39297),a=i(67680),c=i(40616),l=Function,u=n([].concat),h=n([].join),d={};t.exports=c?l.bind:function(t){var e=o(this),i=e.prototype,n=a(arguments,1),c=function(){var i=u(n,a(arguments));return this instanceof c?function(t,e,i){if(!s(d,e)){for(var n=[],o=0;o{"use strict";var n=i(79504),o=i(79306);t.exports=function(t,e,i){try{return n(o(Object.getOwnPropertyDescriptor(t,e)[i]))}catch(t){}}},27476:(t,e,i)=>{"use strict";var n=i(22195),o=i(79504);t.exports=function(t){if("Function"===n(t))return o(t)}},89429:(t,e,i)=>{"use strict";var n=i(44576),o=i(38574);t.exports=function(t){if(o){try{return n.process.getBuiltinModule(t)}catch(t){}try{return Function('return require("'+t+'")')()}catch(t){}}}},44124:(t,e,i)=>{"use strict";var n=i(44576);t.exports=function(t,e){var i=n[t],o=i&&i.prototype;return o&&o[e]}},1767:t=>{"use strict";t.exports=function(t){return{iterator:t,next:t.next,done:!1}}},50851:(t,e,i)=>{"use strict";var n=i(36955),o=i(55966),r=i(64117),s=i(26269),a=i(78227)("iterator");t.exports=function(t){if(!r(t))return o(t,a)||o(t,"@@iterator")||s[n(t)]}},70081:(t,e,i)=>{"use strict";var n=i(69565),o=i(79306),r=i(28551),s=i(16823),a=i(50851),c=TypeError;t.exports=function(t,e){var i=arguments.length<2?a(t):e;if(o(i))return r(n(i,t));throw new c(s(t)+" is not iterable")}},66933:(t,e,i)=>{"use strict";var n=i(79504),o=i(34376),r=i(94901),s=i(22195),a=i(655),c=n([].push);t.exports=function(t){if(r(t))return t;if(o(t)){for(var e=t.length,i=[],n=0;n{"use strict";var n=i(79306),o=i(28551),r=i(69565),s=i(91291),a=i(1767),c="Invalid size",l=RangeError,u=TypeError,h=Math.max,d=function(t,e){this.set=t,this.size=h(e,0),this.has=n(t.has),this.keys=n(t.keys)};d.prototype={getIterator:function(){return a(o(r(this.keys,this.set)))},includes:function(t){return r(this.has,this.set,t)}},t.exports=function(t){o(t);var e=+t.size;if(e!=e)throw new u(c);var i=s(e);if(i<0)throw new l(c);return new d(t,i)}},90757:t=>{"use strict";t.exports=function(t,e){try{1===arguments.length?console.error(t):console.error(t,e)}catch(t){}}},88490:t=>{"use strict";var e=Array,i=Math.abs,n=Math.pow,o=Math.floor,r=Math.log,s=Math.LN2;t.exports={pack:function(t,a,c){var l,u,h,d=e(c),p=8*c-a-1,A=(1<>1,g=23===a?n(2,-24)-n(2,-77):0,m=t<0||0===t&&1/t<0?1:0,C=0;for((t=i(t))!=t||t===1/0?(u=t!=t?1:0,l=A):(l=o(r(t)/s),t*(h=n(2,-l))<1&&(l--,h*=2),(t+=l+f>=1?g/h:g*n(2,1-f))*h>=2&&(l++,h/=2),l+f>=A?(u=0,l=A):l+f>=1?(u=(t*h-1)*n(2,a),l+=f):(u=t*n(2,f-1)*n(2,a),l=0));a>=8;)d[C++]=255&u,u/=256,a-=8;for(l=l<0;)d[C++]=255&l,l/=256,p-=8;return d[C-1]|=128*m,d},unpack:function(t,e){var i,o=t.length,r=8*o-e-1,s=(1<>1,c=r-7,l=o-1,u=t[l--],h=127&u;for(u>>=7;c>0;)h=256*h+t[l--],c-=8;for(i=h&(1<<-c)-1,h>>=-c,c+=e;c>0;)i=256*i+t[l--],c-=8;if(0===h)h=1-a;else{if(h===s)return i?NaN:u?-1/0:1/0;i+=n(2,e),h-=a}return(u?-1:1)*i*n(2,h-e)}}},23167:(t,e,i)=>{"use strict";var n=i(94901),o=i(20034),r=i(52967);t.exports=function(t,e,i){var s,a;return r&&n(s=e.constructor)&&s!==i&&o(a=s.prototype)&&a!==i.prototype&&r(t,a),t}},77584:(t,e,i)=>{"use strict";var n=i(20034),o=i(66699);t.exports=function(t,e){n(e)&&"cause"in e&&o(t,"cause",e.cause)}},3451:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(30421),s=i(20034),a=i(39297),c=i(24913).f,l=i(38480),u=i(10298),h=i(34124),d=i(33392),p=i(92744),A=!1,f=d("meta"),g=0,m=function(t){c(t,f,{value:{objectID:"O"+g++,weakData:{}}})},C=t.exports={enable:function(){C.enable=function(){},A=!0;var t=l.f,e=o([].splice),i={};i[f]=1,t(i).length&&(l.f=function(i){for(var n=t(i),o=0,r=n.length;o{"use strict";var n=i(78227),o=i(26269),r=n("iterator"),s=Array.prototype;t.exports=function(t){return void 0!==t&&(o.Array===t||s[r]===t)}},34376:(t,e,i)=>{"use strict";var n=i(22195);t.exports=Array.isArray||function(t){return"Array"===n(t)}},18727:(t,e,i)=>{"use strict";var n=i(36955);t.exports=function(t){var e=n(t);return"BigInt64Array"===e||"BigUint64Array"===e}},33517:(t,e,i)=>{"use strict";var n=i(79504),o=i(79039),r=i(94901),s=i(36955),a=i(97751),c=i(33706),l=function(){},u=a("Reflect","construct"),h=/^\s*(?:class|function)\b/,d=n(h.exec),p=!h.test(l),A=function(t){if(!r(t))return!1;try{return u(l,[],t),!0}catch(t){return!1}},f=function(t){if(!r(t))return!1;switch(s(t)){case"AsyncFunction":case"GeneratorFunction":case"AsyncGeneratorFunction":return!1}try{return p||!!d(h,c(t))}catch(t){return!0}};f.sham=!0,t.exports=!u||o((function(){var t;return A(A.call)||!A(Object)||!A((function(){t=!0}))||t}))?f:A},16575:(t,e,i)=>{"use strict";var n=i(39297);t.exports=function(t){return void 0!==t&&(n(t,"value")||n(t,"writable"))}},2087:(t,e,i)=>{"use strict";var n=i(20034),o=Math.floor;t.exports=Number.isInteger||function(t){return!n(t)&&isFinite(t)&&o(t)===t}},13925:(t,e,i)=>{"use strict";var n=i(20034);t.exports=function(t){return n(t)||null===t}},60788:(t,e,i)=>{"use strict";var n=i(20034),o=i(22195),r=i(78227)("match");t.exports=function(t){var e;return n(t)&&(void 0!==(e=t[r])?!!e:"RegExp"===o(t))}},40507:(t,e,i)=>{"use strict";var n=i(69565);t.exports=function(t,e,i){for(var o,r,s=i?t:t.iterator,a=t.next;!(o=n(a,s)).done;)if(void 0!==(r=e(o.value)))return r}},72652:(t,e,i)=>{"use strict";var n=i(76080),o=i(69565),r=i(28551),s=i(16823),a=i(44209),c=i(26198),l=i(1625),u=i(70081),h=i(50851),d=i(9539),p=TypeError,A=function(t,e){this.stopped=t,this.result=e},f=A.prototype;t.exports=function(t,e,i){var g,m,C,b,v,x,y,w=i&&i.that,k=!(!i||!i.AS_ENTRIES),B=!(!i||!i.IS_RECORD),E=!(!i||!i.IS_ITERATOR),_=!(!i||!i.INTERRUPTED),I=n(e,w),D=function(t){return g&&d(g,"normal",t),new A(!0,t)},S=function(t){return k?(r(t),_?I(t[0],t[1],D):I(t[0],t[1])):_?I(t,D):I(t)};if(B)g=t.iterator;else if(E)g=t;else{if(!(m=h(t)))throw new p(s(t)+" is not iterable");if(a(m)){for(C=0,b=c(t);b>C;C++)if((v=S(t[C]))&&l(f,v))return v;return new A(!1)}g=u(t,m)}for(x=B?t.next:g.next;!(y=o(x,g)).done;){try{v=S(y.value)}catch(t){d(g,"throw",t)}if("object"==typeof v&&v&&l(f,v))return v}return new A(!1)}},9539:(t,e,i)=>{"use strict";var n=i(69565),o=i(28551),r=i(55966);t.exports=function(t,e,i){var s,a;o(t);try{if(!(s=r(t,"return"))){if("throw"===e)throw i;return i}s=n(s,t)}catch(t){a=!0,s=t}if("throw"===e)throw i;if(a)throw s;return o(s),i}},33994:(t,e,i)=>{"use strict";var n=i(57657).IteratorPrototype,o=i(2360),r=i(6980),s=i(10687),a=i(26269),c=function(){return this};t.exports=function(t,e,i,l){var u=e+" Iterator";return t.prototype=o(n,{next:r(+!l,i)}),s(t,u,!1,!0),a[u]=c,t}},51088:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(96395),s=i(10350),a=i(94901),c=i(33994),l=i(42787),u=i(52967),h=i(10687),d=i(66699),p=i(36840),A=i(78227),f=i(26269),g=i(57657),m=s.PROPER,C=s.CONFIGURABLE,b=g.IteratorPrototype,v=g.BUGGY_SAFARI_ITERATORS,x=A("iterator"),y="keys",w="values",k="entries",B=function(){return this};t.exports=function(t,e,i,s,A,g,E){c(i,e,s);var _,I,D,S=function(t){if(t===A&&R)return R;if(!v&&t&&t in M)return M[t];switch(t){case y:case w:case k:return function(){return new i(this,t)}}return function(){return new i(this)}},T=e+" Iterator",O=!1,M=t.prototype,P=M[x]||M["@@iterator"]||A&&M[A],R=!v&&P||S(A),N="Array"===e&&M.entries||P;if(N&&(_=l(N.call(new t)))!==Object.prototype&&_.next&&(r||l(_)===b||(u?u(_,b):a(_[x])||p(_,x,B)),h(_,T,!0,!0),r&&(f[T]=B)),m&&A===w&&P&&P.name!==w&&(!r&&C?d(M,"name",w):(O=!0,R=function(){return o(P,this)})),A)if(I={values:S(w),keys:g?R:S(y),entries:S(k)},E)for(D in I)(v||O||!(D in M))&&p(M,D,I[D]);else n({target:e,proto:!0,forced:v||O},I);return r&&!E||M[x]===R||p(M,x,R,{name:A}),f[e]=R,I}},57657:(t,e,i)=>{"use strict";var n,o,r,s=i(79039),a=i(94901),c=i(20034),l=i(2360),u=i(42787),h=i(36840),d=i(78227),p=i(96395),A=d("iterator"),f=!1;[].keys&&("next"in(r=[].keys())?(o=u(u(r)))!==Object.prototype&&(n=o):f=!0),!c(n)||s((function(){var t={};return n[A].call(t)!==t}))?n={}:p&&(n=l(n)),a(n[A])||h(n,A,(function(){return this})),t.exports={IteratorPrototype:n,BUGGY_SAFARI_ITERATORS:f}},26269:t=>{"use strict";t.exports={}},72248:(t,e,i)=>{"use strict";var n=i(79504),o=Map.prototype;t.exports={Map,set:n(o.set),get:n(o.get),has:n(o.has),remove:n(o.delete),proto:o}},53250:t=>{"use strict";var e=Math.expm1,i=Math.exp;t.exports=!e||e(10)>22025.465794806718||e(10)<22025.465794806718||-2e-17!==e(-2e-17)?function(t){var e=+t;return 0===e?e:e>-1e-6&&e<1e-6?e+e*e/2:i(e)-1}:e},33164:(t,e,i)=>{"use strict";var n=i(77782),o=Math.abs,r=2220446049250313e-31,s=1/r;t.exports=function(t,e,i,a){var c=+t,l=o(c),u=n(c);if(li||d!=d?u*(1/0):u*d}},15617:(t,e,i)=>{"use strict";var n=i(33164);t.exports=Math.fround||function(t){return n(t,1.1920928955078125e-7,34028234663852886e22,11754943508222875e-54)}},49340:t=>{"use strict";var e=Math.log,i=Math.LOG10E;t.exports=Math.log10||function(t){return e(t)*i}},7740:t=>{"use strict";var e=Math.log;t.exports=Math.log1p||function(t){var i=+t;return i>-1e-8&&i<1e-8?i-i*i/2:e(1+i)}},77782:t=>{"use strict";t.exports=Math.sign||function(t){var e=+t;return 0===e||e!=e?e:e<0?-1:1}},91955:(t,e,i)=>{"use strict";var n,o,r,s,a,c=i(44576),l=i(93389),u=i(76080),h=i(59225).set,d=i(18265),p=i(89544),A=i(44265),f=i(7860),g=i(38574),m=c.MutationObserver||c.WebKitMutationObserver,C=c.document,b=c.process,v=c.Promise,x=l("queueMicrotask");if(!x){var y=new d,w=function(){var t,e;for(g&&(t=b.domain)&&t.exit();e=y.get();)try{e()}catch(t){throw y.head&&n(),t}t&&t.enter()};p||g||f||!m||!C?!A&&v&&v.resolve?((s=v.resolve(void 0)).constructor=v,a=u(s.then,s),n=function(){a(w)}):g?n=function(){b.nextTick(w)}:(h=u(h,c),n=function(){h(w)}):(o=!0,r=C.createTextNode(""),new m(w).observe(r,{characterData:!0}),n=function(){r.data=o=!o}),x=function(t){y.head||n(),y.add(t)}}t.exports=x},36043:(t,e,i)=>{"use strict";var n=i(79306),o=TypeError,r=function(t){var e,i;this.promise=new t((function(t,n){if(void 0!==e||void 0!==i)throw new o("Bad Promise constructor");e=t,i=n})),this.resolve=n(e),this.reject=n(i)};t.exports.f=function(t){return new r(t)}},32603:(t,e,i)=>{"use strict";var n=i(655);t.exports=function(t,e){return void 0===t?arguments.length<2?"":e:n(t)}},60511:(t,e,i)=>{"use strict";var n=i(60788),o=TypeError;t.exports=function(t){if(n(t))throw new o("The method doesn't accept regular expressions");return t}},50360:(t,e,i)=>{"use strict";var n=i(44576).isFinite;t.exports=Number.isFinite||function(t){return"number"==typeof t&&n(t)}},33904:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(79504),s=i(655),a=i(43802).trim,c=i(47452),l=r("".charAt),u=n.parseFloat,h=n.Symbol,d=h&&h.iterator,p=1/u(c+"-0")!=-1/0||d&&!o((function(){u(Object(d))}));t.exports=p?function(t){var e=a(s(t)),i=u(e);return 0===i&&"-"===l(e,0)?-0:i}:u},52703:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(79504),s=i(655),a=i(43802).trim,c=i(47452),l=n.parseInt,u=n.Symbol,h=u&&u.iterator,d=/^[+-]?0x/i,p=r(d.exec),A=8!==l(c+"08")||22!==l(c+"0x16")||h&&!o((function(){l(Object(h))}));t.exports=A?function(t,e){var i=a(s(t));return l(i,e>>>0||(p(d,i)?16:10))}:l},44213:(t,e,i)=>{"use strict";var n=i(43724),o=i(79504),r=i(69565),s=i(79039),a=i(71072),c=i(33717),l=i(48773),u=i(48981),h=i(47055),d=Object.assign,p=Object.defineProperty,A=o([].concat);t.exports=!d||s((function(){if(n&&1!==d({b:1},d(p({},"a",{enumerable:!0,get:function(){p(this,"b",{value:3,enumerable:!1})}}),{b:2})).b)return!0;var t={},e={},i=Symbol("assign detection"),o="abcdefghijklmnopqrst";return t[i]=7,o.split("").forEach((function(t){e[t]=t})),7!==d({},t)[i]||a(d({},e)).join("")!==o}))?function(t,e){for(var i=u(t),o=arguments.length,s=1,d=c.f,p=l.f;o>s;)for(var f,g=h(arguments[s++]),m=d?A(a(g),d(g)):a(g),C=m.length,b=0;C>b;)f=m[b++],n&&!r(p,g,f)||(i[f]=g[f]);return i}:d},10298:(t,e,i)=>{"use strict";var n=i(22195),o=i(25397),r=i(38480).f,s=i(67680),a="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[];t.exports.f=function(t){return a&&"Window"===n(t)?function(t){try{return r(t)}catch(t){return s(a)}}(t):r(o(t))}},42787:(t,e,i)=>{"use strict";var n=i(39297),o=i(94901),r=i(48981),s=i(66119),a=i(12211),c=s("IE_PROTO"),l=Object,u=l.prototype;t.exports=a?l.getPrototypeOf:function(t){var e=r(t);if(n(e,c))return e[c];var i=e.constructor;return o(i)&&e instanceof i?i.prototype:e instanceof l?u:null}},34124:(t,e,i)=>{"use strict";var n=i(79039),o=i(20034),r=i(22195),s=i(15652),a=Object.isExtensible,c=n((function(){a(1)}));t.exports=c||s?function(t){return!!o(t)&&(!s||"ArrayBuffer"!==r(t))&&(!a||a(t))}:a},42551:(t,e,i)=>{"use strict";var n=i(96395),o=i(44576),r=i(79039),s=i(3607);t.exports=n||!r((function(){if(!(s&&s<535)){var t=Math.random();__defineSetter__.call(null,t,(function(){})),delete o[t]}}))},52967:(t,e,i)=>{"use strict";var n=i(46706),o=i(20034),r=i(67750),s=i(73506);t.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var t,e=!1,i={};try{(t=n(Object.prototype,"__proto__","set"))(i,[]),e=i instanceof Array}catch(t){}return function(i,n){return r(i),s(n),o(i)?(e?t(i,n):i.__proto__=n,i):i}}():void 0)},32357:(t,e,i)=>{"use strict";var n=i(43724),o=i(79039),r=i(79504),s=i(42787),a=i(71072),c=i(25397),l=r(i(48773).f),u=r([].push),h=n&&o((function(){var t=Object.create(null);return t[2]=2,!l(t,2)})),d=function(t){return function(e){for(var i,o=c(e),r=a(o),d=h&&null===s(o),p=r.length,A=0,f=[];p>A;)i=r[A++],n&&!(d?i in o:l(o,i))||u(f,t?[i,o[i]]:o[i]);return f}};t.exports={entries:d(!0),values:d(!1)}},53179:(t,e,i)=>{"use strict";var n=i(92140),o=i(36955);t.exports=n?{}.toString:function(){return"[object "+o(this)+"]"}},19167:(t,e,i)=>{"use strict";var n=i(44576);t.exports=n},1103:t=>{"use strict";t.exports=function(t){try{return{error:!1,value:t()}}catch(t){return{error:!0,value:t}}}},10916:(t,e,i)=>{"use strict";var n=i(44576),o=i(80550),r=i(94901),s=i(92796),a=i(33706),c=i(78227),l=i(84215),u=i(96395),h=i(39519),d=o&&o.prototype,p=c("species"),A=!1,f=r(n.PromiseRejectionEvent),g=s("Promise",(function(){var t=a(o),e=t!==String(o);if(!e&&66===h)return!0;if(u&&(!d.catch||!d.finally))return!0;if(!h||h<51||!/native code/.test(t)){var i=new o((function(t){t(1)})),n=function(t){t((function(){}),(function(){}))};if((i.constructor={})[p]=n,!(A=i.then((function(){}))instanceof n))return!0}return!(e||"BROWSER"!==l&&"DENO"!==l||f)}));t.exports={CONSTRUCTOR:g,REJECTION_EVENT:f,SUBCLASSING:A}},80550:(t,e,i)=>{"use strict";var n=i(44576);t.exports=n.Promise},93438:(t,e,i)=>{"use strict";var n=i(28551),o=i(20034),r=i(36043);t.exports=function(t,e){if(n(t),o(e)&&e.constructor===t)return e;var i=r.f(t);return(0,i.resolve)(e),i.promise}},90537:(t,e,i)=>{"use strict";var n=i(80550),o=i(84428),r=i(10916).CONSTRUCTOR;t.exports=r||!o((function(t){n.all(t).then(void 0,(function(){}))}))},11056:(t,e,i)=>{"use strict";var n=i(24913).f;t.exports=function(t,e,i){i in t||n(t,i,{configurable:!0,get:function(){return e[i]},set:function(t){e[i]=t}})}},18265:t=>{"use strict";var e=function(){this.head=null,this.tail=null};e.prototype={add:function(t){var e={item:t,next:null},i=this.tail;i?i.next=e:this.head=e,this.tail=e},get:function(){var t=this.head;if(t)return null===(this.head=t.next)&&(this.tail=null),t.item}},t.exports=e},61034:(t,e,i)=>{"use strict";var n=i(69565),o=i(39297),r=i(1625),s=i(67979),a=RegExp.prototype;t.exports=function(t){var e=t.flags;return void 0!==e||"flags"in a||o(t,"flags")||!r(a,t)?e:n(s,t)}},93389:(t,e,i)=>{"use strict";var n=i(44576),o=i(43724),r=Object.getOwnPropertyDescriptor;t.exports=function(t){if(!o)return n[t];var e=r(n,t);return e&&e.value}},3470:t=>{"use strict";t.exports=Object.is||function(t,e){return t===e?0!==t||1/t==1/e:t!=t&&e!=e}},79472:(t,e,i)=>{"use strict";var n,o=i(44576),r=i(18745),s=i(94901),a=i(84215),c=i(82839),l=i(67680),u=i(22812),h=o.Function,d=/MSIE .\./.test(c)||"BUN"===a&&((n=o.Bun.version.split(".")).length<3||"0"===n[0]&&(n[1]<3||"3"===n[1]&&"0"===n[2]));t.exports=function(t,e){var i=e?2:1;return d?function(n,o){var a=u(arguments.length,1)>i,c=s(n)?n:h(n),d=a?l(arguments,i):[],p=a?function(){r(c,this,d)}:c;return e?t(p,o):t(p)}:t}},89286:(t,e,i)=>{"use strict";var n=i(94402),o=i(38469),r=n.Set,s=n.add;t.exports=function(t){var e=new r;return o(t,(function(t){s(e,t)})),e}},83440:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402),r=i(89286),s=i(25170),a=i(83789),c=i(38469),l=i(40507),u=o.has,h=o.remove;t.exports=function(t){var e=n(this),i=a(t),o=r(e);return s(e)<=i.size?c(e,(function(t){i.includes(t)&&h(o,t)})):l(i.getIterator(),(function(t){u(e,t)&&h(o,t)})),o}},94402:(t,e,i)=>{"use strict";var n=i(79504),o=Set.prototype;t.exports={Set,add:n(o.add),has:n(o.has),remove:n(o.delete),proto:o}},68750:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402),r=i(25170),s=i(83789),a=i(38469),c=i(40507),l=o.Set,u=o.add,h=o.has;t.exports=function(t){var e=n(this),i=s(t),o=new l;return r(e)>i.size?c(i.getIterator(),(function(t){h(e,t)&&u(o,t)})):a(e,(function(t){i.includes(t)&&u(o,t)})),o}},64449:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402).has,r=i(25170),s=i(83789),a=i(38469),c=i(40507),l=i(9539);t.exports=function(t){var e=n(this),i=s(t);if(r(e)<=i.size)return!1!==a(e,(function(t){if(i.includes(t))return!1}),!0);var u=i.getIterator();return!1!==c(u,(function(t){if(o(e,t))return l(u,"normal",!1)}))}},53838:(t,e,i)=>{"use strict";var n=i(97080),o=i(25170),r=i(38469),s=i(83789);t.exports=function(t){var e=n(this),i=s(t);return!(o(e)>i.size)&&!1!==r(e,(function(t){if(!i.includes(t))return!1}),!0)}},28527:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402).has,r=i(25170),s=i(83789),a=i(40507),c=i(9539);t.exports=function(t){var e=n(this),i=s(t);if(r(e){"use strict";var n=i(79504),o=i(40507),r=i(94402),s=r.Set,a=r.proto,c=n(a.forEach),l=n(a.keys),u=l(new s).next;t.exports=function(t,e,i){return i?o({iterator:l(t),next:u},e):c(t,e)}},84916:(t,e,i)=>{"use strict";var n=i(97751),o=function(t){return{size:t,has:function(){return!1},keys:function(){return{next:function(){return{done:!0}}}}}};t.exports=function(t){var e=n("Set");try{(new e)[t](o(0));try{return(new e)[t](o(-1)),!1}catch(t){return!0}}catch(t){return!1}}},25170:(t,e,i)=>{"use strict";var n=i(46706),o=i(94402);t.exports=n(o.proto,"size","get")||function(t){return t.size}},87633:(t,e,i)=>{"use strict";var n=i(97751),o=i(62106),r=i(78227),s=i(43724),a=r("species");t.exports=function(t){var e=n(t);s&&e&&!e[a]&&o(e,a,{configurable:!0,get:function(){return this}})}},83650:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402),r=i(89286),s=i(83789),a=i(40507),c=o.add,l=o.has,u=o.remove;t.exports=function(t){var e=n(this),i=s(t).getIterator(),o=r(e);return a(i,(function(t){l(e,t)?u(o,t):c(o,t)})),o}},10687:(t,e,i)=>{"use strict";var n=i(24913).f,o=i(39297),r=i(78227)("toStringTag");t.exports=function(t,e,i){t&&!i&&(t=t.prototype),t&&!o(t,r)&&n(t,r,{configurable:!0,value:e})}},44204:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402).add,r=i(89286),s=i(83789),a=i(40507);t.exports=function(t){var e=n(this),i=s(t).getIterator(),c=r(e);return a(i,(function(t){o(c,t)})),c}},2293:(t,e,i)=>{"use strict";var n=i(28551),o=i(35548),r=i(64117),s=i(78227)("species");t.exports=function(t,e){var i,a=n(t).constructor;return void 0===a||r(i=n(a)[s])?e:o(i)}},23061:(t,e,i)=>{"use strict";var n=i(79039);t.exports=function(t){return n((function(){var e=""[t]('"');return e!==e.toLowerCase()||e.split('"').length>3}))}},83063:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/Version\/10(?:\.\d+){1,2}(?: [\w./]+)?(?: Mobile\/\w+)? Safari\//.test(n)},60533:(t,e,i)=>{"use strict";var n=i(79504),o=i(18014),r=i(655),s=i(72333),a=i(67750),c=n(s),l=n("".slice),u=Math.ceil,h=function(t){return function(e,i,n){var s,h,d=r(a(e)),p=o(i),A=d.length,f=void 0===n?" ":r(n);return p<=A||""===f?d:((h=c(f,u((s=p-A)/f.length))).length>s&&(h=l(h,0,s)),t?d+h:h+d)}};t.exports={start:h(!1),end:h(!0)}},3717:(t,e,i)=>{"use strict";var n=i(79504),o=2147483647,r=/[^\0-\u007E]/,s=/[.\u3002\uFF0E\uFF61]/g,a="Overflow: input needs wider integers to process",c=RangeError,l=n(s.exec),u=Math.floor,h=String.fromCharCode,d=n("".charCodeAt),p=n([].join),A=n([].push),f=n("".replace),g=n("".split),m=n("".toLowerCase),C=function(t){return t+22+75*(t<26)},b=function(t,e,i){var n=0;for(t=i?u(t/700):t>>1,t+=u(t/e);t>455;)t=u(t/35),n+=36;return u(n+36*t/(t+38))},v=function(t){var e=[];t=function(t){for(var e=[],i=0,n=t.length;i=55296&&o<=56319&&i=s&&nu((o-l)/x))throw new c(a);for(l+=(v-s)*x,s=v,i=0;io)throw new c(a);if(n===s){for(var y=l,w=36;;){var k=w<=f?1:w>=f+26?26:w-f;if(y{"use strict";var n=i(91291),o=i(655),r=i(67750),s=RangeError;t.exports=function(t){var e=o(r(this)),i="",a=n(t);if(a<0||a===1/0)throw new s("Wrong number of repetitions");for(;a>0;(a>>>=1)&&(e+=e))1&a&&(i+=e);return i}},18866:(t,e,i)=>{"use strict";var n=i(43802).end,o=i(60706);t.exports=o("trimEnd")?function(){return n(this)}:"".trimEnd},60706:(t,e,i)=>{"use strict";var n=i(10350).PROPER,o=i(79039),r=i(47452);t.exports=function(t){return o((function(){return!!r[t]()||"​…᠎"!=="​…᠎"[t]()||n&&r[t].name!==t}))}},53487:(t,e,i)=>{"use strict";var n=i(43802).start,o=i(60706);t.exports=o("trimStart")?function(){return n(this)}:"".trimStart},43802:(t,e,i)=>{"use strict";var n=i(79504),o=i(67750),r=i(655),s=i(47452),a=n("".replace),c=RegExp("^["+s+"]+"),l=RegExp("(^|[^"+s+"])["+s+"]+$"),u=function(t){return function(e){var i=r(o(e));return 1&t&&(i=a(i,c,"")),2&t&&(i=a(i,l,"$1")),i}};t.exports={start:u(1),end:u(2),trim:u(3)}},1548:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(39519),s=i(84215),a=n.structuredClone;t.exports=!!a&&!o((function(){if("DENO"===s&&r>92||"NODE"===s&&r>94||"BROWSER"===s&&r>97)return!1;var t=new ArrayBuffer(8),e=a(t,{transfer:[t]});return 0!==t.byteLength||8!==e.byteLength}))},58242:(t,e,i)=>{"use strict";var n=i(69565),o=i(97751),r=i(78227),s=i(36840);t.exports=function(){var t=o("Symbol"),e=t&&t.prototype,i=e&&e.valueOf,a=r("toPrimitive");e&&!e[a]&&s(e,a,(function(t){return n(i,this)}),{arity:1})}},91296:(t,e,i)=>{"use strict";var n=i(4495);t.exports=n&&!!Symbol.for&&!!Symbol.keyFor},59225:(t,e,i)=>{"use strict";var n,o,r,s,a=i(44576),c=i(18745),l=i(76080),u=i(94901),h=i(39297),d=i(79039),p=i(20397),A=i(67680),f=i(4055),g=i(22812),m=i(89544),C=i(38574),b=a.setImmediate,v=a.clearImmediate,x=a.process,y=a.Dispatch,w=a.Function,k=a.MessageChannel,B=a.String,E=0,_={},I="onreadystatechange";d((function(){n=a.location}));var D=function(t){if(h(_,t)){var e=_[t];delete _[t],e()}},S=function(t){return function(){D(t)}},T=function(t){D(t.data)},O=function(t){a.postMessage(B(t),n.protocol+"//"+n.host)};b&&v||(b=function(t){g(arguments.length,1);var e=u(t)?t:w(t),i=A(arguments,1);return _[++E]=function(){c(e,void 0,i)},o(E),E},v=function(t){delete _[t]},C?o=function(t){x.nextTick(S(t))}:y&&y.now?o=function(t){y.now(S(t))}:k&&!m?(s=(r=new k).port2,r.port1.onmessage=T,o=l(s.postMessage,s)):a.addEventListener&&u(a.postMessage)&&!a.importScripts&&n&&"file:"!==n.protocol&&!d(O)?(o=O,a.addEventListener("message",T,!1)):o=I in f("script")?function(t){p.appendChild(f("script"))[I]=function(){p.removeChild(this),D(t)}}:function(t){setTimeout(S(t),0)}),t.exports={set:b,clear:v}},31240:(t,e,i)=>{"use strict";var n=i(79504);t.exports=n(1..valueOf)},75854:(t,e,i)=>{"use strict";var n=i(72777),o=TypeError;t.exports=function(t){var e=n(t,"number");if("number"==typeof e)throw new o("Can't convert number to bigint");return BigInt(e)}},57696:(t,e,i)=>{"use strict";var n=i(91291),o=i(18014),r=RangeError;t.exports=function(t){if(void 0===t)return 0;var e=n(t),i=o(e);if(e!==i)throw new r("Wrong length or index");return i}},58229:(t,e,i)=>{"use strict";var n=i(99590),o=RangeError;t.exports=function(t,e){var i=n(t);if(i%e)throw new o("Wrong offset");return i}},99590:(t,e,i)=>{"use strict";var n=i(91291),o=RangeError;t.exports=function(t){var e=n(t);if(e<0)throw new o("The argument can't be less than 0");return e}},58319:t=>{"use strict";var e=Math.round;t.exports=function(t){var i=e(t);return i<0?0:i>255?255:255&i}},15823:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(69565),s=i(43724),a=i(72805),c=i(94644),l=i(66346),u=i(90679),h=i(6980),d=i(66699),p=i(2087),A=i(18014),f=i(57696),g=i(58229),m=i(58319),C=i(56969),b=i(39297),v=i(36955),x=i(20034),y=i(10757),w=i(2360),k=i(1625),B=i(52967),E=i(38480).f,_=i(43251),I=i(59213).forEach,D=i(87633),S=i(62106),T=i(24913),O=i(77347),M=i(35370),P=i(91181),R=i(23167),N=P.get,H=P.set,z=P.enforce,L=T.f,F=O.f,j=o.RangeError,U=l.ArrayBuffer,W=U.prototype,Y=l.DataView,q=c.NATIVE_ARRAY_BUFFER_VIEWS,Q=c.TYPED_ARRAY_TAG,G=c.TypedArray,X=c.TypedArrayPrototype,V=c.isTypedArray,K="BYTES_PER_ELEMENT",J="Wrong length",Z=function(t,e){S(t,e,{configurable:!0,get:function(){return N(this)[e]}})},$=function(t){var e;return k(W,t)||"ArrayBuffer"===(e=v(t))||"SharedArrayBuffer"===e},tt=function(t,e){return V(t)&&!y(e)&&e in t&&p(+e)&&e>=0},et=function(t,e){return e=C(e),tt(t,e)?h(2,t[e]):F(t,e)},it=function(t,e,i){return e=C(e),!(tt(t,e)&&x(i)&&b(i,"value"))||b(i,"get")||b(i,"set")||i.configurable||b(i,"writable")&&!i.writable||b(i,"enumerable")&&!i.enumerable?L(t,e,i):(t[e]=i.value,t)};s?(q||(O.f=et,T.f=it,Z(X,"buffer"),Z(X,"byteOffset"),Z(X,"byteLength"),Z(X,"length")),n({target:"Object",stat:!0,forced:!q},{getOwnPropertyDescriptor:et,defineProperty:it}),t.exports=function(t,e,i){var s=t.match(/\d+/)[0]/8,c=t+(i?"Clamped":"")+"Array",l="get"+t,h="set"+t,p=o[c],C=p,b=C&&C.prototype,v={},y=function(t,e){L(t,e,{get:function(){return function(t,e){var i=N(t);return i.view[l](e*s+i.byteOffset,!0)}(this,e)},set:function(t){return function(t,e,n){var o=N(t);o.view[h](e*s+o.byteOffset,i?m(n):n,!0)}(this,e,t)},enumerable:!0})};q?a&&(C=e((function(t,e,i,n){return u(t,b),R(x(e)?$(e)?void 0!==n?new p(e,g(i,s),n):void 0!==i?new p(e,g(i,s)):new p(e):V(e)?M(C,e):r(_,C,e):new p(f(e)),t,C)})),B&&B(C,G),I(E(p),(function(t){t in C||d(C,t,p[t])})),C.prototype=b):(C=e((function(t,e,i,n){u(t,b);var o,a,c,l=0,h=0;if(x(e)){if(!$(e))return V(e)?M(C,e):r(_,C,e);o=e,h=g(i,s);var d=e.byteLength;if(void 0===n){if(d%s)throw new j(J);if((a=d-h)<0)throw new j(J)}else if((a=A(n)*s)+h>d)throw new j(J);c=a/s}else c=f(e),o=new U(a=c*s);for(H(t,{buffer:o,byteOffset:h,byteLength:a,length:c,view:new Y(o)});l{"use strict";var n=i(44576),o=i(79039),r=i(84428),s=i(94644).NATIVE_ARRAY_BUFFER_VIEWS,a=n.ArrayBuffer,c=n.Int8Array;t.exports=!s||!o((function(){c(1)}))||!o((function(){new c(-1)}))||!r((function(t){new c,new c(null),new c(1.5),new c(t)}),!0)||o((function(){return 1!==new c(new a(2),1,void 0).length}))},26357:(t,e,i)=>{"use strict";var n=i(35370),o=i(61412);t.exports=function(t,e){return n(o(t),e)}},43251:(t,e,i)=>{"use strict";var n=i(76080),o=i(69565),r=i(35548),s=i(48981),a=i(26198),c=i(70081),l=i(50851),u=i(44209),h=i(18727),d=i(94644).aTypedArrayConstructor,p=i(75854);t.exports=function(t){var e,i,A,f,g,m,C,b,v=r(this),x=s(t),y=arguments.length,w=y>1?arguments[1]:void 0,k=void 0!==w,B=l(x);if(B&&!u(B))for(b=(C=c(x,B)).next,x=[];!(m=o(b,C)).done;)x.push(m.value);for(k&&y>2&&(w=n(w,arguments[2])),i=a(x),A=new(d(v))(i),f=h(A),e=0;i>e;e++)g=k?w(x[e],e):x[e],A[e]=f?p(g):+g;return A}},61412:(t,e,i)=>{"use strict";var n=i(94644),o=i(2293),r=n.aTypedArrayConstructor,s=n.getTypedArrayConstructor;t.exports=function(t){return r(o(t,s(t)))}},67416:(t,e,i)=>{"use strict";var n=i(79039),o=i(78227),r=i(43724),s=i(96395),a=o("iterator");t.exports=!n((function(){var t=new URL("b?a=1&b=2&c=3","https://a"),e=t.searchParams,i=new URLSearchParams("a=1&a=2&b=3"),n="";return t.pathname="c%20d",e.forEach((function(t,i){e.delete("b"),n+=i+t})),i.delete("a",2),i.delete("b",void 0),s&&(!t.toJSON||!i.has("a",1)||i.has("a",2)||!i.has("a",void 0)||i.has("b"))||!e.size&&(s||!r)||!e.sort||"https://a/c%20d?a=1&c=3"!==t.href||"3"!==e.get("c")||"a=1"!==String(new URLSearchParams("?a=1"))||!e[a]||"a"!==new URL("https://a@b").username||"b"!==new URLSearchParams(new URLSearchParams("a=b")).get("a")||"xn--e1aybc"!==new URL("https://тест").host||"#%D0%B1"!==new URL("https://a#б").hash||"a1c3"!==n||"x"!==new URL("https://x",void 0).host}))},22812:t=>{"use strict";var e=TypeError;t.exports=function(t,i){if(t{"use strict";var n=i(19167),o=i(39297),r=i(1951),s=i(24913).f;t.exports=function(t){var e=n.Symbol||(n.Symbol={});o(e,t)||s(e,t,{value:r.f(t)})}},1951:(t,e,i)=>{"use strict";var n=i(78227);e.f=n},47452:t=>{"use strict";t.exports="\t\n\v\f\r                 \u2028\u2029\ufeff"},14601:(t,e,i)=>{"use strict";var n=i(97751),o=i(39297),r=i(66699),s=i(1625),a=i(52967),c=i(77740),l=i(11056),u=i(23167),h=i(32603),d=i(77584),p=i(80747),A=i(43724),f=i(96395);t.exports=function(t,e,i,g){var m="stackTraceLimit",C=g?2:1,b=t.split("."),v=b[b.length-1],x=n.apply(null,b);if(x){var y=x.prototype;if(!f&&o(y,"cause")&&delete y.cause,!i)return x;var w=n("Error"),k=e((function(t,e){var i=h(g?e:t,void 0),n=g?new x(t):new x;return void 0!==i&&r(n,"message",i),p(n,k,n.stack,2),this&&s(y,this)&&u(n,this,k),arguments.length>C&&d(n,arguments[C]),n}));if(k.prototype=y,"Error"!==v?a?a(k,w):c(k,w,{name:!0}):A&&m in x&&(l(k,x,m),l(k,x,"prepareStackTrace")),c(k,x),!f)try{y.name!==v&&r(y,"name",v),y.constructor=k}catch(t){}return k}}},4294:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(18745),s=i(79039),a=i(14601),c="AggregateError",l=o(c),u=!s((function(){return 1!==l([1]).errors[0]}))&&s((function(){return 7!==l([1],c,{cause:7}).cause}));n({global:!0,constructor:!0,arity:2,forced:u},{AggregateError:a(c,(function(t){return function(e,i){return r(t,this,arguments)}}),u,!0)})},17145:(t,e,i)=>{"use strict";var n=i(46518),o=i(1625),r=i(42787),s=i(52967),a=i(77740),c=i(2360),l=i(66699),u=i(6980),h=i(77584),d=i(80747),p=i(72652),A=i(32603),f=i(78227)("toStringTag"),g=Error,m=[].push,C=function(t,e){var i,n=o(b,this);s?i=s(new g,n?r(this):b):(i=n?this:c(b),l(i,f,"Error")),void 0!==e&&l(i,"message",A(e)),d(i,C,i.stack,1),arguments.length>2&&h(i,arguments[2]);var a=[];return p(t,m,{that:a}),l(i,"errors",a),i};s?s(C,g):a(C,g,{name:!0});var b=C.prototype=c(g.prototype,{constructor:u(1,C),message:u(1,""),name:u(1,"AggregateError")});n({global:!0,constructor:!0,arity:2},{AggregateError:C})},30067:(t,e,i)=>{"use strict";i(17145)},54743:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(66346),s=i(87633),a="ArrayBuffer",c=r[a];n({global:!0,constructor:!0,forced:o[a]!==c},{ArrayBuffer:c}),s(a)},16573:(t,e,i)=>{"use strict";var n=i(43724),o=i(62106),r=i(3238),s=ArrayBuffer.prototype;n&&!("detached"in s)&&o(s,"detached",{configurable:!0,get:function(){return r(this)}})},46761:(t,e,i)=>{"use strict";var n=i(46518),o=i(94644);n({target:"ArrayBuffer",stat:!0,forced:!o.NATIVE_ARRAY_BUFFER_VIEWS},{isView:o.isView})},11745:(t,e,i)=>{"use strict";var n=i(46518),o=i(27476),r=i(79039),s=i(66346),a=i(28551),c=i(35610),l=i(18014),u=i(2293),h=s.ArrayBuffer,d=s.DataView,p=d.prototype,A=o(h.prototype.slice),f=o(p.getUint8),g=o(p.setUint8);n({target:"ArrayBuffer",proto:!0,unsafe:!0,forced:r((function(){return!new h(2).slice(1,void 0).byteLength}))},{slice:function(t,e){if(A&&void 0===e)return A(a(this),t);for(var i=a(this).byteLength,n=c(t,i),o=c(void 0===e?i:e,i),r=new(u(this,h))(l(o-n)),s=new d(this),p=new d(r),m=0;n{"use strict";var n=i(46518),o=i(95636);o&&n({target:"ArrayBuffer",proto:!0},{transferToFixedLength:function(){return o(this,arguments.length?arguments[0]:void 0,!1)}})},78100:(t,e,i)=>{"use strict";var n=i(46518),o=i(95636);o&&n({target:"ArrayBuffer",proto:!0},{transfer:function(){return o(this,arguments.length?arguments[0]:void 0,!0)}})},18107:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(26198),s=i(91291),a=i(6469);n({target:"Array",proto:!0},{at:function(t){var e=o(this),i=r(e),n=s(t),a=n>=0?n:i+n;return a<0||a>=i?void 0:e[a]}}),a("at")},28706:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(34376),s=i(20034),a=i(48981),c=i(26198),l=i(96837),u=i(97040),h=i(1469),d=i(70597),p=i(78227),A=i(39519),f=p("isConcatSpreadable"),g=A>=51||!o((function(){var t=[];return t[f]=!1,t.concat()[0]!==t})),m=function(t){if(!s(t))return!1;var e=t[f];return void 0!==e?!!e:r(t)};n({target:"Array",proto:!0,arity:1,forced:!g||!d("concat")},{concat:function(t){var e,i,n,o,r,s=a(this),d=h(s,0),p=0;for(e=-1,n=arguments.length;e{"use strict";var n=i(46518),o=i(57029),r=i(6469);n({target:"Array",proto:!0},{copyWithin:o}),r("copyWithin")},88431:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).every;n({target:"Array",proto:!0,forced:!i(34598)("every")},{every:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},33771:(t,e,i)=>{"use strict";var n=i(46518),o=i(84373),r=i(6469);n({target:"Array",proto:!0},{fill:o}),r("fill")},2008:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).filter;n({target:"Array",proto:!0,forced:!i(70597)("filter")},{filter:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},48980:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).findIndex,r=i(6469),s="findIndex",a=!0;s in[]&&Array(1)[s]((function(){a=!1})),n({target:"Array",proto:!0,forced:a},{findIndex:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r(s)},13451:(t,e,i)=>{"use strict";var n=i(46518),o=i(43839).findLastIndex,r=i(6469);n({target:"Array",proto:!0},{findLastIndex:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r("findLastIndex")},10838:(t,e,i)=>{"use strict";var n=i(46518),o=i(43839).findLast,r=i(6469);n({target:"Array",proto:!0},{findLast:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r("findLast")},50113:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).find,r=i(6469),s="find",a=!0;s in[]&&Array(1)[s]((function(){a=!1})),n({target:"Array",proto:!0,forced:a},{find:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r(s)},78350:(t,e,i)=>{"use strict";var n=i(46518),o=i(70259),r=i(79306),s=i(48981),a=i(26198),c=i(1469);n({target:"Array",proto:!0},{flatMap:function(t){var e,i=s(this),n=a(i);return r(t),(e=c(i,0)).length=o(e,i,i,n,0,1,t,arguments.length>1?arguments[1]:void 0),e}})},46449:(t,e,i)=>{"use strict";var n=i(46518),o=i(70259),r=i(48981),s=i(26198),a=i(91291),c=i(1469);n({target:"Array",proto:!0},{flat:function(){var t=arguments.length?arguments[0]:void 0,e=r(this),i=s(e),n=c(e,0);return n.length=o(n,e,e,i,0,void 0===t?1:a(t)),n}})},51629:(t,e,i)=>{"use strict";var n=i(46518),o=i(90235);n({target:"Array",proto:!0,forced:[].forEach!==o},{forEach:o})},23418:(t,e,i)=>{"use strict";var n=i(46518),o=i(97916);n({target:"Array",stat:!0,forced:!i(84428)((function(t){Array.from(t)}))},{from:o})},80452:(t,e,i)=>{"use strict";var n=i(46518),o=i(19617).includes,r=i(79039),s=i(6469);n({target:"Array",proto:!0,forced:r((function(){return!Array(1).includes()}))},{includes:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),s("includes")},25276:(t,e,i)=>{"use strict";var n=i(46518),o=i(27476),r=i(19617).indexOf,s=i(34598),a=o([].indexOf),c=!!a&&1/a([1],1,-0)<0;n({target:"Array",proto:!0,forced:c||!s("indexOf")},{indexOf:function(t){var e=arguments.length>1?arguments[1]:void 0;return c?a(this,t,e)||0:r(this,t,e)}})},64346:(t,e,i)=>{"use strict";i(46518)({target:"Array",stat:!0},{isArray:i(34376)})},23792:(t,e,i)=>{"use strict";var n=i(25397),o=i(6469),r=i(26269),s=i(91181),a=i(24913).f,c=i(51088),l=i(62529),u=i(96395),h=i(43724),d="Array Iterator",p=s.set,A=s.getterFor(d);t.exports=c(Array,"Array",(function(t,e){p(this,{type:d,target:n(t),index:0,kind:e})}),(function(){var t=A(this),e=t.target,i=t.index++;if(!e||i>=e.length)return t.target=null,l(void 0,!0);switch(t.kind){case"keys":return l(i,!1);case"values":return l(e[i],!1)}return l([i,e[i]],!1)}),"values");var f=r.Arguments=r.Array;if(o("keys"),o("values"),o("entries"),!u&&h&&"values"!==f.name)try{a(f,"name",{value:"values"})}catch(t){}},48598:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(47055),s=i(25397),a=i(34598),c=o([].join);n({target:"Array",proto:!0,forced:r!==Object||!a("join",",")},{join:function(t){return c(s(this),void 0===t?",":t)}})},8921:(t,e,i)=>{"use strict";var n=i(46518),o=i(8379);n({target:"Array",proto:!0,forced:o!==[].lastIndexOf},{lastIndexOf:o})},62062:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).map;n({target:"Array",proto:!0,forced:!i(70597)("map")},{map:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},31051:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(33517),s=i(97040),a=Array;n({target:"Array",stat:!0,forced:o((function(){function t(){}return!(a.of.call(t)instanceof t)}))},{of:function(){for(var t=0,e=arguments.length,i=new(r(this)?this:a)(e);e>t;)s(i,t,arguments[t++]);return i.length=e,i}})},44114:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(26198),s=i(34527),a=i(96837);n({target:"Array",proto:!0,arity:1,forced:i(79039)((function(){return 4294967297!==[].push.call({length:4294967296},1)}))||!function(){try{Object.defineProperty([],"length",{writable:!1}).push()}catch(t){return t instanceof TypeError}}()},{push:function(t){var e=o(this),i=r(e),n=arguments.length;a(i+n);for(var c=0;c{"use strict";var n=i(46518),o=i(80926).right,r=i(34598),s=i(39519);n({target:"Array",proto:!0,forced:!i(38574)&&s>79&&s<83||!r("reduceRight")},{reduceRight:function(t){return o(this,t,arguments.length,arguments.length>1?arguments[1]:void 0)}})},72712:(t,e,i)=>{"use strict";var n=i(46518),o=i(80926).left,r=i(34598),s=i(39519);n({target:"Array",proto:!0,forced:!i(38574)&&s>79&&s<83||!r("reduce")},{reduce:function(t){var e=arguments.length;return o(this,t,e,e>1?arguments[1]:void 0)}})},94490:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(34376),s=o([].reverse),a=[1,2];n({target:"Array",proto:!0,forced:String(a)===String(a.reverse())},{reverse:function(){return r(this)&&(this.length=this.length),s(this)}})},34782:(t,e,i)=>{"use strict";var n=i(46518),o=i(34376),r=i(33517),s=i(20034),a=i(35610),c=i(26198),l=i(25397),u=i(97040),h=i(78227),d=i(70597),p=i(67680),A=d("slice"),f=h("species"),g=Array,m=Math.max;n({target:"Array",proto:!0,forced:!A},{slice:function(t,e){var i,n,h,d=l(this),A=c(d),C=a(t,A),b=a(void 0===e?A:e,A);if(o(d)&&(i=d.constructor,(r(i)&&(i===g||o(i.prototype))||s(i)&&null===(i=i[f]))&&(i=void 0),i===g||void 0===i))return p(d,C,b);for(n=new(void 0===i?g:i)(m(b-C,0)),h=0;C{"use strict";var n=i(46518),o=i(59213).some;n({target:"Array",proto:!0,forced:!i(34598)("some")},{some:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},26910:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79306),s=i(48981),a=i(26198),c=i(84606),l=i(655),u=i(79039),h=i(74488),d=i(34598),p=i(13709),A=i(13763),f=i(39519),g=i(3607),m=[],C=o(m.sort),b=o(m.push),v=u((function(){m.sort(void 0)})),x=u((function(){m.sort(null)})),y=d("sort"),w=!u((function(){if(f)return f<70;if(!(p&&p>3)){if(A)return!0;if(g)return g<603;var t,e,i,n,o="";for(t=65;t<76;t++){switch(e=String.fromCharCode(t),t){case 66:case 69:case 70:case 72:i=3;break;case 68:case 71:i=4;break;default:i=2}for(n=0;n<47;n++)m.push({k:e+n,v:i})}for(m.sort((function(t,e){return e.v-t.v})),n=0;nl(i)?1:-1}}(t)),i=a(o),n=0;n{"use strict";i(87633)("Array")},54554:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(35610),s=i(91291),a=i(26198),c=i(34527),l=i(96837),u=i(1469),h=i(97040),d=i(84606),p=i(70597)("splice"),A=Math.max,f=Math.min;n({target:"Array",proto:!0,forced:!p},{splice:function(t,e){var i,n,p,g,m,C,b=o(this),v=a(b),x=r(t,v),y=arguments.length;for(0===y?i=n=0:1===y?(i=0,n=v-x):(i=y-2,n=f(A(s(e),0),v-x)),l(v+i-n),p=u(b,n),g=0;gv-n+i;g--)d(b,g-1)}else if(i>n)for(g=v-n;g>x;g--)C=g+i-1,(m=g+n-1)in b?b[C]=b[m]:d(b,C);for(g=0;g{"use strict";var n=i(46518),o=i(37628),r=i(25397),s=i(6469),a=Array;n({target:"Array",proto:!0},{toReversed:function(){return o(r(this),a)}}),s("toReversed")},57145:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79306),s=i(25397),a=i(35370),c=i(44124),l=i(6469),u=Array,h=o(c("Array","sort"));n({target:"Array",proto:!0},{toSorted:function(t){void 0!==t&&r(t);var e=s(this),i=a(u,e);return h(i,t)}}),l("toSorted")},71658:(t,e,i)=>{"use strict";var n=i(46518),o=i(6469),r=i(96837),s=i(26198),a=i(35610),c=i(25397),l=i(91291),u=Array,h=Math.max,d=Math.min;n({target:"Array",proto:!0},{toSpliced:function(t,e){var i,n,o,p,A=c(this),f=s(A),g=a(t,f),m=arguments.length,C=0;for(0===m?i=n=0:1===m?(i=0,n=f-g):(i=m-2,n=d(h(l(e),0),f-g)),o=r(f+i-n),p=u(o);C{"use strict";i(6469)("flatMap")},93514:(t,e,i)=>{"use strict";i(6469)("flat")},13609:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(26198),s=i(34527),a=i(84606),c=i(96837);n({target:"Array",proto:!0,arity:1,forced:1!==[].unshift(0)||!function(){try{Object.defineProperty([],"length",{writable:!1}).unshift()}catch(t){return t instanceof TypeError}}()},{unshift:function(t){var e=o(this),i=r(e),n=arguments.length;if(n){c(i+n);for(var l=i;l--;){var u=l+n;l in e?e[u]=e[l]:a(e,u)}for(var h=0;h{"use strict";var n=i(46518),o=i(39928),r=i(25397),s=Array;n({target:"Array",proto:!0},{with:function(t,e){return o(r(this),s,t,e)}})},24359:(t,e,i)=>{"use strict";var n=i(46518),o=i(66346);n({global:!0,constructor:!0,forced:!i(77811)},{DataView:o.DataView})},38309:(t,e,i)=>{"use strict";i(24359)},61699:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79039)((function(){return 120!==new Date(16e11).getYear()})),s=o(Date.prototype.getFullYear);n({target:"Date",proto:!0,forced:r},{getYear:function(){return s(this)-1900}})},59089:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=Date,s=o(r.prototype.getTime);n({target:"Date",stat:!0},{now:function(){return s(new r)}})},91191:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(91291),s=Date.prototype,a=o(s.getTime),c=o(s.setFullYear);n({target:"Date",proto:!0},{setYear:function(t){a(this);var e=r(t);return c(this,e>=0&&e<=99?e+1900:e)}})},93515:(t,e,i)=>{"use strict";i(46518)({target:"Date",proto:!0},{toGMTString:Date.prototype.toUTCString})},1688:(t,e,i)=>{"use strict";var n=i(46518),o=i(70380);n({target:"Date",proto:!0,forced:Date.prototype.toISOString!==o},{toISOString:o})},60739:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(48981),s=i(72777);n({target:"Date",proto:!0,arity:1,forced:o((function(){return null!==new Date(NaN).toJSON()||1!==Date.prototype.toJSON.call({toISOString:function(){return 1}})}))},{toJSON:function(t){var e=r(this),i=s(e,"number");return"number"!=typeof i||isFinite(i)?e.toISOString():null}})},89572:(t,e,i)=>{"use strict";var n=i(39297),o=i(36840),r=i(53640),s=i(78227)("toPrimitive"),a=Date.prototype;n(a,s)||o(a,s,r)},23288:(t,e,i)=>{"use strict";var n=i(79504),o=i(36840),r=Date.prototype,s="Invalid Date",a="toString",c=n(r[a]),l=n(r.getTime);String(new Date(NaN))!==s&&o(r,a,(function(){var t=l(this);return t==t?c(this):s}))},16280:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(18745),s=i(14601),a="WebAssembly",c=o[a],l=7!==new Error("e",{cause:7}).cause,u=function(t,e){var i={};i[t]=s(t,e,l),n({global:!0,constructor:!0,arity:1,forced:l},i)},h=function(t,e){if(c&&c[t]){var i={};i[t]=s(a+"."+t,e,l),n({target:a,stat:!0,constructor:!0,arity:1,forced:l},i)}};u("Error",(function(t){return function(e){return r(t,this,arguments)}})),u("EvalError",(function(t){return function(e){return r(t,this,arguments)}})),u("RangeError",(function(t){return function(e){return r(t,this,arguments)}})),u("ReferenceError",(function(t){return function(e){return r(t,this,arguments)}})),u("SyntaxError",(function(t){return function(e){return r(t,this,arguments)}})),u("TypeError",(function(t){return function(e){return r(t,this,arguments)}})),u("URIError",(function(t){return function(e){return r(t,this,arguments)}})),h("CompileError",(function(t){return function(e){return r(t,this,arguments)}})),h("LinkError",(function(t){return function(e){return r(t,this,arguments)}})),h("RuntimeError",(function(t){return function(e){return r(t,this,arguments)}}))},76918:(t,e,i)=>{"use strict";var n=i(36840),o=i(77536),r=Error.prototype;r.toString!==o&&n(r,"toString",o)},36456:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(655),s=o("".charAt),a=o("".charCodeAt),c=o(/./.exec),l=o(1..toString),u=o("".toUpperCase),h=/[\w*+\-./@]/,d=function(t,e){for(var i=l(t,16);i.length{"use strict";var n=i(46518),o=i(30566);n({target:"Function",proto:!0,forced:Function.bind!==o},{bind:o})},48957:(t,e,i)=>{"use strict";var n=i(94901),o=i(20034),r=i(24913),s=i(1625),a=i(78227),c=i(50283),l=a("hasInstance"),u=Function.prototype;l in u||r.f(u,l,{value:c((function(t){if(!n(this)||!o(t))return!1;var e=this.prototype;return o(e)?s(e,t):t instanceof this}),l)})},62010:(t,e,i)=>{"use strict";var n=i(43724),o=i(10350).EXISTS,r=i(79504),s=i(62106),a=Function.prototype,c=r(a.toString),l=/function\b(?:\s|\/\*[\S\s]*?\*\/|\/\/[^\n\r]*[\n\r]+)*([^\s(/]*)/,u=r(l.exec);n&&!o&&s(a,"name",{configurable:!0,get:function(){try{return u(l,c(this))[1]}catch(t){return""}}})},55081:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576);n({global:!0,forced:o.globalThis!==o},{globalThis:o})},33110:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(18745),s=i(69565),a=i(79504),c=i(79039),l=i(94901),u=i(10757),h=i(67680),d=i(66933),p=i(4495),A=String,f=o("JSON","stringify"),g=a(/./.exec),m=a("".charAt),C=a("".charCodeAt),b=a("".replace),v=a(1..toString),x=/[\uD800-\uDFFF]/g,y=/^[\uD800-\uDBFF]$/,w=/^[\uDC00-\uDFFF]$/,k=!p||c((function(){var t=o("Symbol")("stringify detection");return"[null]"!==f([t])||"{}"!==f({a:t})||"{}"!==f(Object(t))})),B=c((function(){return'"\\udf06\\ud834"'!==f("\udf06\ud834")||'"\\udead"'!==f("\udead")})),E=function(t,e){var i=h(arguments),n=d(e);if(l(n)||void 0!==t&&!u(t))return i[1]=function(t,e){if(l(n)&&(e=s(n,this,A(t),e)),!u(e))return e},r(f,null,i)},_=function(t,e,i){var n=m(i,e-1),o=m(i,e+1);return g(y,t)&&!g(w,o)||g(w,t)&&!g(y,n)?"\\u"+v(C(t,0),16):t};f&&n({target:"JSON",stat:!0,arity:3,forced:k||B},{stringify:function(t,e,i){var n=h(arguments),o=r(k?E:f,null,n);return B&&"string"==typeof o?b(o,x,_):o}})},4731:(t,e,i)=>{"use strict";var n=i(44576);i(10687)(n.JSON,"JSON",!0)},48523:(t,e,i)=>{"use strict";i(16468)("Map",(function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}}),i(86938))},47072:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79306),s=i(67750),a=i(72652),c=i(72248),l=i(96395),u=i(79039),h=c.Map,d=c.has,p=c.get,A=c.set,f=o([].push),g=l||u((function(){return 1!==h.groupBy("ab",(function(t){return t})).get("a").length}));n({target:"Map",stat:!0,forced:l||g},{groupBy:function(t,e){s(t),r(e);var i=new h,n=0;return a(t,(function(t){var o=e(t,n++);d(i,o)?f(p(i,o),t):A(i,o,[t])})),i}})},36033:(t,e,i)=>{"use strict";i(48523)},93153:(t,e,i)=>{"use strict";var n=i(46518),o=i(7740),r=Math.acosh,s=Math.log,a=Math.sqrt,c=Math.LN2;n({target:"Math",stat:!0,forced:!r||710!==Math.floor(r(Number.MAX_VALUE))||r(1/0)!==1/0},{acosh:function(t){var e=+t;return e<1?NaN:e>94906265.62425156?s(e)+c:o(e-1+a(e-1)*a(e+1))}})},82326:(t,e,i)=>{"use strict";var n=i(46518),o=Math.asinh,r=Math.log,s=Math.sqrt;n({target:"Math",stat:!0,forced:!(o&&1/o(0)>0)},{asinh:function t(e){var i=+e;return isFinite(i)&&0!==i?i<0?-t(-i):r(i+s(i*i+1)):i}})},36389:(t,e,i)=>{"use strict";var n=i(46518),o=Math.atanh,r=Math.log;n({target:"Math",stat:!0,forced:!(o&&1/o(-0)<0)},{atanh:function(t){var e=+t;return 0===e?e:r((1+e)/(1-e))/2}})},64444:(t,e,i)=>{"use strict";var n=i(46518),o=i(77782),r=Math.abs,s=Math.pow;n({target:"Math",stat:!0},{cbrt:function(t){var e=+t;return o(e)*s(r(e),1/3)}})},8085:(t,e,i)=>{"use strict";var n=i(46518),o=Math.floor,r=Math.log,s=Math.LOG2E;n({target:"Math",stat:!0},{clz32:function(t){var e=t>>>0;return e?31-o(r(e+.5)*s):32}})},77762:(t,e,i)=>{"use strict";var n=i(46518),o=i(53250),r=Math.cosh,s=Math.abs,a=Math.E;n({target:"Math",stat:!0,forced:!r||r(710)===1/0},{cosh:function(t){var e=o(s(t)-1)+1;return(e+1/(e*a*a))*(a/2)}})},65070:(t,e,i)=>{"use strict";var n=i(46518),o=i(53250);n({target:"Math",stat:!0,forced:o!==Math.expm1},{expm1:o})},60605:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{fround:i(15617)})},39469:(t,e,i)=>{"use strict";var n=i(46518),o=Math.hypot,r=Math.abs,s=Math.sqrt;n({target:"Math",stat:!0,arity:2,forced:!!o&&o(1/0,NaN)!==1/0},{hypot:function(t,e){for(var i,n,o=0,a=0,c=arguments.length,l=0;a0?(n=i/l)*n:i;return l===1/0?1/0:l*s(o)}})},72152:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=Math.imul;n({target:"Math",stat:!0,forced:o((function(){return-5!==r(4294967295,5)||2!==r.length}))},{imul:function(t,e){var i=65535,n=+t,o=+e,r=i&n,s=i&o;return 0|r*s+((i&n>>>16)*s+r*(i&o>>>16)<<16>>>0)}})},75376:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{log10:i(49340)})},56624:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{log1p:i(7740)})},11367:(t,e,i)=>{"use strict";var n=i(46518),o=Math.log,r=Math.LN2;n({target:"Math",stat:!0},{log2:function(t){return o(t)/r}})},5914:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{sign:i(77782)})},78553:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(53250),s=Math.abs,a=Math.exp,c=Math.E;n({target:"Math",stat:!0,forced:o((function(){return-2e-17!==Math.sinh(-2e-17)}))},{sinh:function(t){var e=+t;return s(e)<1?(r(e)-r(-e))/2:(a(e-1)-a(-e-1))*(c/2)}})},98690:(t,e,i)=>{"use strict";var n=i(46518),o=i(53250),r=Math.exp;n({target:"Math",stat:!0},{tanh:function(t){var e=+t,i=o(e),n=o(-e);return i===1/0?1:n===1/0?-1:(i-n)/(r(e)+r(-e))}})},60479:(t,e,i)=>{"use strict";i(10687)(Math,"Math",!0)},70761:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{trunc:i(80741)})},2892:(t,e,i)=>{"use strict";var n=i(46518),o=i(96395),r=i(43724),s=i(44576),a=i(19167),c=i(79504),l=i(92796),u=i(39297),h=i(23167),d=i(1625),p=i(10757),A=i(72777),f=i(79039),g=i(38480).f,m=i(77347).f,C=i(24913).f,b=i(31240),v=i(43802).trim,x="Number",y=s[x],w=a[x],k=y.prototype,B=s.TypeError,E=c("".slice),_=c("".charCodeAt),I=l(x,!y(" 0o1")||!y("0b1")||y("+0x1")),D=function(t){var e,i=arguments.length<1?0:y(function(t){var e=A(t,"number");return"bigint"==typeof e?e:function(t){var e,i,n,o,r,s,a,c,l=A(t,"number");if(p(l))throw new B("Cannot convert a Symbol value to a number");if("string"==typeof l&&l.length>2)if(l=v(l),43===(e=_(l,0))||45===e){if(88===(i=_(l,2))||120===i)return NaN}else if(48===e){switch(_(l,1)){case 66:case 98:n=2,o=49;break;case 79:case 111:n=8,o=55;break;default:return+l}for(s=(r=E(l,2)).length,a=0;ao)return NaN;return parseInt(r,n)}return+l}(e)}(t));return d(k,e=this)&&f((function(){b(e)}))?h(Object(i),this,D):i};D.prototype=k,I&&!o&&(k.constructor=D),n({global:!0,constructor:!0,wrap:!0,forced:I},{Number:D});var S=function(t,e){for(var i,n=r?g(e):"MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,EPSILON,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,isFinite,isInteger,isNaN,isSafeInteger,parseFloat,parseInt,fromString,range".split(","),o=0;n.length>o;o++)u(e,i=n[o])&&!u(t,i)&&C(t,i,m(e,i))};o&&w&&S(a[x],w),(I||o)&&S(a[x],y)},45374:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0,nonConfigurable:!0,nonWritable:!0},{EPSILON:Math.pow(2,-52)})},25428:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0},{isFinite:i(50360)})},32637:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0},{isInteger:i(2087)})},40150:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0},{isNaN:function(t){return t!=t}})},59149:(t,e,i)=>{"use strict";var n=i(46518),o=i(2087),r=Math.abs;n({target:"Number",stat:!0},{isSafeInteger:function(t){return o(t)&&r(t)<=9007199254740991}})},64601:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0,nonConfigurable:!0,nonWritable:!0},{MAX_SAFE_INTEGER:9007199254740991})},44435:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0,nonConfigurable:!0,nonWritable:!0},{MIN_SAFE_INTEGER:-9007199254740991})},87220:(t,e,i)=>{"use strict";var n=i(46518),o=i(33904);n({target:"Number",stat:!0,forced:Number.parseFloat!==o},{parseFloat:o})},25843:(t,e,i)=>{"use strict";var n=i(46518),o=i(52703);n({target:"Number",stat:!0,forced:Number.parseInt!==o},{parseInt:o})},62337:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(91291),s=i(31240),a=i(72333),c=i(49340),l=i(79039),u=RangeError,h=String,d=isFinite,p=Math.abs,A=Math.floor,f=Math.pow,g=Math.round,m=o(1..toExponential),C=o(a),b=o("".slice),v="-6.9000e-11"===m(-69e-12,4)&&"1.25e+0"===m(1.255,2)&&"1.235e+4"===m(12345,3)&&"3e+1"===m(25,0);n({target:"Number",proto:!0,forced:!v||!(l((function(){m(1,1/0)}))&&l((function(){m(1,-1/0)})))||!!l((function(){m(1/0,1/0),m(NaN,1/0)}))},{toExponential:function(t){var e=s(this);if(void 0===t)return m(e);var i=r(t);if(!d(e))return String(e);if(i<0||i>20)throw new u("Incorrect fraction digits");if(v)return m(e,i);var n,o,a,l,x="";if(e<0&&(x="-",e=-e),0===e)o=0,n=C("0",i+1);else{var y=c(e);o=A(y);var w=f(10,o-i),k=g(e/w);2*e>=(2*k+1)*w&&(k+=1),k>=f(10,i+1)&&(k/=10,o+=1),n=h(k)}return 0!==i&&(n=b(n,0,1)+"."+b(n,1)),0===o?(a="+",l="0"):(a=o>0?"+":"-",l=h(p(o))),x+(n+"e")+a+l}})},9868:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(91291),s=i(31240),a=i(72333),c=i(79039),l=RangeError,u=String,h=Math.floor,d=o(a),p=o("".slice),A=o(1..toFixed),f=function(t,e,i){return 0===e?i:e%2==1?f(t,e-1,i*t):f(t*t,e/2,i)},g=function(t,e,i){for(var n=-1,o=i;++n<6;)o+=e*t[n],t[n]=o%1e7,o=h(o/1e7)},m=function(t,e){for(var i=6,n=0;--i>=0;)n+=t[i],t[i]=h(n/e),n=n%e*1e7},C=function(t){for(var e=6,i="";--e>=0;)if(""!==i||0===e||0!==t[e]){var n=u(t[e]);i=""===i?n:i+d("0",7-n.length)+n}return i};n({target:"Number",proto:!0,forced:c((function(){return"0.000"!==A(8e-5,3)||"1"!==A(.9,0)||"1.25"!==A(1.255,2)||"1000000000000000128"!==A(0xde0b6b3a7640080,0)}))||!c((function(){A({})}))},{toFixed:function(t){var e,i,n,o,a=s(this),c=r(t),h=[0,0,0,0,0,0],A="",b="0";if(c<0||c>20)throw new l("Incorrect fraction digits");if(a!=a)return"NaN";if(a<=-1e21||a>=1e21)return u(a);if(a<0&&(A="-",a=-a),a>1e-21)if(i=(e=function(t){for(var e=0,i=t;i>=4096;)e+=12,i/=4096;for(;i>=2;)e+=1,i/=2;return e}(a*f(2,69,1))-69)<0?a*f(2,-e,1):a/f(2,e,1),i*=4503599627370496,(e=52-e)>0){for(g(h,0,i),n=c;n>=7;)g(h,1e7,0),n-=7;for(g(h,f(10,n,1),0),n=e-1;n>=23;)m(h,1<<23),n-=23;m(h,1<0?A+((o=b.length)<=c?"0."+d("0",c-o)+b:p(b,0,o-c)+"."+p(b,o-c)):A+b}})},80630:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79039),s=i(31240),a=o(1..toPrecision);n({target:"Number",proto:!0,forced:r((function(){return"1"!==a(1,void 0)}))||!r((function(){a({})}))},{toPrecision:function(t){return void 0===t?a(s(this)):a(s(this),t)}})},69085:(t,e,i)=>{"use strict";var n=i(46518),o=i(44213);n({target:"Object",stat:!0,arity:2,forced:Object.assign!==o},{assign:o})},59904:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0,sham:!i(43724)},{create:i(2360)})},17427:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(79306),a=i(48981),c=i(24913);o&&n({target:"Object",proto:!0,forced:r},{__defineGetter__:function(t,e){c.f(a(this),t,{get:s(e),enumerable:!0,configurable:!0})}})},67945:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(96801).f;n({target:"Object",stat:!0,forced:Object.defineProperties!==r,sham:!o},{defineProperties:r})},84185:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(24913).f;n({target:"Object",stat:!0,forced:Object.defineProperty!==r,sham:!o},{defineProperty:r})},87607:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(79306),a=i(48981),c=i(24913);o&&n({target:"Object",proto:!0,forced:r},{__defineSetter__:function(t,e){c.f(a(this),t,{set:s(e),enumerable:!0,configurable:!0})}})},5506:(t,e,i)=>{"use strict";var n=i(46518),o=i(32357).entries;n({target:"Object",stat:!0},{entries:function(t){return o(t)}})},52811:(t,e,i)=>{"use strict";var n=i(46518),o=i(92744),r=i(79039),s=i(20034),a=i(3451).onFreeze,c=Object.freeze;n({target:"Object",stat:!0,forced:r((function(){c(1)})),sham:!o},{freeze:function(t){return c&&s(t)?c(a(t)):t}})},53921:(t,e,i)=>{"use strict";var n=i(46518),o=i(72652),r=i(97040);n({target:"Object",stat:!0},{fromEntries:function(t){var e={};return o(t,(function(t,i){r(e,t,i)}),{AS_ENTRIES:!0}),e}})},83851:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(25397),s=i(77347).f,a=i(43724);n({target:"Object",stat:!0,forced:!a||o((function(){s(1)})),sham:!a},{getOwnPropertyDescriptor:function(t,e){return s(r(t),e)}})},81278:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(35031),s=i(25397),a=i(77347),c=i(97040);n({target:"Object",stat:!0,sham:!o},{getOwnPropertyDescriptors:function(t){for(var e,i,n=s(t),o=a.f,l=r(n),u={},h=0;l.length>h;)void 0!==(i=o(n,e=l[h++]))&&c(u,e,i);return u}})},1480:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(10298).f;n({target:"Object",stat:!0,forced:o((function(){return!Object.getOwnPropertyNames(1)}))},{getOwnPropertyNames:r})},49773:(t,e,i)=>{"use strict";var n=i(46518),o=i(4495),r=i(79039),s=i(33717),a=i(48981);n({target:"Object",stat:!0,forced:!o||r((function(){s.f(1)}))},{getOwnPropertySymbols:function(t){var e=s.f;return e?e(a(t)):[]}})},40875:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(48981),s=i(42787),a=i(12211);n({target:"Object",stat:!0,forced:o((function(){s(1)})),sham:!a},{getPrototypeOf:function(t){return s(r(t))}})},77691:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(79504),s=i(79306),a=i(67750),c=i(56969),l=i(72652),u=i(79039),h=Object.groupBy,d=o("Object","create"),p=r([].push);n({target:"Object",stat:!0,forced:!h||u((function(){return 1!==h("ab",(function(t){return t})).a.length}))},{groupBy:function(t,e){a(t),s(e);var i=d(null),n=0;return l(t,(function(t){var o=c(e(t,n++));o in i?p(i[o],t):i[o]=[t]})),i}})},78347:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0},{hasOwn:i(39297)})},94052:(t,e,i)=>{"use strict";var n=i(46518),o=i(34124);n({target:"Object",stat:!0,forced:Object.isExtensible!==o},{isExtensible:o})},94003:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(20034),s=i(22195),a=i(15652),c=Object.isFrozen;n({target:"Object",stat:!0,forced:a||o((function(){c(1)}))},{isFrozen:function(t){return!r(t)||!(!a||"ArrayBuffer"!==s(t))||!!c&&c(t)}})},221:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(20034),s=i(22195),a=i(15652),c=Object.isSealed;n({target:"Object",stat:!0,forced:a||o((function(){c(1)}))},{isSealed:function(t){return!r(t)||!(!a||"ArrayBuffer"!==s(t))||!!c&&c(t)}})},29908:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0},{is:i(3470)})},79432:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(71072);n({target:"Object",stat:!0,forced:i(79039)((function(){r(1)}))},{keys:function(t){return r(o(t))}})},9220:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(48981),a=i(56969),c=i(42787),l=i(77347).f;o&&n({target:"Object",proto:!0,forced:r},{__lookupGetter__:function(t){var e,i=s(this),n=a(t);do{if(e=l(i,n))return e.get}while(i=c(i))}})},7904:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(48981),a=i(56969),c=i(42787),l=i(77347).f;o&&n({target:"Object",proto:!0,forced:r},{__lookupSetter__:function(t){var e,i=s(this),n=a(t);do{if(e=l(i,n))return e.set}while(i=c(i))}})},16348:(t,e,i)=>{"use strict";var n=i(46518),o=i(20034),r=i(3451).onFreeze,s=i(92744),a=i(79039),c=Object.preventExtensions;n({target:"Object",stat:!0,forced:a((function(){c(1)})),sham:!s},{preventExtensions:function(t){return c&&o(t)?c(r(t)):t}})},63548:(t,e,i)=>{"use strict";var n=i(43724),o=i(62106),r=i(20034),s=i(13925),a=i(48981),c=i(67750),l=Object.getPrototypeOf,u=Object.setPrototypeOf,h=Object.prototype,d="__proto__";if(n&&l&&u&&!(d in h))try{o(h,d,{configurable:!0,get:function(){return l(a(this))},set:function(t){var e=c(this);s(t)&&r(e)&&u(e,t)}})}catch(t){}},93941:(t,e,i)=>{"use strict";var n=i(46518),o=i(20034),r=i(3451).onFreeze,s=i(92744),a=i(79039),c=Object.seal;n({target:"Object",stat:!0,forced:a((function(){c(1)})),sham:!s},{seal:function(t){return c&&o(t)?c(r(t)):t}})},10287:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0},{setPrototypeOf:i(52967)})},26099:(t,e,i)=>{"use strict";var n=i(92140),o=i(36840),r=i(53179);n||o(Object.prototype,"toString",r,{unsafe:!0})},16034:(t,e,i)=>{"use strict";var n=i(46518),o=i(32357).values;n({target:"Object",stat:!0},{values:function(t){return o(t)}})},78459:(t,e,i)=>{"use strict";var n=i(46518),o=i(33904);n({global:!0,forced:parseFloat!==o},{parseFloat:o})},58940:(t,e,i)=>{"use strict";var n=i(46518),o=i(52703);n({global:!0,forced:parseInt!==o},{parseInt:o})},96167:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(36043),a=i(1103),c=i(72652);n({target:"Promise",stat:!0,forced:i(90537)},{allSettled:function(t){var e=this,i=s.f(e),n=i.resolve,l=i.reject,u=a((function(){var i=r(e.resolve),s=[],a=0,l=1;c(t,(function(t){var r=a++,c=!1;l++,o(i,e,t).then((function(t){c||(c=!0,s[r]={status:"fulfilled",value:t},--l||n(s))}),(function(t){c||(c=!0,s[r]={status:"rejected",reason:t},--l||n(s))}))})),--l||n(s)}));return u.error&&l(u.value),i.promise}})},16499:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(36043),a=i(1103),c=i(72652);n({target:"Promise",stat:!0,forced:i(90537)},{all:function(t){var e=this,i=s.f(e),n=i.resolve,l=i.reject,u=a((function(){var i=r(e.resolve),s=[],a=0,u=1;c(t,(function(t){var r=a++,c=!1;u++,o(i,e,t).then((function(t){c||(c=!0,s[r]=t,--u||n(s))}),l)})),--u||n(s)}));return u.error&&l(u.value),i.promise}})},93518:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(97751),a=i(36043),c=i(1103),l=i(72652),u=i(90537),h="No one promise resolved";n({target:"Promise",stat:!0,forced:u},{any:function(t){var e=this,i=s("AggregateError"),n=a.f(e),u=n.resolve,d=n.reject,p=c((function(){var n=r(e.resolve),s=[],a=0,c=1,p=!1;l(t,(function(t){var r=a++,l=!1;c++,o(n,e,t).then((function(t){l||p||(p=!0,u(t))}),(function(t){l||p||(l=!0,s[r]=t,--c||d(new i(s,h)))}))})),--c||d(new i(s,h))}));return p.error&&d(p.value),n.promise}})},82003:(t,e,i)=>{"use strict";var n=i(46518),o=i(96395),r=i(10916).CONSTRUCTOR,s=i(80550),a=i(97751),c=i(94901),l=i(36840),u=s&&s.prototype;if(n({target:"Promise",proto:!0,forced:r,real:!0},{catch:function(t){return this.then(void 0,t)}}),!o&&c(s)){var h=a("Promise").prototype.catch;u.catch!==h&&l(u,"catch",h,{unsafe:!0})}},10436:(t,e,i)=>{"use strict";var n,o,r,s=i(46518),a=i(96395),c=i(38574),l=i(44576),u=i(69565),h=i(36840),d=i(52967),p=i(10687),A=i(87633),f=i(79306),g=i(94901),m=i(20034),C=i(90679),b=i(2293),v=i(59225).set,x=i(91955),y=i(90757),w=i(1103),k=i(18265),B=i(91181),E=i(80550),_=i(10916),I=i(36043),D="Promise",S=_.CONSTRUCTOR,T=_.REJECTION_EVENT,O=_.SUBCLASSING,M=B.getterFor(D),P=B.set,R=E&&E.prototype,N=E,H=R,z=l.TypeError,L=l.document,F=l.process,j=I.f,U=j,W=!!(L&&L.createEvent&&l.dispatchEvent),Y="unhandledrejection",q=function(t){var e;return!(!m(t)||!g(e=t.then))&&e},Q=function(t,e){var i,n,o,r=e.value,s=1===e.state,a=s?t.ok:t.fail,c=t.resolve,l=t.reject,h=t.domain;try{a?(s||(2===e.rejection&&J(e),e.rejection=1),!0===a?i=r:(h&&h.enter(),i=a(r),h&&(h.exit(),o=!0)),i===t.promise?l(new z("Promise-chain cycle")):(n=q(i))?u(n,i,c,l):c(i)):l(r)}catch(t){h&&!o&&h.exit(),l(t)}},G=function(t,e){t.notified||(t.notified=!0,x((function(){for(var i,n=t.reactions;i=n.get();)Q(i,t);t.notified=!1,e&&!t.rejection&&V(t)})))},X=function(t,e,i){var n,o;W?((n=L.createEvent("Event")).promise=e,n.reason=i,n.initEvent(t,!1,!0),l.dispatchEvent(n)):n={promise:e,reason:i},!T&&(o=l["on"+t])?o(n):t===Y&&y("Unhandled promise rejection",i)},V=function(t){u(v,l,(function(){var e,i=t.facade,n=t.value;if(K(t)&&(e=w((function(){c?F.emit("unhandledRejection",n,i):X(Y,i,n)})),t.rejection=c||K(t)?2:1,e.error))throw e.value}))},K=function(t){return 1!==t.rejection&&!t.parent},J=function(t){u(v,l,(function(){var e=t.facade;c?F.emit("rejectionHandled",e):X("rejectionhandled",e,t.value)}))},Z=function(t,e,i){return function(n){t(e,n,i)}},$=function(t,e,i){t.done||(t.done=!0,i&&(t=i),t.value=e,t.state=2,G(t,!0))},tt=function(t,e,i){if(!t.done){t.done=!0,i&&(t=i);try{if(t.facade===e)throw new z("Promise can't be resolved itself");var n=q(e);n?x((function(){var i={done:!1};try{u(n,e,Z(tt,i,t),Z($,i,t))}catch(e){$(i,e,t)}})):(t.value=e,t.state=1,G(t,!1))}catch(e){$({done:!1},e,t)}}};if(S&&(H=(N=function(t){C(this,H),f(t),u(n,this);var e=M(this);try{t(Z(tt,e),Z($,e))}catch(t){$(e,t)}}).prototype,(n=function(t){P(this,{type:D,done:!1,notified:!1,parent:!1,reactions:new k,rejection:!1,state:0,value:null})}).prototype=h(H,"then",(function(t,e){var i=M(this),n=j(b(this,N));return i.parent=!0,n.ok=!g(t)||t,n.fail=g(e)&&e,n.domain=c?F.domain:void 0,0===i.state?i.reactions.add(n):x((function(){Q(n,i)})),n.promise})),o=function(){var t=new n,e=M(t);this.promise=t,this.resolve=Z(tt,e),this.reject=Z($,e)},I.f=j=function(t){return t===N||void 0===t?new o(t):U(t)},!a&&g(E)&&R!==Object.prototype)){r=R.then,O||h(R,"then",(function(t,e){var i=this;return new N((function(t,e){u(r,i,t,e)})).then(t,e)}),{unsafe:!0});try{delete R.constructor}catch(t){}d&&d(R,H)}s({global:!0,constructor:!0,wrap:!0,forced:S},{Promise:N}),p(N,D,!1,!0),A(D)},9391:(t,e,i)=>{"use strict";var n=i(46518),o=i(96395),r=i(80550),s=i(79039),a=i(97751),c=i(94901),l=i(2293),u=i(93438),h=i(36840),d=r&&r.prototype;if(n({target:"Promise",proto:!0,real:!0,forced:!!r&&s((function(){d.finally.call({then:function(){}},(function(){}))}))},{finally:function(t){var e=l(this,a("Promise")),i=c(t);return this.then(i?function(i){return u(e,t()).then((function(){return i}))}:t,i?function(i){return u(e,t()).then((function(){throw i}))}:t)}}),!o&&c(r)){var p=a("Promise").prototype.finally;d.finally!==p&&h(d,"finally",p,{unsafe:!0})}},3362:(t,e,i)=>{"use strict";i(10436),i(16499),i(82003),i(7743),i(51481),i(40280)},7743:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(36043),a=i(1103),c=i(72652);n({target:"Promise",stat:!0,forced:i(90537)},{race:function(t){var e=this,i=s.f(e),n=i.reject,l=a((function(){var s=r(e.resolve);c(t,(function(t){o(s,e,t).then(i.resolve,n)}))}));return l.error&&n(l.value),i.promise}})},51481:(t,e,i)=>{"use strict";var n=i(46518),o=i(36043);n({target:"Promise",stat:!0,forced:i(10916).CONSTRUCTOR},{reject:function(t){var e=o.f(this);return(0,e.reject)(t),e.promise}})},40280:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(96395),s=i(80550),a=i(10916).CONSTRUCTOR,c=i(93438),l=o("Promise"),u=r&&!a;n({target:"Promise",stat:!0,forced:r||a},{resolve:function(t){return c(u&&this===l?s:this,t)}})},14628:(t,e,i)=>{"use strict";var n=i(46518),o=i(36043);n({target:"Promise",stat:!0},{withResolvers:function(){var t=o.f(this);return{promise:t.promise,resolve:t.resolve,reject:t.reject}}})},39796:(t,e,i)=>{"use strict";var n=i(46518),o=i(18745),r=i(79306),s=i(28551);n({target:"Reflect",stat:!0,forced:!i(79039)((function(){Reflect.apply((function(){}))}))},{apply:function(t,e,i){return o(r(t),e,s(i))}})},60825:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(18745),s=i(30566),a=i(35548),c=i(28551),l=i(20034),u=i(2360),h=i(79039),d=o("Reflect","construct"),p=Object.prototype,A=[].push,f=h((function(){function t(){}return!(d((function(){}),[],t)instanceof t)})),g=!h((function(){d((function(){}))})),m=f||g;n({target:"Reflect",stat:!0,forced:m,sham:m},{construct:function(t,e){a(t),c(e);var i=arguments.length<3?t:a(arguments[2]);if(g&&!f)return d(t,e,i);if(t===i){switch(e.length){case 0:return new t;case 1:return new t(e[0]);case 2:return new t(e[0],e[1]);case 3:return new t(e[0],e[1],e[2]);case 4:return new t(e[0],e[1],e[2],e[3])}var n=[null];return r(A,n,e),new(r(s,t,n))}var o=i.prototype,h=u(l(o)?o:p),m=r(t,h,e);return l(m)?m:h}})},87411:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(28551),s=i(56969),a=i(24913);n({target:"Reflect",stat:!0,forced:i(79039)((function(){Reflect.defineProperty(a.f({},1,{value:1}),1,{value:2})})),sham:!o},{defineProperty:function(t,e,i){r(t);var n=s(e);r(i);try{return a.f(t,n,i),!0}catch(t){return!1}}})},21211:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(77347).f;n({target:"Reflect",stat:!0},{deleteProperty:function(t,e){var i=r(o(t),e);return!(i&&!i.configurable)&&delete t[e]}})},9065:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(28551),s=i(77347);n({target:"Reflect",stat:!0,sham:!o},{getOwnPropertyDescriptor:function(t,e){return s.f(r(t),e)}})},86565:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(42787);n({target:"Reflect",stat:!0,sham:!i(12211)},{getPrototypeOf:function(t){return r(o(t))}})},40888:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(20034),s=i(28551),a=i(16575),c=i(77347),l=i(42787);n({target:"Reflect",stat:!0},{get:function t(e,i){var n,u,h=arguments.length<3?e:arguments[2];return s(e)===h?e[i]:(n=c.f(e,i))?a(n)?n.value:void 0===n.get?void 0:o(n.get,h):r(u=l(e))?t(u,i,h):void 0}})},32812:(t,e,i)=>{"use strict";i(46518)({target:"Reflect",stat:!0},{has:function(t,e){return e in t}})},84634:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(34124);n({target:"Reflect",stat:!0},{isExtensible:function(t){return o(t),r(t)}})},71137:(t,e,i)=>{"use strict";i(46518)({target:"Reflect",stat:!0},{ownKeys:i(35031)})},30985:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(28551);n({target:"Reflect",stat:!0,sham:!i(92744)},{preventExtensions:function(t){r(t);try{var e=o("Object","preventExtensions");return e&&e(t),!0}catch(t){return!1}}})},34873:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(73506),s=i(52967);s&&n({target:"Reflect",stat:!0},{setPrototypeOf:function(t,e){o(t),r(e);try{return s(t,e),!0}catch(t){return!1}}})},34268:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(28551),s=i(20034),a=i(16575),c=i(79039),l=i(24913),u=i(77347),h=i(42787),d=i(6980);n({target:"Reflect",stat:!0,forced:c((function(){var t=function(){},e=l.f(new t,"a",{configurable:!0});return!1!==Reflect.set(t.prototype,"a",1,e)}))},{set:function t(e,i,n){var c,p,A,f=arguments.length<4?e:arguments[3],g=u.f(r(e),i);if(!g){if(s(p=h(e)))return t(p,i,n,f);g=d(0)}if(a(g)){if(!1===g.writable||!s(f))return!1;if(c=u.f(f,i)){if(c.get||c.set||!1===c.writable)return!1;c.value=n,l.f(f,i,c)}else l.f(f,i,d(0,n))}else{if(void 0===(A=g.set))return!1;o(A,f,n)}return!0}})},15472:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(10687);n({global:!0},{Reflect:{}}),r(o.Reflect,"Reflect",!0)},84864:(t,e,i)=>{"use strict";var n=i(43724),o=i(44576),r=i(79504),s=i(92796),a=i(23167),c=i(66699),l=i(2360),u=i(38480).f,h=i(1625),d=i(60788),p=i(655),A=i(61034),f=i(58429),g=i(11056),m=i(36840),C=i(79039),b=i(39297),v=i(91181).enforce,x=i(87633),y=i(78227),w=i(83635),k=i(18814),B=y("match"),E=o.RegExp,_=E.prototype,I=o.SyntaxError,D=r(_.exec),S=r("".charAt),T=r("".replace),O=r("".indexOf),M=r("".slice),P=/^\?<[^\s\d!#%&*+<=>@^][^\s!#%&*+<=>@^]*>/,R=/a/g,N=/a/g,H=new E(R)!==R,z=f.MISSED_STICKY,L=f.UNSUPPORTED_Y;if(s("RegExp",n&&(!H||z||w||k||C((function(){return N[B]=!1,E(R)!==R||E(N)===N||"/a/i"!==String(E(R,"i"))}))))){for(var F=function(t,e){var i,n,o,r,s,u,f=h(_,this),g=d(t),m=void 0===e,C=[],x=t;if(!f&&g&&m&&t.constructor===F)return t;if((g||h(_,t))&&(t=t.source,m&&(e=A(x))),t=void 0===t?"":p(t),e=void 0===e?"":p(e),x=t,w&&"dotAll"in R&&(n=!!e&&O(e,"s")>-1)&&(e=T(e,/s/g,"")),i=e,z&&"sticky"in R&&(o=!!e&&O(e,"y")>-1)&&L&&(e=T(e,/y/g,"")),k&&(r=function(t){for(var e,i=t.length,n=0,o="",r=[],s=l(null),a=!1,c=!1,u=0,h="";n<=i;n++){if("\\"===(e=S(t,n)))e+=S(t,++n);else if("]"===e)a=!1;else if(!a)switch(!0){case"["===e:a=!0;break;case"("===e:if(o+=e,"?:"===M(t,n+1,n+3))continue;D(P,M(t,n+1))&&(n+=2,c=!0),u++;continue;case">"===e&&c:if(""===h||b(s,h))throw new I("Invalid capture group name");s[h]=!0,r[r.length]=[h,u],c=!1,h="";continue}c?h+=e:o+=e}return[o,r]}(t),t=r[0],C=r[1]),s=a(E(t,e),f?this:_,F),(n||o||C.length)&&(u=v(s),n&&(u.dotAll=!0,u.raw=F(function(t){for(var e,i=t.length,n=0,o="",r=!1;n<=i;n++)"\\"!==(e=S(t,n))?r||"."!==e?("["===e?r=!0:"]"===e&&(r=!1),o+=e):o+="[\\s\\S]":o+=e+S(t,++n);return o}(t),i)),o&&(u.sticky=!0),C.length&&(u.groups=C)),t!==x)try{c(s,"source",""===x?"(?:)":x)}catch(t){}return s},j=u(E),U=0;j.length>U;)g(F,E,j[U++]);_.constructor=F,F.prototype=_,m(o,"RegExp",F,{constructor:!0})}x("RegExp")},57465:(t,e,i)=>{"use strict";var n=i(43724),o=i(83635),r=i(22195),s=i(62106),a=i(91181).get,c=RegExp.prototype,l=TypeError;n&&o&&s(c,"dotAll",{configurable:!0,get:function(){if(this!==c){if("RegExp"===r(this))return!!a(this).dotAll;throw new l("Incompatible receiver, RegExp required")}}})},69479:(t,e,i)=>{"use strict";var n=i(44576),o=i(43724),r=i(62106),s=i(67979),a=i(79039),c=n.RegExp,l=c.prototype;o&&a((function(){var t=!0;try{c(".","d")}catch(e){t=!1}var e={},i="",n=t?"dgimsy":"gimsy",o=function(t,n){Object.defineProperty(e,t,{get:function(){return i+=n,!0}})},r={dotAll:"s",global:"g",ignoreCase:"i",multiline:"m",sticky:"y"};for(var s in t&&(r.hasIndices="d"),r)o(s,r[s]);return Object.getOwnPropertyDescriptor(l,"flags").get.call(e)!==n||i!==n}))&&r(l,"flags",{configurable:!0,get:s})},87745:(t,e,i)=>{"use strict";var n=i(43724),o=i(58429).MISSED_STICKY,r=i(22195),s=i(62106),a=i(91181).get,c=RegExp.prototype,l=TypeError;n&&o&&s(c,"sticky",{configurable:!0,get:function(){if(this!==c){if("RegExp"===r(this))return!!a(this).sticky;throw new l("Incompatible receiver, RegExp required")}}})},90906:(t,e,i)=>{"use strict";i(27495);var n,o,r=i(46518),s=i(69565),a=i(94901),c=i(28551),l=i(655),u=(n=!1,(o=/[ac]/).exec=function(){return n=!0,/./.exec.apply(this,arguments)},!0===o.test("abc")&&n),h=/./.test;r({target:"RegExp",proto:!0,forced:!u},{test:function(t){var e=c(this),i=l(t),n=e.exec;if(!a(n))return s(h,e,i);var o=s(n,e,i);return null!==o&&(c(o),!0)}})},38781:(t,e,i)=>{"use strict";var n=i(10350).PROPER,o=i(36840),r=i(28551),s=i(655),a=i(79039),c=i(61034),l="toString",u=RegExp.prototype,h=u[l],d=a((function(){return"/a/b"!==h.call({source:"a",flags:"b"})})),p=n&&h.name!==l;(d||p)&&o(u,l,(function(){var t=r(this);return"/"+s(t.source)+"/"+s(c(t))}),{unsafe:!0})},92405:(t,e,i)=>{"use strict";i(16468)("Set",(function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}}),i(86938))},17642:(t,e,i)=>{"use strict";var n=i(46518),o=i(83440);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("difference")},{difference:o})},58004:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(68750);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("intersection")||o((function(){return"3,2"!==String(Array.from(new Set([1,2,3]).intersection(new Set([3,2]))))}))},{intersection:r})},33853:(t,e,i)=>{"use strict";var n=i(46518),o=i(64449);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("isDisjointFrom")},{isDisjointFrom:o})},45876:(t,e,i)=>{"use strict";var n=i(46518),o=i(53838);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("isSubsetOf")},{isSubsetOf:o})},32475:(t,e,i)=>{"use strict";var n=i(46518),o=i(28527);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("isSupersetOf")},{isSupersetOf:o})},31415:(t,e,i)=>{"use strict";i(92405)},15024:(t,e,i)=>{"use strict";var n=i(46518),o=i(83650);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("symmetricDifference")},{symmetricDifference:o})},31698:(t,e,i)=>{"use strict";var n=i(46518),o=i(44204);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("union")},{union:o})},89907:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("anchor")},{anchor:function(t){return o(this,"a","name",t)}})},67357:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(67750),s=i(91291),a=i(655),c=i(79039),l=o("".charAt);n({target:"String",proto:!0,forced:c((function(){return"\ud842"!=="𠮷".at(-2)}))},{at:function(t){var e=a(r(this)),i=e.length,n=s(t),o=n>=0?n:i+n;return o<0||o>=i?void 0:l(e,o)}})},11898:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("big")},{big:function(){return o(this,"big","","")}})},35490:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("blink")},{blink:function(){return o(this,"blink","","")}})},5745:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("bold")},{bold:function(){return o(this,"b","","")}})},23860:(t,e,i)=>{"use strict";var n=i(46518),o=i(68183).codeAt;n({target:"String",proto:!0},{codePointAt:function(t){return o(this,t)}})},21830:(t,e,i)=>{"use strict";var n,o=i(46518),r=i(27476),s=i(77347).f,a=i(18014),c=i(655),l=i(60511),u=i(67750),h=i(41436),d=i(96395),p=r("".slice),A=Math.min,f=h("endsWith");o({target:"String",proto:!0,forced:!(!d&&!f&&(n=s(String.prototype,"endsWith"),n&&!n.writable)||f)},{endsWith:function(t){var e=c(u(this));l(t);var i=arguments.length>1?arguments[1]:void 0,n=e.length,o=void 0===i?n:A(a(i),n),r=c(t);return p(e,o-r.length,o)===r}})},94298:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("fixed")},{fixed:function(){return o(this,"tt","","")}})},60268:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("fontcolor")},{fontcolor:function(t){return o(this,"font","color",t)}})},69546:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("fontsize")},{fontsize:function(t){return o(this,"font","size",t)}})},27337:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(35610),s=RangeError,a=String.fromCharCode,c=String.fromCodePoint,l=o([].join);n({target:"String",stat:!0,arity:1,forced:!!c&&1!==c.length},{fromCodePoint:function(t){for(var e,i=[],n=arguments.length,o=0;n>o;){if(e=+arguments[o++],r(e,1114111)!==e)throw new s(e+" is not a valid code point");i[o]=e<65536?a(e):a(55296+((e-=65536)>>10),e%1024+56320)}return l(i,"")}})},21699:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(60511),s=i(67750),a=i(655),c=i(41436),l=o("".indexOf);n({target:"String",proto:!0,forced:!c("includes")},{includes:function(t){return!!~l(a(s(this)),a(r(t)),arguments.length>1?arguments[1]:void 0)}})},42043:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(67750),s=i(655),a=o("".charCodeAt);n({target:"String",proto:!0},{isWellFormed:function(){for(var t=s(r(this)),e=t.length,i=0;i=56320||++i>=e||56320!=(64512&a(t,i))))return!1}return!0}})},20781:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("italics")},{italics:function(){return o(this,"i","","")}})},47764:(t,e,i)=>{"use strict";var n=i(68183).charAt,o=i(655),r=i(91181),s=i(51088),a=i(62529),c="String Iterator",l=r.set,u=r.getterFor(c);s(String,"String",(function(t){l(this,{type:c,string:o(t),index:0})}),(function(){var t,e=u(this),i=e.string,o=e.index;return o>=i.length?a(void 0,!0):(t=n(i,o),e.index+=t.length,a(t,!1))}))},50778:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("link")},{link:function(t){return o(this,"a","href",t)}})},28543:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(27476),s=i(33994),a=i(62529),c=i(67750),l=i(18014),u=i(655),h=i(28551),d=i(64117),p=i(22195),A=i(60788),f=i(61034),g=i(55966),m=i(36840),C=i(79039),b=i(78227),v=i(2293),x=i(57829),y=i(56682),w=i(91181),k=i(96395),B=b("matchAll"),E="RegExp String",_=E+" Iterator",I=w.set,D=w.getterFor(_),S=RegExp.prototype,T=TypeError,O=r("".indexOf),M=r("".matchAll),P=!!M&&!C((function(){M("a",/./)})),R=s((function(t,e,i,n){I(this,{type:_,regexp:t,string:e,global:i,unicode:n,done:!1})}),E,(function(){var t=D(this);if(t.done)return a(void 0,!0);var e=t.regexp,i=t.string,n=y(e,i);return null===n?(t.done=!0,a(void 0,!0)):t.global?(""===u(n[0])&&(e.lastIndex=x(i,l(e.lastIndex),t.unicode)),a(n,!1)):(t.done=!0,a(n,!1))})),N=function(t){var e,i,n,o=h(this),r=u(t),s=v(o,RegExp),a=u(f(o));return e=new s(s===RegExp?o.source:o,a),i=!!~O(a,"g"),n=!!~O(a,"u"),e.lastIndex=l(o.lastIndex),new R(e,r,i,n)};n({target:"String",proto:!0,forced:P},{matchAll:function(t){var e,i,n,r,s=c(this);if(d(t)){if(P)return M(s,t)}else{if(A(t)&&(e=u(c(f(t))),!~O(e,"g")))throw new T("`.matchAll` does not allow non-global regexes");if(P)return M(s,t);if(void 0===(n=g(t,B))&&k&&"RegExp"===p(t)&&(n=N),n)return o(n,t,s)}return i=u(s),r=new RegExp(t,"g"),k?o(N,r,i):r[B](i)}}),k||B in S||m(S,B,N)},71761:(t,e,i)=>{"use strict";var n=i(69565),o=i(89228),r=i(28551),s=i(64117),a=i(18014),c=i(655),l=i(67750),u=i(55966),h=i(57829),d=i(56682);o("match",(function(t,e,i){return[function(e){var i=l(this),o=s(e)?void 0:u(e,t);return o?n(o,e,i):new RegExp(e)[t](c(i))},function(t){var n=r(this),o=c(t),s=i(e,n,o);if(s.done)return s.value;if(!n.global)return d(n,o);var l=n.unicode;n.lastIndex=0;for(var u,p=[],A=0;null!==(u=d(n,o));){var f=c(u[0]);p[A]=f,""===f&&(n.lastIndex=h(o,a(n.lastIndex),l)),A++}return 0===A?null:p}]}))},35701:(t,e,i)=>{"use strict";var n=i(46518),o=i(60533).end;n({target:"String",proto:!0,forced:i(83063)},{padEnd:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},68156:(t,e,i)=>{"use strict";var n=i(46518),o=i(60533).start;n({target:"String",proto:!0,forced:i(83063)},{padStart:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},85906:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(25397),s=i(48981),a=i(655),c=i(26198),l=o([].push),u=o([].join);n({target:"String",stat:!0},{raw:function(t){var e=r(s(t).raw),i=c(e);if(!i)return"";for(var n=arguments.length,o=[],h=0;;){if(l(o,a(e[h++])),h===i)return u(o,"");h{"use strict";i(46518)({target:"String",proto:!0},{repeat:i(72333)})},79978:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79504),s=i(67750),a=i(94901),c=i(64117),l=i(60788),u=i(655),h=i(55966),d=i(61034),p=i(2478),A=i(78227),f=i(96395),g=A("replace"),m=TypeError,C=r("".indexOf),b=r("".replace),v=r("".slice),x=Math.max;n({target:"String",proto:!0},{replaceAll:function(t,e){var i,n,r,A,y,w,k,B,E,_,I=s(this),D=0,S="";if(!c(t)){if((i=l(t))&&(n=u(s(d(t))),!~C(n,"g")))throw new m("`.replaceAll` does not allow non-global regexes");if(r=h(t,g))return o(r,t,I,e);if(f&&i)return b(u(I),t,e)}for(A=u(I),y=u(t),(w=a(e))||(e=u(e)),k=y.length,B=x(1,k),E=C(A,y);-1!==E;)_=w?u(e(y,E,A)):p(y,A,E,[],void 0,e),S+=v(A,D,E)+_,D=E+k,E=E+B>A.length?-1:C(A,y,E+B);return D{"use strict";var n=i(69565),o=i(89228),r=i(28551),s=i(64117),a=i(67750),c=i(3470),l=i(655),u=i(55966),h=i(56682);o("search",(function(t,e,i){return[function(e){var i=a(this),o=s(e)?void 0:u(e,t);return o?n(o,e,i):new RegExp(e)[t](l(i))},function(t){var n=r(this),o=l(t),s=i(e,n,o);if(s.done)return s.value;var a=n.lastIndex;c(a,0)||(n.lastIndex=0);var u=h(n,o);return c(n.lastIndex,a)||(n.lastIndex=a),null===u?-1:u.index}]}))},89195:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("small")},{small:function(){return o(this,"small","","")}})},90744:(t,e,i)=>{"use strict";var n=i(69565),o=i(79504),r=i(89228),s=i(28551),a=i(64117),c=i(67750),l=i(2293),u=i(57829),h=i(18014),d=i(655),p=i(55966),A=i(56682),f=i(58429),g=i(79039),m=f.UNSUPPORTED_Y,C=Math.min,b=o([].push),v=o("".slice),x=!g((function(){var t=/(?:)/,e=t.exec;t.exec=function(){return e.apply(this,arguments)};var i="ab".split(t);return 2!==i.length||"a"!==i[0]||"b"!==i[1]})),y="c"==="abbc".split(/(b)*/)[1]||4!=="test".split(/(?:)/,-1).length||2!=="ab".split(/(?:ab)*/).length||4!==".".split(/(.?)(.?)/).length||".".split(/()()/).length>1||"".split(/.?/).length;r("split",(function(t,e,i){var o="0".split(void 0,0).length?function(t,i){return void 0===t&&0===i?[]:n(e,this,t,i)}:e;return[function(e,i){var r=c(this),s=a(e)?void 0:p(e,t);return s?n(s,e,r,i):n(o,d(r),e,i)},function(t,n){var r=s(this),a=d(t);if(!y){var c=i(o,r,a,n,o!==e);if(c.done)return c.value}var p=l(r,RegExp),f=r.unicode,g=(r.ignoreCase?"i":"")+(r.multiline?"m":"")+(r.unicode?"u":"")+(m?"g":"y"),x=new p(m?"^(?:"+r.source+")":r,g),w=void 0===n?4294967295:n>>>0;if(0===w)return[];if(0===a.length)return null===A(x,a)?[a]:[];for(var k=0,B=0,E=[];B{"use strict";var n,o=i(46518),r=i(27476),s=i(77347).f,a=i(18014),c=i(655),l=i(60511),u=i(67750),h=i(41436),d=i(96395),p=r("".slice),A=Math.min,f=h("startsWith");o({target:"String",proto:!0,forced:!(!d&&!f&&(n=s(String.prototype,"startsWith"),n&&!n.writable)||f)},{startsWith:function(t){var e=c(u(this));l(t);var i=a(A(arguments.length>1?arguments[1]:void 0,e.length)),n=c(t);return p(e,i,i+n.length)===n}})},46276:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("strike")},{strike:function(){return o(this,"strike","","")}})},48718:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("sub")},{sub:function(){return o(this,"sub","","")}})},50375:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(67750),s=i(91291),a=i(655),c=o("".slice),l=Math.max,u=Math.min;n({target:"String",proto:!0,forced:!"".substr||"b"!=="ab".substr(-1)},{substr:function(t,e){var i,n,o=a(r(this)),h=o.length,d=s(t);return d===1/0&&(d=0),d<0&&(d=l(h+d,0)),(i=void 0===e?h:s(e))<=0||i===1/0||d>=(n=u(d+i,h))?"":c(o,d,n)}})},16308:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("sup")},{sup:function(){return o(this,"sup","","")}})},67438:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79504),s=i(67750),a=i(655),c=i(79039),l=Array,u=r("".charAt),h=r("".charCodeAt),d=r([].join),p="".toWellFormed,A=p&&c((function(){return"1"!==o(p,1)}));n({target:"String",proto:!0,forced:A},{toWellFormed:function(){var t=a(s(this));if(A)return o(p,t);for(var e=t.length,i=l(e),n=0;n=56320||n+1>=e||56320!=(64512&h(t,n+1))?i[n]="�":(i[n]=u(t,n),i[++n]=u(t,n))}return d(i,"")}})},39202:(t,e,i)=>{"use strict";i(33313);var n=i(46518),o=i(18866);n({target:"String",proto:!0,name:"trimEnd",forced:"".trimEnd!==o},{trimEnd:o})},58934:(t,e,i)=>{"use strict";var n=i(46518),o=i(53487);n({target:"String",proto:!0,name:"trimStart",forced:"".trimLeft!==o},{trimLeft:o})},33313:(t,e,i)=>{"use strict";var n=i(46518),o=i(18866);n({target:"String",proto:!0,name:"trimEnd",forced:"".trimRight!==o},{trimRight:o})},43359:(t,e,i)=>{"use strict";i(58934);var n=i(46518),o=i(53487);n({target:"String",proto:!0,name:"trimStart",forced:"".trimStart!==o},{trimStart:o})},42762:(t,e,i)=>{"use strict";var n=i(46518),o=i(43802).trim;n({target:"String",proto:!0,forced:i(60706)("trim")},{trim:function(){return o(this)}})},66412:(t,e,i)=>{"use strict";i(70511)("asyncIterator")},6761:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(69565),s=i(79504),a=i(96395),c=i(43724),l=i(4495),u=i(79039),h=i(39297),d=i(1625),p=i(28551),A=i(25397),f=i(56969),g=i(655),m=i(6980),C=i(2360),b=i(71072),v=i(38480),x=i(10298),y=i(33717),w=i(77347),k=i(24913),B=i(96801),E=i(48773),_=i(36840),I=i(62106),D=i(25745),S=i(66119),T=i(30421),O=i(33392),M=i(78227),P=i(1951),R=i(70511),N=i(58242),H=i(10687),z=i(91181),L=i(59213).forEach,F=S("hidden"),j="Symbol",U="prototype",W=z.set,Y=z.getterFor(j),q=Object[U],Q=o.Symbol,G=Q&&Q[U],X=o.RangeError,V=o.TypeError,K=o.QObject,J=w.f,Z=k.f,$=x.f,tt=E.f,et=s([].push),it=D("symbols"),nt=D("op-symbols"),ot=D("wks"),rt=!K||!K[U]||!K[U].findChild,st=function(t,e,i){var n=J(q,e);n&&delete q[e],Z(t,e,i),n&&t!==q&&Z(q,e,n)},at=c&&u((function(){return 7!==C(Z({},"a",{get:function(){return Z(this,"a",{value:7}).a}})).a}))?st:Z,ct=function(t,e){var i=it[t]=C(G);return W(i,{type:j,tag:t,description:e}),c||(i.description=e),i},lt=function(t,e,i){t===q&<(nt,e,i),p(t);var n=f(e);return p(i),h(it,n)?(i.enumerable?(h(t,F)&&t[F][n]&&(t[F][n]=!1),i=C(i,{enumerable:m(0,!1)})):(h(t,F)||Z(t,F,m(1,C(null))),t[F][n]=!0),at(t,n,i)):Z(t,n,i)},ut=function(t,e){p(t);var i=A(e),n=b(i).concat(At(i));return L(n,(function(e){c&&!r(ht,i,e)||lt(t,e,i[e])})),t},ht=function(t){var e=f(t),i=r(tt,this,e);return!(this===q&&h(it,e)&&!h(nt,e))&&(!(i||!h(this,e)||!h(it,e)||h(this,F)&&this[F][e])||i)},dt=function(t,e){var i=A(t),n=f(e);if(i!==q||!h(it,n)||h(nt,n)){var o=J(i,n);return!o||!h(it,n)||h(i,F)&&i[F][n]||(o.enumerable=!0),o}},pt=function(t){var e=$(A(t)),i=[];return L(e,(function(t){h(it,t)||h(T,t)||et(i,t)})),i},At=function(t){var e=t===q,i=$(e?nt:A(t)),n=[];return L(i,(function(t){!h(it,t)||e&&!h(q,t)||et(n,it[t])})),n};l||(_(G=(Q=function(){if(d(G,this))throw new V("Symbol is not a constructor");var t=arguments.length&&void 0!==arguments[0]?g(arguments[0]):void 0,e=O(t),i=function(t){var n=void 0===this?o:this;n===q&&r(i,nt,t),h(n,F)&&h(n[F],e)&&(n[F][e]=!1);var s=m(1,t);try{at(n,e,s)}catch(t){if(!(t instanceof X))throw t;st(n,e,s)}};return c&&rt&&at(q,e,{configurable:!0,set:i}),ct(e,t)})[U],"toString",(function(){return Y(this).tag})),_(Q,"withoutSetter",(function(t){return ct(O(t),t)})),E.f=ht,k.f=lt,B.f=ut,w.f=dt,v.f=x.f=pt,y.f=At,P.f=function(t){return ct(M(t),t)},c&&(I(G,"description",{configurable:!0,get:function(){return Y(this).description}}),a||_(q,"propertyIsEnumerable",ht,{unsafe:!0}))),n({global:!0,constructor:!0,wrap:!0,forced:!l,sham:!l},{Symbol:Q}),L(b(ot),(function(t){R(t)})),n({target:j,stat:!0,forced:!l},{useSetter:function(){rt=!0},useSimple:function(){rt=!1}}),n({target:"Object",stat:!0,forced:!l,sham:!c},{create:function(t,e){return void 0===e?C(t):ut(C(t),e)},defineProperty:lt,defineProperties:ut,getOwnPropertyDescriptor:dt}),n({target:"Object",stat:!0,forced:!l},{getOwnPropertyNames:pt}),N(),H(Q,j),T[F]=!0},89463:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(44576),s=i(79504),a=i(39297),c=i(94901),l=i(1625),u=i(655),h=i(62106),d=i(77740),p=r.Symbol,A=p&&p.prototype;if(o&&c(p)&&(!("description"in A)||void 0!==p().description)){var f={},g=function(){var t=arguments.length<1||void 0===arguments[0]?void 0:u(arguments[0]),e=l(A,this)?new p(t):void 0===t?p():p(t);return""===t&&(f[e]=!0),e};d(g,p),g.prototype=A,A.constructor=g;var m="Symbol(description detection)"===String(p("description detection")),C=s(A.valueOf),b=s(A.toString),v=/^Symbol\((.*)\)[^)]+$/,x=s("".replace),y=s("".slice);h(A,"description",{configurable:!0,get:function(){var t=C(this);if(a(f,t))return"";var e=b(t),i=m?y(e,7,-1):x(e,v,"$1");return""===i?void 0:i}}),n({global:!0,constructor:!0,forced:!0},{Symbol:g})}},81510:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(39297),s=i(655),a=i(25745),c=i(91296),l=a("string-to-symbol-registry"),u=a("symbol-to-string-registry");n({target:"Symbol",stat:!0,forced:!c},{for:function(t){var e=s(t);if(r(l,e))return l[e];var i=o("Symbol")(e);return l[e]=i,u[i]=e,i}})},60193:(t,e,i)=>{"use strict";i(70511)("hasInstance")},92168:(t,e,i)=>{"use strict";i(70511)("isConcatSpreadable")},2259:(t,e,i)=>{"use strict";i(70511)("iterator")},52675:(t,e,i)=>{"use strict";i(6761),i(81510),i(97812),i(33110),i(49773)},97812:(t,e,i)=>{"use strict";var n=i(46518),o=i(39297),r=i(10757),s=i(16823),a=i(25745),c=i(91296),l=a("symbol-to-string-registry");n({target:"Symbol",stat:!0,forced:!c},{keyFor:function(t){if(!r(t))throw new TypeError(s(t)+" is not a symbol");if(o(l,t))return l[t]}})},83142:(t,e,i)=>{"use strict";i(70511)("matchAll")},86964:(t,e,i)=>{"use strict";i(70511)("match")},83237:(t,e,i)=>{"use strict";i(70511)("replace")},61833:(t,e,i)=>{"use strict";i(70511)("search")},67947:(t,e,i)=>{"use strict";i(70511)("species")},31073:(t,e,i)=>{"use strict";i(70511)("split")},45700:(t,e,i)=>{"use strict";var n=i(70511),o=i(58242);n("toPrimitive"),o()},78125:(t,e,i)=>{"use strict";var n=i(97751),o=i(70511),r=i(10687);o("toStringTag"),r(n("Symbol"),"Symbol")},20326:(t,e,i)=>{"use strict";i(70511)("unscopables")},48140:(t,e,i)=>{"use strict";var n=i(94644),o=i(26198),r=i(91291),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("at",(function(t){var e=s(this),i=o(e),n=r(t),a=n>=0?n:i+n;return a<0||a>=i?void 0:e[a]}))},81630:(t,e,i)=>{"use strict";var n=i(79504),o=i(94644),r=n(i(57029)),s=o.aTypedArray;(0,o.exportTypedArrayMethod)("copyWithin",(function(t,e){return r(s(this),t,e,arguments.length>2?arguments[2]:void 0)}))},72170:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).every,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("every",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},75044:(t,e,i)=>{"use strict";var n=i(94644),o=i(84373),r=i(75854),s=i(36955),a=i(69565),c=i(79504),l=i(79039),u=n.aTypedArray,h=n.exportTypedArrayMethod,d=c("".slice);h("fill",(function(t){var e=arguments.length;u(this);var i="Big"===d(s(this),0,3)?r(t):+t;return a(o,this,i,e>1?arguments[1]:void 0,e>2?arguments[2]:void 0)}),l((function(){var t=0;return new Int8Array(2).fill({valueOf:function(){return t++}}),1!==t})))},69539:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).filter,r=i(26357),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("filter",(function(t){var e=o(s(this),t,arguments.length>1?arguments[1]:void 0);return r(this,e)}))},89955:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).findIndex,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("findIndex",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},91134:(t,e,i)=>{"use strict";var n=i(94644),o=i(43839).findLastIndex,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("findLastIndex",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},21903:(t,e,i)=>{"use strict";var n=i(94644),o=i(43839).findLast,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("findLast",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},31694:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).find,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("find",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},34594:(t,e,i)=>{"use strict";i(15823)("Float32",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},29833:(t,e,i)=>{"use strict";i(15823)("Float64",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},33206:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).forEach,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("forEach",(function(t){o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},48345:(t,e,i)=>{"use strict";var n=i(72805);(0,i(94644).exportTypedArrayStaticMethod)("from",i(43251),n)},44496:(t,e,i)=>{"use strict";var n=i(94644),o=i(19617).includes,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("includes",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},66651:(t,e,i)=>{"use strict";var n=i(94644),o=i(19617).indexOf,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("indexOf",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},72107:(t,e,i)=>{"use strict";i(15823)("Int16",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},95477:(t,e,i)=>{"use strict";i(15823)("Int32",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},46594:(t,e,i)=>{"use strict";i(15823)("Int8",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},12887:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(79504),s=i(94644),a=i(23792),c=i(78227)("iterator"),l=n.Uint8Array,u=r(a.values),h=r(a.keys),d=r(a.entries),p=s.aTypedArray,A=s.exportTypedArrayMethod,f=l&&l.prototype,g=!o((function(){f[c].call([1])})),m=!!f&&f.values&&f[c]===f.values&&"values"===f.values.name,C=function(){return u(p(this))};A("entries",(function(){return d(p(this))}),g),A("keys",(function(){return h(p(this))}),g),A("values",C,g||!m,{name:"values"}),A(c,C,g||!m,{name:"values"})},19369:(t,e,i)=>{"use strict";var n=i(94644),o=i(79504),r=n.aTypedArray,s=n.exportTypedArrayMethod,a=o([].join);s("join",(function(t){return a(r(this),t)}))},66812:(t,e,i)=>{"use strict";var n=i(94644),o=i(18745),r=i(8379),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("lastIndexOf",(function(t){var e=arguments.length;return o(r,s(this),e>1?[t,arguments[1]]:[t])}))},8995:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).map,r=i(61412),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("map",(function(t){return o(s(this),t,arguments.length>1?arguments[1]:void 0,(function(t,e){return new(r(t))(e)}))}))},52568:(t,e,i)=>{"use strict";var n=i(94644),o=i(72805),r=n.aTypedArrayConstructor;(0,n.exportTypedArrayStaticMethod)("of",(function(){for(var t=0,e=arguments.length,i=new(r(this))(e);e>t;)i[t]=arguments[t++];return i}),o)},36072:(t,e,i)=>{"use strict";var n=i(94644),o=i(80926).right,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("reduceRight",(function(t){var e=arguments.length;return o(r(this),t,e,e>1?arguments[1]:void 0)}))},31575:(t,e,i)=>{"use strict";var n=i(94644),o=i(80926).left,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("reduce",(function(t){var e=arguments.length;return o(r(this),t,e,e>1?arguments[1]:void 0)}))},88747:(t,e,i)=>{"use strict";var n=i(94644),o=n.aTypedArray,r=n.exportTypedArrayMethod,s=Math.floor;r("reverse",(function(){for(var t,e=this,i=o(e).length,n=s(i/2),r=0;r{"use strict";var n=i(44576),o=i(69565),r=i(94644),s=i(26198),a=i(58229),c=i(48981),l=i(79039),u=n.RangeError,h=n.Int8Array,d=h&&h.prototype,p=d&&d.set,A=r.aTypedArray,f=r.exportTypedArrayMethod,g=!l((function(){var t=new Uint8ClampedArray(2);return o(p,t,{length:1,0:3},1),3!==t[1]})),m=g&&r.NATIVE_ARRAY_BUFFER_VIEWS&&l((function(){var t=new h(2);return t.set(1),t.set("2",1),0!==t[0]||2!==t[1]}));f("set",(function(t){A(this);var e=a(arguments.length>1?arguments[1]:void 0,1),i=c(t);if(g)return o(p,this,i,e);var n=this.length,r=s(i),l=0;if(r+e>n)throw new u("Wrong length");for(;l{"use strict";var n=i(94644),o=i(61412),r=i(79039),s=i(67680),a=n.aTypedArray;(0,n.exportTypedArrayMethod)("slice",(function(t,e){for(var i=s(a(this),t,e),n=o(this),r=0,c=i.length,l=new n(c);c>r;)l[r]=i[r++];return l}),r((function(){new Int8Array(1).slice()})))},57301:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).some,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("some",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},373:(t,e,i)=>{"use strict";var n=i(44576),o=i(27476),r=i(79039),s=i(79306),a=i(74488),c=i(94644),l=i(13709),u=i(13763),h=i(39519),d=i(3607),p=c.aTypedArray,A=c.exportTypedArrayMethod,f=n.Uint16Array,g=f&&o(f.prototype.sort),m=!(!g||r((function(){g(new f(2),null)}))&&r((function(){g(new f(2),{})}))),C=!!g&&!r((function(){if(h)return h<74;if(l)return l<67;if(u)return!0;if(d)return d<602;var t,e,i=new f(516),n=Array(516);for(t=0;t<516;t++)e=t%4,i[t]=515-t,n[t]=t-2*e+3;for(g(i,(function(t,e){return(t/4|0)-(e/4|0)})),t=0;t<516;t++)if(i[t]!==n[t])return!0}));A("sort",(function(t){return void 0!==t&&s(t),C?g(this,t):a(p(this),function(t){return function(e,i){return void 0!==t?+t(e,i)||0:i!=i?-1:e!=e?1:0===e&&0===i?1/e>0&&1/i<0?1:-1:e>i}}(t))}),!C||m)},86614:(t,e,i)=>{"use strict";var n=i(94644),o=i(18014),r=i(35610),s=i(61412),a=n.aTypedArray;(0,n.exportTypedArrayMethod)("subarray",(function(t,e){var i=a(this),n=i.length,c=r(t,n);return new(s(i))(i.buffer,i.byteOffset+c*i.BYTES_PER_ELEMENT,o((void 0===e?n:r(e,n))-c))}))},41405:(t,e,i)=>{"use strict";var n=i(44576),o=i(18745),r=i(94644),s=i(79039),a=i(67680),c=n.Int8Array,l=r.aTypedArray,u=r.exportTypedArrayMethod,h=[].toLocaleString,d=!!c&&s((function(){h.call(new c(1))}));u("toLocaleString",(function(){return o(h,d?a(l(this)):l(this),a(arguments))}),s((function(){return[1,2].toLocaleString()!==new c([1,2]).toLocaleString()}))||!s((function(){c.prototype.toLocaleString.call([1,2])})))},37467:(t,e,i)=>{"use strict";var n=i(37628),o=i(94644),r=o.aTypedArray,s=o.exportTypedArrayMethod,a=o.getTypedArrayConstructor;s("toReversed",(function(){return n(r(this),a(this))}))},44732:(t,e,i)=>{"use strict";var n=i(94644),o=i(79504),r=i(79306),s=i(35370),a=n.aTypedArray,c=n.getTypedArrayConstructor,l=n.exportTypedArrayMethod,u=o(n.TypedArrayPrototype.sort);l("toSorted",(function(t){void 0!==t&&r(t);var e=a(this),i=s(c(e),e);return u(i,t)}))},33684:(t,e,i)=>{"use strict";var n=i(94644).exportTypedArrayMethod,o=i(79039),r=i(44576),s=i(79504),a=r.Uint8Array,c=a&&a.prototype||{},l=[].toString,u=s([].join);o((function(){l.call({})}))&&(l=function(){return u(this)});var h=c.toString!==l;n("toString",l,h)},3690:(t,e,i)=>{"use strict";i(15823)("Uint16",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},61740:(t,e,i)=>{"use strict";i(15823)("Uint32",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},21489:(t,e,i)=>{"use strict";i(15823)("Uint8",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},22134:(t,e,i)=>{"use strict";i(15823)("Uint8",(function(t){return function(e,i,n){return t(this,e,i,n)}}),!0)},79577:(t,e,i)=>{"use strict";var n=i(39928),o=i(94644),r=i(18727),s=i(91291),a=i(75854),c=o.aTypedArray,l=o.getTypedArrayConstructor,u=o.exportTypedArrayMethod,h=!!function(){try{new Int8Array(1).with(2,{valueOf:function(){throw 8}})}catch(t){return 8===t}}();u("with",{with:function(t,e){var i=c(this),o=s(t),u=r(i)?a(e):+e;return n(i,l(i),o,u)}}.with,!h)},88267:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(655),s=String.fromCharCode,a=o("".charAt),c=o(/./.exec),l=o("".slice),u=/^[\da-f]{2}$/i,h=/^[\da-f]{4}$/i;n({global:!0},{unescape:function(t){for(var e,i,n=r(t),o="",d=n.length,p=0;p{"use strict";var n,o=i(92744),r=i(44576),s=i(79504),a=i(56279),c=i(3451),l=i(16468),u=i(91625),h=i(20034),d=i(91181).enforce,p=i(79039),A=i(58622),f=Object,g=Array.isArray,m=f.isExtensible,C=f.isFrozen,b=f.isSealed,v=f.freeze,x=f.seal,y=!r.ActiveXObject&&"ActiveXObject"in r,w=function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}},k=l("WeakMap",w,u),B=k.prototype,E=s(B.set);if(A)if(y){n=u.getConstructor(w,"WeakMap",!0),c.enable();var _=s(B.delete),I=s(B.has),D=s(B.get);a(B,{delete:function(t){if(h(t)&&!m(t)){var e=d(this);return e.frozen||(e.frozen=new n),_(this,t)||e.frozen.delete(t)}return _(this,t)},has:function(t){if(h(t)&&!m(t)){var e=d(this);return e.frozen||(e.frozen=new n),I(this,t)||e.frozen.has(t)}return I(this,t)},get:function(t){if(h(t)&&!m(t)){var e=d(this);return e.frozen||(e.frozen=new n),I(this,t)?D(this,t):e.frozen.get(t)}return D(this,t)},set:function(t,e){if(h(t)&&!m(t)){var i=d(this);i.frozen||(i.frozen=new n),I(this,t)?E(this,t,e):i.frozen.set(t,e)}else E(this,t,e);return this}})}else o&&p((function(){var t=v([]);return E(new k,t,1),!C(t)}))&&a(B,{set:function(t,e){var i;return g(t)&&(C(t)?i=v:b(t)&&(i=x)),E(this,t,e),i&&i(t),this}})},73772:(t,e,i)=>{"use strict";i(65746)},5240:(t,e,i)=>{"use strict";i(16468)("WeakSet",(function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}}),i(91625))},30958:(t,e,i)=>{"use strict";i(5240)},2945:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(97751),s=i(79504),a=i(69565),c=i(79039),l=i(655),u=i(22812),h=i(92804).c2i,d=/[^\d+/a-z]/i,p=/[\t\n\f\r ]+/g,A=/[=]{1,2}$/,f=r("atob"),g=String.fromCharCode,m=s("".charAt),C=s("".replace),b=s(d.exec),v=!!f&&!c((function(){return"hi"!==f("aGk=")})),x=v&&c((function(){return""!==f(" ")})),y=v&&!c((function(){f("a")})),w=v&&!c((function(){f()})),k=v&&1!==f.length;n({global:!0,bind:!0,enumerable:!0,forced:!v||x||y||w||k},{atob:function(t){if(u(arguments.length,1),v&&!x&&!y)return a(f,o,t);var e,i,n,s=C(l(t),p,""),c="",w=0,k=0;if(s.length%4==0&&(s=C(s,A,"")),(e=s.length)%4==1||b(d,s))throw new(r("DOMException"))("The string is not correctly encoded","InvalidCharacterError");for(;w>(-2*k&6)));return c}})},42207:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(97751),s=i(79504),a=i(69565),c=i(79039),l=i(655),u=i(22812),h=i(92804).i2c,d=r("btoa"),p=s("".charAt),A=s("".charCodeAt),f=!!d&&!c((function(){return"aGk="!==d("hi")})),g=f&&!c((function(){d()})),m=f&&c((function(){return"bnVsbA=="!==d(null)})),C=f&&1!==d.length;n({global:!0,bind:!0,enumerable:!0,forced:!f||g||m||C},{btoa:function(t){if(u(arguments.length,1),f)return a(d,o,l(t));for(var e,i,n=l(t),s="",c=0,g=h;p(n,c)||(g="=",c%1);){if((i=A(n,c+=3/4))>255)throw new(r("DOMException"))("The string contains characters outside of the Latin1 range","InvalidCharacterError");s+=p(g,63&(e=e<<8|i)>>8-c%1*8)}return s}})},86368:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(59225).clear;n({global:!0,bind:!0,enumerable:!0,forced:o.clearImmediate!==r},{clearImmediate:r})},23500:(t,e,i)=>{"use strict";var n=i(44576),o=i(67400),r=i(79296),s=i(90235),a=i(66699),c=function(t){if(t&&t.forEach!==s)try{a(t,"forEach",s)}catch(e){t.forEach=s}};for(var l in o)o[l]&&c(n[l]&&n[l].prototype);c(r)},62953:(t,e,i)=>{"use strict";var n=i(44576),o=i(67400),r=i(79296),s=i(23792),a=i(66699),c=i(10687),l=i(78227)("iterator"),u=s.values,h=function(t,e){if(t){if(t[l]!==u)try{a(t,l,u)}catch(e){t[l]=u}if(c(t,e,!0),o[e])for(var i in s)if(t[i]!==s[i])try{a(t,i,s[i])}catch(e){t[i]=s[i]}}};for(var d in o)h(n[d]&&n[d].prototype,d);h(r,"DOMTokenList")},55815:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(89429),s=i(79039),a=i(2360),c=i(6980),l=i(24913).f,u=i(36840),h=i(62106),d=i(39297),p=i(90679),A=i(28551),f=i(77536),g=i(32603),m=i(55002),C=i(16193),b=i(91181),v=i(43724),x=i(96395),y="DOMException",w="DATA_CLONE_ERR",k=o("Error"),B=o(y)||function(){try{(new(o("MessageChannel")||r("worker_threads").MessageChannel)).port1.postMessage(new WeakMap)}catch(t){if(t.name===w&&25===t.code)return t.constructor}}(),E=B&&B.prototype,_=k.prototype,I=b.set,D=b.getterFor(y),S="stack"in new k(y),T=function(t){return d(m,t)&&m[t].m?m[t].c:0},O=function(){p(this,M);var t=arguments.length,e=g(t<1?void 0:arguments[0]),i=g(t<2?void 0:arguments[1],"Error"),n=T(i);if(I(this,{type:y,name:i,message:e,code:n}),v||(this.name=i,this.message=e,this.code=n),S){var o=new k(e);o.name=y,l(this,"stack",c(1,C(o.stack,1)))}},M=O.prototype=a(_),P=function(t){return{enumerable:!0,configurable:!0,get:t}},R=function(t){return P((function(){return D(this)[t]}))};v&&(h(M,"code",R("code")),h(M,"message",R("message")),h(M,"name",R("name"))),l(M,"constructor",c(1,O));var N=s((function(){return!(new B instanceof k)})),H=N||s((function(){return _.toString!==f||"2: 1"!==String(new B(1,2))})),z=N||s((function(){return 25!==new B(1,"DataCloneError").code})),L=N||25!==B[w]||25!==E[w],F=x?H||z||L:N;n({global:!0,constructor:!0,forced:F},{DOMException:F?O:B});var j=o(y),U=j.prototype;for(var W in H&&(x||B===j)&&u(U,"toString",f),z&&v&&B===j&&h(U,"code",P((function(){return T(A(this).name)}))),m)if(d(m,W)){var Y=m[W],q=Y.s,Q=c(6,Y.c);d(j,q)||l(j,q,Q),d(U,q)||l(U,q,Q)}},64979:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(97751),s=i(6980),a=i(24913).f,c=i(39297),l=i(90679),u=i(23167),h=i(32603),d=i(55002),p=i(16193),A=i(43724),f=i(96395),g="DOMException",m=r("Error"),C=r(g),b=function(){l(this,v);var t=arguments.length,e=h(t<1?void 0:arguments[0]),i=h(t<2?void 0:arguments[1],"Error"),n=new C(e,i),o=new m(e);return o.name=g,a(n,"stack",s(1,p(o.stack,1))),u(n,this,b),n},v=b.prototype=C.prototype,x="stack"in new m(g),y="stack"in new C(1,2),w=C&&A&&Object.getOwnPropertyDescriptor(o,g),k=!(!w||w.writable&&w.configurable),B=x&&!k&&!y;n({global:!0,constructor:!0,forced:f||B},{DOMException:B?b:C});var E=r(g),_=E.prototype;if(_.constructor!==E)for(var I in f||a(_,"constructor",s(1,E)),d)if(c(d,I)){var D=d[I],S=D.s;c(E,S)||a(E,S,s(6,D.c))}},79739:(t,e,i)=>{"use strict";var n=i(97751),o="DOMException";i(10687)(n(o),o)},59848:(t,e,i)=>{"use strict";i(86368),i(29309)},122:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(91955),s=i(79306),a=i(22812),c=i(79039),l=i(43724);n({global:!0,enumerable:!0,dontCallGetSet:!0,forced:c((function(){return l&&1!==Object.getOwnPropertyDescriptor(o,"queueMicrotask").value.length}))},{queueMicrotask:function(t){a(arguments.length,1),r(s(t))}})},13611:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(62106),s=i(43724),a=TypeError,c=Object.defineProperty,l=o.self!==o;try{if(s){var u=Object.getOwnPropertyDescriptor(o,"self");!l&&u&&u.get&&u.enumerable||r(o,"self",{get:function(){return o},set:function(t){if(this!==o)throw new a("Illegal invocation");c(o,"self",{value:t,writable:!0,configurable:!0,enumerable:!0})},configurable:!0,enumerable:!0})}else n({global:!0,simple:!0,forced:l},{self:o})}catch(t){}},29309:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(59225).set,s=i(79472),a=o.setImmediate?s(r,!1):r;n({global:!0,bind:!0,enumerable:!0,forced:o.setImmediate!==a},{setImmediate:a})},15575:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(79472)(o.setInterval,!0);n({global:!0,bind:!0,forced:o.setInterval!==r},{setInterval:r})},24599:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(79472)(o.setTimeout,!0);n({global:!0,bind:!0,forced:o.setTimeout!==r},{setTimeout:r})},71678:(t,e,i)=>{"use strict";var n,o=i(96395),r=i(46518),s=i(44576),a=i(97751),c=i(79504),l=i(79039),u=i(33392),h=i(94901),d=i(33517),p=i(64117),A=i(20034),f=i(10757),g=i(72652),m=i(28551),C=i(36955),b=i(39297),v=i(97040),x=i(66699),y=i(26198),w=i(22812),k=i(61034),B=i(72248),E=i(94402),_=i(38469),I=i(94483),D=i(24659),S=i(1548),T=s.Object,O=s.Array,M=s.Date,P=s.Error,R=s.TypeError,N=s.PerformanceMark,H=a("DOMException"),z=B.Map,L=B.has,F=B.get,j=B.set,U=E.Set,W=E.add,Y=E.has,q=a("Object","keys"),Q=c([].push),G=c((!0).valueOf),X=c(1..valueOf),V=c("".valueOf),K=c(M.prototype.getTime),J=u("structuredClone"),Z="DataCloneError",$="Transferring",tt=function(t){return!l((function(){var e=new s.Set([7]),i=t(e),n=t(T(7));return i===e||!i.has(7)||!A(n)||7!=+n}))&&t},et=function(t,e){return!l((function(){var i=new e,n=t({a:i,b:i});return!(n&&n.a===n.b&&n.a instanceof e&&n.a.stack===i.stack)}))},it=s.structuredClone,nt=o||!et(it,P)||!et(it,H)||(n=it,!!l((function(){var t=n(new s.AggregateError([1],J,{cause:3}));return"AggregateError"!==t.name||1!==t.errors[0]||t.message!==J||3!==t.cause}))),ot=!it&&tt((function(t){return new N(J,{detail:t}).detail})),rt=tt(it)||ot,st=function(t){throw new H("Uncloneable type: "+t,Z)},at=function(t,e){throw new H((e||"Cloning")+" of "+t+" cannot be properly polyfilled in this engine",Z)},ct=function(t,e){return rt||at(e),rt(t)},lt=function(t,e,i){if(L(e,t))return F(e,t);var n,o,r,a,c,l;if("SharedArrayBuffer"===(i||C(t)))n=rt?rt(t):t;else{var u=s.DataView;u||h(t.slice)||at("ArrayBuffer");try{if(h(t.slice)&&!t.resizable)n=t.slice(0);else{o=t.byteLength,r="maxByteLength"in t?{maxByteLength:t.maxByteLength}:void 0,n=new ArrayBuffer(o,r),a=new u(t),c=new u(n);for(l=0;l1&&!p(arguments[1])?m(arguments[1]):void 0,o=n?n.transfer:void 0;void 0!==o&&(i=function(t,e){if(!A(t))throw new R("Transfer option cannot be converted to a sequence");var i=[];g(t,(function(t){Q(i,m(t))}));for(var n,o,r,a,c,l=0,u=y(i),p=new U;l{"use strict";i(15575),i(24599)},98406:(t,e,i)=>{"use strict";i(23792),i(27337);var n=i(46518),o=i(44576),r=i(93389),s=i(97751),a=i(69565),c=i(79504),l=i(43724),u=i(67416),h=i(36840),d=i(62106),p=i(56279),A=i(10687),f=i(33994),g=i(91181),m=i(90679),C=i(94901),b=i(39297),v=i(76080),x=i(36955),y=i(28551),w=i(20034),k=i(655),B=i(2360),E=i(6980),_=i(70081),I=i(50851),D=i(62529),S=i(22812),T=i(78227),O=i(74488),M=T("iterator"),P="URLSearchParams",R=P+"Iterator",N=g.set,H=g.getterFor(P),z=g.getterFor(R),L=r("fetch"),F=r("Request"),j=r("Headers"),U=F&&F.prototype,W=j&&j.prototype,Y=o.TypeError,q=o.encodeURIComponent,Q=String.fromCharCode,G=s("String","fromCodePoint"),X=parseInt,V=c("".charAt),K=c([].join),J=c([].push),Z=c("".replace),$=c([].shift),tt=c([].splice),et=c("".split),it=c("".slice),nt=c(/./.exec),ot=/\+/g,rt=/^[0-9a-f]+$/i,st=function(t,e){var i=it(t,e,e+2);return nt(rt,i)?X(i,16):NaN},at=function(t){for(var e=0,i=128;i>0&&t&i;i>>=1)e++;return e},ct=function(t){var e=null;switch(t.length){case 1:e=t[0];break;case 2:e=(31&t[0])<<6|63&t[1];break;case 3:e=(15&t[0])<<12|(63&t[1])<<6|63&t[2];break;case 4:e=(7&t[0])<<18|(63&t[1])<<12|(63&t[2])<<6|63&t[3]}return e>1114111?null:e},lt=function(t){for(var e=(t=Z(t,ot," ")).length,i="",n=0;ne){i+="%",n++;continue}var r=st(t,n+1);if(r!=r){i+=o,n++;continue}n+=2;var s=at(r);if(0===s)o=Q(r);else{if(1===s||s>4){i+="�",n++;continue}for(var a=[r],c=1;ce||"%"!==V(t,n));){var l=st(t,n+1);if(l!=l){n+=3;break}if(l>191||l<128)break;J(a,l),n+=2,c++}if(a.length!==s){i+="�";continue}var u=ct(a);null===u?i+="�":o=G(u)}}i+=o,n++}return i},ut=/[!'()~]|%20/g,ht={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+"},dt=function(t){return ht[t]},pt=function(t){return Z(q(t),ut,dt)},At=f((function(t,e){N(this,{type:R,target:H(t).entries,index:0,kind:e})}),P,(function(){var t=z(this),e=t.target,i=t.index++;if(!e||i>=e.length)return t.target=null,D(void 0,!0);var n=e[i];switch(t.kind){case"keys":return D(n.key,!1);case"values":return D(n.value,!1)}return D([n.key,n.value],!1)}),!0),ft=function(t){this.entries=[],this.url=null,void 0!==t&&(w(t)?this.parseObject(t):this.parseQuery("string"==typeof t?"?"===V(t,0)?it(t,1):t:k(t)))};ft.prototype={type:P,bindURL:function(t){this.url=t,this.update()},parseObject:function(t){var e,i,n,o,r,s,c,l=this.entries,u=I(t);if(u)for(i=(e=_(t,u)).next;!(n=a(i,e)).done;){if(r=(o=_(y(n.value))).next,(s=a(r,o)).done||(c=a(r,o)).done||!a(r,o).done)throw new Y("Expected sequence with length 2");J(l,{key:k(s.value),value:k(c.value)})}else for(var h in t)b(t,h)&&J(l,{key:h,value:k(t[h])})},parseQuery:function(t){if(t)for(var e,i,n=this.entries,o=et(t,"&"),r=0;r0?arguments[0]:void 0));l||(this.size=t.entries.length)},mt=gt.prototype;if(p(mt,{append:function(t,e){var i=H(this);S(arguments.length,2),J(i.entries,{key:k(t),value:k(e)}),l||this.length++,i.updateURL()},delete:function(t){for(var e=H(this),i=S(arguments.length,1),n=e.entries,o=k(t),r=i<2?void 0:arguments[1],s=void 0===r?r:k(r),a=0;ae.key?1:-1})),t.updateURL()},forEach:function(t){for(var e,i=H(this).entries,n=v(t,arguments.length>1?arguments[1]:void 0),o=0;o1?vt(arguments[1]):{})}}),C(F)){var xt=function(t){return m(this,U),new F(t,arguments.length>1?vt(arguments[1]):{})};U.constructor=xt,xt.prototype=U,n({global:!0,constructor:!0,dontCallGetSet:!0,forced:!0},{Request:xt})}}t.exports={URLSearchParams:gt,getState:H}},14603:(t,e,i)=>{"use strict";var n=i(36840),o=i(79504),r=i(655),s=i(22812),a=URLSearchParams,c=a.prototype,l=o(c.append),u=o(c.delete),h=o(c.forEach),d=o([].push),p=new a("a=1&a=2&b=3");p.delete("a",1),p.delete("b",void 0),p+""!="a=2"&&n(c,"delete",(function(t){var e=arguments.length,i=e<2?void 0:arguments[1];if(e&&void 0===i)return u(this,t);var n=[];h(this,(function(t,e){d(n,{key:e,value:t})})),s(e,1);for(var o,a=r(t),c=r(i),p=0,A=0,f=!1,g=n.length;p{"use strict";var n=i(36840),o=i(79504),r=i(655),s=i(22812),a=URLSearchParams,c=a.prototype,l=o(c.getAll),u=o(c.has),h=new a("a=1");!h.has("a",2)&&h.has("a",void 0)||n(c,"has",(function(t){var e=arguments.length,i=e<2?void 0:arguments[1];if(e&&void 0===i)return u(this,t);var n=l(this,t);s(e,1);for(var o=r(i),a=0;a{"use strict";i(98406)},98721:(t,e,i)=>{"use strict";var n=i(43724),o=i(79504),r=i(62106),s=URLSearchParams.prototype,a=o(s.forEach);n&&!("size"in s)&&r(s,"size",{get:function(){var t=0;return a(this,(function(){t++})),t},configurable:!0,enumerable:!0})},2222:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(79039),s=i(22812),a=i(655),c=i(67416),l=o("URL"),u=c&&r((function(){l.canParse()})),h=r((function(){return 1!==l.canParse.length}));n({target:"URL",stat:!0,forced:!u||h},{canParse:function(t){var e=s(arguments.length,1),i=a(t),n=e<2||void 0===arguments[1]?void 0:a(arguments[1]);try{return!!new l(i,n)}catch(t){return!1}}})},45806:(t,e,i)=>{"use strict";i(47764);var n,o=i(46518),r=i(43724),s=i(67416),a=i(44576),c=i(76080),l=i(79504),u=i(36840),h=i(62106),d=i(90679),p=i(39297),A=i(44213),f=i(97916),g=i(67680),m=i(68183).codeAt,C=i(3717),b=i(655),v=i(10687),x=i(22812),y=i(98406),w=i(91181),k=w.set,B=w.getterFor("URL"),E=y.URLSearchParams,_=y.getState,I=a.URL,D=a.TypeError,S=a.parseInt,T=Math.floor,O=Math.pow,M=l("".charAt),P=l(/./.exec),R=l([].join),N=l(1..toString),H=l([].pop),z=l([].push),L=l("".replace),F=l([].shift),j=l("".split),U=l("".slice),W=l("".toLowerCase),Y=l([].unshift),q="Invalid scheme",Q="Invalid host",G="Invalid port",X=/[a-z]/i,V=/[\d+-.a-z]/i,K=/\d/,J=/^0x/i,Z=/^[0-7]+$/,$=/^\d+$/,tt=/^[\da-f]+$/i,et=/[\0\t\n\r #%/:<>?@[\\\]^|]/,it=/[\0\t\n\r #/:<>?@[\\\]^|]/,nt=/^[\u0000-\u0020]+/,ot=/(^|[^\u0000-\u0020])[\u0000-\u0020]+$/,rt=/[\t\n\r]/g,st=function(t){var e,i,n,o;if("number"==typeof t){for(e=[],i=0;i<4;i++)Y(e,t%256),t=T(t/256);return R(e,".")}if("object"==typeof t){for(e="",n=function(t){for(var e=null,i=1,n=null,o=0,r=0;r<8;r++)0!==t[r]?(o>i&&(e=n,i=o),n=null,o=0):(null===n&&(n=r),++o);return o>i?n:e}(t),i=0;i<8;i++)o&&0===t[i]||(o&&(o=!1),n===i?(e+=i?":":"::",o=!0):(e+=N(t[i],16),i<7&&(e+=":")));return"["+e+"]"}return t},at={},ct=A({},at,{" ":1,'"':1,"<":1,">":1,"`":1}),lt=A({},ct,{"#":1,"?":1,"{":1,"}":1}),ut=A({},lt,{"/":1,":":1,";":1,"=":1,"@":1,"[":1,"\\":1,"]":1,"^":1,"|":1}),ht=function(t,e){var i=m(t,0);return i>32&&i<127&&!p(e,t)?t:encodeURIComponent(t)},dt={ftp:21,file:null,http:80,https:443,ws:80,wss:443},pt=function(t,e){var i;return 2===t.length&&P(X,M(t,0))&&(":"===(i=M(t,1))||!e&&"|"===i)},At=function(t){var e;return t.length>1&&pt(U(t,0,2))&&(2===t.length||"/"===(e=M(t,2))||"\\"===e||"?"===e||"#"===e)},ft=function(t){return"."===t||"%2e"===W(t)},gt={},mt={},Ct={},bt={},vt={},xt={},yt={},wt={},kt={},Bt={},Et={},_t={},It={},Dt={},St={},Tt={},Ot={},Mt={},Pt={},Rt={},Nt={},Ht=function(t,e,i){var n,o,r,s=b(t);if(e){if(o=this.parse(s))throw new D(o);this.searchParams=null}else{if(void 0!==i&&(n=new Ht(i,!0)),o=this.parse(s,null,n))throw new D(o);(r=_(new E)).bindURL(this),this.searchParams=r}};Ht.prototype={type:"URL",parse:function(t,e,i){var o,r,s,a,c,l=this,u=e||gt,h=0,d="",A=!1,m=!1,C=!1;for(t=b(t),e||(l.scheme="",l.username="",l.password="",l.host=null,l.port=null,l.path=[],l.query=null,l.fragment=null,l.cannotBeABaseURL=!1,t=L(t,nt,""),t=L(t,ot,"$1")),t=L(t,rt,""),o=f(t);h<=o.length;){switch(r=o[h],u){case gt:if(!r||!P(X,r)){if(e)return q;u=Ct;continue}d+=W(r),u=mt;break;case mt:if(r&&(P(V,r)||"+"===r||"-"===r||"."===r))d+=W(r);else{if(":"!==r){if(e)return q;d="",u=Ct,h=0;continue}if(e&&(l.isSpecial()!==p(dt,d)||"file"===d&&(l.includesCredentials()||null!==l.port)||"file"===l.scheme&&!l.host))return;if(l.scheme=d,e)return void(l.isSpecial()&&dt[l.scheme]===l.port&&(l.port=null));d="","file"===l.scheme?u=Dt:l.isSpecial()&&i&&i.scheme===l.scheme?u=bt:l.isSpecial()?u=wt:"/"===o[h+1]?(u=vt,h++):(l.cannotBeABaseURL=!0,z(l.path,""),u=Pt)}break;case Ct:if(!i||i.cannotBeABaseURL&&"#"!==r)return q;if(i.cannotBeABaseURL&&"#"===r){l.scheme=i.scheme,l.path=g(i.path),l.query=i.query,l.fragment="",l.cannotBeABaseURL=!0,u=Nt;break}u="file"===i.scheme?Dt:xt;continue;case bt:if("/"!==r||"/"!==o[h+1]){u=xt;continue}u=kt,h++;break;case vt:if("/"===r){u=Bt;break}u=Mt;continue;case xt:if(l.scheme=i.scheme,r===n)l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.query=i.query;else if("/"===r||"\\"===r&&l.isSpecial())u=yt;else if("?"===r)l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.query="",u=Rt;else{if("#"!==r){l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.path.length--,u=Mt;continue}l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.query=i.query,l.fragment="",u=Nt}break;case yt:if(!l.isSpecial()||"/"!==r&&"\\"!==r){if("/"!==r){l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,u=Mt;continue}u=Bt}else u=kt;break;case wt:if(u=kt,"/"!==r||"/"!==M(d,h+1))continue;h++;break;case kt:if("/"!==r&&"\\"!==r){u=Bt;continue}break;case Bt:if("@"===r){A&&(d="%40"+d),A=!0,s=f(d);for(var v=0;v65535)return G;l.port=l.isSpecial()&&w===dt[l.scheme]?null:w,d=""}if(e)return;u=Ot;continue}return G}d+=r;break;case Dt:if(l.scheme="file","/"===r||"\\"===r)u=St;else{if(!i||"file"!==i.scheme){u=Mt;continue}switch(r){case n:l.host=i.host,l.path=g(i.path),l.query=i.query;break;case"?":l.host=i.host,l.path=g(i.path),l.query="",u=Rt;break;case"#":l.host=i.host,l.path=g(i.path),l.query=i.query,l.fragment="",u=Nt;break;default:At(R(g(o,h),""))||(l.host=i.host,l.path=g(i.path),l.shortenPath()),u=Mt;continue}}break;case St:if("/"===r||"\\"===r){u=Tt;break}i&&"file"===i.scheme&&!At(R(g(o,h),""))&&(pt(i.path[0],!0)?z(l.path,i.path[0]):l.host=i.host),u=Mt;continue;case Tt:if(r===n||"/"===r||"\\"===r||"?"===r||"#"===r){if(!e&&pt(d))u=Mt;else if(""===d){if(l.host="",e)return;u=Ot}else{if(a=l.parseHost(d))return a;if("localhost"===l.host&&(l.host=""),e)return;d="",u=Ot}continue}d+=r;break;case Ot:if(l.isSpecial()){if(u=Mt,"/"!==r&&"\\"!==r)continue}else if(e||"?"!==r)if(e||"#"!==r){if(r!==n&&(u=Mt,"/"!==r))continue}else l.fragment="",u=Nt;else l.query="",u=Rt;break;case Mt:if(r===n||"/"===r||"\\"===r&&l.isSpecial()||!e&&("?"===r||"#"===r)){if(".."===(c=W(c=d))||"%2e."===c||".%2e"===c||"%2e%2e"===c?(l.shortenPath(),"/"===r||"\\"===r&&l.isSpecial()||z(l.path,"")):ft(d)?"/"===r||"\\"===r&&l.isSpecial()||z(l.path,""):("file"===l.scheme&&!l.path.length&&pt(d)&&(l.host&&(l.host=""),d=M(d,0)+":"),z(l.path,d)),d="","file"===l.scheme&&(r===n||"?"===r||"#"===r))for(;l.path.length>1&&""===l.path[0];)F(l.path);"?"===r?(l.query="",u=Rt):"#"===r&&(l.fragment="",u=Nt)}else d+=ht(r,lt);break;case Pt:"?"===r?(l.query="",u=Rt):"#"===r?(l.fragment="",u=Nt):r!==n&&(l.path[0]+=ht(r,at));break;case Rt:e||"#"!==r?r!==n&&("'"===r&&l.isSpecial()?l.query+="%27":l.query+="#"===r?"%23":ht(r,at)):(l.fragment="",u=Nt);break;case Nt:r!==n&&(l.fragment+=ht(r,ct))}h++}},parseHost:function(t){var e,i,n;if("["===M(t,0)){if("]"!==M(t,t.length-1))return Q;if(e=function(t){var e,i,n,o,r,s,a,c=[0,0,0,0,0,0,0,0],l=0,u=null,h=0,d=function(){return M(t,h)};if(":"===d()){if(":"!==M(t,1))return;h+=2,u=++l}for(;d();){if(8===l)return;if(":"!==d()){for(e=i=0;i<4&&P(tt,d());)e=16*e+S(d(),16),h++,i++;if("."===d()){if(0===i)return;if(h-=i,l>6)return;for(n=0;d();){if(o=null,n>0){if(!("."===d()&&n<4))return;h++}if(!P(K,d()))return;for(;P(K,d());){if(r=S(d(),10),null===o)o=r;else{if(0===o)return;o=10*o+r}if(o>255)return;h++}c[l]=256*c[l]+o,2!=++n&&4!==n||l++}if(4!==n)return;break}if(":"===d()){if(h++,!d())return}else if(d())return;c[l++]=e}else{if(null!==u)return;h++,u=++l}}if(null!==u)for(s=l-u,l=7;0!==l&&s>0;)a=c[l],c[l--]=c[u+s-1],c[u+--s]=a;else if(8!==l)return;return c}(U(t,1,-1)),!e)return Q;this.host=e}else if(this.isSpecial()){if(t=C(t),P(et,t))return Q;if(e=function(t){var e,i,n,o,r,s,a,c=j(t,".");if(c.length&&""===c[c.length-1]&&c.length--,(e=c.length)>4)return t;for(i=[],n=0;n1&&"0"===M(o,0)&&(r=P(J,o)?16:8,o=U(o,8===r?1:2)),""===o)s=0;else{if(!P(10===r?$:8===r?Z:tt,o))return t;s=S(o,r)}z(i,s)}for(n=0;n=O(256,5-e))return null}else if(s>255)return null;for(a=H(i),n=0;n1?arguments[1]:void 0,n=k(e,new Ht(t,!1,i));r||(e.href=n.serialize(),e.origin=n.getOrigin(),e.protocol=n.getProtocol(),e.username=n.getUsername(),e.password=n.getPassword(),e.host=n.getHost(),e.hostname=n.getHostname(),e.port=n.getPort(),e.pathname=n.getPathname(),e.search=n.getSearch(),e.searchParams=n.getSearchParams(),e.hash=n.getHash())},Lt=zt.prototype,Ft=function(t,e){return{get:function(){return B(this)[t]()},set:e&&function(t){return B(this)[e](t)},configurable:!0,enumerable:!0}};if(r&&(h(Lt,"href",Ft("serialize","setHref")),h(Lt,"origin",Ft("getOrigin")),h(Lt,"protocol",Ft("getProtocol","setProtocol")),h(Lt,"username",Ft("getUsername","setUsername")),h(Lt,"password",Ft("getPassword","setPassword")),h(Lt,"host",Ft("getHost","setHost")),h(Lt,"hostname",Ft("getHostname","setHostname")),h(Lt,"port",Ft("getPort","setPort")),h(Lt,"pathname",Ft("getPathname","setPathname")),h(Lt,"search",Ft("getSearch","setSearch")),h(Lt,"searchParams",Ft("getSearchParams")),h(Lt,"hash",Ft("getHash","setHash"))),u(Lt,"toJSON",(function(){return B(this).serialize()}),{enumerable:!0}),u(Lt,"toString",(function(){return B(this).serialize()}),{enumerable:!0}),I){var jt=I.createObjectURL,Ut=I.revokeObjectURL;jt&&u(zt,"createObjectURL",c(jt,I)),Ut&&u(zt,"revokeObjectURL",c(Ut,I))}v(zt,"URL"),o({global:!0,constructor:!0,forced:!s,sham:!r},{URL:zt})},3296:(t,e,i)=>{"use strict";i(45806)},45781:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(22812),s=i(655),a=i(67416),c=o("URL");n({target:"URL",stat:!0,forced:!a},{parse:function(t){var e=r(arguments.length,1),i=s(t),n=e<2||void 0===arguments[1]?void 0:s(arguments[1]);try{return new c(i,n)}catch(t){return null}}})},27208:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565);n({target:"URL",proto:!0,enumerable:!0},{toJSON:function(){return o(URL.prototype.toString,this)}})},84315:(t,e,i)=>{"use strict";i(52675),i(89463),i(66412),i(60193),i(92168),i(2259),i(86964),i(83142),i(83237),i(61833),i(67947),i(31073),i(45700),i(78125),i(20326),i(16280),i(76918),i(30067),i(4294),i(18107),i(28706),i(26835),i(88431),i(33771),i(2008),i(50113),i(48980),i(10838),i(13451),i(46449),i(78350),i(51629),i(23418),i(80452),i(25276),i(64346),i(23792),i(48598),i(8921),i(62062),i(31051),i(44114),i(72712),i(18863),i(94490),i(34782),i(15086),i(26910),i(87478),i(54554),i(9678),i(57145),i(71658),i(93514),i(30237),i(13609),i(11558),i(54743),i(46761),i(11745),i(38309),i(16573),i(78100),i(77936),i(61699),i(59089),i(91191),i(93515),i(1688),i(60739),i(89572),i(23288),i(36456),i(94170),i(48957),i(62010),i(55081),i(33110),i(4731),i(36033),i(47072),i(93153),i(82326),i(36389),i(64444),i(8085),i(77762),i(65070),i(60605),i(39469),i(72152),i(75376),i(56624),i(11367),i(5914),i(78553),i(98690),i(60479),i(70761),i(2892),i(45374),i(25428),i(32637),i(40150),i(59149),i(64601),i(44435),i(87220),i(25843),i(62337),i(9868),i(80630),i(69085),i(59904),i(17427),i(67945),i(84185),i(87607),i(5506),i(52811),i(53921),i(83851),i(81278),i(1480),i(40875),i(77691),i(78347),i(29908),i(94052),i(94003),i(221),i(79432),i(9220),i(7904),i(16348),i(63548),i(93941),i(10287),i(26099),i(16034),i(78459),i(58940),i(3362),i(96167),i(93518),i(9391),i(14628),i(39796),i(60825),i(87411),i(21211),i(40888),i(9065),i(86565),i(32812),i(84634),i(71137),i(30985),i(34268),i(34873),i(15472),i(84864),i(57465),i(27495),i(69479),i(87745),i(90906),i(38781),i(31415),i(17642),i(58004),i(33853),i(45876),i(32475),i(15024),i(31698),i(67357),i(23860),i(21830),i(27337),i(21699),i(42043),i(47764),i(71761),i(28543),i(35701),i(68156),i(85906),i(42781),i(25440),i(79978),i(5746),i(90744),i(11392),i(50375),i(67438),i(42762),i(39202),i(43359),i(89907),i(11898),i(35490),i(5745),i(94298),i(60268),i(69546),i(20781),i(50778),i(89195),i(46276),i(48718),i(16308),i(34594),i(29833),i(46594),i(72107),i(95477),i(21489),i(22134),i(3690),i(61740),i(48140),i(81630),i(72170),i(75044),i(69539),i(31694),i(89955),i(21903),i(91134),i(33206),i(48345),i(44496),i(66651),i(12887),i(19369),i(66812),i(8995),i(52568),i(31575),i(36072),i(88747),i(28845),i(29423),i(57301),i(373),i(86614),i(41405),i(37467),i(44732),i(33684),i(79577),i(88267),i(73772),i(30958),i(2945),i(42207),i(23500),i(62953),i(55815),i(64979),i(79739),i(59848),i(122),i(13611),i(71678),i(76031),i(3296),i(2222),i(45781),i(27208),i(48408),i(14603),i(47566),i(98721),i(19167)},35810:(t,e,i)=>{"use strict";i.d(e,{Al:()=>n.r,H4:()=>n.c,Q$:()=>n.e,R3:()=>n.n,VL:()=>n.l,lJ:()=>n.d,pt:()=>n.F,ur:()=>h,v7:()=>l});var n=i(68251),o=(i(43627),i(53334)),r=i(380),s=i(65606);Error;const a=["B","KB","MB","GB","TB","PB"],c=["B","KiB","MiB","GiB","TiB","PiB"];function l(t,e=!1,i=!1,n=!1){i=i&&!n,"string"==typeof t&&(t=Number(t));let r=t>0?Math.floor(Math.log(t)/Math.log(n?1e3:1024)):0;r=Math.min((i?c.length:a.length)-1,r);const s=i?c[r]:a[r];let l=(t/Math.pow(n?1e3:1024,r)).toFixed(1);return!0===e&&0===r?("0.0"!==l?"< 1 ":"0 ")+(i?c[1]:a[1]):(l=r<2?parseFloat(l).toFixed(0):parseFloat(l).toLocaleString((0,o.lO)()),l+" "+s)}function u(t){return t instanceof Date?t.toISOString():String(t)}function h(t,e={}){const i={sortingMode:"basename",sortingOrder:"asc",...e};return function(t,e,i){i=i??[];const n=(e=e??[t=>t]).map(((t,e)=>"asc"===(i[e]??"asc")?1:-1)),r=Intl.Collator([(0,o.Z0)(),(0,o.lO)()],{numeric:!0,usage:"sort"});return[...t].sort(((t,i)=>{for(const[o,s]of e.entries()){const e=r.compare(u(s(t)),u(s(i)));if(0!==e)return e*n[o]}return 0}))}(t,[...i.sortFavoritesFirst?[t=>1!==t.attributes?.favorite]:[],...i.sortFoldersFirst?[t=>"folder"!==t.type]:[],..."basename"!==i.sortingMode?[t=>t[i.sortingMode]]:[],t=>{return(e=t.displayname||t.attributes?.displayname||t.basename).lastIndexOf(".")>0?e.slice(0,e.lastIndexOf(".")):e;var e},t=>t.basename],[...i.sortFavoritesFirst?["asc"]:[],...i.sortFoldersFirst?["asc"]:[],..."mtime"===i.sortingMode?["asc"===i.sortingOrder?"desc":"asc"]:[],..."mtime"!==i.sortingMode&&"basename"!==i.sortingMode?[i.sortingOrder]:[],i.sortingOrder,i.sortingOrder])}var d={};!function(t){const e=":A-Za-z_\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD",i="["+e+"]["+e+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",n=new RegExp("^"+i+"$");t.isExist=function(t){return void 0!==t},t.isEmptyObject=function(t){return 0===Object.keys(t).length},t.merge=function(t,e,i){if(e){const n=Object.keys(e),o=n.length;for(let r=0;r!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(t,e,i){return t}};p.buildOptions=function(t){return Object.assign({},A,t)},p.defaultOptions=A,!Number.parseInt&&window.parseInt&&(Number.parseInt=window.parseInt),!Number.parseFloat&&window.parseFloat&&(Number.parseFloat=window.parseFloat);new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");var f={};function g(t,e,i){let n;const o={};for(let r=0;r0&&(o[e.textNodeName]=n):void 0!==n&&(o[e.textNodeName]=n),o}function m(t){const e=Object.keys(t);for(let t=0;t`,r=!1;continue}if(c===e.commentPropName){o+=n+`\x3c!--${a[c][0][e.textNodeName]}--\x3e`,r=!0;continue}if("?"===c[0]){const t=k(a[":@"],e),i="?xml"===c?"":n;let s=a[c][0][e.textNodeName];s=0!==s.length?" "+s:"",o+=i+`<${c}${s}${t}?>`,r=!0;continue}let u=n;""!==u&&(u+=e.indentBy);const h=n+`<${c}${k(a[":@"],e)}`,d=y(a[c],e,l,u);-1!==e.unpairedTags.indexOf(c)?e.suppressUnpairedNode?o+=h+">":o+=h+"/>":d&&0!==d.length||!e.suppressEmptyNode?d&&d.endsWith(">")?o+=h+`>${d}${n}`:(o+=h+">",d&&""!==n&&(d.includes("/>")||d.includes("`):o+=h+"/>",r=!0}return o}function w(t){const e=Object.keys(t);for(let i=0;i0&&e.processEntities)for(let i=0;i0&&(i="\n"),y(t,e,"",i)},I=function(t){return"function"==typeof t?t:Array.isArray(t)?e=>{for(const i of t){if("string"==typeof i&&e===i)return!0;if(i instanceof RegExp&&i.test(e))return!0}}:()=>!1},D={attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,cdataPropName:!1,format:!1,indentBy:" ",suppressEmptyNode:!1,suppressUnpairedNode:!0,suppressBooleanAttributes:!0,tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},preserveOrder:!1,commentPropName:!1,unpairedTags:[],entities:[{regex:new RegExp("&","g"),val:"&"},{regex:new RegExp(">","g"),val:">"},{regex:new RegExp("<","g"),val:"<"},{regex:new RegExp("'","g"),val:"'"},{regex:new RegExp('"',"g"),val:"""}],processEntities:!0,stopNodes:[],oneListGroup:!1};function S(t){this.options=Object.assign({},D,t),!0===this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.ignoreAttributesFn=I(this.options.ignoreAttributes),this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=M),this.processTextOrObjNode=T,this.options.format?(this.indentate=O,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function T(t,e,i,n){const o=this.j2x(t,i+1,n.concat(e));return void 0!==t[this.options.textNodeName]&&1===Object.keys(t).length?this.buildTextValNode(t[this.options.textNodeName],e,o.attrStr,i):this.buildObjectNode(o.val,e,o.attrStr,i)}function O(t){return this.options.indentBy.repeat(t)}function M(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}S.prototype.build=function(t){return this.options.preserveOrder?_(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0,[]).val)},S.prototype.j2x=function(t,e,i){let n="",o="";const r=i.join(".");for(let s in t)if(Object.prototype.hasOwnProperty.call(t,s))if(void 0===t[s])this.isAttribute(s)&&(o+="");else if(null===t[s])this.isAttribute(s)?o+="":"?"===s[0]?o+=this.indentate(e)+"<"+s+"?"+this.tagEndChar:o+=this.indentate(e)+"<"+s+"/"+this.tagEndChar;else if(t[s]instanceof Date)o+=this.buildTextValNode(t[s],s,"",e);else if("object"!=typeof t[s]){const i=this.isAttribute(s);if(i&&!this.ignoreAttributesFn(i,r))n+=this.buildAttrPairStr(i,""+t[s]);else if(!i)if(s===this.options.textNodeName){let e=this.options.tagValueProcessor(s,""+t[s]);o+=this.replaceEntitiesValue(e)}else o+=this.buildTextValNode(t[s],s,"",e)}else if(Array.isArray(t[s])){const n=t[s].length;let r="",a="";for(let c=0;c"+t+o}},S.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`>`+this.newLine;if(!1!==this.options.commentPropName&&e===this.options.commentPropName)return this.indentate(n)+`\x3c!--${t}--\x3e`+this.newLine;if("?"===e[0])return this.indentate(n)+"<"+e+i+"?"+this.tagEndChar;{let o=this.options.tagValueProcessor(e,t);return o=this.replaceEntitiesValue(o),""===o?this.indentate(n)+"<"+e+i+this.closeTag(e)+this.tagEndChar:this.indentate(n)+"<"+e+i+">"+o+"0&&this.options.processEntities)for(let e=0;econsole.error("SEMVER",...t):()=>{},R={MAX_LENGTH:256,MAX_SAFE_COMPONENT_LENGTH:16,MAX_SAFE_BUILD_LENGTH:250,MAX_SAFE_INTEGER:Number.MAX_SAFE_INTEGER||9007199254740991,RELEASE_TYPES:["major","premajor","minor","preminor","patch","prepatch","prerelease"],SEMVER_SPEC_VERSION:"2.0.0",FLAG_INCLUDE_PRERELEASE:1,FLAG_LOOSE:2},N={exports:{}};!function(t,e){const{MAX_SAFE_COMPONENT_LENGTH:i,MAX_SAFE_BUILD_LENGTH:n,MAX_LENGTH:o}=R,r=P,s=(e=t.exports={}).re=[],a=e.safeRe=[],c=e.src=[],l=e.t={};let u=0;const h="[a-zA-Z0-9-]",d=[["\\s",1],["\\d",o],[h,n]],p=(t,e,i)=>{const n=(t=>{for(const[e,i]of d)t=t.split(`${e}*`).join(`${e}{0,${i}}`).split(`${e}+`).join(`${e}{1,${i}}`);return t})(e),o=u++;r(t,o,e),l[t]=o,c[o]=e,s[o]=new RegExp(e,i?"g":void 0),a[o]=new RegExp(n,i?"g":void 0)};p("NUMERICIDENTIFIER","0|[1-9]\\d*"),p("NUMERICIDENTIFIERLOOSE","\\d+"),p("NONNUMERICIDENTIFIER",`\\d*[a-zA-Z-]${h}*`),p("MAINVERSION",`(${c[l.NUMERICIDENTIFIER]})\\.(${c[l.NUMERICIDENTIFIER]})\\.(${c[l.NUMERICIDENTIFIER]})`),p("MAINVERSIONLOOSE",`(${c[l.NUMERICIDENTIFIERLOOSE]})\\.(${c[l.NUMERICIDENTIFIERLOOSE]})\\.(${c[l.NUMERICIDENTIFIERLOOSE]})`),p("PRERELEASEIDENTIFIER",`(?:${c[l.NUMERICIDENTIFIER]}|${c[l.NONNUMERICIDENTIFIER]})`),p("PRERELEASEIDENTIFIERLOOSE",`(?:${c[l.NUMERICIDENTIFIERLOOSE]}|${c[l.NONNUMERICIDENTIFIER]})`),p("PRERELEASE",`(?:-(${c[l.PRERELEASEIDENTIFIER]}(?:\\.${c[l.PRERELEASEIDENTIFIER]})*))`),p("PRERELEASELOOSE",`(?:-?(${c[l.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${c[l.PRERELEASEIDENTIFIERLOOSE]})*))`),p("BUILDIDENTIFIER",`${h}+`),p("BUILD",`(?:\\+(${c[l.BUILDIDENTIFIER]}(?:\\.${c[l.BUILDIDENTIFIER]})*))`),p("FULLPLAIN",`v?${c[l.MAINVERSION]}${c[l.PRERELEASE]}?${c[l.BUILD]}?`),p("FULL",`^${c[l.FULLPLAIN]}$`),p("LOOSEPLAIN",`[v=\\s]*${c[l.MAINVERSIONLOOSE]}${c[l.PRERELEASELOOSE]}?${c[l.BUILD]}?`),p("LOOSE",`^${c[l.LOOSEPLAIN]}$`),p("GTLT","((?:<|>)?=?)"),p("XRANGEIDENTIFIERLOOSE",`${c[l.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`),p("XRANGEIDENTIFIER",`${c[l.NUMERICIDENTIFIER]}|x|X|\\*`),p("XRANGEPLAIN",`[v=\\s]*(${c[l.XRANGEIDENTIFIER]})(?:\\.(${c[l.XRANGEIDENTIFIER]})(?:\\.(${c[l.XRANGEIDENTIFIER]})(?:${c[l.PRERELEASE]})?${c[l.BUILD]}?)?)?`),p("XRANGEPLAINLOOSE",`[v=\\s]*(${c[l.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[l.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[l.XRANGEIDENTIFIERLOOSE]})(?:${c[l.PRERELEASELOOSE]})?${c[l.BUILD]}?)?)?`),p("XRANGE",`^${c[l.GTLT]}\\s*${c[l.XRANGEPLAIN]}$`),p("XRANGELOOSE",`^${c[l.GTLT]}\\s*${c[l.XRANGEPLAINLOOSE]}$`),p("COERCEPLAIN",`(^|[^\\d])(\\d{1,${i}})(?:\\.(\\d{1,${i}}))?(?:\\.(\\d{1,${i}}))?`),p("COERCE",`${c[l.COERCEPLAIN]}(?:$|[^\\d])`),p("COERCEFULL",c[l.COERCEPLAIN]+`(?:${c[l.PRERELEASE]})?(?:${c[l.BUILD]})?(?:$|[^\\d])`),p("COERCERTL",c[l.COERCE],!0),p("COERCERTLFULL",c[l.COERCEFULL],!0),p("LONETILDE","(?:~>?)"),p("TILDETRIM",`(\\s*)${c[l.LONETILDE]}\\s+`,!0),e.tildeTrimReplace="$1~",p("TILDE",`^${c[l.LONETILDE]}${c[l.XRANGEPLAIN]}$`),p("TILDELOOSE",`^${c[l.LONETILDE]}${c[l.XRANGEPLAINLOOSE]}$`),p("LONECARET","(?:\\^)"),p("CARETTRIM",`(\\s*)${c[l.LONECARET]}\\s+`,!0),e.caretTrimReplace="$1^",p("CARET",`^${c[l.LONECARET]}${c[l.XRANGEPLAIN]}$`),p("CARETLOOSE",`^${c[l.LONECARET]}${c[l.XRANGEPLAINLOOSE]}$`),p("COMPARATORLOOSE",`^${c[l.GTLT]}\\s*(${c[l.LOOSEPLAIN]})$|^$`),p("COMPARATOR",`^${c[l.GTLT]}\\s*(${c[l.FULLPLAIN]})$|^$`),p("COMPARATORTRIM",`(\\s*)${c[l.GTLT]}\\s*(${c[l.LOOSEPLAIN]}|${c[l.XRANGEPLAIN]})`,!0),e.comparatorTrimReplace="$1$2$3",p("HYPHENRANGE",`^\\s*(${c[l.XRANGEPLAIN]})\\s+-\\s+(${c[l.XRANGEPLAIN]})\\s*$`),p("HYPHENRANGELOOSE",`^\\s*(${c[l.XRANGEPLAINLOOSE]})\\s+-\\s+(${c[l.XRANGEPLAINLOOSE]})\\s*$`),p("STAR","(<|>)?=?\\s*\\*"),p("GTE0","^\\s*>=\\s*0\\.0\\.0\\s*$"),p("GTE0PRE","^\\s*>=\\s*0\\.0\\.0-0\\s*$")}(N,N.exports);var H=N.exports;Object.freeze({loose:!0}),Object.freeze({});const z=/^[0-9]+$/,L=(t,e)=>{const i=z.test(t),n=z.test(e);return i&&n&&(t=+t,e=+e),t===e?0:i&&!n?-1:n&&!i?1:tL(e,t)};const{MAX_LENGTH:j,MAX_SAFE_INTEGER:U}=R,{safeRe:W,t:Y}=H,{compareIdentifiers:q}=F;r.m},4523:(t,e,i)=>{"use strict";i.r(e),i.d(e,{VERSION:()=>o,after:()=>Pe,all:()=>ti,allKeys:()=>gt,any:()=>ei,assign:()=>Pt,before:()=>Re,bind:()=>ye,bindAll:()=>Be,chain:()=>Ce,chunk:()=>Hi,clone:()=>zt,collect:()=>Xe,compact:()=>Ei,compose:()=>Me,constant:()=>Z,contains:()=>ii,countBy:()=>gi,create:()=>Ht,debounce:()=>Se,default:()=>Ui,defaults:()=>Rt,defer:()=>Ie,delay:()=>_e,detect:()=>qe,difference:()=>Ii,drop:()=>ki,each:()=>Ge,escape:()=>se,every:()=>ti,extend:()=>Mt,extendOwn:()=>Pt,filter:()=>Ze,find:()=>qe,findIndex:()=>Le,findKey:()=>He,findLastIndex:()=>Fe,findWhere:()=>Qe,first:()=>wi,flatten:()=>_i,foldl:()=>Ke,foldr:()=>Je,forEach:()=>Ge,functions:()=>Tt,get:()=>Wt,groupBy:()=>Ai,has:()=>Yt,head:()=>wi,identity:()=>qt,include:()=>ii,includes:()=>ii,indexBy:()=>fi,indexOf:()=>We,initial:()=>yi,inject:()=>Ke,intersection:()=>Oi,invert:()=>St,invoke:()=>ni,isArguments:()=>V,isArray:()=>Q,isArrayBuffer:()=>H,isBoolean:()=>I,isDataView:()=>q,isDate:()=>M,isElement:()=>D,isEmpty:()=>ct,isEqual:()=>ft,isError:()=>R,isFinite:()=>K,isFunction:()=>F,isMap:()=>kt,isMatch:()=>lt,isNaN:()=>J,isNull:()=>E,isNumber:()=>O,isObject:()=>B,isRegExp:()=>P,isSet:()=>Et,isString:()=>T,isSymbol:()=>N,isTypedArray:()=>ot,isUndefined:()=>_,isWeakMap:()=>Bt,isWeakSet:()=>_t,iteratee:()=>Kt,keys:()=>at,last:()=>Bi,lastIndexOf:()=>Ye,map:()=>Xe,mapObject:()=>Zt,matcher:()=>Qt,matches:()=>Qt,max:()=>si,memoize:()=>Ee,methods:()=>Tt,min:()=>ai,mixin:()=>Li,negate:()=>Oe,noop:()=>$t,now:()=>ne,object:()=>Ri,omit:()=>xi,once:()=>Ne,pairs:()=>Dt,partial:()=>xe,partition:()=>mi,pick:()=>vi,pluck:()=>oi,property:()=>Gt,propertyOf:()=>te,random:()=>ie,range:()=>Ni,reduce:()=>Ke,reduceRight:()=>Je,reject:()=>$e,rest:()=>ki,restArguments:()=>k,result:()=>fe,sample:()=>ui,select:()=>Ze,shuffle:()=>hi,size:()=>Ci,some:()=>ei,sortBy:()=>di,sortedIndex:()=>je,tail:()=>ki,take:()=>wi,tap:()=>Lt,template:()=>Ae,templateSettings:()=>ce,throttle:()=>De,times:()=>ee,toArray:()=>li,toPath:()=>Ft,transpose:()=>Mi,unescape:()=>ae,union:()=>Ti,uniq:()=>Si,unique:()=>Si,uniqueId:()=>me,unzip:()=>Mi,values:()=>It,where:()=>ri,without:()=>Di,wrap:()=>Te,zip:()=>Pi});var n={};i.r(n),i.d(n,{VERSION:()=>o,after:()=>Pe,all:()=>ti,allKeys:()=>gt,any:()=>ei,assign:()=>Pt,before:()=>Re,bind:()=>ye,bindAll:()=>Be,chain:()=>Ce,chunk:()=>Hi,clone:()=>zt,collect:()=>Xe,compact:()=>Ei,compose:()=>Me,constant:()=>Z,contains:()=>ii,countBy:()=>gi,create:()=>Ht,debounce:()=>Se,default:()=>Fi,defaults:()=>Rt,defer:()=>Ie,delay:()=>_e,detect:()=>qe,difference:()=>Ii,drop:()=>ki,each:()=>Ge,escape:()=>se,every:()=>ti,extend:()=>Mt,extendOwn:()=>Pt,filter:()=>Ze,find:()=>qe,findIndex:()=>Le,findKey:()=>He,findLastIndex:()=>Fe,findWhere:()=>Qe,first:()=>wi,flatten:()=>_i,foldl:()=>Ke,foldr:()=>Je,forEach:()=>Ge,functions:()=>Tt,get:()=>Wt,groupBy:()=>Ai,has:()=>Yt,head:()=>wi,identity:()=>qt,include:()=>ii,includes:()=>ii,indexBy:()=>fi,indexOf:()=>We,initial:()=>yi,inject:()=>Ke,intersection:()=>Oi,invert:()=>St,invoke:()=>ni,isArguments:()=>V,isArray:()=>Q,isArrayBuffer:()=>H,isBoolean:()=>I,isDataView:()=>q,isDate:()=>M,isElement:()=>D,isEmpty:()=>ct,isEqual:()=>ft,isError:()=>R,isFinite:()=>K,isFunction:()=>F,isMap:()=>kt,isMatch:()=>lt,isNaN:()=>J,isNull:()=>E,isNumber:()=>O,isObject:()=>B,isRegExp:()=>P,isSet:()=>Et,isString:()=>T,isSymbol:()=>N,isTypedArray:()=>ot,isUndefined:()=>_,isWeakMap:()=>Bt,isWeakSet:()=>_t,iteratee:()=>Kt,keys:()=>at,last:()=>Bi,lastIndexOf:()=>Ye,map:()=>Xe,mapObject:()=>Zt,matcher:()=>Qt,matches:()=>Qt,max:()=>si,memoize:()=>Ee,methods:()=>Tt,min:()=>ai,mixin:()=>Li,negate:()=>Oe,noop:()=>$t,now:()=>ne,object:()=>Ri,omit:()=>xi,once:()=>Ne,pairs:()=>Dt,partial:()=>xe,partition:()=>mi,pick:()=>vi,pluck:()=>oi,property:()=>Gt,propertyOf:()=>te,random:()=>ie,range:()=>Ni,reduce:()=>Ke,reduceRight:()=>Je,reject:()=>$e,rest:()=>ki,restArguments:()=>k,result:()=>fe,sample:()=>ui,select:()=>Ze,shuffle:()=>hi,size:()=>Ci,some:()=>ei,sortBy:()=>di,sortedIndex:()=>je,tail:()=>ki,take:()=>wi,tap:()=>Lt,template:()=>Ae,templateSettings:()=>ce,throttle:()=>De,times:()=>ee,toArray:()=>li,toPath:()=>Ft,transpose:()=>Mi,unescape:()=>ae,union:()=>Ti,uniq:()=>Si,unique:()=>Si,uniqueId:()=>me,unzip:()=>Mi,values:()=>It,where:()=>ri,without:()=>Di,wrap:()=>Te,zip:()=>Pi});var o="1.13.7",r="object"==typeof self&&self.self===self&&self||"object"==typeof global&&global.global===global&&global||Function("return this")()||{},s=Array.prototype,a=Object.prototype,c="undefined"!=typeof Symbol?Symbol.prototype:null,l=s.push,u=s.slice,h=a.toString,d=a.hasOwnProperty,p="undefined"!=typeof ArrayBuffer,A="undefined"!=typeof DataView,f=Array.isArray,g=Object.keys,m=Object.create,C=p&&ArrayBuffer.isView,b=isNaN,v=isFinite,x=!{toString:null}.propertyIsEnumerable("toString"),y=["valueOf","isPrototypeOf","toString","propertyIsEnumerable","hasOwnProperty","toLocaleString"],w=Math.pow(2,53)-1;function k(t,e){return e=null==e?t.length-1:+e,function(){for(var i=Math.max(arguments.length-e,0),n=Array(i),o=0;o=0&&i<=w}}function tt(t){return function(e){return null==e?void 0:e[t]}}const et=tt("byteLength"),it=$(et);var nt=/\[object ((I|Ui)nt(8|16|32)|Float(32|64)|Uint8Clamped|Big(I|Ui)nt64)Array\]/;const ot=p?function(t){return C?C(t)&&!q(t):it(t)&&nt.test(h.call(t))}:Z(!1),rt=tt("length");function st(t,e){e=function(t){for(var e={},i=t.length,n=0;n":">",'"':""","'":"'","`":"`"},se=oe(re),ae=oe(St(re)),ce=ut.templateSettings={evaluate:/<%([\s\S]+?)%>/g,interpolate:/<%=([\s\S]+?)%>/g,escape:/<%-([\s\S]+?)%>/g};var le=/(.)^/,ue={"'":"'","\\":"\\","\r":"r","\n":"n","\u2028":"u2028","\u2029":"u2029"},he=/\\|'|\r|\n|\u2028|\u2029/g;function de(t){return"\\"+ue[t]}var pe=/^\s*(\w|\$)+\s*$/;function Ae(t,e,i){!e&&i&&(e=i),e=Rt({},e,ut.templateSettings);var n=RegExp([(e.escape||le).source,(e.interpolate||le).source,(e.evaluate||le).source].join("|")+"|$","g"),o=0,r="__p+='";t.replace(n,(function(e,i,n,s,a){return r+=t.slice(o,a).replace(he,de),o=a+e.length,i?r+="'+\n((__t=("+i+"))==null?'':_.escape(__t))+\n'":n?r+="'+\n((__t=("+n+"))==null?'':__t)+\n'":s&&(r+="';\n"+s+"\n__p+='"),e})),r+="';\n";var s,a=e.variable;if(a){if(!pe.test(a))throw new Error("variable is not a bare identifier: "+a)}else r="with(obj||{}){\n"+r+"}\n",a="obj";r="var __t,__p='',__j=Array.prototype.join,print=function(){__p+=__j.call(arguments,'');};\n"+r+"return __p;\n";try{s=new Function(a,"_",r)}catch(t){throw t.source=r,t}var c=function(t){return s.call(this,t,ut)};return c.source="function("+a+"){\n"+r+"}",c}function fe(t,e,i){var n=(e=jt(e)).length;if(!n)return F(i)?i.call(t):i;for(var o=0;o1)ke(a,e-1,i,n),o=n.length;else for(var c=0,l=a.length;ce?(n&&(clearTimeout(n),n=null),a=l,s=t.apply(o,r),n||(o=r=null)):n||!1===i.trailing||(n=setTimeout(c,u)),s};return l.cancel=function(){clearTimeout(n),a=0,n=o=r=null},l}function Se(t,e,i){var n,o,r,s,a,c=function(){var l=ne()-o;e>l?n=setTimeout(c,e-l):(n=null,i||(s=t.apply(a,r)),n||(r=a=null))},l=k((function(l){return a=this,r=l,o=ne(),n||(n=setTimeout(c,e),i&&(s=t.apply(a,r))),s}));return l.cancel=function(){clearTimeout(n),n=r=a=null},l}function Te(t,e){return xe(e,t)}function Oe(t){return function(){return!t.apply(this,arguments)}}function Me(){var t=arguments,e=t.length-1;return function(){for(var i=e,n=t[e].apply(this,arguments);i--;)n=t[i].call(this,n);return n}}function Pe(t,e){return function(){if(--t<1)return e.apply(this,arguments)}}function Re(t,e){var i;return function(){return--t>0&&(i=e.apply(this,arguments)),t<=1&&(e=null),i}}const Ne=xe(Re,2);function He(t,e,i){e=Jt(e,i);for(var n,o=at(t),r=0,s=o.length;r0?0:o-1;r>=0&&r0?s=r>=0?r:Math.max(r+a,s):a=r>=0?Math.min(r+1,a):r+a+1;else if(i&&r&&a)return n[r=i(n,o)]===o?r:-1;if(o!=o)return(r=e(u.call(n,s,a),J))>=0?r+s:-1;for(r=t>0?s:a-1;r>=0&&r=3;return function(e,i,n,o){var r=!we(e)&&at(e),s=(r||e).length,a=t>0?0:s-1;for(o||(n=e[r?r[a]:a],a+=t);a>=0&&a=0}const ni=k((function(t,e,i){var n,o;return F(e)?o=e:(e=jt(e),n=e.slice(0,-1),e=e[e.length-1]),Xe(t,(function(t){var r=o;if(!r){if(n&&n.length&&(t=Ut(t,n)),null==t)return;r=t[e]}return null==r?r:r.apply(t,i)}))}));function oi(t,e){return Xe(t,Gt(e))}function ri(t,e){return Ze(t,Qt(e))}function si(t,e,i){var n,o,r=-1/0,s=-1/0;if(null==e||"number"==typeof e&&"object"!=typeof t[0]&&null!=t)for(var a=0,c=(t=we(t)?t:It(t)).length;ar&&(r=n);else e=Jt(e,i),Ge(t,(function(t,i,n){((o=e(t,i,n))>s||o===-1/0&&r===-1/0)&&(r=t,s=o)}));return r}function ai(t,e,i){var n,o,r=1/0,s=1/0;if(null==e||"number"==typeof e&&"object"!=typeof t[0]&&null!=t)for(var a=0,c=(t=we(t)?t:It(t)).length;an||void 0===i)return 1;if(i1&&(n=Xt(n,e[1])),e=gt(t)):(n=bi,e=ke(e,!1,!1),t=Object(t));for(var o=0,r=e.length;o1&&(i=e[1])):(e=Xe(ke(e,!1,!1),String),n=function(t,i){return!ii(e,i)}),vi(t,n,i)}));function yi(t,e,i){return u.call(t,0,Math.max(0,t.length-(null==e||i?1:e)))}function wi(t,e,i){return null==t||t.length<1?null==e||i?void 0:[]:null==e||i?t[0]:yi(t,t.length-e)}function ki(t,e,i){return u.call(t,null==e||i?1:e)}function Bi(t,e,i){return null==t||t.length<1?null==e||i?void 0:[]:null==e||i?t[t.length-1]:ki(t,Math.max(0,t.length-e))}function Ei(t){return Ze(t,Boolean)}function _i(t,e){return ke(t,e,!1)}const Ii=k((function(t,e){return e=ke(e,!0,!0),Ze(t,(function(t){return!ii(e,t)}))})),Di=k((function(t,e){return Ii(t,e)}));function Si(t,e,i,n){I(e)||(n=i,i=e,e=!1),null!=i&&(i=Jt(i,n));for(var o=[],r=[],s=0,a=rt(t);s{if(!i){var r=1/0;for(u=0;u=o)&&Object.keys(a.O).every((t=>a.O[t](i[c])))?i.splice(c--,1):(s=!1,o0&&e[u-1][2]>o;u--)e[u]=e[u-1];e[u]=[i,n,o]},a.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return a.d(e,{a:e}),e},a.d=(t,e)=>{for(var i in e)a.o(e,i)&&!a.o(t,i)&&Object.defineProperty(t,i,{enumerable:!0,get:e[i]})},a.f={},a.e=t=>Promise.all(Object.keys(a.f).reduce(((e,i)=>(a.f[i](t,e),e)),[])),a.u=t=>t+"-"+t+".js?v="+{1642:"2dfd15a0b222de21b9ae",5706:"3153330af47fc26a725a",6127:"40fbb3532bb7846b7035"}[t],a.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),a.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),i={},o="nextcloud:",a.l=(t,e,n,r)=>{if(i[t])i[t].push(e);else{var s,c;if(void 0!==n)for(var l=document.getElementsByTagName("script"),u=0;u{s.onerror=s.onload=null,clearTimeout(p);var o=i[t];if(delete i[t],s.parentNode&&s.parentNode.removeChild(s),o&&o.forEach((t=>t(n))),e)return e(n)},p=setTimeout(d.bind(null,void 0,{type:"timeout",target:s}),12e4);s.onerror=d.bind(null,s.onerror),s.onload=d.bind(null,s.onload),c&&document.head.appendChild(s)}},a.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},a.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),a.j=2228,(()=>{var t;a.g.importScripts&&(t=a.g.location+"");var e=a.g.document;if(!t&&e&&(e.currentScript&&"SCRIPT"===e.currentScript.tagName.toUpperCase()&&(t=e.currentScript.src),!t)){var i=e.getElementsByTagName("script");if(i.length)for(var n=i.length-1;n>-1&&(!t||!/^http(s?):/.test(t));)t=i[n--].src}if(!t)throw new Error("Automatic publicPath is not supported in this browser");t=t.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),a.p=t})(),(()=>{a.b=document.baseURI||self.location.href;var t={2228:0};a.f.j=(e,i)=>{var n=a.o(t,e)?t[e]:void 0;if(0!==n)if(n)i.push(n[2]);else{var o=new Promise(((i,o)=>n=t[e]=[i,o]));i.push(n[2]=o);var r=a.p+a.u(e),s=new Error;a.l(r,(i=>{if(a.o(t,e)&&(0!==(n=t[e])&&(t[e]=void 0),n)){var o=i&&("load"===i.type?"missing":i.type),r=i&&i.target&&i.target.src;s.message="Loading chunk "+e+" failed.\n("+o+": "+r+")",s.name="ChunkLoadError",s.type=o,s.request=r,n[1](s)}}),"chunk-"+e,e)}},a.O.j=e=>0===t[e];var e=(e,i)=>{var n,o,r=i[0],s=i[1],c=i[2],l=0;if(r.some((e=>0!==t[e]))){for(n in s)a.o(s,n)&&(a.m[n]=s[n]);if(c)var u=c(a)}for(e&&e(i);la(72443)));c=a.O(c)})(); -//# sourceMappingURL=core-main.js.map?v=6b7d2210455ca0c3a49e \ No newline at end of file +(()=>{var e,i,o,r={72443:(e,i,o)=>{"use strict";var r={};o.r(r),o.d(r,{deleteKey:()=>k,getApps:()=>v,getKeys:()=>x,getValue:()=>w,setValue:()=>y});var s={};o.r(s),o.d(s,{formatLinksPlain:()=>bi,formatLinksRich:()=>Ci,plainToRich:()=>gi,richToPlain:()=>mi});var a={};o.r(a),o.d(a,{dismiss:()=>xi,query:()=>vi}),o(84315),o(7452);var c=o(61338),l=o(4523),u=o(74692),h=o.n(u),d=o(85168);const p={updatableNotification:null,getDefaultNotificationFunction:null,setDefault(t){this.getDefaultNotificationFunction=t},hide(t,e){l.default.isFunction(t)&&(e=t,t=void 0),t?(t.each((function(){h()(this)[0].toastify?h()(this)[0].toastify.hideToast():console.error("cannot hide toast because object is not set"),this===this.updatableNotification&&(this.updatableNotification=null)})),e&&e.call(),this.getDefaultNotificationFunction&&this.getDefaultNotificationFunction()):console.error("Missing argument $row in OC.Notification.hide() call, caller needs to be adjusted to only dismiss its own notification")},showHtml(t,e){(e=e||{}).isHTML=!0,e.timeout=e.timeout?e.timeout:d.DH;const i=(0,d.rG)(t,e);return i.toastElement.toastify=i,h()(i.toastElement)},show(t,e){(e=e||{}).timeout=e.timeout?e.timeout:d.DH;const i=(0,d.rG)(function(t){return t.toString().split("&").join("&").split("<").join("<").split(">").join(">").split('"').join(""").split("'").join("'")}(t),e);return i.toastElement.toastify=i,h()(i.toastElement)},showUpdate(t){return this.updatableNotification&&this.updatableNotification.hideToast(),this.updatableNotification=(0,d.rG)(t,{timeout:d.DH}),this.updatableNotification.toastElement.toastify=this.updatableNotification,h()(this.updatableNotification.toastElement)},showTemporary(t,e){(e=e||{}).timeout=e.timeout||d.Jt;const i=(0,d.rG)(t,e);return i.toastElement.toastify=i,h()(i.toastElement)},isHidden:()=>!h()("#content").find(".toastify").length};var A=o(21777);const f=l.default.throttle((()=>{(0,d.I9)(t("core","Connection to server lost"))}),7e3,{trailing:!1});let g=!1;const m={enableDynamicSlideToggle(){g=!0},showAppSidebar:function(t){(t||h()("#app-sidebar")).removeClass("disappear").show(),h()("#app-content").trigger(new(h().Event)("appresized"))},hideAppSidebar:function(t){(t||h()("#app-sidebar")).hide().addClass("disappear"),h()("#app-content").trigger(new(h().Event)("appresized"))}};var C=o(63814);function b(t,e,i){"post"!==t&&"delete"!==t||!yt.PasswordConfirmation.requiresPasswordConfirmation()?(i=i||{},h().ajax({type:t.toUpperCase(),url:(0,C.KT)("apps/provisioning_api/api/v1/config/apps")+e,data:i.data||{},success:i.success,error:i.error})):yt.PasswordConfirmation.requirePasswordConfirmation(_.bind(b,this,t,e,i))}function v(t){b("get","",t)}function x(t,e){b("get","/"+t,e)}function w(t,e,i,n){(n=n||{}).data={defaultValue:i},b("get","/"+t+"/"+e,n)}function y(t,e,i,n){(n=n||{}).data={value:i},b("post","/"+t+"/"+e,n)}function k(t,e,i){b("delete","/"+t+"/"+e,i)}const B=window.oc_appconfig||{},E={getValue:function(t,e,i,n){w(t,e,i,{success:n})},setValue:function(t,e,i){y(t,e,i)},getApps:function(t){v({success:t})},getKeys:function(t,e){x(t,{success:e})},deleteKey:function(t,e){k(t,e)}},I=void 0!==window._oc_appswebroots&&window._oc_appswebroots;var D=o(21391),S=o.n(D),T=o(78112);const O={create:"POST",update:"PROPPATCH",patch:"PROPPATCH",delete:"DELETE",read:"PROPFIND"};function M(t,e){if(l.default.isArray(t))return l.default.map(t,(function(t){return M(t,e)}));var i={href:t.href};return l.default.each(t.propStat,(function(t){if("HTTP/1.1 200 OK"===t.status)for(var n in t.properties){var o=n;n in e&&(o=e[n]),i[o]=t.properties[n]}})),i.id||(i.id=P(i.href)),i}function P(t){var e=t.indexOf("?");e>0&&(t=t.substr(0,e));var i,n=t.split("/");do{i=n[n.length-1],n.pop()}while(!i&&n.length>0);return i}function R(t){return t>=200&&t<=299}function N(t,e,i,n){return t.propPatch(e.url,function(t,e){var i,n={};for(i in t){var o=e[i],r=t[i];o||(console.warn('No matching DAV property for property "'+i),o=i),(l.default.isBoolean(r)||l.default.isNumber(r))&&(r=""+r),n[o]=r}return n}(i.changed,e.davProperties),n).then((function(t){R(t.status)?l.default.isFunction(e.success)&&e.success(i.toJSON()):l.default.isFunction(e.error)&&e.error(t)}))}const H=S().noConflict();Object.assign(H,{davCall:(t,e)=>{var i=new T.dav.Client({baseUrl:t.url,xmlNamespaces:l.default.extend({"DAV:":"d","http://owncloud.org/ns":"oc"},t.xmlNamespaces||{})});i.resolveUrl=function(){return t.url};var n=l.default.extend({"X-Requested-With":"XMLHttpRequest",requesttoken:OC.requestToken},t.headers);return"PROPFIND"===t.type?function(t,e,i,n){return t.propFind(e.url,l.default.values(e.davProperties)||[],e.depth,n).then((function(t){if(R(t.status)){if(l.default.isFunction(e.success)){var i=l.default.invert(e.davProperties),n=M(t.body,i);e.depth>0&&n.shift(),e.success(n)}}else l.default.isFunction(e.error)&&e.error(t)}))}(i,t,0,n):"PROPPATCH"===t.type?N(i,t,e,n):"MKCOL"===t.type?function(t,e,i,n){return t.request(e.type,e.url,n,null).then((function(o){R(o.status)?N(t,e,i,n):l.default.isFunction(e.error)&&e.error(o)}))}(i,t,e,n):function(t,e,i,n){return n["Content-Type"]="application/json",t.request(e.type,e.url,n,e.data).then((function(t){if(R(t.status)){if(l.default.isFunction(e.success)){if("PUT"===e.type||"POST"===e.type||"MKCOL"===e.type){var n=t.body||i.toJSON(),o=t.xhr.getResponseHeader("Content-Location");return"POST"===e.type&&o&&(n.id=P(o)),void e.success(n)}if(207===t.status){var r=l.default.invert(e.davProperties);e.success(M(t.body,r))}else e.success(t.body)}}else l.default.isFunction(e.error)&&e.error(t)}))}(i,t,e,n)},davSync:(t=>(e,i,n)=>{var o={type:O[e]||e},r=i instanceof t.Collection;if("update"===e&&(i.hasInnerCollection?o.type="MKCOL":(i.usePUT||i.collection&&i.collection.usePUT)&&(o.type="PUT")),n.url||(o.url=l.default.result(i,"url")||function(){throw new Error('A "url" property or function must be specified')}()),null!=n.data||!i||"create"!==e&&"update"!==e&&"patch"!==e||(o.data=JSON.stringify(n.attrs||i.toJSON(n))),"PROPFIND"!==o.type&&(o.processData=!1),"PROPFIND"===o.type||"PROPPATCH"===o.type){var s=i.davProperties;!s&&i.model&&(s=i.model.prototype.davProperties),s&&(l.default.isFunction(s)?o.davProperties=s.call(i):o.davProperties=s),o.davProperties=l.default.extend(o.davProperties||{},n.davProperties),l.default.isUndefined(n.depth)&&(n.depth=r?1:0)}var a=n.error;n.error=function(t,e,i){n.textStatus=e,n.errorThrown=i,a&&a.call(n.context,t,e,i)};var c=n.xhr=t.davCall(l.default.extend(o,n),i);return i.trigger("request",i,c,n),c})(H)});const z=H;var L=o(71225);const F=window._oc_config||{},j=document.getElementsByTagName("head")[0].getAttribute("data-user"),U=document.getElementsByTagName("head")[0].getAttribute("data-user-displayname"),W=void 0!==j&&j;var Y=o(39285),q=o(36882),Q=o(53334),G=o(43627),X=o(85471);const V={YES_NO_BUTTONS:70,OK_BUTTONS:71,FILEPICKER_TYPE_CHOOSE:1,FILEPICKER_TYPE_MOVE:2,FILEPICKER_TYPE_COPY:3,FILEPICKER_TYPE_COPY_MOVE:4,FILEPICKER_TYPE_CUSTOM:5,alert:function(t,e,i,n){this.message(t,e,"alert",V.OK_BUTTON,i,n)},info:function(t,e,i,n){this.message(t,e,"info",V.OK_BUTTON,i,n)},confirm:function(t,e,i,n){return this.message(t,e,"notice",V.YES_NO_BUTTONS,i,n)},confirmDestructive:function(t,e){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:V.OK_BUTTONS,n=arguments.length>3&&void 0!==arguments[3]?arguments[3]:()=>{};return(new d.ik).setName(e).setText(t).setButtons(i===V.OK_BUTTONS?[{label:(0,Q.Tl)("core","Yes"),type:"error",callback:()=>{n.clicked=!0,n(!0)}}]:V._getLegacyButtons(i,n)).build().show().then((()=>{n.clicked||n(!1)}))},confirmHtml:function(t,e,i,n){return(new d.ik).setName(e).setText("").setButtons([{label:(0,Q.Tl)("core","No"),callback:()=>{}},{label:(0,Q.Tl)("core","Yes"),type:"primary",callback:()=>{i.clicked=!0,i(!0)}}]).build().setHTML(t).show().then((()=>{i.clicked||i(!1)}))},prompt:function(t,e,i,n,r,s){return new Promise((n=>{(0,d.Ss)((0,X.$V)((()=>o.e(1642).then(o.bind(o,71642)))),{text:t,name:e,callback:i,inputName:r,isPassword:!!s},(function(){i(...arguments),n()}))}))},filepicker(t,e){let i=arguments.length>2&&void 0!==arguments[2]&&arguments[2],n=arguments.length>3&&void 0!==arguments[3]?arguments[3]:void 0,o=arguments.length>5&&void 0!==arguments[5]?arguments[5]:d.bh.Choose,r=arguments.length>6&&void 0!==arguments[6]?arguments[6]:void 0,s=arguments.length>7&&void 0!==arguments[7]?arguments[7]:void 0;const a=(t,e)=>{const n=t=>{const e=t?.root||"";let i=t?.path||"";return i.startsWith(e)&&(i=i.slice(e.length)||"/"),i};return i?i=>t(i.map(n),e):i=>t(n(i[0]),e)},c=(0,d.a1)(t);o===this.FILEPICKER_TYPE_CUSTOM?(s.buttons||[]).forEach((t=>{c.addButton({callback:a(e,t.type),label:t.text,type:t.defaultButton?"primary":"secondary"})})):c.setButtonFactory(((t,i)=>{const n=[],r=t?.[0]?.attributes?.displayName||t?.[0]?.basename,s=r||(0,G.basename)(i);return o===d.bh.Choose&&n.push({callback:a(e,d.bh.Choose),label:r&&!this.multiSelect?(0,Q.Tl)("core","Choose {file}",{file:r}):(0,Q.Tl)("core","Choose"),type:"primary"}),o!==d.bh.CopyMove&&o!==d.bh.Copy||n.push({callback:a(e,d.bh.Copy),label:s?(0,Q.Tl)("core","Copy to {target}",{target:s}):(0,Q.Tl)("core","Copy"),type:"primary",icon:q}),o!==d.bh.Move&&o!==d.bh.CopyMove||n.push({callback:a(e,d.bh.Move),label:s?(0,Q.Tl)("core","Move to {target}",{target:s}):(0,Q.Tl)("core","Move"),type:o===d.bh.Move?"primary":"secondary",icon:Y}),n})),n&&c.setMimeTypeFilter("string"==typeof n?[n]:n||[]),"function"==typeof s?.filter&&c.setFilter((t=>s.filter((t=>({id:t.fileid||null,path:t.path,mimetype:t.mime||null,mtime:t.mtime?.getTime()||null,permissions:t.permissions,name:t.attributes?.displayName||t.basename,etag:t.attributes?.etag||null,hasPreview:t.attributes?.hasPreview||null,mountType:t.attributes?.mountType||null,quotaAvailableBytes:t.attributes?.quotaAvailableBytes||null,icon:null,sharePermissions:null}))(t)))),c.allowDirectories(!0===s?.allowDirectoryChooser||n?.includes("httpd/unix-directory")||!1).setMultiSelect(i).startAt(r).build().pick()},message:function(t,e,i,n){let o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:()=>{},r=arguments.length>6?arguments[6]:void 0;const s=(new d.ik).setName(e).setText(r?"":t).setButtons(V._getLegacyButtons(n,o));switch(i){case"alert":s.setSeverity("warning");break;case"notice":s.setSeverity("info")}const a=s.build();return r&&a.setHTML(t),a.show().then((()=>{o._clicked||o(!1)}))},_getLegacyButtons(t,e){const i=[];switch("object"==typeof t?t.type:t){case V.YES_NO_BUTTONS:i.push({label:t?.cancel??(0,Q.Tl)("core","No"),callback:()=>{e._clicked=!0,e(!1)}}),i.push({label:t?.confirm??(0,Q.Tl)("core","Yes"),type:"primary",callback:()=>{e._clicked=!0,e(!0)}});break;case V.OK_BUTTONS:i.push({label:t?.confirm??(0,Q.Tl)("core","OK"),type:"primary",callback:()=>{e._clicked=!0,e(!0)}});break;default:console.error("Invalid call to OC.dialogs")}return i},_fileexistsshown:!1,fileexists:function(t,e,i,o){var r=this,s=new(h().Deferred),a=function(t,e,i,n,o){n=Math.round(n),o=Math.round(o);for(var r=t.getContext("2d").getImageData(0,0,e,i),s=t.getContext("2d").getImageData(0,0,n,o),a=r.data,c=s.data,l=e/n,u=i/o,h=Math.ceil(l/2),d=Math.ceil(u/2),p=0;p=-1&&S<=1&&(g=2*S*S*S-3*S*S+1)>0&&(w+=g*a[3+(D=4*(I+k*e))],C+=g,a[D+3]<255&&(g=g*a[D+3]/250),b+=g*a[D],v+=g*a[D+1],x+=g*a[D+2],m+=g)}c[f]=b/m,c[f+1]=v/m,c[f+2]=x/m,c[f+3]=w/C}t.getContext("2d").clearRect(0,0,Math.max(e,n),Math.max(i,o)),t.width=n,t.height=o,t.getContext("2d").putImageData(s,0,0)},c=function(e,i,n){var o=e.find(".template").clone().removeClass("template").addClass("conflict"),r=o.find(".original"),s=o.find(".replacement");o.data("data",t),o.find(".filename").text(i.name),r.find(".size").text(yt.Util.humanFileSize(i.size)),r.find(".mtime").text(yt.Util.formatDate(i.mtime)),n.size&&n.lastModified&&(s.find(".size").text(yt.Util.humanFileSize(n.size)),s.find(".mtime").text(yt.Util.formatDate(n.lastModified)));var c=i.directory+"/"+i.name,l={file:c,x:96,y:96,c:i.etag,forceIcon:0},u=Files.generatePreviewUrl(l);u=u.replace(/'/g,"%27"),r.find(".icon").css({"background-image":"url('"+u+"')"}),function(t){var e=new(h().Deferred),i=t.type&&t.type.split("/").shift();if(window.FileReader&&"image"===i){var n=new FileReader;n.onload=function(t){var i=new Blob([t.target.result]);window.URL=window.URL||window.webkitURL;var n=window.URL.createObjectURL(i),o=new Image;o.src=n,o.onload=function(){var t,i,n,r,s,c,l,u=(t=o,s=document.createElement("canvas"),c=t.width,l=t.height,c>l?(n=0,i=(c-l)/2):(n=(l-c)/2,i=0),r=Math.min(c,l),s.width=r,s.height=r,s.getContext("2d").drawImage(t,i,n,r,r,0,0,r,r),a(s,r,r,96,96),s.toDataURL("image/png",.7));e.resolve(u)}},n.readAsArrayBuffer(t)}else e.reject();return e}(n).then((function(t){s.find(".icon").css("background-image","url("+t+")")}),(function(){c=yt.MimeType.getIconUrl(n.type),s.find(".icon").css("background-image","url("+c+")")}));var d=e.find(".conflict").length;r.find("input:checkbox").attr("id","checkbox_original_"+d),s.find("input:checkbox").attr("id","checkbox_replacement_"+d),e.append(o),n.lastModified>i.mtime?s.find(".mtime").css("font-weight","bold"):n.lastModifiedi.size?s.find(".size").css("font-weight","bold"):n.size&&n.size0?(h()(u).find(".allnewfiles").prop("checked",!1),h()(u).find(".allnewfiles + .count").text((0,Q.Tl)("core","({count} selected)",{count:t}))):(h()(u).find(".allnewfiles").prop("checked",!1),h()(u).find(".allnewfiles + .count").text("")),g()})),h()(u).on("click",".original,.allexistingfiles",(function(){var t=h()(u).find('.conflict .original input[type="checkbox"]:checked').length;t===h()(u+" .conflict").length?(h()(u).find(".allexistingfiles").prop("checked",!0),h()(u).find(".allexistingfiles + .count").text((0,Q.Tl)("core","(all selected)"))):t>0?(h()(u).find(".allexistingfiles").prop("checked",!1),h()(u).find(".allexistingfiles + .count").text((0,Q.Tl)("core","({count} selected)",{count:t}))):(h()(u).find(".allexistingfiles").prop("checked",!1),h()(u).find(".allexistingfiles + .count").text("")),g()})),s.resolve()})).fail((function(){s.reject(),alert((0,Q.Tl)("core","Error loading file exists template"))}));return s.promise()},_getFileExistsTemplate:function(){var t=h().Deferred();if(this.$fileexistsTemplate)t.resolve(this.$fileexistsTemplate);else{var e=this;h().get(yt.filePath("core","templates/legacy","fileexists.html"),(function(i){e.$fileexistsTemplate=h()(i),t.resolve(e.$fileexistsTemplate)})).fail((function(){t.reject()}))}return t.promise()}},K=V,J=((t,e)=>{let i=t.getElementsByTagName("head")[0].getAttribute("data-requesttoken");return{getToken:()=>i,setToken:t=>{i=t,e("csrf-token-update",{token:i})}}})(document,c.Ic),Z=J.getToken,$=J.setToken,tt=function(t,e){var i,n,o="";if(this.typelessListeners=[],this.closed=!1,this.listeners={},e)for(i in e)o+=i+"="+encodeURIComponent(e[i])+"&";if(o+="requesttoken="+encodeURIComponent(Z()),this.useFallBack||"undefined"==typeof EventSource){var r="oc_eventsource_iframe_"+tt.iframeCount;tt.fallBackSources[tt.iframeCount]=this,this.iframe=h()(""),this.iframe.attr("id",r),this.iframe.hide(),n="&",-1===t.indexOf("?")&&(n="?"),this.iframe.attr("src",t+n+"fallback=true&fallback_id="+tt.iframeCount+"&"+o),h()("body").append(this.iframe),this.useFallBack=!0,tt.iframeCount++}else n="&",-1===t.indexOf("?")&&(n="?"),this.source=new EventSource(t+n+o),this.source.onmessage=function(t){for(var e=0;e(0,ht.oB)(),requirePasswordConfirmation(t,e,i){(0,ht.C5)().then(t,i)}},pt={_plugins:{},register(t,e){let i=this._plugins[t];i||(i=this._plugins[t]=[]),i.push(e)},getPlugins(t){return this._plugins[t]||[]},attach(t,e,i){const n=this.getPlugins(t);for(let t=0;t-1&&parseInt(navigator.userAgent.split("/").pop())<51){const t=document.querySelectorAll('[fill^="url(#"], [stroke^="url(#"], [filter^="url(#invert"]');for(let e,i=0,n=t.length;i=0?t.substr(e+1):t.length?t.substr(1):""},_decodeQuery:t=>t.replace(/\+/g," "),parseUrlQuery(){const t=this._parseHashQuery();let e;return t&&(e=yt.parseQueryString(this._decodeQuery(t))),e=l.default.extend(e||{},yt.parseQueryString(this._decodeQuery(location.search))),e||{}},_onPopState(t){if(this._cancelPop)return void(this._cancelPop=!1);let e;if(this._handlers.length){e=t&&t.state,l.default.isString(e)?e=yt.parseQueryString(e):e||(e=this.parseUrlQuery()||{});for(let t=0;t="0"&&i<="9";s!==r&&(o++,e[o]="",r=s),e[o]+=i,n++}return e}const bt={History:mt,humanFileSize:o(35810).v7,computerFileSize(t){if("string"!=typeof t)return null;const e=t.toLowerCase().trim();let i=null;const n=e.match(/^[\s+]?([0-9]*)(\.([0-9]+))?( +)?([kmgtp]?b?)$/i);return null===n?null:(i=parseFloat(e),isFinite(i)?(n[5]&&(i*={b:1,k:1024,kb:1024,mb:1048576,m:1048576,gb:1073741824,g:1073741824,tb:1099511627776,t:1099511627776,pb:0x4000000000000,p:0x4000000000000}[n[5]]),i=Math.round(i),i):null)},formatDate:(t,e)=>(void 0===window.TESTING&&yt.debug&&console.warn("OC.Util.formatDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment"),e=e||"LLL",gt()(t).format(e)),relativeModifiedDate(e){void 0===window.TESTING&&yt.debug&&console.warn("OC.Util.relativeModifiedDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment");const i=gt()().diff(gt()(e));return i>=0&&i<45e3?t("core","seconds ago"):gt()(e).fromNow()},getScrollBarWidth(){if(this._scrollBarWidth)return this._scrollBarWidth;const t=document.createElement("p");t.style.width="100%",t.style.height="200px";const e=document.createElement("div");e.style.position="absolute",e.style.top="0px",e.style.left="0px",e.style.visibility="hidden",e.style.width="200px",e.style.height="150px",e.style.overflow="hidden",e.appendChild(t),document.body.appendChild(e);const i=t.offsetWidth;e.style.overflow="scroll";let n=t.offsetWidth;return i===n&&(n=e.clientWidth),document.body.removeChild(e),this._scrollBarWidth=i-n,this._scrollBarWidth},stripTime:t=>new Date(t.getFullYear(),t.getMonth(),t.getDate()),naturalSortCompare(t,e){let i;const n=Ct(t),o=Ct(e);for(i=0;n[i]&&o[i];i++)if(n[i]!==o[i]){const t=Number(n[i]),e=Number(o[i]);return t==n[i]&&e==o[i]?t-e:n[i].localeCompare(o[i],yt.getLanguage())}return n.length-o.length},waitFor(t,e){const i=function(){!0!==t()&&setTimeout(i,e)};i()},isCookieSetToValue(t,e){const i=document.cookie.split(";");for(let n=0;n!$_",fileIsBlacklisted:t=>!!t.match(F.blacklist_files_regex),Apps:m,AppConfig:E,appConfig:B,appswebroots:I,Backbone:z,config:F,currentUser:W,dialogs:K,EventSource:et,getCurrentUser:()=>({uid:W,displayName:U}),isUserAdmin:()=>st,L10N:lt,_ajaxConnectionLostHandler:f,_processAjaxError:t=>{(0!==t.status||"abort"!==t.statusText&&"timeout"!==t.statusText&&!yt._reloadCalled)&&([302,303,307,401].includes(t.status)&&(0,A.HW)()?setTimeout((function(){if(!yt._userIsNavigatingAway&&!yt._reloadCalled){let t=0;const e=5,i=setInterval((function(){p.showUpdate(n("core","Problem loading page, reloading in %n second","Problem loading page, reloading in %n seconds",e-t)),t>=e&&(clearInterval(i),yt.reload()),t++}),1e3);yt._reloadCalled=!0}}),100):0===t.status&&setTimeout((function(){yt._userIsNavigatingAway||yt._reloadCalled||yt._ajaxConnectionLostHandler()}),100))},registerXHRForErrorProcessing:t=>{t.addEventListener&&(t.addEventListener("load",(()=>{4===t.readyState&&(t.status>=200&&t.status<300||304===t.status||h()(document).trigger(new(h().Event)("ajaxError"),t))})),t.addEventListener("error",(()=>{h()(document).trigger(new(h().Event)("ajaxError"),t)})))},getCapabilities:()=>(OC.debug&&console.warn("OC.getCapabilities is deprecated and will be removed in Nextcloud 21. See @nextcloud/capabilities"),(0,it.F)()),hideMenus:rt,registerMenu:function(t,e,i,n){e.addClass("menu");const o="A"===t.prop("tagName")||"BUTTON"===t.prop("tagName");t.on(o?"click.menu":"click.menu keyup.menu",(function(o){o.preventDefault(),o.key&&"Enter"!==o.key||(e.is(nt)?rt():(nt&&rt(),!0===n&&e.parent().addClass("openedMenu"),t.attr("aria-expanded",!0),e.slideToggle(50,i),nt=e,ot=t))}))},showMenu:(t,e,i)=>{e.is(nt)||(rt(),nt=e,ot=t,e.trigger(new(h().Event)("beforeShow")),e.show(),e.trigger(new(h().Event)("afterShow")),l.default.isFunction(i)&&i())},unregisterMenu:(t,e)=>{e.is(nt)&&rt(),t.off("click.menu").removeClass("menutoggle"),e.removeClass("menu")},basename:L.P8,encodePath:L.O0,dirname:L.pD,isSamePath:L.ys,joinPaths:L.HS,getHost:()=>window.location.host,getHostName:()=>window.location.hostname,getPort:()=>window.location.port,getProtocol:()=>window.location.protocol.split(":")[0],getCanonicalLocale:Q.lO,getLocale:Q.JK,getLanguage:Q.Z0,buildQueryString:t=>t?h().map(t,(function(t,e){let i=encodeURIComponent(e);return null!=t&&(i+="="+encodeURIComponent(t)),i})).join("&"):"",parseQueryString:t=>{let e,i;const n={};let o;if(!t)return null;e=t.indexOf("?"),e>=0&&(t=t.substr(e+1));const r=t.replace(/\+/g,"%20").split("&");for(let t=0;t=0?[s.substr(0,e),s.substr(e+1)]:[s],i.length&&(o=decodeURIComponent(i[0]),o&&(n[o]=i.length>1?decodeURIComponent(i[1]):null))}return n},msg:ut,Notification:p,PasswordConfirmation:dt,Plugins:pt,theme:At,Util:bt,debug:vt,filePath:C.fg,generateUrl:C.Jv,get:(kt=window,t=>{const e=t.split("."),i=e.pop();for(let t=0;t(e,i)=>{const n=e.split("."),o=n.pop();for(let e=0;e{window.location=t},reload:()=>{window.location.reload()},requestToken:Z(),linkTo:C.uM,linkToOCS:(t,e)=>(0,C.KT)(t,{},{ocsVersion:e||1})+"/",linkToRemote:C.dC,linkToRemoteBase:t=>(0,C.aU)()+"/remote.php/"+t,webroot:wt};var kt;(0,c.B1)("csrf-token-update",(t=>{OC.requestToken=t.token,console.info("OC.requestToken changed",t.token)}));var Bt=o(32981);let Et=null;const _t=async()=>{try{const t=await(async()=>{const t=(0,C.Jv)("/csrftoken");return(await h().get(t)).token})();$(t)}catch(t){console.error("session heartbeat failed",t)}},It=()=>{const t=setInterval(_t,1e3*(()=>{let t=NaN;return Et.session_lifetime&&(t=Math.floor(Et.session_lifetime/2)),Math.min(86400,Math.max(60,isNaN(t)?900:t))})());return console.info("session heartbeat polling started"),t};var Dt=o(65043);const St={name:"ContactsIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}};var Tt=o(14486);const Ot=(0,Tt.A)(St,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon contacts-icon",attrs:{"aria-hidden":t.title?null:"true","aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M20,0H4V2H20V0M4,24H20V22H4V24M20,4H4A2,2 0 0,0 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V6A2,2 0 0,0 20,4M12,6.75A2.25,2.25 0 0,1 14.25,9A2.25,2.25 0 0,1 12,11.25A2.25,2.25 0 0,1 9.75,9A2.25,2.25 0 0,1 12,6.75M17,17H7V15.5C7,13.83 10.33,13 12,13C13.67,13 17,13.83 17,15.5V17Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Mt=o(17334),Pt=o.n(Mt),Rt=o(61443),Nt=o(70995),Ht=o(28326),zt=o(2769),Lt=o(59892),Ft=o(69321),jt=o(73010),Ut=o(24764),Wt=o(41944);const Yt={name:"Contact",components:{NcActionLink:Ft.A,NcActionText:jt.A,NcActions:Ut.A,NcAvatar:Wt.A},props:{contact:{required:!0,type:Object}},computed:{actions(){return this.contact.topAction?[this.contact.topAction,...this.contact.actions]:this.contact.actions},preloadedUserStatus(){if(this.contact.status)return{status:this.contact.status,message:this.contact.statusMessage,icon:this.contact.statusIcon}}}};var qt=o(85072),Qt=o.n(qt),Gt=o(97825),Xt=o.n(Gt),Vt=o(77659),Kt=o.n(Vt),Jt=o(55056),Zt=o.n(Jt),$t=o(10540),te=o.n($t),ee=o(41113),ie=o.n(ee),ne=o(78811),oe={};oe.styleTagTransform=ie(),oe.setAttributes=Zt(),oe.insert=Kt().bind(null,"head"),oe.domAPI=Xt(),oe.insertStyleElement=te(),Qt()(ne.A,oe),ne.A&&ne.A.locals&&ne.A.locals;const re=(0,Tt.A)(Yt,(function(){var t=this,e=t._self._c;return e("li",{staticClass:"contact"},[e("NcAvatar",{staticClass:"contact__avatar",attrs:{size:44,user:t.contact.isUser?t.contact.uid:void 0,"is-no-user":!t.contact.isUser,"disable-menu":!0,"display-name":t.contact.avatarLabel,"preloaded-user-status":t.preloadedUserStatus}}),t._v(" "),e("a",{staticClass:"contact__body",attrs:{href:t.contact.profileUrl||t.contact.topAction?.hyperlink}},[e("div",{staticClass:"contact__body__full-name"},[t._v(t._s(t.contact.fullName))]),t._v(" "),t.contact.lastMessage?e("div",{staticClass:"contact__body__last-message"},[t._v(t._s(t.contact.lastMessage))]):t._e(),t._v(" "),t.contact.statusMessage?e("div",{staticClass:"contact__body__status-message"},[t._v(t._s(t.contact.statusMessage))]):e("div",{staticClass:"contact__body__email-address"},[t._v(t._s(t.contact.emailAddresses[0]))])]),t._v(" "),t.actions.length?e("NcActions",{attrs:{inline:t.contact.topAction?1:0}},[t._l(t.actions,(function(i,n){return["#"!==i.hyperlink?e("NcActionLink",{key:n,staticClass:"other-actions",attrs:{href:i.hyperlink},scopedSlots:t._u([{key:"icon",fn:function(){return[e("img",{staticClass:"contact__action__icon",attrs:{"aria-hidden":"true",src:i.icon}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t\t"+t._s(i.title)+"\n\t\t\t")]):e("NcActionText",{key:n,staticClass:"other-actions",scopedSlots:t._u([{key:"icon",fn:function(){return[e("img",{staticClass:"contact__action__icon",attrs:{"aria-hidden":"true",src:i.icon}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t\t"+t._s(i.title)+"\n\t\t\t")])]}))],2):t._e()],1)}),[],!1,null,"97ebdcaa",null).exports;var se=o(35947);const ae=null===(ce=(0,A.HW)())?(0,se.YK)().setApp("core").build():(0,se.YK)().setApp("core").setUid(ce.uid).build();var ce;(0,se.YK)().setApp("unified-search").detectUser().build();const le={data:()=>({OC:yt}),methods:{t:lt.translate.bind(lt),n:lt.translatePlural.bind(lt)}};var ue=o(82182);const he={name:"ContactsMenu",components:{Contact:re,Contacts:Ot,Magnify:Rt.A,NcButton:Nt.A,NcEmptyContent:Ht.A,NcHeaderMenu:zt.A,NcLoadingIcon:Lt.A,NcTextField:ue.A},mixins:[le],data(){const t=(0,A.HW)();return{contactsAppEnabled:!1,contactsAppURL:(0,C.Jv)("/apps/contacts"),contactsAppMgmtURL:(0,C.Jv)("/settings/apps/social/contacts"),canInstallApp:t.isAdmin,contacts:[],loadingText:void 0,error:!1,searchTerm:""}},methods:{async handleOpen(){await this.getContacts("")},async getContacts(t){this.loadingText=""===t?(0,Q.Tl)("core","Loading your contacts …"):(0,Q.Tl)("core","Looking for {term} …",{term:t}),this.error=!1;try{const{data:{contacts:e,contactsAppEnabled:i}}=await Dt.Ay.post((0,C.Jv)("/contactsmenu/contacts"),{filter:t});this.contacts=e,this.contactsAppEnabled=i,this.loadingText=void 0}catch(e){ae.error("could not load contacts",{error:e,searchTerm:t}),this.error=!0}},onInputDebounced:Pt()((function(){this.getContacts(this.searchTerm)}),500),onReset(){this.searchTerm="",this.contacts=[],this.focusInput()},focusInput(){this.$nextTick((()=>{this.$refs.contactsMenuInput.focus(),this.$refs.contactsMenuInput.select()}))}}},de=he;var pe=o(38933),Ae={};Ae.styleTagTransform=ie(),Ae.setAttributes=Zt(),Ae.insert=Kt().bind(null,"head"),Ae.domAPI=Xt(),Ae.insertStyleElement=te(),Qt()(pe.A,Ae),pe.A&&pe.A.locals&&pe.A.locals;const fe=(0,Tt.A)(de,(function(){var t=this,e=t._self._c;return e("NcHeaderMenu",{staticClass:"contactsmenu",attrs:{id:"contactsmenu","aria-label":t.t("core","Search contacts")},on:{open:t.handleOpen},scopedSlots:t._u([{key:"trigger",fn:function(){return[e("Contacts",{staticClass:"contactsmenu__trigger-icon",attrs:{size:20}})]},proxy:!0}])},[t._v(" "),e("div",{staticClass:"contactsmenu__menu"},[e("div",{staticClass:"contactsmenu__menu__input-wrapper"},[e("NcTextField",{ref:"contactsMenuInput",staticClass:"contactsmenu__menu__search",attrs:{id:"contactsmenu__menu__search",value:t.searchTerm,"trailing-button-icon":"close",label:t.t("core","Search contacts"),"trailing-button-label":t.t("core","Reset search"),"show-trailing-button":""!==t.searchTerm,placeholder:t.t("core","Search contacts …")},on:{"update:value":function(e){t.searchTerm=e},input:t.onInputDebounced,"trailing-button-click":t.onReset}})],1),t._v(" "),t.error?e("NcEmptyContent",{attrs:{name:t.t("core","Could not load your contacts")},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Magnify")]},proxy:!0}],null,!1,931131664)}):t.loadingText?e("NcEmptyContent",{attrs:{name:t.loadingText},scopedSlots:t._u([{key:"icon",fn:function(){return[e("NcLoadingIcon")]},proxy:!0}])}):0===t.contacts.length?e("NcEmptyContent",{attrs:{name:t.t("core","No contacts found")},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Magnify")]},proxy:!0}])}):e("div",{staticClass:"contactsmenu__menu__content"},[e("div",{attrs:{id:"contactsmenu-contacts"}},[e("ul",t._l(t.contacts,(function(t){return e("Contact",{key:t.id,attrs:{contact:t}})})),1)]),t._v(" "),t.contactsAppEnabled?e("div",{staticClass:"contactsmenu__menu__content__footer"},[e("NcButton",{attrs:{type:"tertiary",href:t.contactsAppURL}},[t._v("\n\t\t\t\t\t"+t._s(t.t("core","Show all contacts"))+"\n\t\t\t\t")])],1):t.canInstallApp?e("div",{staticClass:"contactsmenu__menu__content__footer"},[e("NcButton",{attrs:{type:"tertiary",href:t.contactsAppMgmtURL}},[t._v("\n\t\t\t\t\t"+t._s(t.t("core","Install the Contacts app"))+"\n\t\t\t\t")])],1):t._e()])],1)])}),[],!1,null,"5cad18ba",null).exports;var ge=o(13073);const me={name:"CircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ce=(0,Tt.A)(me,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon circle-icon",attrs:{"aria-hidden":t.title?null:"true","aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,be=(0,X.pM)({__name:"AppMenuIcon",props:{app:null},setup(t){const e=t,i=(0,X.EW)((()=>String(e.app.unread>0))),n=(0,X.EW)((()=>"true"===i.value?"":e.app.name+(e.app.unread>0?` (${(0,Q.n)("core","{count} notification","{count} notifications",e.app.unread,{count:e.app.unread})})`:"")));return{__sfc:!0,props:e,ariaHidden:i,ariaLabel:n,IconDot:Ce}}});var ve=o(23759),xe={};xe.styleTagTransform=ie(),xe.setAttributes=Zt(),xe.insert=Kt().bind(null,"head"),xe.domAPI=Xt(),xe.insertStyleElement=te(),Qt()(ve.A,xe),ve.A&&ve.A.locals&&ve.A.locals;const we=(0,Tt.A)(be,(function(){var t=this,e=t._self._c,i=t._self._setupProxy;return e("span",{staticClass:"app-menu-icon",attrs:{role:"img","aria-hidden":i.ariaHidden,"aria-label":i.ariaLabel}},[e("img",{staticClass:"app-menu-icon__icon",attrs:{src:t.app.icon,alt:""}}),t._v(" "),t.app.unread?e(i.IconDot,{staticClass:"app-menu-icon__unread",attrs:{size:10}}):t._e()],1)}),[],!1,null,"e7078f90",null).exports,ye=(0,X.pM)({__name:"AppMenuEntry",props:{app:null},setup(t){const e=t,i=(0,X.KR)(),n=(0,X.KR)(),o=(0,X.KR)(!1);function r(){const t=i.value.clientWidth;o.value=t-.5*e.app.name.lengthe.app.name),r),{__sfc:!0,props:e,containerElement:i,labelElement:n,needsSpace:o,calculateSize:r,AppMenuIcon:we}}});var ke=o(78498),Be={};Be.styleTagTransform=ie(),Be.setAttributes=Zt(),Be.insert=Kt().bind(null,"head"),Be.domAPI=Xt(),Be.insertStyleElement=te(),Qt()(ke.A,Be),ke.A&&ke.A.locals&&ke.A.locals;var Ee=o(57946),_e={};_e.styleTagTransform=ie(),_e.setAttributes=Zt(),_e.insert=Kt().bind(null,"head"),_e.domAPI=Xt(),_e.insertStyleElement=te(),Qt()(Ee.A,_e),Ee.A&&Ee.A.locals&&Ee.A.locals;const Ie=(0,Tt.A)(ye,(function(){var t=this,e=t._self._c,i=t._self._setupProxy;return e("li",{ref:"containerElement",staticClass:"app-menu-entry",class:{"app-menu-entry--active":t.app.active,"app-menu-entry--truncated":i.needsSpace}},[e("a",{staticClass:"app-menu-entry__link",attrs:{href:t.app.href,title:t.app.name,"aria-current":!!t.app.active&&"page",target:t.app.target?"_blank":void 0,rel:t.app.target?"noopener noreferrer":void 0}},[e(i.AppMenuIcon,{staticClass:"app-menu-entry__icon",attrs:{app:t.app}}),t._v(" "),e("span",{ref:"labelElement",staticClass:"app-menu-entry__label"},[t._v("\n\t\t\t"+t._s(t.app.name)+"\n\t\t")])],1)])}),[],!1,null,"9736071a",null).exports,De=(0,X.pM)({name:"AppMenu",components:{AppMenuEntry:Ie,NcActions:Ut.A,NcActionLink:Ft.A},setup(){const t=(0,X.KR)(),{width:e}=(0,ge.Lhy)(t);return{t:Q.t,n:Q.n,appMenu:t,appMenuWidth:e}},data:()=>({appList:(0,Bt.C)("core","apps",[])}),computed:{appLimit(){const t=Math.floor(this.appMenuWidth/50);return t{let{app:i}=e;return i===t}));i?this.$set(i,"unread",e):ae.warn(`Could not find app "${t}" for setting navigation count`)},setApps(t){let{apps:e}=t;this.appList=e}}}),Se=De;var Te=o(26652),Oe={};Oe.styleTagTransform=ie(),Oe.setAttributes=Zt(),Oe.insert=Kt().bind(null,"head"),Oe.domAPI=Xt(),Oe.insertStyleElement=te(),Qt()(Te.A,Oe),Te.A&&Te.A.locals&&Te.A.locals;const Me=(0,Tt.A)(Se,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("nav",{ref:"appMenu",staticClass:"app-menu",attrs:{"aria-label":t.t("core","Applications menu")}},[e("ul",{staticClass:"app-menu__list",attrs:{"aria-label":t.t("core","Apps")}},t._l(t.mainAppList,(function(t){return e("AppMenuEntry",{key:t.id,attrs:{app:t}})})),1),t._v(" "),e("NcActions",{staticClass:"app-menu__overflow",attrs:{"aria-label":t.t("core","More apps")}},t._l(t.popoverAppList,(function(i){return e("NcActionLink",{key:i.id,staticClass:"app-menu__overflow-entry",attrs:{"aria-current":!!i.active&&"page",href:i.href,icon:i.icon}},[t._v("\n\t\t\t"+t._s(i.name)+"\n\t\t")])})),1)],1)}),[],!1,null,"7661a89b",null).exports;var Pe=o(1522);const{profileEnabled:Re}=(0,Bt.C)("user_status","profileEnabled",{profileEnabled:!1}),Ne=(0,X.pM)({name:"AccountMenuProfileEntry",components:{NcListItem:Pe.A,NcLoadingIcon:Lt.A},props:{id:{type:String,required:!0},name:{type:String,required:!0},href:{type:String,required:!0},active:{type:Boolean,required:!0}},setup:()=>({profileEnabled:Re,displayName:(0,A.HW)().displayName}),data:()=>({loading:!1}),mounted(){(0,c.B1)("settings:profile-enabled:updated",this.handleProfileEnabledUpdate),(0,c.B1)("settings:display-name:updated",this.handleDisplayNameUpdate)},beforeDestroy(){(0,c.al)("settings:profile-enabled:updated",this.handleProfileEnabledUpdate),(0,c.al)("settings:display-name:updated",this.handleDisplayNameUpdate)},methods:{handleClick(){this.profileEnabled&&(this.loading=!0)},handleProfileEnabledUpdate(t){this.profileEnabled=t},handleDisplayNameUpdate(t){this.displayName=t}}}),He=Ne,ze=(0,Tt.A)(He,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcListItem",{attrs:{id:t.profileEnabled?void 0:t.id,"anchor-id":t.id,active:t.active,compact:"",href:t.profileEnabled?t.href:void 0,name:t.displayName,target:"_self"},scopedSlots:t._u([t.profileEnabled?{key:"subname",fn:function(){return[t._v("\n\t\t"+t._s(t.name)+"\n\t")]},proxy:!0}:null,t.loading?{key:"indicator",fn:function(){return[e("NcLoadingIcon")]},proxy:!0}:null],null,!0)})}),[],!1,null,null,null).exports,Le=(0,Bt.C)("core","versionHash",""),Fe={name:"AccountMenuEntry",components:{NcListItem:Pe.A,NcLoadingIcon:Lt.A},props:{id:{type:String,required:!0},name:{type:String,required:!0},href:{type:String,required:!0},active:{type:Boolean,required:!0},icon:{type:String,required:!0}},data:()=>({loading:!1}),computed:{iconSource(){return`${this.icon}?v=${Le}`}},methods:{handleClick(){this.loading=!0}}};var je=o(49481),Ue={};Ue.styleTagTransform=ie(),Ue.setAttributes=Zt(),Ue.insert=Kt().bind(null,"head"),Ue.domAPI=Xt(),Ue.insertStyleElement=te(),Qt()(je.A,Ue),je.A&&je.A.locals&&je.A.locals;const We=(0,Tt.A)(Fe,(function(){var t=this,e=t._self._c;return e("NcListItem",{staticClass:"account-menu-entry",attrs:{id:t.href?void 0:t.id,"anchor-id":t.id,active:t.active,compact:"",href:t.href,name:t.name,target:"_self"},scopedSlots:t._u([{key:"icon",fn:function(){return[e("img",{staticClass:"account-menu-entry__icon",class:{"account-menu-entry__icon--active":t.active},attrs:{src:t.iconSource,alt:""}})]},proxy:!0},t.loading?{key:"indicator",fn:function(){return[e("NcLoadingIcon")]},proxy:!0}:null],null,!0)})}),[],!1,null,"2e0a74a6",null).exports,Ye=[{type:"online",label:(0,Q.Tl)("user_status","Online")},{type:"away",label:(0,Q.Tl)("user_status","Away")},{type:"dnd",label:(0,Q.Tl)("user_status","Do not disturb"),subline:(0,Q.Tl)("user_status","Mute all notifications")},{type:"invisible",label:(0,Q.Tl)("user_status","Invisible"),subline:(0,Q.Tl)("user_status","Appear offline")}],qe=(0,X.pM)({name:"AccountMenu",components:{AccountMenuEntry:We,AccountMenuProfileEntry:ze,NcAvatar:Wt.A,NcHeaderMenu:zt.A},setup(){const t=(0,Bt.C)("core","settingsNavEntries",{}),{profile:e,...i}=t;return{currentDisplayName:(0,A.HW)()?.displayName??(0,A.HW)().uid,currentUserId:(0,A.HW)().uid,profileEntry:e,otherEntries:i,t:Q.t}},data:()=>({showUserStatus:!1,userStatus:{status:null,icon:null,message:null}}),computed:{translatedUserStatus(){return{...this.userStatus,status:this.translateStatus(this.userStatus.status)}},avatarDescription(){return[(0,Q.t)("core","Avatar of {displayName}",{displayName:this.currentDisplayName}),...Object.values(this.translatedUserStatus).filter(Boolean)].join(" — ")}},async created(){if(!(0,it.F)()?.user_status?.enabled)return;const t=(0,C.KT)("/apps/user_status/api/v1/user_status");try{const e=await Dt.Ay.get(t),{status:i,icon:n,message:o}=e.data.ocs.data;this.userStatus={status:i,icon:n,message:o}}catch(t){ae.error("Failed to load user status")}this.showUserStatus=!0},mounted(){(0,c.B1)("user_status:status.updated",this.handleUserStatusUpdated),(0,c.Ic)("core:user-menu:mounted")},methods:{handleUserStatusUpdated(t){this.currentUserId===t.userId&&(this.userStatus={status:t.status,icon:t.icon,message:t.message})},translateStatus(t){const e=Object.fromEntries(Ye.map((t=>{let{type:e,label:i}=t;return[e,i]})));return e[t]?e[t]:t}}});var Qe=o(24454),Ge={};Ge.styleTagTransform=ie(),Ge.setAttributes=Zt(),Ge.insert=Kt().bind(null,"head"),Ge.domAPI=Xt(),Ge.insertStyleElement=te(),Qt()(Qe.A,Ge),Qe.A&&Qe.A.locals&&Qe.A.locals;const Xe=(0,Tt.A)(qe,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcHeaderMenu",{staticClass:"account-menu",attrs:{id:"user-menu","is-nav":"","aria-label":t.t("core","Settings menu"),description:t.avatarDescription},scopedSlots:t._u([{key:"trigger",fn:function(){return[e("NcAvatar",{key:String(t.showUserStatus),staticClass:"account-menu__avatar",attrs:{"disable-menu":"","disable-tooltip":"","show-user-status":t.showUserStatus,user:t.currentUserId,"preloaded-user-status":t.userStatus}})]},proxy:!0}])},[t._v(" "),e("ul",{staticClass:"account-menu__list"},[e("AccountMenuProfileEntry",{attrs:{id:t.profileEntry.id,name:t.profileEntry.name,href:t.profileEntry.href,active:t.profileEntry.active}}),t._v(" "),t._l(t.otherEntries,(function(t){return e("AccountMenuEntry",{key:t.id,attrs:{id:t.id,name:t.name,href:t.href,active:t.active,icon:t.icon}})}))],2)])}),[],!1,null,"a886d77a",null).exports,Ve=t=>{const e=window.location.protocol+"//"+window.location.host+(0,C.aU)();return t.startsWith(e)||(t=>!t.startsWith("https://")&&!t.startsWith("http://"))(t)&&t.startsWith((0,C.aU)())};async function Ke(){if(null!==(0,A.HW)()&&!0!==Ke.running){Ke.running=!0;try{const{status:t}=await window.fetch((0,C.Jv)("/apps/files"));401===t&&(console.warn("User session was terminated, forwarding to login page."),window.location=(0,C.Jv)("/login?redirect_url={url}",{url:window.location.pathname+window.location.search+window.location.hash}))}catch(t){console.warn("Could not check login-state")}finally{delete Ke.running}}}const Je=()=>{var t,e;XMLHttpRequest.prototype.open=(t=XMLHttpRequest.prototype.open,function(e,i,n){t.apply(this,arguments),Ve(i)&&(this.getResponseHeader("X-Requested-With")||this.setRequestHeader("X-Requested-With","XMLHttpRequest"),this.addEventListener("loadend",(function(){401===this.status&&Ke()})))}),window.fetch=(e=window.fetch,async(t,i)=>{if(!Ve(t.url??t.toString()))return await e(t,i);i||(i={}),i.headers||(i.headers=new Headers),i.headers instanceof Headers&&!i.headers.has("X-Requested-With")?i.headers.append("X-Requested-With","XMLHttpRequest"):i.headers instanceof Object&&!i.headers["X-Requested-With"]&&(i.headers["X-Requested-With"]="XMLHttpRequest");const n=await e(t,i);return 401===n.status&&Ke(),n})};function Ze(t){const e=document.createElement("textarea"),i=document.createTextNode(t);e.appendChild(i),document.body.appendChild(e),e.focus({preventScroll:!0}),e.select();try{document.execCommand("copy")}catch(e){window.prompt((0,Q.t)("core","Clipboard not available, please copy manually"),t),console.error("[ERROR] core: files Unable to copy to clipboard",e)}document.body.removeChild(e)}const $e=()=>{setInterval((()=>{h()(".live-relative-timestamp").each((function(){const t=parseInt(h()(this).attr("data-timestamp"),10);h()(this).text(gt()(t).fromNow())}))}),3e4)},ti={zh:"zh-cn",zh_Hans:"zh-cn",zh_Hans_CN:"zh-cn",zh_Hans_HK:"zh-cn",zh_Hans_MO:"zh-cn",zh_Hans_SG:"zh-cn",zh_Hant:"zh-hk",zh_Hant_HK:"zh-hk",zh_Hant_MO:"zh-mo",zh_Hant_TW:"zh-tw"};let ei=yt.getLocale();Object.prototype.hasOwnProperty.call(ti,ei)&&(ei=ti[ei]),gt().locale(ei);const ii=()=>{if(Je(),window.navigator?.clipboard?.writeText||(console.info("[INFO] core: Clipboard API not available, using fallback"),Object.defineProperty(window.navigator,"clipboard",{value:{writeText:Ze},writable:!1})),h()(window).on("unload.main",(()=>{yt._unloadCalled=!0})),h()(window).on("beforeunload.main",(()=>{setTimeout((()=>{yt._userIsNavigatingAway=!0,setTimeout((()=>{yt._unloadCalled||(yt._userIsNavigatingAway=!1)}),1e4)}),1)})),h()(document).on("ajaxError.main",(function(t,e,i){i&&i.allowAuthErrors||yt._processAjaxError(e)})),(()=>{if((()=>{try{Et=(0,Bt.C)("core","config")}catch(t){Et=yt.config}})(),(()=>{if(!Et.auto_logout||!(0,A.HW)())return;let t=Date.now();window.addEventListener("mousemove",(e=>{t=Date.now(),localStorage.setItem("lastActive",t)})),window.addEventListener("touchstart",(e=>{t=Date.now(),localStorage.setItem("lastActive",t)})),window.addEventListener("storage",(e=>{"lastActive"===e.key&&(t=e.newValue)}));let e=0;e=setInterval((()=>{const i=Date.now()-1e3*Et.session_lifetime;if(t{console.info("browser is online again, resuming heartbeat"),t=It();try{await _t(),console.info("session token successfully updated after resuming network"),(0,c.Ic)("networkOnline",{success:!0})}catch(t){console.error("could not update session token after resuming network",t),(0,c.Ic)("networkOnline",{success:!1})}})),window.addEventListener("offline",(()=>{console.info("browser is offline, stopping heartbeat"),(0,c.Ic)("networkOffline",{}),clearInterval(t),console.info("session heartbeat polling stopped")}))})(),yt.registerMenu(h()("#expand"),h()("#expanddiv"),!1,!0),h()(document).on("mouseup.closemenus",(t=>{const e=h()(t.target);if(e.closest(".menu").length||e.closest(".menutoggle").length)return!1;yt.hideMenus()})),(()=>{X.Ay.mixin({methods:{t:Q.Tl,n:Q.zw}});const t=document.getElementById("header-start__appmenu");if(!t)return;const e=new(X.Ay.extend(Me))({}).$mount(t);Object.assign(OC,{setNavigationCounter(t,i){e.setNavigationCounter(t,i)}})})(),(()=>{const t=document.getElementById("user-menu");t&&new X.Ay({name:"AccountMenuRoot",el:t,render:t=>t(Xe)})})(),(()=>{const t=document.getElementById("contactsmenu");t&&new X.Ay({name:"ContactsMenuRoot",el:t,render:t=>t(fe)})})(),h()("#app-navigation").length&&!h()("html").hasClass("lte9")&&!h()("#app-content").hasClass("no-snapper")){const t=new Snap({element:document.getElementById("app-content"),disable:"right",maxPosition:300,minDragDistance:100});h()("#app-content").prepend('');let e=!1;t.on("animating",(()=>{e=!0})),t.on("animated",(()=>{e=!1})),t.on("start",(()=>{e=!0})),t.on("end",(()=>{e=!1})),t.on("open",(()=>{s.attr("aria-hidden","false")})),t.on("close",(()=>{s.attr("aria-hidden","true")}));const i=t.open,n=t.close,o=()=>{e||"closed"!==t.state().state||i("left")},r=()=>{e||"closed"===t.state().state||n()};window.TESTING||(t.open=()=>{l.default.defer(o)},t.close=()=>{l.default.defer(r)}),h()("#app-navigation-toggle").click((e=>{"left"!==t.state().state&&t.open()})),h()("#app-navigation-toggle").keypress((e=>{"left"===t.state().state?t.close():t.open()}));const s=h()("#app-navigation");s.attr("aria-hidden","true"),s.delegate("a, :button","click",(e=>{const i=h()(e.target);i.is(".app-navigation-noclose")||i.closest(".app-navigation-noclose").length||i.is(".app-navigation-entry-utils-menu-button")||i.closest(".app-navigation-entry-utils-menu-button").length||i.is(".add-new")||i.closest(".add-new").length||i.is("#app-settings")||i.closest("#app-settings").length||t.close()}));let a=!1,c=!0,u=!1;yt.allowNavigationBarSlideGesture=()=>{c=!0,u&&(t.enable(),a=!0,u=!1)},yt.disallowNavigationBarSlideGesture=()=>{if(c=!1,a){const e=!0;t.disable(e),a=!1,u=!0}};const d=()=>{h()(window).width()>1024?(s.attr("aria-hidden","false"),t.close(),t.disable(),a=!1,u=!1):c?(t.enable(),a=!0,u=!1):u=!0};h()(window).resize(l.default.debounce(d,250)),d()}$e()};o(99660);var ni=o(3131),oi={};oi.styleTagTransform=ie(),oi.setAttributes=Zt(),oi.insert=Kt().bind(null,"head"),oi.domAPI=Xt(),oi.insertStyleElement=te(),Qt()(ni.A,oi),ni.A&&ni.A.locals&&ni.A.locals;var ri=o(13169),si={};si.styleTagTransform=ie(),si.setAttributes=Zt(),si.insert=Kt().bind(null,"head"),si.domAPI=Xt(),si.insertStyleElement=te(),Qt()(ri.A,si),ri.A&&ri.A.locals&&ri.A.locals;var ai=o(57576),ci=o.n(ai),li=o(18922),ui=o.n(li),hi=(o(44275),o(35156)),di={};di.styleTagTransform=ie(),di.setAttributes=Zt(),di.insert=Kt().bind(null,"head"),di.domAPI=Xt(),di.insertStyleElement=te(),Qt()(hi.A,di),hi.A&&hi.A.locals&&hi.A.locals,o(57223),o(53425);var pi=o(86140),Ai={};Ai.styleTagTransform=ie(),Ai.setAttributes=Zt(),Ai.insert=Kt().bind(null,"head"),Ai.domAPI=Xt(),Ai.insertStyleElement=te(),Qt()(pi.A,Ai),pi.A&&pi.A.locals&&pi.A.locals;const fi=/(\s|^)(https?:\/\/)([-A-Z0-9+_.]+(?::[0-9]+)?(?:\/[-A-Z0-9+&@#%?=~_|!:,.;()]*)*)(\s|$)/gi;function gi(t){return this.formatLinksRich(t)}function mi(t){return this.formatLinksPlain(t)}function Ci(t){return t.replace(fi,(function(t,e,i,n,o){let r=n;return i?"http://"===i&&(r=i+n):i="https://",e+''+r+""+o}))}function bi(t){const e=h()("
        ").html(t);return e.find("a").each((function(){const t=h()(this);t.html(t.attr("href"))})),e.html()}function vi(e){const i=(e=e||{}).dismiss||{};h().ajax({type:"GET",url:e.url||(0,C.KT)("core/whatsnew?format=json"),success:e.success||function(e,n,o){!function(e,i,n,o){if(console.debug("querying Whats New data was successful: "+i),console.debug(e),200!==n.status)return;let r,s,a,c;const u=document.createElement("div");u.classList.add("popovermenu","open","whatsNewPopover","menu-left");const h=document.createElement("ul");r=document.createElement("li"),s=document.createElement("span"),s.className="menuitem",a=document.createElement("span"),a.innerText=t("core","New in")+" "+e.ocs.data.product,a.className="caption",s.appendChild(a),c=document.createElement("span"),c.className="icon-close",c.onclick=function(){xi(e.ocs.data.version,o)},s.appendChild(c),r.appendChild(s),h.appendChild(r);for(const t in e.ocs.data.whatsNew.regular){const i=e.ocs.data.whatsNew.regular[t];r=document.createElement("li"),s=document.createElement("span"),s.className="menuitem",c=document.createElement("span"),c.className="icon-checkmark",s.appendChild(c),a=document.createElement("p"),a.innerHTML=l.default.escape(i),s.appendChild(a),r.appendChild(s),h.appendChild(r)}l.default.isUndefined(e.ocs.data.changelogURL)||(r=document.createElement("li"),s=document.createElement("a"),s.href=e.ocs.data.changelogURL,s.rel="noreferrer noopener",s.target="_blank",c=document.createElement("span"),c.className="icon-link",s.appendChild(c),a=document.createElement("span"),a.innerText=t("core","View changelog"),s.appendChild(a),r.appendChild(s),h.appendChild(r)),u.appendChild(h),document.body.appendChild(u)}(e,n,o,i)},error:e.error||wi})}function xi(t,e){e=e||{},h().ajax({type:"POST",url:e.url||(0,C.KT)("core/whatsnew"),data:{version:encodeURIComponent(t)},success:e.success||yi,error:e.error||ki}),h()(".whatsNewPopover").remove()}function wi(t,e,i){console.debug("querying Whats New Data resulted in an error: "+e+i),console.debug(t)}function yi(t){}function ki(t){console.debug("dismissing Whats New data resulted in an error: "+t)}const Bi={disableKeyboardShortcuts:()=>(0,Bt.C)("theming","shortcutsDisabled",!1),setPageHeading:function(t){const e=document.getElementById("page-heading-level-1");e&&(e.textContent=t)}};var Ei=o(70580),_i=o.n(Ei);const Ii={},Di={registerType(t,e){Ii[t]=e},trigger:t=>Ii[t].action(),getTypes:()=>Object.keys(Ii),getIcon:t=>Ii[t].typeIconClass||"",getLabel:t=>_i()(Ii[t].typeString||t),getLink:(t,e)=>void 0!==Ii[t]?Ii[t].link(e):""},Si={},Ti={},Oi={loadScript(t,e){const i=t+e;return Object.prototype.hasOwnProperty.call(Si,i)?Promise.resolve():(Si[i]=!0,new Promise((function(i,n){const o=(0,C.fg)(t,"js",e),r=document.createElement("script");r.src=o,r.setAttribute("nonce",btoa(OC.requestToken)),r.onload=()=>i(),r.onerror=()=>n(new Error(`Failed to load script from ${o}`)),document.head.appendChild(r)})))},loadStylesheet(t,e){const i=t+e;return Object.prototype.hasOwnProperty.call(Ti,i)?Promise.resolve():(Ti[i]=!0,new Promise((function(i,n){const o=(0,C.fg)(t,"css",e),r=document.createElement("link");r.href=o,r.type="text/css",r.rel="stylesheet",r.onload=()=>i(),r.onerror=()=>n(new Error(`Failed to load stylesheet from ${o}`)),document.head.appendChild(r)})))}},Mi={success:(t,e)=>(0,d.Te)(t,e),warning:(t,e)=>(0,d.I9)(t,e),error:(t,e)=>(0,d.Qg)(t,e),info:(t,e)=>(0,d.cf)(t,e),message:(t,e)=>(0,d.rG)(t,e)},Pi={Accessibility:Bi,AppConfig:r,Collaboration:Di,Comments:s,InitialState:{loadState:Bt.C},Loader:Oi,Toast:Mi,WhatsNew:a},Ri=function(){void 0===window.TESTING&&yt.debug&&console.warn.apply(console,arguments)},Ni=(t,e,i)=>{(Array.isArray(t)?t:[t]).forEach((t=>{void 0!==window[t]&&delete window[t],Object.defineProperty(window,t,{get:()=>(Ri(i?`${t} is deprecated: ${i}`:`${t} is deprecated`),e())})}))};window._=l.default,Ni(["$","jQuery"],(()=>h()),"The global jQuery is deprecated. It will be removed in a later versions without another warning. Please ship your own."),Ni("Backbone",(()=>S()),"please ship your own, this will be removed in Nextcloud 20"),Ni(["Clipboard","ClipboardJS"],(()=>ci()),"please ship your own, this will be removed in Nextcloud 20"),window.dav=T.dav,Ni("Handlebars",(()=>ct()),"please ship your own, this will be removed in Nextcloud 20"),Ni("md5",(()=>ui()),"please ship your own, this will be removed in Nextcloud 20"),Ni("moment",(()=>gt()),"please ship your own, this will be removed in Nextcloud 20"),window.OC=yt,Ni("initCore",(()=>ii),"this is an internal function"),Ni("oc_appswebroots",(()=>yt.appswebroots),"use OC.appswebroots instead, this will be removed in Nextcloud 20"),Ni("oc_config",(()=>yt.config),"use OC.config instead, this will be removed in Nextcloud 20"),Ni("oc_current_user",(()=>yt.getCurrentUser().uid),"use OC.getCurrentUser().uid instead, this will be removed in Nextcloud 20"),Ni("oc_debug",(()=>yt.debug),"use OC.debug instead, this will be removed in Nextcloud 20"),Ni("oc_defaults",(()=>yt.theme),"use OC.theme instead, this will be removed in Nextcloud 20"),Ni("oc_isadmin",yt.isUserAdmin,"use OC.isUserAdmin() instead, this will be removed in Nextcloud 20"),Ni("oc_requesttoken",(()=>Z()),"use OC.requestToken instead, this will be removed in Nextcloud 20"),Ni("oc_webroot",(()=>yt.webroot),"use OC.getRootPath() instead, this will be removed in Nextcloud 20"),Ni("OCDialogs",(()=>yt.dialogs),"use OC.dialogs instead, this will be removed in Nextcloud 20"),window.OCP=Pi,window.OCA={},h().fn.select2=(t=>{const e=t,i=function(){return Ri("The select2 library is deprecated! It will be removed in nextcloud 19."),e.apply(this,arguments)};return Object.assign(i,e),i})(h().fn.select2),window.t=l.default.bind(yt.L10N.translate,yt.L10N),window.n=l.default.bind(yt.L10N.translatePlural,yt.L10N),h().fn.avatar=function(t,e,i,n,o,r){const s=function(t){t.imageplaceholder("?"),t.css("background-color","#b9b9b9")};if(void 0!==t&&(t=String(t)),void 0!==r&&(r=String(r)),void 0===e&&(e=this.height()>0?this.height():this.data("size")>0?this.data("size"):64),this.height(e),this.width(e),void 0===t){if(void 0===this.data("user"))return void s(this);t=this.data("user")}t=String(t).replace(/\//g,"");const a=this;let c;c=t===(0,A.HW)()?.uid?(0,C.Jv)("/avatar/{user}/{size}?v={version}",{user:t,size:Math.ceil(e*window.devicePixelRatio),version:oc_userconfig.avatar.version}):(0,C.Jv)("/avatar/{user}/{size}",{user:t,size:Math.ceil(e*window.devicePixelRatio)});const l=new Image;l.onload=function(){a.clearimageplaceholder(),a.append(l),"function"==typeof o&&o()},l.onerror=function(){a.clearimageplaceholder(),void 0!==r?a.imageplaceholder(t,r):s(a),"function"==typeof o&&o()},e<32?a.addClass("icon-loading-small"):a.addClass("icon-loading"),l.width=e,l.height=e,l.src=c,l.alt=""};const Hi=t=>"click"===t.type||"keydown"===t.type&&"Enter"===t.key,zi=o(66235);h().fn.contactsMenu=function(e,i,n){if(-1===[0,4,6].indexOf(i))return;const o=this;n.append('');const r=n.find("div.contactsmenu-popover");o.on("click keydown",(function(n){if(Hi(n)){if(!r.hasClass("hidden"))return r.addClass("hidden"),void r.hide();r.removeClass("hidden"),r.show(),r.hasClass("loaded")||(r.addClass("loaded"),h().ajax((0,C.Jv)("/contactsmenu/findOne"),{method:"POST",data:{shareType:i,shareWith:e}}).then((function(e){let i;r.find("ul").find("li").addClass("hidden"),i=e.topAction?[e.topAction].concat(e.actions):[{hyperlink:"#",title:t("core","No action available")}],i.forEach((function(t){r.find("ul").append(zi(t))})),o.trigger("load")}),(function(e){let i;r.find("ul").find("li").addClass("hidden"),i=404===e.status?t("core","No action available"):t("core","Error fetching contact actions"),r.find("ul").append(zi({hyperlink:"#",title:i})),o.trigger("loaderror",e)})))}})),h()(document).click((function(t){const e=r.has(t.target).length>0;let i=o.has(t.target).length>0;o.each((function(){h()(this).is(t.target)&&(i=!0)})),e||i||(r.addClass("hidden"),r.hide())}))},h().fn.exists=function(){return this.length>0},h().fn.filterAttr=function(t,e){return this.filter((function(){return h()(this).attr(t)===e}))};var Li=o(52697);h().widget("oc.ocdialog",{options:{width:"auto",height:"auto",closeButton:!0,closeOnEscape:!0,closeCallback:null,modal:!1},_create(){const t=this;this.originalCss={display:this.element[0].style.display,width:this.element[0].style.width,height:this.element[0].style.height},this.originalTitle=this.element.attr("title"),this.options.title=this.options.title||this.originalTitle,this.$dialog=h()('
        ').attr({tabIndex:-1,role:"dialog","aria-modal":!0}).insertBefore(this.element),this.$dialog.append(this.element.detach()),this.element.removeAttr("title").addClass("oc-dialog-content").appendTo(this.$dialog),1===t.element.find("input").length&&t.element.find("input").on("keydown",(function(e){if(Hi(e)&&t.$buttonrow){const e=t.$buttonrow.find("button.primary");e&&!e.prop("disabled")&&e.click()}})),this.$dialog.css({display:"inline-block",position:"fixed"}),this.enterCallback=null,h()(document).on("keydown keyup",(function(e){if(e.target===t.$dialog.get(0)||0!==t.$dialog.find(h()(e.target)).length)return 27===e.keyCode&&"keydown"===e.type&&t.options.closeOnEscape?(e.stopImmediatePropagation(),t.close(),!1):13===e.keyCode?(e.stopImmediatePropagation(),null!==t.enterCallback?(t.enterCallback(),e.preventDefault(),!1):"keyup"===e.type&&(e.preventDefault(),!1)):void 0})),this._setOptions(this.options),this._createOverlay(),this._useFocusTrap()},_init(){this._trigger("open")},_setOption(e,i){const n=this;switch(e){case"title":if(this.$title)this.$title.text(i);else{const t=h()('

        '+i+"

        ");this.$title=t.prependTo(this.$dialog)}this._setSizes();break;case"buttons":if(this.$buttonrow)this.$buttonrow.empty();else{const t=h()('
        ');this.$buttonrow=t.appendTo(this.$dialog)}1===i.length?this.$buttonrow.addClass("onebutton"):2===i.length?this.$buttonrow.addClass("twobuttons"):3===i.length&&this.$buttonrow.addClass("threebuttons"),h().each(i,(function(t,e){const i=h()("');e.attr("aria-label",t("core",'Close "{dialogTitle}" dialog',{dialogTitle:this.$title||this.options.title})),this.$dialog.prepend(e),e.on("click keydown",(function(t){Hi(t)&&(n.options.closeCallback&&n.options.closeCallback(),n.close())}))}else this.$dialog.find(".oc-dialog-close").remove();break;case"width":this.$dialog.css("width",i);break;case"height":this.$dialog.css("height",i);break;case"close":this.closeCB=i}h().Widget.prototype._setOption.apply(this,arguments)},_setOptions(t){h().Widget.prototype._setOptions.apply(this,arguments)},_setSizes(){let t=0;this.$title&&(t+=this.$title.outerHeight(!0)),this.$buttonrow&&(t+=this.$buttonrow.outerHeight(!0)),this.element.css({height:"calc(100% - "+t+"px)"})},_createOverlay(){if(!this.options.modal)return;const t=this;let e=h()("#content");0===e.length&&(e=h()(".content")),this.overlay=h()("
        ").addClass("oc-dialog-dim").insertBefore(this.$dialog),this.overlay.on("click keydown keyup",(function(e){e.target!==t.$dialog.get(0)&&0===t.$dialog.find(h()(e.target)).length&&(e.preventDefault(),e.stopPropagation())}))},_destroyOverlay(){this.options.modal&&this.overlay&&(this.overlay.off("click keydown keyup"),this.overlay.remove(),this.overlay=null)},_useFocusTrap(){Object.assign(window,{_nc_focus_trap:window._nc_focus_trap||[]});const t=this.$dialog[0];this.focusTrap=(0,Li.K)(t,{allowOutsideClick:!0,trapStack:window._nc_focus_trap,fallbackFocus:t}),this.focusTrap.activate()},_clearFocusTrap(){this.focusTrap?.deactivate(),this.focusTrap=null},widget(){return this.$dialog},setEnterCallback(t){this.enterCallback=t},unsetEnterCallback(){this.enterCallback=null},close(){this._clearFocusTrap(),this._destroyOverlay();const t=this;setTimeout((function(){t._trigger("close",t)}),200),t.$dialog.remove(),this.destroy()},destroy(){this.$title&&this.$title.remove(),this.$buttonrow&&this.$buttonrow.remove(),this.originalTitle&&this.element.attr("title",this.originalTitle),this.element.removeClass("oc-dialog-content").css(this.originalCss).detach().insertBefore(this.$dialog),this.$dialog.remove()}});const Fi={init(t,e,i){this.vars=t,this.options=h().extend({},this.options,e),this.elem=i;const n=this;if("function"==typeof this.options.escapeFunction){const t=Object.keys(this.vars);for(let e=0;e{var e=t.toLowerCase();function i(t,e,i){this.r=t,this.g=e,this.b=i}function n(t,e,n){var o=[];o.push(e);for(var r=function(t,e){var i=new Array(3);return i[0]=(e[1].r-e[0].r)/t,i[1]=(e[1].g-e[0].g)/t,i[2]=(e[1].b-e[0].b)/t,i}(t,[e,n]),s=1;st[0].toUpperCase())).join("");this.html(r)}},h().fn.clearimageplaceholder=function(){this.css("background-color",""),this.css("color",""),this.css("font-weight",""),this.css("text-align",""),this.css("line-height",""),this.css("font-size",""),this.html(""),this.removeClass("icon-loading"),this.removeClass("icon-loading-small")},h()(document).on("ajaxSend",(function(t,e,i){!1===i.crossDomain&&(e.setRequestHeader("requesttoken",Z()),e.setRequestHeader("OCS-APIREQUEST","true"))})),h().fn.selectRange=function(t,e){return this.each((function(){if(this.setSelectionRange)this.focus(),this.setSelectionRange(t,e);else if(this.createTextRange){const i=this.createTextRange();i.collapse(!0),i.moveEnd("character",e),i.moveStart("character",t),i.select()}}))},h().fn.extend({showPassword(t){const e={fn:null,args:{}};e.fn=t;const i=function(t,e){e.val(t.val())},n=function(t,e,n){t.is(":checked")?(i(e,n),n.show(),e.hide()):(i(n,e),n.hide(),e.show())};return this.each((function(){const t=h()(this),o=h()(t.data("typetoggle")),r=function(t){const e=h()(t),i=h()("");return i.attr({type:"text",class:e.attr("class"),style:e.attr("style"),size:e.attr("size"),name:e.attr("name")+"-clone",tabindex:e.attr("tabindex"),autocomplete:"off"}),void 0!==e.attr("placeholder")&&i.attr("placeholder",e.attr("placeholder")),i}(t);r.insertAfter(t),e.fn&&(e.args.input=t,e.args.checkbox=o,e.args.clone=r),o.bind("click",(function(){n(o,t,r)})),t.bind("keyup",(function(){i(t,r)})),r.bind("keyup",(function(){i(r,t),t.trigger("keyup")})),r.bind("blur",(function(){t.trigger("focusout")})),n(o,t,r),r.closest("form").submit((function(t){r.prop("type","password")})),e.fn&&e.fn(e.args)}))}}),h().ui.autocomplete.prototype._resizeMenu=function(){this.menu.element.outerWidth(this.element.outerWidth())};var Ui=o(90628),Wi={};Wi.styleTagTransform=ie(),Wi.setAttributes=Zt(),Wi.insert=Kt().bind(null,"head"),Wi.domAPI=Xt(),Wi.insertStyleElement=te(),Qt()(Ui.A,Wi),Ui.A&&Ui.A.locals&&Ui.A.locals;var Yi=o(2791),qi={};qi.styleTagTransform=ie(),qi.setAttributes=Zt(),qi.insert=Kt().bind(null,"head"),qi.domAPI=Xt(),qi.insertStyleElement=te(),Qt()(Yi.A,qi),Yi.A&&Yi.A.locals&&Yi.A.locals,h().ajaxSetup({contents:{script:!1}}),h().globalEval=function(){},o.nc=(0,A.aV)(),window.addEventListener("DOMContentLoaded",(function(){ii(),(()=>{let t=h()("[data-apps-slide-toggle]");0===t.length&&h()("#app-navigation").addClass("without-app-settings"),h()(document).click((function(e){g&&(t=h()("[data-apps-slide-toggle]")),t.each((function(t,i){const n=h()(i).data("apps-slide-toggle"),o=h()(n);function r(){o.slideUp(4*OC.menuSpeed,(function(){o.trigger(new(h().Event)("hide"))})),o.removeClass("opened"),h()(i).removeClass("opened"),h()(i).attr("aria-expanded","false")}if(!o.is(":animated"))if(h()(i).is(h()(e.target).closest("[data-apps-slide-toggle]")))o.is(":visible")?r():function(){o.slideDown(4*OC.menuSpeed,(function(){o.trigger(new(h().Event)("show"))})),o.addClass("opened"),h()(i).addClass("opened"),h()(i).attr("aria-expanded","true");const t=h()(n+" [autofocus]");1===t.length&&t.focus()}();else{const t=h()(e.target).closest(n);o.is(":visible")&&t[0]!==o[0]&&r()}}))}))})(),window.history.pushState?window.onpopstate=_.bind(yt.Util.History._onPopState,yt.Util.History):window.onhashchange=_.bind(yt.Util.History._onPopState,yt.Util.History)})),document.addEventListener("DOMContentLoaded",(function(){const t=document.getElementById("password-input-form");t&&t.addEventListener("submit",(async function(e){e.preventDefault();const i=document.getElementById("requesttoken");if(i){const t=(0,C.Jv)("/csrftoken"),e=await Dt.Ay.get(t);i.value=e.data.token}t.submit()}))}))},21391:(t,e,i)=>{var n,o,r;r="object"==typeof self&&self.self===self&&self||"object"==typeof i.g&&i.g.global===i.g&&i.g,n=[i(4523),i(74692),e],o=function(t,e,i){r.Backbone=function(t,e,i,n){var o=t.Backbone,r=Array.prototype.slice;e.VERSION="1.6.0",e.$=n,e.noConflict=function(){return t.Backbone=o,this},e.emulateHTTP=!1,e.emulateJSON=!1;var s,a=e.Events={},c=/\s+/,l=function(t,e,n,o,r){var s,a=0;if(n&&"object"==typeof n){void 0!==o&&"context"in r&&void 0===r.context&&(r.context=o);for(s=i.keys(n);athis.length&&(o=this.length),o<0&&(o+=this.length+1);var r,s,a=[],c=[],l=[],u=[],h={},d=e.add,p=e.merge,A=e.remove,f=!1,g=this.comparator&&null==o&&!1!==e.sort,m=i.isString(this.comparator)?this.comparator:null;for(s=0;s0&&!e.silent&&delete e.index,i},_isModel:function(t){return t instanceof m},_addReference:function(t,e){this._byId[t.cid]=t;var i=this.modelId(t.attributes,t.idAttribute);null!=i&&(this._byId[i]=t),t.on("all",this._onModelEvent,this)},_removeReference:function(t,e){delete this._byId[t.cid];var i=this.modelId(t.attributes,t.idAttribute);null!=i&&delete this._byId[i],this===t.collection&&delete t.collection,t.off("all",this._onModelEvent,this)},_onModelEvent:function(t,e,i,n){if(e){if(("add"===t||"remove"===t)&&i!==this)return;if("destroy"===t&&this.remove(e,n),"changeId"===t){var o=this.modelId(e.previousAttributes(),e.idAttribute),r=this.modelId(e.attributes,e.idAttribute);null!=o&&delete this._byId[o],null!=r&&(this._byId[r]=e)}}this.trigger.apply(this,arguments)},_forwardPristineError:function(t,e,i){this.has(t)||this._onModelEvent("error",t,e,i)}});var w="function"==typeof Symbol&&Symbol.iterator;w&&(C.prototype[w]=C.prototype.values);var y=function(t,e){this._collection=t,this._kind=e,this._index=0},k=1,B=2,E=3;w&&(y.prototype[w]=function(){return this}),y.prototype.next=function(){if(this._collection){if(this._index7),this._useHashChange=this._wantsHashChange&&this._hasHashChange,this._wantsPushState=!!this.options.pushState,this._hasPushState=!(!this.history||!this.history.pushState),this._usePushState=this._wantsPushState&&this._hasPushState,this.fragment=this.getFragment(),this.root=("/"+this.root+"/").replace(j,"/"),this._wantsHashChange&&this._wantsPushState){if(!this._hasPushState&&!this.atRoot()){var e=this.root.slice(0,-1)||"/";return this.location.replace(e+"#"+this.getPath()),!0}this._hasPushState&&this.atRoot()&&this.navigate(this.getHash(),{replace:!0})}if(!this._hasHashChange&&this._wantsHashChange&&!this._usePushState){this.iframe=document.createElement("iframe"),this.iframe.src="javascript:0",this.iframe.style.display="none",this.iframe.tabIndex=-1;var n=document.body,o=n.insertBefore(this.iframe,n.firstChild).contentWindow;o.document.open(),o.document.close(),o.location.hash="#"+this.fragment}var r=window.addEventListener||function(t,e){return attachEvent("on"+t,e)};if(this._usePushState?r("popstate",this.checkUrl,!1):this._useHashChange&&!this.iframe?r("hashchange",this.checkUrl,!1):this._wantsHashChange&&(this._checkUrlInterval=setInterval(this.checkUrl,this.interval)),!this.options.silent)return this.loadUrl()},stop:function(){var t=window.removeEventListener||function(t,e){return detachEvent("on"+t,e)};this._usePushState?t("popstate",this.checkUrl,!1):this._useHashChange&&!this.iframe&&t("hashchange",this.checkUrl,!1),this.iframe&&(document.body.removeChild(this.iframe),this.iframe=null),this._checkUrlInterval&&clearInterval(this._checkUrlInterval),L.started=!1},route:function(t,e){this.handlers.unshift({route:t,callback:e})},checkUrl:function(t){var e=this.getFragment();if(e===this.fragment&&this.iframe&&(e=this.getHash(this.iframe.contentWindow)),e===this.fragment)return!this.matchRoot()&&this.notfound();this.iframe&&this.navigate(e),this.loadUrl()},loadUrl:function(t){return this.matchRoot()?(t=this.fragment=this.getFragment(t),i.some(this.handlers,(function(e){if(e.route.test(t))return e.callback(t),!0}))||this.notfound()):this.notfound()},notfound:function(){return this.trigger("notfound"),!1},navigate:function(t,e){if(!L.started)return!1;e&&!0!==e||(e={trigger:!!e}),t=this.getFragment(t||"");var i=this.root;this._trailingSlash||""!==t&&"?"!==t.charAt(0)||(i=i.slice(0,-1)||"/");var n=i+t;t=t.replace(U,"");var o=this.decodeFragment(t);if(this.fragment!==o){if(this.fragment=o,this._usePushState)this.history[e.replace?"replaceState":"pushState"]({},document.title,n);else{if(!this._wantsHashChange)return this.location.assign(n);if(this._updateHash(this.location,t,e.replace),this.iframe&&t!==this.getHash(this.iframe.contentWindow)){var r=this.iframe.contentWindow;e.replace||(r.document.open(),r.document.close()),this._updateHash(r.location,t,e.replace)}}return e.trigger?this.loadUrl(t):void 0}},_updateHash:function(t,e,i){if(i){var n=t.href.replace(/(javascript:|#).*$/,"");t.replace(n+"#"+e)}else t.hash="#"+e}}),e.history=new L;m.extend=C.extend=P.extend=_.extend=L.extend=function(t,e){var n,o=this;return n=t&&i.has(t,"constructor")?t.constructor:function(){return o.apply(this,arguments)},i.extend(n,o,e),n.prototype=i.create(o.prototype,t),n.prototype.constructor=n,n.__super__=o.prototype,n};var W=function(){throw new Error('A "url" property or function must be specified')},Y=function(t,e){var i=e.error;e.error=function(n){i&&i.call(e.context,t,n,e),t.trigger("error",t,n,e)}};return e._debug=function(){return{root:t,_:i}},e}(r,i,t,e)}.apply(e,n),void 0===o||(t.exports=o)},18922:function(t,e,i){var n;!function(){"use strict";function o(t,e){var i=(65535&t)+(65535&e);return(t>>16)+(e>>16)+(i>>16)<<16|65535&i}function r(t,e,i,n,r,s){return o((a=o(o(e,t),o(n,s)))<<(c=r)|a>>>32-c,i);var a,c}function s(t,e,i,n,o,s,a){return r(e&i|~e&n,t,e,o,s,a)}function a(t,e,i,n,o,s,a){return r(e&n|i&~n,t,e,o,s,a)}function c(t,e,i,n,o,s,a){return r(e^i^n,t,e,o,s,a)}function l(t,e,i,n,o,s,a){return r(i^(e|~n),t,e,o,s,a)}function u(t,e){var i,n,r,u,h;t[e>>5]|=128<>>9<<4)]=e;var d=1732584193,p=-271733879,A=-1732584194,f=271733878;for(i=0;i>5]>>>e%32&255);return i}function d(t){var e,i=[];for(i[(t.length>>2)-1]=void 0,e=0;e>5]|=(255&t.charCodeAt(e/8))<>>4&15)+n.charAt(15&e);return o}function A(t){return unescape(encodeURIComponent(t))}function f(t){return function(t){return h(u(d(t),8*t.length))}(A(t))}function g(t,e){return function(t,e){var i,n,o=d(t),r=[],s=[];for(r[15]=s[15]=void 0,o.length>16&&(o=u(o,8*t.length)),i=0;i<16;i+=1)r[i]=909522486^o[i],s[i]=1549556828^o[i];return n=u(r.concat(d(e)),512+8*e.length),h(u(s.concat(n),640))}(A(t),A(e))}function m(t,e,i){return e?i?g(e,t):p(g(e,t)):i?f(t):p(f(t))}void 0===(n=function(){return m}.call(e,i,e,t))||(t.exports=n)}()},57576:function(t){var e;e=function(){return function(){var t={686:function(t,e,i){"use strict";i.d(e,{default:function(){return v}});var n=i(279),o=i.n(n),r=i(370),s=i.n(r),a=i(817),c=i.n(a);function l(t){try{return document.execCommand(t)}catch(t){return!1}}var u=function(t){var e=c()(t);return l("cut"),e},h=function(t,e){var i=function(t){var e="rtl"===document.documentElement.getAttribute("dir"),i=document.createElement("textarea");i.style.fontSize="12pt",i.style.border="0",i.style.padding="0",i.style.margin="0",i.style.position="absolute",i.style[e?"right":"left"]="-9999px";var n=window.pageYOffset||document.documentElement.scrollTop;return i.style.top="".concat(n,"px"),i.setAttribute("readonly",""),i.value=t,i}(t);e.container.appendChild(i);var n=c()(i);return l("copy"),i.remove(),n},d=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{container:document.body},i="";return"string"==typeof t?i=h(t,e):t instanceof HTMLInputElement&&!["text","search","url","tel","password"].includes(null==t?void 0:t.type)?i=h(t.value,e):(i=c()(t),l("copy")),i};function p(t){return p="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},p(t)}function A(t){return A="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},A(t)}function f(t,e){for(var i=0;i0&&void 0!==arguments[0]?arguments[0]:{};this.action="function"==typeof t.action?t.action:this.defaultAction,this.target="function"==typeof t.target?t.target:this.defaultTarget,this.text="function"==typeof t.text?t.text:this.defaultText,this.container="object"===A(t.container)?t.container:document.body}},{key:"listenClick",value:function(t){var e=this;this.listener=s()(t,"click",(function(t){return e.onClick(t)}))}},{key:"onClick",value:function(t){var e=t.delegateTarget||t.currentTarget,i=this.action(e)||"copy",n=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.action,i=void 0===e?"copy":e,n=t.container,o=t.target,r=t.text;if("copy"!==i&&"cut"!==i)throw new Error('Invalid "action" value, use either "copy" or "cut"');if(void 0!==o){if(!o||"object"!==p(o)||1!==o.nodeType)throw new Error('Invalid "target" value, use a valid Element');if("copy"===i&&o.hasAttribute("disabled"))throw new Error('Invalid "target" attribute. Please use "readonly" instead of "disabled" attribute');if("cut"===i&&(o.hasAttribute("readonly")||o.hasAttribute("disabled")))throw new Error('Invalid "target" attribute. You can\'t cut text from elements with "readonly" or "disabled" attributes')}return r?d(r,{container:n}):o?"cut"===i?u(o):d(o,{container:n}):void 0}({action:i,container:this.container,target:this.target(e),text:this.text(e)});this.emit(n?"success":"error",{action:i,text:n,trigger:e,clearSelection:function(){e&&e.focus(),window.getSelection().removeAllRanges()}})}},{key:"defaultAction",value:function(t){return C("action",t)}},{key:"defaultTarget",value:function(t){var e=C("target",t);if(e)return document.querySelector(e)}},{key:"defaultText",value:function(t){return C("text",t)}},{key:"destroy",value:function(){this.listener.destroy()}}],n=[{key:"copy",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{container:document.body};return d(t,e)}},{key:"cut",value:function(t){return u(t)}},{key:"isSupported",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:["copy","cut"],e="string"==typeof t?[t]:t,i=!!document.queryCommandSupported;return e.forEach((function(t){i=i&&!!document.queryCommandSupported(t)})),i}}],i&&f(e.prototype,i),n&&f(e,n),c}(o()),v=b},828:function(t){if("undefined"!=typeof Element&&!Element.prototype.matches){var e=Element.prototype;e.matches=e.matchesSelector||e.mozMatchesSelector||e.msMatchesSelector||e.oMatchesSelector||e.webkitMatchesSelector}t.exports=function(t,e){for(;t&&9!==t.nodeType;){if("function"==typeof t.matches&&t.matches(e))return t;t=t.parentNode}}},438:function(t,e,i){var n=i(828);function o(t,e,i,n,o){var s=r.apply(this,arguments);return t.addEventListener(i,s,o),{destroy:function(){t.removeEventListener(i,s,o)}}}function r(t,e,i,o){return function(i){i.delegateTarget=n(i.target,e),i.delegateTarget&&o.call(t,i)}}t.exports=function(t,e,i,n,r){return"function"==typeof t.addEventListener?o.apply(null,arguments):"function"==typeof i?o.bind(null,document).apply(null,arguments):("string"==typeof t&&(t=document.querySelectorAll(t)),Array.prototype.map.call(t,(function(t){return o(t,e,i,n,r)})))}},879:function(t,e){e.node=function(t){return void 0!==t&&t instanceof HTMLElement&&1===t.nodeType},e.nodeList=function(t){var i=Object.prototype.toString.call(t);return void 0!==t&&("[object NodeList]"===i||"[object HTMLCollection]"===i)&&"length"in t&&(0===t.length||e.node(t[0]))},e.string=function(t){return"string"==typeof t||t instanceof String},e.fn=function(t){return"[object Function]"===Object.prototype.toString.call(t)}},370:function(t,e,i){var n=i(879),o=i(438);t.exports=function(t,e,i){if(!t&&!e&&!i)throw new Error("Missing required arguments");if(!n.string(e))throw new TypeError("Second argument must be a String");if(!n.fn(i))throw new TypeError("Third argument must be a Function");if(n.node(t))return function(t,e,i){return t.addEventListener(e,i),{destroy:function(){t.removeEventListener(e,i)}}}(t,e,i);if(n.nodeList(t))return function(t,e,i){return Array.prototype.forEach.call(t,(function(t){t.addEventListener(e,i)})),{destroy:function(){Array.prototype.forEach.call(t,(function(t){t.removeEventListener(e,i)}))}}}(t,e,i);if(n.string(t))return function(t,e,i){return o(document.body,t,e,i)}(t,e,i);throw new TypeError("First argument must be a String, HTMLElement, HTMLCollection, or NodeList")}},817:function(t){t.exports=function(t){var e;if("SELECT"===t.nodeName)t.focus(),e=t.value;else if("INPUT"===t.nodeName||"TEXTAREA"===t.nodeName){var i=t.hasAttribute("readonly");i||t.setAttribute("readonly",""),t.select(),t.setSelectionRange(0,t.value.length),i||t.removeAttribute("readonly"),e=t.value}else{t.hasAttribute("contenteditable")&&t.focus();var n=window.getSelection(),o=document.createRange();o.selectNodeContents(t),n.removeAllRanges(),n.addRange(o),e=n.toString()}return e}},279:function(t){function e(){}e.prototype={on:function(t,e,i){var n=this.e||(this.e={});return(n[t]||(n[t]=[])).push({fn:e,ctx:i}),this},once:function(t,e,i){var n=this;function o(){n.off(t,o),e.apply(i,arguments)}return o._=e,this.on(t,o,i)},emit:function(t){for(var e=[].slice.call(arguments,1),i=((this.e||(this.e={}))[t]||[]).slice(),n=0,o=i.length;n{"use strict";i.d(e,{A:()=>E});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(59699),i.b),u=new URL(i(34213),i.b),h=new URL(i(3132),i.b),d=new URL(i(19394),i.b),p=new URL(i(81972),i.b),A=new URL(i(6411),i.b),f=new URL(i(14506),i.b),g=new URL(i(64886),i.b),m=s()(o()),C=c()(l),b=c()(u),v=c()(h),x=c()(d),w=c()(p),y=c()(A),k=c()(f),B=c()(g);m.push([t.id,`/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n/* Layout helpers\n----------------------------------*/\n.ui-helper-hidden {\n\tdisplay: none;\n}\n.ui-helper-hidden-accessible {\n\tborder: 0;\n\tclip: rect(0 0 0 0);\n\theight: 1px;\n\tmargin: -1px;\n\toverflow: hidden;\n\tpadding: 0;\n\tposition: absolute;\n\twidth: 1px;\n}\n.ui-helper-reset {\n\tmargin: 0;\n\tpadding: 0;\n\tborder: 0;\n\toutline: 0;\n\tline-height: 1.3;\n\ttext-decoration: none;\n\tfont-size: 100%;\n\tlist-style: none;\n}\n.ui-helper-clearfix:before,\n.ui-helper-clearfix:after {\n\tcontent: "";\n\tdisplay: table;\n\tborder-collapse: collapse;\n}\n.ui-helper-clearfix:after {\n\tclear: both;\n}\n.ui-helper-zfix {\n\twidth: 100%;\n\theight: 100%;\n\ttop: 0;\n\tleft: 0;\n\tposition: absolute;\n\topacity: 0;\n\t-ms-filter: "alpha(opacity=0)"; /* support: IE8 */\n}\n\n.ui-front {\n\tz-index: 100;\n}\n\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-disabled {\n\tcursor: default !important;\n\tpointer-events: none;\n}\n\n\n/* Icons\n----------------------------------*/\n.ui-icon {\n\tdisplay: inline-block;\n\tvertical-align: middle;\n\tmargin-top: -.25em;\n\tposition: relative;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n}\n\n.ui-widget-icon-block {\n\tleft: 50%;\n\tmargin-left: -8px;\n\tdisplay: block;\n}\n\n/* Misc visuals\n----------------------------------*/\n\n/* Overlays */\n.ui-widget-overlay {\n\tposition: fixed;\n\ttop: 0;\n\tleft: 0;\n\twidth: 100%;\n\theight: 100%;\n}\n.ui-accordion .ui-accordion-header {\n\tdisplay: block;\n\tcursor: pointer;\n\tposition: relative;\n\tmargin: 2px 0 0 0;\n\tpadding: .5em .5em .5em .7em;\n\tfont-size: 100%;\n}\n.ui-accordion .ui-accordion-content {\n\tpadding: 1em 2.2em;\n\tborder-top: 0;\n\toverflow: auto;\n}\n.ui-autocomplete {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tcursor: default;\n}\n.ui-menu {\n\tlist-style: none;\n\tpadding: 0;\n\tmargin: 0;\n\tdisplay: block;\n\toutline: 0;\n}\n.ui-menu .ui-menu {\n\tposition: absolute;\n}\n.ui-menu .ui-menu-item {\n\tmargin: 0;\n\tcursor: pointer;\n\t/* support: IE10, see #8844 */\n\tlist-style-image: url(${C});\n}\n.ui-menu .ui-menu-item-wrapper {\n\tposition: relative;\n\tpadding: 3px 1em 3px .4em;\n}\n.ui-menu .ui-menu-divider {\n\tmargin: 5px 0;\n\theight: 0;\n\tfont-size: 0;\n\tline-height: 0;\n\tborder-width: 1px 0 0 0;\n}\n.ui-menu .ui-state-focus,\n.ui-menu .ui-state-active {\n\tmargin: -1px;\n}\n\n/* icon support */\n.ui-menu-icons {\n\tposition: relative;\n}\n.ui-menu-icons .ui-menu-item-wrapper {\n\tpadding-left: 2em;\n}\n\n/* left-aligned */\n.ui-menu .ui-icon {\n\tposition: absolute;\n\ttop: 0;\n\tbottom: 0;\n\tleft: .2em;\n\tmargin: auto 0;\n}\n\n/* right-aligned */\n.ui-menu .ui-menu-icon {\n\tleft: auto;\n\tright: 0;\n}\n.ui-button {\n\tpadding: .4em 1em;\n\tdisplay: inline-block;\n\tposition: relative;\n\tline-height: normal;\n\tmargin-right: .1em;\n\tcursor: pointer;\n\tvertical-align: middle;\n\ttext-align: center;\n\t-webkit-user-select: none;\n\t-moz-user-select: none;\n\t-ms-user-select: none;\n\tuser-select: none;\n\n\t/* Support: IE <= 11 */\n\toverflow: visible;\n}\n\n.ui-button,\n.ui-button:link,\n.ui-button:visited,\n.ui-button:hover,\n.ui-button:active {\n\ttext-decoration: none;\n}\n\n/* to make room for the icon, a width needs to be set here */\n.ui-button-icon-only {\n\twidth: 2em;\n\tbox-sizing: border-box;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n}\n\n/* no icon support for input elements */\ninput.ui-button.ui-button-icon-only {\n\ttext-indent: 0;\n}\n\n/* button icon element(s) */\n.ui-button-icon-only .ui-icon {\n\tposition: absolute;\n\ttop: 50%;\n\tleft: 50%;\n\tmargin-top: -8px;\n\tmargin-left: -8px;\n}\n\n.ui-button.ui-icon-notext .ui-icon {\n\tpadding: 0;\n\twidth: 2.1em;\n\theight: 2.1em;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n\n}\n\ninput.ui-button.ui-icon-notext .ui-icon {\n\twidth: auto;\n\theight: auto;\n\ttext-indent: 0;\n\twhite-space: normal;\n\tpadding: .4em 1em;\n}\n\n/* workarounds */\n/* Support: Firefox 5 - 40 */\ninput.ui-button::-moz-focus-inner,\nbutton.ui-button::-moz-focus-inner {\n\tborder: 0;\n\tpadding: 0;\n}\n.ui-controlgroup {\n\tvertical-align: middle;\n\tdisplay: inline-block;\n}\n.ui-controlgroup > .ui-controlgroup-item {\n\tfloat: left;\n\tmargin-left: 0;\n\tmargin-right: 0;\n}\n.ui-controlgroup > .ui-controlgroup-item:focus,\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\n\tz-index: 9999;\n}\n.ui-controlgroup-vertical > .ui-controlgroup-item {\n\tdisplay: block;\n\tfloat: none;\n\twidth: 100%;\n\tmargin-top: 0;\n\tmargin-bottom: 0;\n\ttext-align: left;\n}\n.ui-controlgroup-vertical .ui-controlgroup-item {\n\tbox-sizing: border-box;\n}\n.ui-controlgroup .ui-controlgroup-label {\n\tpadding: .4em 1em;\n}\n.ui-controlgroup .ui-controlgroup-label span {\n\tfont-size: 80%;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-left: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-top: none;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\n\tborder-right: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\n\tborder-bottom: none;\n}\n\n/* Spinner specific style fixes */\n.ui-controlgroup-vertical .ui-spinner-input {\n\n\t/* Support: IE8 only, Android < 4.4 only */\n\twidth: 75%;\n\twidth: calc( 100% - 2.4em );\n}\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\n\tborder-top-style: solid;\n}\n\n.ui-checkboxradio-label .ui-icon-background {\n\tbox-shadow: inset 1px 1px 1px #ccc;\n\tborder-radius: .12em;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label .ui-icon-background {\n\twidth: 16px;\n\theight: 16px;\n\tborder-radius: 1em;\n\toverflow: visible;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\n\tbackground-image: none;\n\twidth: 8px;\n\theight: 8px;\n\tborder-width: 4px;\n\tborder-style: solid;\n}\n.ui-checkboxradio-disabled {\n\tpointer-events: none;\n}\n.ui-datepicker {\n\twidth: 17em;\n\tpadding: .2em .2em 0;\n\tdisplay: none;\n}\n.ui-datepicker .ui-datepicker-header {\n\tposition: relative;\n\tpadding: .2em 0;\n}\n.ui-datepicker .ui-datepicker-prev,\n.ui-datepicker .ui-datepicker-next {\n\tposition: absolute;\n\ttop: 2px;\n\twidth: 1.8em;\n\theight: 1.8em;\n}\n.ui-datepicker .ui-datepicker-prev-hover,\n.ui-datepicker .ui-datepicker-next-hover {\n\ttop: 1px;\n}\n.ui-datepicker .ui-datepicker-prev {\n\tleft: 2px;\n}\n.ui-datepicker .ui-datepicker-next {\n\tright: 2px;\n}\n.ui-datepicker .ui-datepicker-prev-hover {\n\tleft: 1px;\n}\n.ui-datepicker .ui-datepicker-next-hover {\n\tright: 1px;\n}\n.ui-datepicker .ui-datepicker-prev span,\n.ui-datepicker .ui-datepicker-next span {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 50%;\n\tmargin-left: -8px;\n\ttop: 50%;\n\tmargin-top: -8px;\n}\n.ui-datepicker .ui-datepicker-title {\n\tmargin: 0 2.3em;\n\tline-height: 1.8em;\n\ttext-align: center;\n}\n.ui-datepicker .ui-datepicker-title select {\n\tfont-size: 1em;\n\tmargin: 1px 0;\n}\n.ui-datepicker select.ui-datepicker-month,\n.ui-datepicker select.ui-datepicker-year {\n\twidth: 45%;\n}\n.ui-datepicker table {\n\twidth: 100%;\n\tfont-size: .9em;\n\tborder-collapse: collapse;\n\tmargin: 0 0 .4em;\n}\n.ui-datepicker th {\n\tpadding: .7em .3em;\n\ttext-align: center;\n\tfont-weight: bold;\n\tborder: 0;\n}\n.ui-datepicker td {\n\tborder: 0;\n\tpadding: 1px;\n}\n.ui-datepicker td span,\n.ui-datepicker td a {\n\tdisplay: block;\n\tpadding: .2em;\n\ttext-align: right;\n\ttext-decoration: none;\n}\n.ui-datepicker .ui-datepicker-buttonpane {\n\tbackground-image: none;\n\tmargin: .7em 0 0 0;\n\tpadding: 0 .2em;\n\tborder-left: 0;\n\tborder-right: 0;\n\tborder-bottom: 0;\n}\n.ui-datepicker .ui-datepicker-buttonpane button {\n\tfloat: right;\n\tmargin: .5em .2em .4em;\n\tcursor: pointer;\n\tpadding: .2em .6em .3em .6em;\n\twidth: auto;\n\toverflow: visible;\n}\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\n\tfloat: left;\n}\n\n/* with multiple calendars */\n.ui-datepicker.ui-datepicker-multi {\n\twidth: auto;\n}\n.ui-datepicker-multi .ui-datepicker-group {\n\tfloat: left;\n}\n.ui-datepicker-multi .ui-datepicker-group table {\n\twidth: 95%;\n\tmargin: 0 auto .4em;\n}\n.ui-datepicker-multi-2 .ui-datepicker-group {\n\twidth: 50%;\n}\n.ui-datepicker-multi-3 .ui-datepicker-group {\n\twidth: 33.3%;\n}\n.ui-datepicker-multi-4 .ui-datepicker-group {\n\twidth: 25%;\n}\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-left-width: 0;\n}\n.ui-datepicker-multi .ui-datepicker-buttonpane {\n\tclear: left;\n}\n.ui-datepicker-row-break {\n\tclear: both;\n\twidth: 100%;\n\tfont-size: 0;\n}\n\n/* RTL support */\n.ui-datepicker-rtl {\n\tdirection: rtl;\n}\n.ui-datepicker-rtl .ui-datepicker-prev {\n\tright: 2px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next {\n\tleft: 2px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\n\tright: 1px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next:hover {\n\tleft: 1px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\n\tclear: right;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\n\tfloat: left;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\n.ui-datepicker-rtl .ui-datepicker-group {\n\tfloat: right;\n}\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-right-width: 0;\n\tborder-left-width: 1px;\n}\n\n/* Icons */\n.ui-datepicker .ui-icon {\n\tdisplay: block;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n\tleft: .5em;\n\ttop: .3em;\n}\n.ui-dialog {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tpadding: .2em;\n\toutline: 0;\n}\n.ui-dialog .ui-dialog-titlebar {\n\tpadding: .4em 1em;\n\tposition: relative;\n}\n.ui-dialog .ui-dialog-title {\n\tfloat: left;\n\tmargin: .1em 0;\n\twhite-space: nowrap;\n\twidth: 90%;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-dialog .ui-dialog-titlebar-close {\n\tposition: absolute;\n\tright: .3em;\n\ttop: 50%;\n\twidth: 20px;\n\tmargin: -10px 0 0 0;\n\tpadding: 1px;\n\theight: 20px;\n}\n.ui-dialog .ui-dialog-content {\n\tposition: relative;\n\tborder: 0;\n\tpadding: .5em 1em;\n\tbackground: none;\n\toverflow: auto;\n}\n.ui-dialog .ui-dialog-buttonpane {\n\ttext-align: left;\n\tborder-width: 1px 0 0 0;\n\tbackground-image: none;\n\tmargin-top: .5em;\n\tpadding: .3em 1em .5em .4em;\n}\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\n\tfloat: right;\n}\n.ui-dialog .ui-dialog-buttonpane button {\n\tmargin: .5em .4em .5em 0;\n\tcursor: pointer;\n}\n.ui-dialog .ui-resizable-n {\n\theight: 2px;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-e {\n\twidth: 2px;\n\tright: 0;\n}\n.ui-dialog .ui-resizable-s {\n\theight: 2px;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-w {\n\twidth: 2px;\n\tleft: 0;\n}\n.ui-dialog .ui-resizable-se,\n.ui-dialog .ui-resizable-sw,\n.ui-dialog .ui-resizable-ne,\n.ui-dialog .ui-resizable-nw {\n\twidth: 7px;\n\theight: 7px;\n}\n.ui-dialog .ui-resizable-se {\n\tright: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-sw {\n\tleft: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-ne {\n\tright: 0;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-nw {\n\tleft: 0;\n\ttop: 0;\n}\n.ui-draggable .ui-dialog-titlebar {\n\tcursor: move;\n}\n.ui-draggable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable {\n\tposition: relative;\n}\n.ui-resizable-handle {\n\tposition: absolute;\n\tfont-size: 0.1px;\n\tdisplay: block;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable-disabled .ui-resizable-handle,\n.ui-resizable-autohide .ui-resizable-handle {\n\tdisplay: none;\n}\n.ui-resizable-n {\n\tcursor: n-resize;\n\theight: 7px;\n\twidth: 100%;\n\ttop: -5px;\n\tleft: 0;\n}\n.ui-resizable-s {\n\tcursor: s-resize;\n\theight: 7px;\n\twidth: 100%;\n\tbottom: -5px;\n\tleft: 0;\n}\n.ui-resizable-e {\n\tcursor: e-resize;\n\twidth: 7px;\n\tright: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-w {\n\tcursor: w-resize;\n\twidth: 7px;\n\tleft: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-se {\n\tcursor: se-resize;\n\twidth: 12px;\n\theight: 12px;\n\tright: 1px;\n\tbottom: 1px;\n}\n.ui-resizable-sw {\n\tcursor: sw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\tbottom: -5px;\n}\n.ui-resizable-nw {\n\tcursor: nw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\ttop: -5px;\n}\n.ui-resizable-ne {\n\tcursor: ne-resize;\n\twidth: 9px;\n\theight: 9px;\n\tright: -5px;\n\ttop: -5px;\n}\n.ui-progressbar {\n\theight: 2em;\n\ttext-align: left;\n\toverflow: hidden;\n}\n.ui-progressbar .ui-progressbar-value {\n\tmargin: -1px;\n\theight: 100%;\n}\n.ui-progressbar .ui-progressbar-overlay {\n\tbackground: url(${b});\n\theight: 100%;\n\t-ms-filter: "alpha(opacity=25)"; /* support: IE8 */\n\topacity: 0.25;\n}\n.ui-progressbar-indeterminate .ui-progressbar-value {\n\tbackground-image: none;\n}\n.ui-selectable {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-selectable-helper {\n\tposition: absolute;\n\tz-index: 100;\n\tborder: 1px dotted black;\n}\n.ui-selectmenu-menu {\n\tpadding: 0;\n\tmargin: 0;\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tdisplay: none;\n}\n.ui-selectmenu-menu .ui-menu {\n\toverflow: auto;\n\toverflow-x: hidden;\n\tpadding-bottom: 1px;\n}\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\n\tfont-size: 1em;\n\tfont-weight: bold;\n\tline-height: 1.5;\n\tpadding: 2px 0.4em;\n\tmargin: 0.5em 0 0 0;\n\theight: auto;\n\tborder: 0;\n}\n.ui-selectmenu-open {\n\tdisplay: block;\n}\n.ui-selectmenu-text {\n\tdisplay: block;\n\tmargin-right: 20px;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-selectmenu-button.ui-button {\n\ttext-align: left;\n\twhite-space: nowrap;\n\twidth: 14em;\n}\n.ui-selectmenu-icon.ui-icon {\n\tfloat: right;\n\tmargin-top: 0;\n}\n.ui-slider {\n\tposition: relative;\n\ttext-align: left;\n}\n.ui-slider .ui-slider-handle {\n\tposition: absolute;\n\tz-index: 2;\n\twidth: 1.2em;\n\theight: 1.2em;\n\tcursor: pointer;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-slider .ui-slider-range {\n\tposition: absolute;\n\tz-index: 1;\n\tfont-size: .7em;\n\tdisplay: block;\n\tborder: 0;\n\tbackground-position: 0 0;\n}\n\n/* support: IE8 - See #6727 */\n.ui-slider.ui-state-disabled .ui-slider-handle,\n.ui-slider.ui-state-disabled .ui-slider-range {\n\tfilter: inherit;\n}\n\n.ui-slider-horizontal {\n\theight: .8em;\n}\n.ui-slider-horizontal .ui-slider-handle {\n\ttop: -.3em;\n\tmargin-left: -.6em;\n}\n.ui-slider-horizontal .ui-slider-range {\n\ttop: 0;\n\theight: 100%;\n}\n.ui-slider-horizontal .ui-slider-range-min {\n\tleft: 0;\n}\n.ui-slider-horizontal .ui-slider-range-max {\n\tright: 0;\n}\n\n.ui-slider-vertical {\n\twidth: .8em;\n\theight: 100px;\n}\n.ui-slider-vertical .ui-slider-handle {\n\tleft: -.3em;\n\tmargin-left: 0;\n\tmargin-bottom: -.6em;\n}\n.ui-slider-vertical .ui-slider-range {\n\tleft: 0;\n\twidth: 100%;\n}\n.ui-slider-vertical .ui-slider-range-min {\n\tbottom: 0;\n}\n.ui-slider-vertical .ui-slider-range-max {\n\ttop: 0;\n}\n.ui-sortable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-spinner {\n\tposition: relative;\n\tdisplay: inline-block;\n\toverflow: hidden;\n\tpadding: 0;\n\tvertical-align: middle;\n}\n.ui-spinner-input {\n\tborder: none;\n\tbackground: none;\n\tcolor: inherit;\n\tpadding: .222em 0;\n\tmargin: .2em 0;\n\tvertical-align: middle;\n\tmargin-left: .4em;\n\tmargin-right: 2em;\n}\n.ui-spinner-button {\n\twidth: 1.6em;\n\theight: 50%;\n\tfont-size: .5em;\n\tpadding: 0;\n\tmargin: 0;\n\ttext-align: center;\n\tposition: absolute;\n\tcursor: default;\n\tdisplay: block;\n\toverflow: hidden;\n\tright: 0;\n}\n/* more specificity required here to override default borders */\n.ui-spinner a.ui-spinner-button {\n\tborder-top-style: none;\n\tborder-bottom-style: none;\n\tborder-right-style: none;\n}\n.ui-spinner-up {\n\ttop: 0;\n}\n.ui-spinner-down {\n\tbottom: 0;\n}\n.ui-tabs {\n\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as "fixed") */\n\tpadding: .2em;\n}\n.ui-tabs .ui-tabs-nav {\n\tmargin: 0;\n\tpadding: .2em .2em 0;\n}\n.ui-tabs .ui-tabs-nav li {\n\tlist-style: none;\n\tfloat: left;\n\tposition: relative;\n\ttop: 0;\n\tmargin: 1px .2em 0 0;\n\tborder-bottom-width: 0;\n\tpadding: 0;\n\twhite-space: nowrap;\n}\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\n\tfloat: left;\n\tpadding: .5em 1em;\n\ttext-decoration: none;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\n\tmargin-bottom: -1px;\n\tpadding-bottom: 1px;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\n\tcursor: text;\n}\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\n\tcursor: pointer;\n}\n.ui-tabs .ui-tabs-panel {\n\tdisplay: block;\n\tborder-width: 0;\n\tpadding: 1em 1.4em;\n\tbackground: none;\n}\n.ui-tooltip {\n\tpadding: 8px;\n\tposition: absolute;\n\tz-index: 9999;\n\tmax-width: 300px;\n}\nbody .ui-tooltip {\n\tborder-width: 2px;\n}\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${v});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${v});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${x});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${w});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${y});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${k});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${B});\n}\n\n/* positioning */\n/* Three classes needed to override \`.ui-button:hover .ui-icon\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`,"",{version:3,sources:["webpack://./node_modules/jquery-ui-dist/jquery-ui.css"],names:[],mappings:"AAAA;;;;oEAIoE;;AAEpE;mCACmC;AACnC;CACC,aAAa;AACd;AACA;CACC,SAAS;CACT,mBAAmB;CACnB,WAAW;CACX,YAAY;CACZ,gBAAgB;CAChB,UAAU;CACV,kBAAkB;CAClB,UAAU;AACX;AACA;CACC,SAAS;CACT,UAAU;CACV,SAAS;CACT,UAAU;CACV,gBAAgB;CAChB,qBAAqB;CACrB,eAAe;CACf,gBAAgB;AACjB;AACA;;CAEC,WAAW;CACX,cAAc;CACd,yBAAyB;AAC1B;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,YAAY;CACZ,MAAM;CACN,OAAO;CACP,kBAAkB;CAClB,UAAU;CACV,8BAA8B,EAAE,iBAAiB;AAClD;;AAEA;CACC,YAAY;AACb;;;AAGA;mCACmC;AACnC;CACC,0BAA0B;CAC1B,oBAAoB;AACrB;;;AAGA;mCACmC;AACnC;CACC,qBAAqB;CACrB,sBAAsB;CACtB,kBAAkB;CAClB,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;AAC7B;;AAEA;CACC,SAAS;CACT,iBAAiB;CACjB,cAAc;AACf;;AAEA;mCACmC;;AAEnC,aAAa;AACb;CACC,eAAe;CACf,MAAM;CACN,OAAO;CACP,WAAW;CACX,YAAY;AACb;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,iBAAiB;CACjB,4BAA4B;CAC5B,eAAe;AAChB;AACA;CACC,kBAAkB;CAClB,aAAa;CACb,cAAc;AACf;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,eAAe;AAChB;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,SAAS;CACT,cAAc;CACd,UAAU;AACX;AACA;CACC,kBAAkB;AACnB;AACA;CACC,SAAS;CACT,eAAe;CACf,6BAA6B;CAC7B,yDAAuG;AACxG;AACA;CACC,kBAAkB;CAClB,yBAAyB;AAC1B;AACA;CACC,aAAa;CACb,SAAS;CACT,YAAY;CACZ,cAAc;CACd,uBAAuB;AACxB;AACA;;CAEC,YAAY;AACb;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;AACnB;AACA;CACC,iBAAiB;AAClB;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;CAClB,MAAM;CACN,SAAS;CACT,UAAU;CACV,cAAc;AACf;;AAEA,kBAAkB;AAClB;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,iBAAiB;CACjB,qBAAqB;CACrB,kBAAkB;CAClB,mBAAmB;CACnB,kBAAkB;CAClB,eAAe;CACf,sBAAsB;CACtB,kBAAkB;CAClB,yBAAyB;CACzB,sBAAsB;CACtB,qBAAqB;CACrB,iBAAiB;;CAEjB,sBAAsB;CACtB,iBAAiB;AAClB;;AAEA;;;;;CAKC,qBAAqB;AACtB;;AAEA,4DAA4D;AAC5D;CACC,UAAU;CACV,sBAAsB;CACtB,oBAAoB;CACpB,mBAAmB;AACpB;;AAEA,uCAAuC;AACvC;CACC,cAAc;AACf;;AAEA,2BAA2B;AAC3B;CACC,kBAAkB;CAClB,QAAQ;CACR,SAAS;CACT,gBAAgB;CAChB,iBAAiB;AAClB;;AAEA;CACC,UAAU;CACV,YAAY;CACZ,aAAa;CACb,oBAAoB;CACpB,mBAAmB;;AAEpB;;AAEA;CACC,WAAW;CACX,YAAY;CACZ,cAAc;CACd,mBAAmB;CACnB,iBAAiB;AAClB;;AAEA,gBAAgB;AAChB,4BAA4B;AAC5B;;CAEC,SAAS;CACT,UAAU;AACX;AACA;CACC,sBAAsB;CACtB,qBAAqB;AACtB;AACA;CACC,WAAW;CACX,cAAc;CACd,eAAe;AAChB;AACA;;CAEC,aAAa;AACd;AACA;CACC,cAAc;CACd,WAAW;CACX,WAAW;CACX,aAAa;CACb,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;AACA;CACC,iBAAiB;AAClB;AACA;CACC,gBAAgB;AACjB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,mBAAmB;AACpB;;AAEA,iCAAiC;AACjC;;CAEC,0CAA0C;CAC1C,UAAU;CACV,2BAA2B;AAC5B;AACA;CACC,uBAAuB;AACxB;;AAEA;CACC,kCAAkC;CAClC,oBAAoB;CACpB,YAAY;AACb;AACA;CACC,WAAW;CACX,YAAY;CACZ,kBAAkB;CAClB,iBAAiB;CACjB,YAAY;AACb;AACA;;CAEC,sBAAsB;CACtB,UAAU;CACV,WAAW;CACX,iBAAiB;CACjB,mBAAmB;AACpB;AACA;CACC,oBAAoB;AACrB;AACA;CACC,WAAW;CACX,oBAAoB;CACpB,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,eAAe;AAChB;AACA;;CAEC,kBAAkB;CAClB,QAAQ;CACR,YAAY;CACZ,aAAa;AACd;AACA;;CAEC,QAAQ;AACT;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;;CAEC,cAAc;CACd,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,QAAQ;CACR,gBAAgB;AACjB;AACA;CACC,eAAe;CACf,kBAAkB;CAClB,kBAAkB;AACnB;AACA;CACC,cAAc;CACd,aAAa;AACd;AACA;;CAEC,UAAU;AACX;AACA;CACC,WAAW;CACX,eAAe;CACf,yBAAyB;CACzB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,kBAAkB;CAClB,iBAAiB;CACjB,SAAS;AACV;AACA;CACC,SAAS;CACT,YAAY;AACb;AACA;;CAEC,cAAc;CACd,aAAa;CACb,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,sBAAsB;CACtB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,eAAe;CACf,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,sBAAsB;CACtB,eAAe;CACf,4BAA4B;CAC5B,WAAW;CACX,iBAAiB;AAClB;AACA;CACC,WAAW;AACZ;;AAEA,4BAA4B;AAC5B;CACC,WAAW;AACZ;AACA;CACC,WAAW;AACZ;AACA;CACC,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,UAAU;AACX;AACA;CACC,YAAY;AACb;AACA;CACC,UAAU;AACX;AACA;;CAEC,oBAAoB;AACrB;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,WAAW;CACX,YAAY;AACb;;AAEA,gBAAgB;AAChB;CACC,cAAc;AACf;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,YAAY;AACb;AACA;CACC,WAAW;AACZ;AACA;;CAEC,YAAY;AACb;AACA;;CAEC,qBAAqB;CACrB,sBAAsB;AACvB;;AAEA,UAAU;AACV;CACC,cAAc;CACd,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;CAC5B,UAAU;CACV,SAAS;AACV;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;CACb,UAAU;AACX;AACA;CACC,iBAAiB;CACjB,kBAAkB;AACnB;AACA;CACC,WAAW;CACX,cAAc;CACd,mBAAmB;CACnB,UAAU;CACV,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,kBAAkB;CAClB,WAAW;CACX,QAAQ;CACR,WAAW;CACX,mBAAmB;CACnB,YAAY;CACZ,YAAY;AACb;AACA;CACC,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,gBAAgB;CAChB,cAAc;AACf;AACA;CACC,gBAAgB;CAChB,uBAAuB;CACvB,sBAAsB;CACtB,gBAAgB;CAChB,2BAA2B;AAC5B;AACA;CACC,YAAY;AACb;AACA;CACC,wBAAwB;CACxB,eAAe;AAChB;AACA;CACC,WAAW;CACX,MAAM;AACP;AACA;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,WAAW;CACX,SAAS;AACV;AACA;CACC,UAAU;CACV,OAAO;AACR;AACA;;;;CAIC,UAAU;CACV,WAAW;AACZ;AACA;CACC,QAAQ;CACR,SAAS;AACV;AACA;CACC,OAAO;CACP,SAAS;AACV;AACA;CACC,QAAQ;CACR,MAAM;AACP;AACA;CACC,OAAO;CACP,MAAM;AACP;AACA;CACC,YAAY;AACb;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,gBAAgB;CAChB,cAAc;CACd,sBAAsB;CACtB,kBAAkB;AACnB;AACA;;CAEC,aAAa;AACd;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,SAAS;CACT,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,YAAY;CACZ,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,WAAW;CACX,MAAM;CACN,YAAY;AACb;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,UAAU;CACV,MAAM;CACN,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,WAAW;CACX,YAAY;CACZ,UAAU;CACV,WAAW;AACZ;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,SAAS;AACV;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,WAAW;CACX,SAAS;AACV;AACA;CACC,WAAW;CACX,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,YAAY;AACb;AACA;CACC,mDAAyzE;CACzzE,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,aAAa;AACd;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,YAAY;CACZ,wBAAwB;AACzB;AACA;CACC,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;AACd;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,mBAAmB;AACpB;AACA;CACC,cAAc;CACd,iBAAiB;CACjB,gBAAgB;CAChB,kBAAkB;CAClB,mBAAmB;CACnB,YAAY;CACZ,SAAS;AACV;AACA;CACC,cAAc;AACf;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,gBAAgB;CAChB,mBAAmB;CACnB,WAAW;AACZ;AACA;CACC,YAAY;CACZ,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,YAAY;CACZ,aAAa;CACb,eAAe;CACf,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,eAAe;CACf,cAAc;CACd,SAAS;CACT,wBAAwB;AACzB;;AAEA,6BAA6B;AAC7B;;CAEC,eAAe;AAChB;;AAEA;CACC,YAAY;AACb;AACA;CACC,UAAU;CACV,kBAAkB;AACnB;AACA;CACC,MAAM;CACN,YAAY;AACb;AACA;CACC,OAAO;AACR;AACA;CACC,QAAQ;AACT;;AAEA;CACC,WAAW;CACX,aAAa;AACd;AACA;CACC,WAAW;CACX,cAAc;CACd,oBAAoB;AACrB;AACA;CACC,OAAO;CACP,WAAW;AACZ;AACA;CACC,SAAS;AACV;AACA;CACC,MAAM;AACP;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,UAAU;CACV,sBAAsB;AACvB;AACA;CACC,YAAY;CACZ,gBAAgB;CAChB,cAAc;CACd,iBAAiB;CACjB,cAAc;CACd,sBAAsB;CACtB,iBAAiB;CACjB,iBAAiB;AAClB;AACA;CACC,YAAY;CACZ,WAAW;CACX,eAAe;CACf,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,gBAAgB;CAChB,QAAQ;AACT;AACA,+DAA+D;AAC/D;CACC,sBAAsB;CACtB,yBAAyB;CACzB,wBAAwB;AACzB;AACA;CACC,MAAM;AACP;AACA;CACC,SAAS;AACV;AACA;CACC,kBAAkB,CAAC,uIAAuI;CAC1J,aAAa;AACd;AACA;CACC,SAAS;CACT,oBAAoB;AACrB;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,kBAAkB;CAClB,MAAM;CACN,oBAAoB;CACpB,sBAAsB;CACtB,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,WAAW;CACX,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,mBAAmB;CACnB,mBAAmB;AACpB;AACA;;;CAGC,YAAY;AACb;AACA;CACC,eAAe;AAChB;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,kBAAkB;CAClB,aAAa;CACb,gBAAgB;AACjB;AACA;CACC,iBAAiB;AAClB;;AAEA;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC",sourcesContent:['/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n/* Layout helpers\n----------------------------------*/\n.ui-helper-hidden {\n\tdisplay: none;\n}\n.ui-helper-hidden-accessible {\n\tborder: 0;\n\tclip: rect(0 0 0 0);\n\theight: 1px;\n\tmargin: -1px;\n\toverflow: hidden;\n\tpadding: 0;\n\tposition: absolute;\n\twidth: 1px;\n}\n.ui-helper-reset {\n\tmargin: 0;\n\tpadding: 0;\n\tborder: 0;\n\toutline: 0;\n\tline-height: 1.3;\n\ttext-decoration: none;\n\tfont-size: 100%;\n\tlist-style: none;\n}\n.ui-helper-clearfix:before,\n.ui-helper-clearfix:after {\n\tcontent: "";\n\tdisplay: table;\n\tborder-collapse: collapse;\n}\n.ui-helper-clearfix:after {\n\tclear: both;\n}\n.ui-helper-zfix {\n\twidth: 100%;\n\theight: 100%;\n\ttop: 0;\n\tleft: 0;\n\tposition: absolute;\n\topacity: 0;\n\t-ms-filter: "alpha(opacity=0)"; /* support: IE8 */\n}\n\n.ui-front {\n\tz-index: 100;\n}\n\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-disabled {\n\tcursor: default !important;\n\tpointer-events: none;\n}\n\n\n/* Icons\n----------------------------------*/\n.ui-icon {\n\tdisplay: inline-block;\n\tvertical-align: middle;\n\tmargin-top: -.25em;\n\tposition: relative;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n}\n\n.ui-widget-icon-block {\n\tleft: 50%;\n\tmargin-left: -8px;\n\tdisplay: block;\n}\n\n/* Misc visuals\n----------------------------------*/\n\n/* Overlays */\n.ui-widget-overlay {\n\tposition: fixed;\n\ttop: 0;\n\tleft: 0;\n\twidth: 100%;\n\theight: 100%;\n}\n.ui-accordion .ui-accordion-header {\n\tdisplay: block;\n\tcursor: pointer;\n\tposition: relative;\n\tmargin: 2px 0 0 0;\n\tpadding: .5em .5em .5em .7em;\n\tfont-size: 100%;\n}\n.ui-accordion .ui-accordion-content {\n\tpadding: 1em 2.2em;\n\tborder-top: 0;\n\toverflow: auto;\n}\n.ui-autocomplete {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tcursor: default;\n}\n.ui-menu {\n\tlist-style: none;\n\tpadding: 0;\n\tmargin: 0;\n\tdisplay: block;\n\toutline: 0;\n}\n.ui-menu .ui-menu {\n\tposition: absolute;\n}\n.ui-menu .ui-menu-item {\n\tmargin: 0;\n\tcursor: pointer;\n\t/* support: IE10, see #8844 */\n\tlist-style-image: url("data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7");\n}\n.ui-menu .ui-menu-item-wrapper {\n\tposition: relative;\n\tpadding: 3px 1em 3px .4em;\n}\n.ui-menu .ui-menu-divider {\n\tmargin: 5px 0;\n\theight: 0;\n\tfont-size: 0;\n\tline-height: 0;\n\tborder-width: 1px 0 0 0;\n}\n.ui-menu .ui-state-focus,\n.ui-menu .ui-state-active {\n\tmargin: -1px;\n}\n\n/* icon support */\n.ui-menu-icons {\n\tposition: relative;\n}\n.ui-menu-icons .ui-menu-item-wrapper {\n\tpadding-left: 2em;\n}\n\n/* left-aligned */\n.ui-menu .ui-icon {\n\tposition: absolute;\n\ttop: 0;\n\tbottom: 0;\n\tleft: .2em;\n\tmargin: auto 0;\n}\n\n/* right-aligned */\n.ui-menu .ui-menu-icon {\n\tleft: auto;\n\tright: 0;\n}\n.ui-button {\n\tpadding: .4em 1em;\n\tdisplay: inline-block;\n\tposition: relative;\n\tline-height: normal;\n\tmargin-right: .1em;\n\tcursor: pointer;\n\tvertical-align: middle;\n\ttext-align: center;\n\t-webkit-user-select: none;\n\t-moz-user-select: none;\n\t-ms-user-select: none;\n\tuser-select: none;\n\n\t/* Support: IE <= 11 */\n\toverflow: visible;\n}\n\n.ui-button,\n.ui-button:link,\n.ui-button:visited,\n.ui-button:hover,\n.ui-button:active {\n\ttext-decoration: none;\n}\n\n/* to make room for the icon, a width needs to be set here */\n.ui-button-icon-only {\n\twidth: 2em;\n\tbox-sizing: border-box;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n}\n\n/* no icon support for input elements */\ninput.ui-button.ui-button-icon-only {\n\ttext-indent: 0;\n}\n\n/* button icon element(s) */\n.ui-button-icon-only .ui-icon {\n\tposition: absolute;\n\ttop: 50%;\n\tleft: 50%;\n\tmargin-top: -8px;\n\tmargin-left: -8px;\n}\n\n.ui-button.ui-icon-notext .ui-icon {\n\tpadding: 0;\n\twidth: 2.1em;\n\theight: 2.1em;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n\n}\n\ninput.ui-button.ui-icon-notext .ui-icon {\n\twidth: auto;\n\theight: auto;\n\ttext-indent: 0;\n\twhite-space: normal;\n\tpadding: .4em 1em;\n}\n\n/* workarounds */\n/* Support: Firefox 5 - 40 */\ninput.ui-button::-moz-focus-inner,\nbutton.ui-button::-moz-focus-inner {\n\tborder: 0;\n\tpadding: 0;\n}\n.ui-controlgroup {\n\tvertical-align: middle;\n\tdisplay: inline-block;\n}\n.ui-controlgroup > .ui-controlgroup-item {\n\tfloat: left;\n\tmargin-left: 0;\n\tmargin-right: 0;\n}\n.ui-controlgroup > .ui-controlgroup-item:focus,\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\n\tz-index: 9999;\n}\n.ui-controlgroup-vertical > .ui-controlgroup-item {\n\tdisplay: block;\n\tfloat: none;\n\twidth: 100%;\n\tmargin-top: 0;\n\tmargin-bottom: 0;\n\ttext-align: left;\n}\n.ui-controlgroup-vertical .ui-controlgroup-item {\n\tbox-sizing: border-box;\n}\n.ui-controlgroup .ui-controlgroup-label {\n\tpadding: .4em 1em;\n}\n.ui-controlgroup .ui-controlgroup-label span {\n\tfont-size: 80%;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-left: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-top: none;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\n\tborder-right: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\n\tborder-bottom: none;\n}\n\n/* Spinner specific style fixes */\n.ui-controlgroup-vertical .ui-spinner-input {\n\n\t/* Support: IE8 only, Android < 4.4 only */\n\twidth: 75%;\n\twidth: calc( 100% - 2.4em );\n}\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\n\tborder-top-style: solid;\n}\n\n.ui-checkboxradio-label .ui-icon-background {\n\tbox-shadow: inset 1px 1px 1px #ccc;\n\tborder-radius: .12em;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label .ui-icon-background {\n\twidth: 16px;\n\theight: 16px;\n\tborder-radius: 1em;\n\toverflow: visible;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\n\tbackground-image: none;\n\twidth: 8px;\n\theight: 8px;\n\tborder-width: 4px;\n\tborder-style: solid;\n}\n.ui-checkboxradio-disabled {\n\tpointer-events: none;\n}\n.ui-datepicker {\n\twidth: 17em;\n\tpadding: .2em .2em 0;\n\tdisplay: none;\n}\n.ui-datepicker .ui-datepicker-header {\n\tposition: relative;\n\tpadding: .2em 0;\n}\n.ui-datepicker .ui-datepicker-prev,\n.ui-datepicker .ui-datepicker-next {\n\tposition: absolute;\n\ttop: 2px;\n\twidth: 1.8em;\n\theight: 1.8em;\n}\n.ui-datepicker .ui-datepicker-prev-hover,\n.ui-datepicker .ui-datepicker-next-hover {\n\ttop: 1px;\n}\n.ui-datepicker .ui-datepicker-prev {\n\tleft: 2px;\n}\n.ui-datepicker .ui-datepicker-next {\n\tright: 2px;\n}\n.ui-datepicker .ui-datepicker-prev-hover {\n\tleft: 1px;\n}\n.ui-datepicker .ui-datepicker-next-hover {\n\tright: 1px;\n}\n.ui-datepicker .ui-datepicker-prev span,\n.ui-datepicker .ui-datepicker-next span {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 50%;\n\tmargin-left: -8px;\n\ttop: 50%;\n\tmargin-top: -8px;\n}\n.ui-datepicker .ui-datepicker-title {\n\tmargin: 0 2.3em;\n\tline-height: 1.8em;\n\ttext-align: center;\n}\n.ui-datepicker .ui-datepicker-title select {\n\tfont-size: 1em;\n\tmargin: 1px 0;\n}\n.ui-datepicker select.ui-datepicker-month,\n.ui-datepicker select.ui-datepicker-year {\n\twidth: 45%;\n}\n.ui-datepicker table {\n\twidth: 100%;\n\tfont-size: .9em;\n\tborder-collapse: collapse;\n\tmargin: 0 0 .4em;\n}\n.ui-datepicker th {\n\tpadding: .7em .3em;\n\ttext-align: center;\n\tfont-weight: bold;\n\tborder: 0;\n}\n.ui-datepicker td {\n\tborder: 0;\n\tpadding: 1px;\n}\n.ui-datepicker td span,\n.ui-datepicker td a {\n\tdisplay: block;\n\tpadding: .2em;\n\ttext-align: right;\n\ttext-decoration: none;\n}\n.ui-datepicker .ui-datepicker-buttonpane {\n\tbackground-image: none;\n\tmargin: .7em 0 0 0;\n\tpadding: 0 .2em;\n\tborder-left: 0;\n\tborder-right: 0;\n\tborder-bottom: 0;\n}\n.ui-datepicker .ui-datepicker-buttonpane button {\n\tfloat: right;\n\tmargin: .5em .2em .4em;\n\tcursor: pointer;\n\tpadding: .2em .6em .3em .6em;\n\twidth: auto;\n\toverflow: visible;\n}\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\n\tfloat: left;\n}\n\n/* with multiple calendars */\n.ui-datepicker.ui-datepicker-multi {\n\twidth: auto;\n}\n.ui-datepicker-multi .ui-datepicker-group {\n\tfloat: left;\n}\n.ui-datepicker-multi .ui-datepicker-group table {\n\twidth: 95%;\n\tmargin: 0 auto .4em;\n}\n.ui-datepicker-multi-2 .ui-datepicker-group {\n\twidth: 50%;\n}\n.ui-datepicker-multi-3 .ui-datepicker-group {\n\twidth: 33.3%;\n}\n.ui-datepicker-multi-4 .ui-datepicker-group {\n\twidth: 25%;\n}\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-left-width: 0;\n}\n.ui-datepicker-multi .ui-datepicker-buttonpane {\n\tclear: left;\n}\n.ui-datepicker-row-break {\n\tclear: both;\n\twidth: 100%;\n\tfont-size: 0;\n}\n\n/* RTL support */\n.ui-datepicker-rtl {\n\tdirection: rtl;\n}\n.ui-datepicker-rtl .ui-datepicker-prev {\n\tright: 2px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next {\n\tleft: 2px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\n\tright: 1px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next:hover {\n\tleft: 1px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\n\tclear: right;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\n\tfloat: left;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\n.ui-datepicker-rtl .ui-datepicker-group {\n\tfloat: right;\n}\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-right-width: 0;\n\tborder-left-width: 1px;\n}\n\n/* Icons */\n.ui-datepicker .ui-icon {\n\tdisplay: block;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n\tleft: .5em;\n\ttop: .3em;\n}\n.ui-dialog {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tpadding: .2em;\n\toutline: 0;\n}\n.ui-dialog .ui-dialog-titlebar {\n\tpadding: .4em 1em;\n\tposition: relative;\n}\n.ui-dialog .ui-dialog-title {\n\tfloat: left;\n\tmargin: .1em 0;\n\twhite-space: nowrap;\n\twidth: 90%;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-dialog .ui-dialog-titlebar-close {\n\tposition: absolute;\n\tright: .3em;\n\ttop: 50%;\n\twidth: 20px;\n\tmargin: -10px 0 0 0;\n\tpadding: 1px;\n\theight: 20px;\n}\n.ui-dialog .ui-dialog-content {\n\tposition: relative;\n\tborder: 0;\n\tpadding: .5em 1em;\n\tbackground: none;\n\toverflow: auto;\n}\n.ui-dialog .ui-dialog-buttonpane {\n\ttext-align: left;\n\tborder-width: 1px 0 0 0;\n\tbackground-image: none;\n\tmargin-top: .5em;\n\tpadding: .3em 1em .5em .4em;\n}\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\n\tfloat: right;\n}\n.ui-dialog .ui-dialog-buttonpane button {\n\tmargin: .5em .4em .5em 0;\n\tcursor: pointer;\n}\n.ui-dialog .ui-resizable-n {\n\theight: 2px;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-e {\n\twidth: 2px;\n\tright: 0;\n}\n.ui-dialog .ui-resizable-s {\n\theight: 2px;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-w {\n\twidth: 2px;\n\tleft: 0;\n}\n.ui-dialog .ui-resizable-se,\n.ui-dialog .ui-resizable-sw,\n.ui-dialog .ui-resizable-ne,\n.ui-dialog .ui-resizable-nw {\n\twidth: 7px;\n\theight: 7px;\n}\n.ui-dialog .ui-resizable-se {\n\tright: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-sw {\n\tleft: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-ne {\n\tright: 0;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-nw {\n\tleft: 0;\n\ttop: 0;\n}\n.ui-draggable .ui-dialog-titlebar {\n\tcursor: move;\n}\n.ui-draggable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable {\n\tposition: relative;\n}\n.ui-resizable-handle {\n\tposition: absolute;\n\tfont-size: 0.1px;\n\tdisplay: block;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable-disabled .ui-resizable-handle,\n.ui-resizable-autohide .ui-resizable-handle {\n\tdisplay: none;\n}\n.ui-resizable-n {\n\tcursor: n-resize;\n\theight: 7px;\n\twidth: 100%;\n\ttop: -5px;\n\tleft: 0;\n}\n.ui-resizable-s {\n\tcursor: s-resize;\n\theight: 7px;\n\twidth: 100%;\n\tbottom: -5px;\n\tleft: 0;\n}\n.ui-resizable-e {\n\tcursor: e-resize;\n\twidth: 7px;\n\tright: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-w {\n\tcursor: w-resize;\n\twidth: 7px;\n\tleft: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-se {\n\tcursor: se-resize;\n\twidth: 12px;\n\theight: 12px;\n\tright: 1px;\n\tbottom: 1px;\n}\n.ui-resizable-sw {\n\tcursor: sw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\tbottom: -5px;\n}\n.ui-resizable-nw {\n\tcursor: nw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\ttop: -5px;\n}\n.ui-resizable-ne {\n\tcursor: ne-resize;\n\twidth: 9px;\n\theight: 9px;\n\tright: -5px;\n\ttop: -5px;\n}\n.ui-progressbar {\n\theight: 2em;\n\ttext-align: left;\n\toverflow: hidden;\n}\n.ui-progressbar .ui-progressbar-value {\n\tmargin: -1px;\n\theight: 100%;\n}\n.ui-progressbar .ui-progressbar-overlay {\n\tbackground: url("data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw==");\n\theight: 100%;\n\t-ms-filter: "alpha(opacity=25)"; /* support: IE8 */\n\topacity: 0.25;\n}\n.ui-progressbar-indeterminate .ui-progressbar-value {\n\tbackground-image: none;\n}\n.ui-selectable {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-selectable-helper {\n\tposition: absolute;\n\tz-index: 100;\n\tborder: 1px dotted black;\n}\n.ui-selectmenu-menu {\n\tpadding: 0;\n\tmargin: 0;\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tdisplay: none;\n}\n.ui-selectmenu-menu .ui-menu {\n\toverflow: auto;\n\toverflow-x: hidden;\n\tpadding-bottom: 1px;\n}\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\n\tfont-size: 1em;\n\tfont-weight: bold;\n\tline-height: 1.5;\n\tpadding: 2px 0.4em;\n\tmargin: 0.5em 0 0 0;\n\theight: auto;\n\tborder: 0;\n}\n.ui-selectmenu-open {\n\tdisplay: block;\n}\n.ui-selectmenu-text {\n\tdisplay: block;\n\tmargin-right: 20px;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-selectmenu-button.ui-button {\n\ttext-align: left;\n\twhite-space: nowrap;\n\twidth: 14em;\n}\n.ui-selectmenu-icon.ui-icon {\n\tfloat: right;\n\tmargin-top: 0;\n}\n.ui-slider {\n\tposition: relative;\n\ttext-align: left;\n}\n.ui-slider .ui-slider-handle {\n\tposition: absolute;\n\tz-index: 2;\n\twidth: 1.2em;\n\theight: 1.2em;\n\tcursor: pointer;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-slider .ui-slider-range {\n\tposition: absolute;\n\tz-index: 1;\n\tfont-size: .7em;\n\tdisplay: block;\n\tborder: 0;\n\tbackground-position: 0 0;\n}\n\n/* support: IE8 - See #6727 */\n.ui-slider.ui-state-disabled .ui-slider-handle,\n.ui-slider.ui-state-disabled .ui-slider-range {\n\tfilter: inherit;\n}\n\n.ui-slider-horizontal {\n\theight: .8em;\n}\n.ui-slider-horizontal .ui-slider-handle {\n\ttop: -.3em;\n\tmargin-left: -.6em;\n}\n.ui-slider-horizontal .ui-slider-range {\n\ttop: 0;\n\theight: 100%;\n}\n.ui-slider-horizontal .ui-slider-range-min {\n\tleft: 0;\n}\n.ui-slider-horizontal .ui-slider-range-max {\n\tright: 0;\n}\n\n.ui-slider-vertical {\n\twidth: .8em;\n\theight: 100px;\n}\n.ui-slider-vertical .ui-slider-handle {\n\tleft: -.3em;\n\tmargin-left: 0;\n\tmargin-bottom: -.6em;\n}\n.ui-slider-vertical .ui-slider-range {\n\tleft: 0;\n\twidth: 100%;\n}\n.ui-slider-vertical .ui-slider-range-min {\n\tbottom: 0;\n}\n.ui-slider-vertical .ui-slider-range-max {\n\ttop: 0;\n}\n.ui-sortable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-spinner {\n\tposition: relative;\n\tdisplay: inline-block;\n\toverflow: hidden;\n\tpadding: 0;\n\tvertical-align: middle;\n}\n.ui-spinner-input {\n\tborder: none;\n\tbackground: none;\n\tcolor: inherit;\n\tpadding: .222em 0;\n\tmargin: .2em 0;\n\tvertical-align: middle;\n\tmargin-left: .4em;\n\tmargin-right: 2em;\n}\n.ui-spinner-button {\n\twidth: 1.6em;\n\theight: 50%;\n\tfont-size: .5em;\n\tpadding: 0;\n\tmargin: 0;\n\ttext-align: center;\n\tposition: absolute;\n\tcursor: default;\n\tdisplay: block;\n\toverflow: hidden;\n\tright: 0;\n}\n/* more specificity required here to override default borders */\n.ui-spinner a.ui-spinner-button {\n\tborder-top-style: none;\n\tborder-bottom-style: none;\n\tborder-right-style: none;\n}\n.ui-spinner-up {\n\ttop: 0;\n}\n.ui-spinner-down {\n\tbottom: 0;\n}\n.ui-tabs {\n\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as "fixed") */\n\tpadding: .2em;\n}\n.ui-tabs .ui-tabs-nav {\n\tmargin: 0;\n\tpadding: .2em .2em 0;\n}\n.ui-tabs .ui-tabs-nav li {\n\tlist-style: none;\n\tfloat: left;\n\tposition: relative;\n\ttop: 0;\n\tmargin: 1px .2em 0 0;\n\tborder-bottom-width: 0;\n\tpadding: 0;\n\twhite-space: nowrap;\n}\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\n\tfloat: left;\n\tpadding: .5em 1em;\n\ttext-decoration: none;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\n\tmargin-bottom: -1px;\n\tpadding-bottom: 1px;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\n\tcursor: text;\n}\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\n\tcursor: pointer;\n}\n.ui-tabs .ui-tabs-panel {\n\tdisplay: block;\n\tborder-width: 0;\n\tpadding: 1em 1.4em;\n\tbackground: none;\n}\n.ui-tooltip {\n\tpadding: 8px;\n\tposition: absolute;\n\tz-index: 9999;\n\tmax-width: 300px;\n}\nbody .ui-tooltip {\n\tborder-width: 2px;\n}\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url("images/ui-icons_555555_256x240.png");\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url("images/ui-icons_ffffff_256x240.png");\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url("images/ui-icons_777620_256x240.png");\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url("images/ui-icons_cc0000_256x240.png");\n}\n.ui-button .ui-icon {\n\tbackground-image: url("images/ui-icons_777777_256x240.png");\n}\n\n/* positioning */\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n'],sourceRoot:""}]);const E=m},13169:(t,e,i)=>{"use strict";i.d(e,{A:()=>w});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(3132),i.b),u=new URL(i(19394),i.b),h=new URL(i(81972),i.b),d=new URL(i(6411),i.b),p=new URL(i(14506),i.b),A=new URL(i(64886),i.b),f=s()(o()),g=c()(l),m=c()(u),C=c()(h),b=c()(d),v=c()(p),x=c()(A);f.push([t.id,`/*!\n * jQuery UI CSS Framework 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/category/theming/\n *\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n */\n\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${g});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${g});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${m});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${C});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${b});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${v});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${x});\n}\n\n/* positioning */\n/* Three classes needed to override \`.ui-button:hover .ui-icon\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`,"",{version:3,sources:["webpack://./node_modules/jquery-ui-dist/jquery-ui.theme.css"],names:[],mappings:"AAAA;;;;;;;;;;;EAWE;;;AAGF;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC",sourcesContent:['/*!\n * jQuery UI CSS Framework 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/category/theming/\n *\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n */\n\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: "alpha(opacity=70)"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: "alpha(opacity=35)"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url("images/ui-icons_444444_256x240.png");\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url("images/ui-icons_555555_256x240.png");\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url("images/ui-icons_ffffff_256x240.png");\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url("images/ui-icons_777620_256x240.png");\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url("images/ui-icons_cc0000_256x240.png");\n}\n.ui-button .ui-icon {\n\tbackground-image: url("images/ui-icons_777777_256x240.png");\n}\n\n/* positioning */\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: "alpha(opacity=.3)"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n'],sourceRoot:""}]);const w=f},90628:(t,e,i)=>{"use strict";i.d(e,{A:()=>v});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(7369),i.b),u=new URL(i(48832),i.b),h=new URL(i(36114),i.b),d=new URL(i(83864),i.b),p=new URL(i(26609),i.b),A=s()(o()),f=c()(l),g=c()(u),m=c()(h),C=c()(d),b=c()(p);A.push([t.id,`.ui-widget-content{border:1px solid var(--color-border);background:var(--color-main-background) none;color:var(--color-main-text)}.ui-widget-content a{color:var(--color-main-text)}.ui-widget-header{border:none;color:var(--color-main-text);background-image:none}.ui-widget-header a{color:var(--color-main-text)}.ui-state-default,.ui-widget-content .ui-state-default,.ui-widget-header .ui-state-default{border:1px solid var(--color-border);background:var(--color-main-background) none;font-weight:bold;color:#555}.ui-state-default a,.ui-state-default a:link,.ui-state-default a:visited{color:#555}.ui-state-hover,.ui-widget-content .ui-state-hover,.ui-widget-header .ui-state-hover,.ui-state-focus,.ui-widget-content .ui-state-focus,.ui-widget-header .ui-state-focus{border:1px solid #ddd;background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-hover a,.ui-state-hover a:hover,.ui-state-hover a:link,.ui-state-hover a:visited{color:var(--color-main-text)}.ui-state-active,.ui-widget-content .ui-state-active,.ui-widget-header .ui-state-active{border:1px solid var(--color-primary-element);background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-active a,.ui-state-active a:link,.ui-state-active a:visited{color:var(--color-main-text)}.ui-state-highlight,.ui-widget-content .ui-state-highlight,.ui-widget-header .ui-state-highlight{border:1px solid var(--color-main-background);background:var(--color-main-background) none;color:var(--color-text-light);font-weight:600}.ui-state-highlight a,.ui-widget-content .ui-state-highlight a,.ui-widget-header .ui-state-highlight a{color:var(--color-text-lighter)}.ui-state-error,.ui-widget-content .ui-state-error,.ui-widget-header .ui-state-error{border:var(--color-error);background:var(--color-error) none;color:#fff}.ui-state-error a,.ui-widget-content .ui-state-error a,.ui-widget-header .ui-state-error a{color:#fff}.ui-state-error-text,.ui-widget-content .ui-state-error-text,.ui-widget-header .ui-state-error-text{color:#fff}.ui-state-default .ui-icon{background-image:url(${f})}.ui-state-hover .ui-icon,.ui-state-focus .ui-icon{background-image:url(${f})}.ui-state-active .ui-icon{background-image:url(${f})}.ui-state-highlight .ui-icon{background-image:url(${g})}.ui-state-error .ui-icon,.ui-state-error-text .ui-icon{background-image:url(${m})}.ui-icon.ui-icon-none{display:none}.ui-widget-overlay{background:#666 url(${C}) 50% 50% repeat;opacity:.5}.ui-widget-shadow{margin:-5px 0 0 -5px;padding:5px;background:#000 url(${b}) 50% 50% repeat-x;opacity:.2;border-radius:5px}.ui-tabs{border:none}.ui-tabs .ui-tabs-nav.ui-corner-all{border-end-start-radius:0;border-end-end-radius:0}.ui-tabs .ui-tabs-nav{background:none;margin-bottom:15px}.ui-tabs .ui-tabs-nav .ui-state-default{border:none;border-bottom:1px solid rgba(0,0,0,0);font-weight:normal;margin:0 !important;padding:0 !important}.ui-tabs .ui-tabs-nav .ui-state-hover,.ui-tabs .ui-tabs-nav .ui-state-active{border:none;border-bottom:1px solid var(--color-main-text);color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-hover a,.ui-tabs .ui-tabs-nav .ui-state-hover a:link,.ui-tabs .ui-tabs-nav .ui-state-hover a:hover,.ui-tabs .ui-tabs-nav .ui-state-hover a:visited,.ui-tabs .ui-tabs-nav .ui-state-active a,.ui-tabs .ui-tabs-nav .ui-state-active a:link,.ui-tabs .ui-tabs-nav .ui-state-active a:hover,.ui-tabs .ui-tabs-nav .ui-state-active a:visited{color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-active{font-weight:bold}.ui-autocomplete.ui-menu{padding:0}.ui-autocomplete.ui-menu.item-count-1,.ui-autocomplete.ui-menu.item-count-2{overflow-y:hidden}.ui-autocomplete.ui-menu .ui-menu-item a{color:var(--color-text-lighter);display:block;padding:4px;padding-inline-start:14px}.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-focus,.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-active{box-shadow:inset 4px 0 var(--color-primary-element);color:var(--color-main-text)}.ui-autocomplete.ui-widget-content{background:var(--color-main-background);border-top:none}.ui-autocomplete.ui-corner-all{border-radius:0;border-end-start-radius:var(--border-radius);border-end-end-radius:var(--border-radius)}.ui-autocomplete .ui-state-hover,.ui-autocomplete .ui-widget-content .ui-state-hover,.ui-autocomplete .ui-widget-header .ui-state-hover,.ui-autocomplete .ui-state-focus,.ui-autocomplete .ui-widget-content .ui-state-focus,.ui-autocomplete .ui-widget-header .ui-state-focus{border:1px solid rgba(0,0,0,0);background:inherit;color:var(--color-primary-element)}.ui-autocomplete .ui-menu-item a{border-radius:0 !important}.ui-button.primary{background-color:var(--color-primary-element);color:var(--color-primary-element-text);border:1px solid var(--color-primary-element-text)}.ui-button:hover{font-weight:bold !important}.ui-draggable-handle,.ui-selectable{touch-action:pan-y}`,"",{version:3,sources:["webpack://./core/src/jquery/css/jquery-ui-fixes.scss"],names:[],mappings:"AAMA,mBACC,oCAAA,CACA,4CAAA,CACA,4BAAA,CAGD,qBACC,4BAAA,CAGD,kBACC,WAAA,CACA,4BAAA,CACA,qBAAA,CAGD,oBACC,4BAAA,CAKD,2FAGC,oCAAA,CACA,4CAAA,CACA,gBAAA,CACA,UAAA,CAGD,yEAGC,UAAA,CAGD,0KAMC,qBAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,2FAIC,4BAAA,CAGD,wFAGC,6CAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,sEAGC,4BAAA,CAKD,iGAGC,6CAAA,CACA,4CAAA,CACA,6BAAA,CACA,eAAA,CAGD,uGAGC,+BAAA,CAGD,qFAGC,yBAAA,CACA,kCAAA,CACA,UAAA,CAGD,2FAGC,UAAA,CAGD,oGAGC,UAAA,CAKD,2BACC,wDAAA,CAGD,kDAEC,wDAAA,CAGD,0BACC,wDAAA,CAGD,6BACC,wDAAA,CAGD,uDAEC,wDAAA,CAGD,sBACC,YAAA,CAMD,mBACC,sEAAA,CACA,UAAA,CAGD,kBACC,oBAAA,CACA,WAAA,CACA,wEAAA,CACA,UAAA,CACA,iBAAA,CAID,SACC,WAAA,CAEA,oCACC,yBAAA,CACA,uBAAA,CAGD,sBACC,eAAA,CACA,kBAAA,CAEA,wCACC,WAAA,CACA,qCAAA,CACA,kBAAA,CACA,mBAAA,CACA,oBAAA,CAGD,6EAEC,WAAA,CACA,8CAAA,CACA,4BAAA,CACA,0WACC,4BAAA,CAGF,uCACC,gBAAA,CAOF,yBACC,SAAA,CAIA,4EAEC,iBAAA,CAGD,yCACC,+BAAA,CACA,aAAA,CACA,WAAA,CACA,yBAAA,CAEA,iHACC,mDAAA,CACA,4BAAA,CAKH,mCACC,uCAAA,CACA,eAAA,CAGD,+BACC,eAAA,CACA,4CAAA,CACA,0CAAA,CAGD,gRAKC,8BAAA,CACA,kBAAA,CACA,kCAAA,CAIA,iCACC,0BAAA,CAKH,mBACC,6CAAA,CACA,uCAAA,CACA,kDAAA,CAID,iBACI,2BAAA,CAKJ,oCAEC,kBAAA",sourceRoot:""}]);const v=A},2791:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".oc-dialog{background:var(--color-main-background);color:var(--color-text-light);border-radius:var(--border-radius-large);box-shadow:0 0 30px var(--color-box-shadow);padding:24px;z-index:100001;font-size:100%;box-sizing:border-box;min-width:200px;top:50%;inset-inline-start:50%;transform:translate(-50%, -50%);max-height:calc(100% - 20px);max-width:calc(100% - 20px);overflow:auto}.oc-dialog-title{background:var(--color-main-background)}.oc-dialog-buttonrow{position:relative;display:flex;background:rgba(0,0,0,0);inset-inline-end:0;bottom:0;padding:0;padding-top:10px;box-sizing:border-box;width:100%;background-image:linear-gradient(rgba(255, 255, 255, 0), var(--color-main-background))}.oc-dialog-buttonrow.twobuttons{justify-content:space-between}.oc-dialog-buttonrow.onebutton,.oc-dialog-buttonrow.twobuttons.aside{justify-content:flex-end}.oc-dialog-buttonrow button{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;height:44px;min-width:44px}.oc-dialog-close{position:absolute;width:44px !important;height:44px !important;top:4px;inset-inline-end:4px;padding:25px;background:var(--icon-close-dark) no-repeat center;opacity:.5;border-radius:var(--border-radius-pill)}.oc-dialog-close:hover,.oc-dialog-close:focus,.oc-dialog-close:active{opacity:1}.oc-dialog-dim{background-color:#000;opacity:.2;z-index:100001;position:fixed;top:0;inset-inline-start:0;width:100%;height:100%}body.theme--dark .oc-dialog-dim{opacity:.8}.oc-dialog-content{width:100%;max-width:550px}.oc-dialog.password-confirmation .oc-dialog-content{width:auto}.oc-dialog.password-confirmation .oc-dialog-content input[type=password]{width:100%}.oc-dialog.password-confirmation .oc-dialog-content label{display:none}","",{version:3,sources:["webpack://./core/src/jquery/css/jquery.ocdialog.scss"],names:[],mappings:"AAIA,WACC,uCAAA,CACA,6BAAA,CACA,wCAAA,CACA,2CAAA,CACA,YAAA,CACA,cAAA,CACA,cAAA,CACA,qBAAA,CACA,eAAA,CACA,OAAA,CACA,sBAAA,CACA,+BAAA,CACA,4BAAA,CACA,2BAAA,CACA,aAAA,CAGD,iBACC,uCAAA,CAGD,qBACC,iBAAA,CACA,YAAA,CACA,wBAAA,CACA,kBAAA,CACA,QAAA,CACA,SAAA,CACA,gBAAA,CACA,qBAAA,CACA,UAAA,CACA,sFAAA,CAEA,gCACO,6BAAA,CAGP,qEAEC,wBAAA,CAGD,4BACI,kBAAA,CACA,eAAA,CACH,sBAAA,CACA,WAAA,CACA,cAAA,CAIF,iBACC,iBAAA,CACA,qBAAA,CACA,sBAAA,CACA,OAAA,CACA,oBAAA,CACA,YAAA,CACA,kDAAA,CACA,UAAA,CACA,uCAAA,CAEA,sEAGC,SAAA,CAIF,eACC,qBAAA,CACA,UAAA,CACA,cAAA,CACA,cAAA,CACA,KAAA,CACA,oBAAA,CACA,UAAA,CACA,WAAA,CAGD,gCACC,UAAA,CAGD,mBACC,UAAA,CACA,eAAA,CAIA,oDACC,UAAA,CAEA,yEACC,UAAA,CAED,0DACC,YAAA",sourceRoot:""}]);const a=s},35156:(t,e,i)=>{"use strict";i.d(e,{A:()=>g});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r),a=i(4417),c=i.n(a),l=new URL(i(65653),i.b),u=new URL(i(22046),i.b),h=new URL(i(32095),i.b),d=s()(o()),p=c()(l),A=c()(u),f=c()(h);d.push([t.id,`/*\nVersion: @@ver@@ Timestamp: @@timestamp@@\n*/\n.select2-container {\n margin: 0;\n position: relative;\n display: inline-block;\n /* inline-block for ie7 */\n zoom: 1;\n *display: inline;\n vertical-align: middle;\n}\n\n.select2-container,\n.select2-drop,\n.select2-search,\n.select2-search input {\n /*\n Force border-box so that % widths fit the parent\n container without overlap because of margin/padding.\n More Info : http://www.quirksmode.org/css/box.html\n */\n -webkit-box-sizing: border-box; /* webkit */\n -moz-box-sizing: border-box; /* firefox */\n box-sizing: border-box; /* css3 */\n}\n\n.select2-container .select2-choice {\n display: block;\n height: 26px;\n padding: 0 0 0 8px;\n overflow: hidden;\n position: relative;\n\n border: 1px solid #aaa;\n white-space: nowrap;\n line-height: 26px;\n color: #444;\n text-decoration: none;\n\n border-radius: 4px;\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice {\n padding: 0 8px 0 0;\n}\n\n.select2-container.select2-drop-above .select2-choice {\n border-bottom-color: #aaa;\n\n border-radius: 0 0 4px 4px;\n\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\n}\n\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\n margin-right: 42px;\n}\n\n.select2-container .select2-choice > .select2-chosen {\n margin-right: 26px;\n display: block;\n overflow: hidden;\n\n white-space: nowrap;\n\n text-overflow: ellipsis;\n float: none;\n width: auto;\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice > .select2-chosen {\n margin-left: 26px;\n margin-right: 0;\n}\n\n.select2-container .select2-choice abbr {\n display: none;\n width: 12px;\n height: 12px;\n position: absolute;\n right: 24px;\n top: 8px;\n\n font-size: 1px;\n text-decoration: none;\n\n border: 0;\n background: url(${p}) right top no-repeat;\n cursor: pointer;\n outline: 0;\n}\n\n.select2-container.select2-allowclear .select2-choice abbr {\n display: inline-block;\n}\n\n.select2-container .select2-choice abbr:hover {\n background-position: right -11px;\n cursor: pointer;\n}\n\n.select2-drop-mask {\n border: 0;\n margin: 0;\n padding: 0;\n position: fixed;\n left: 0;\n top: 0;\n min-height: 100%;\n min-width: 100%;\n height: auto;\n width: auto;\n opacity: 0;\n z-index: 9998;\n /* styles required for IE to work */\n background-color: #fff;\n filter: alpha(opacity=0);\n}\n\n.select2-drop {\n width: 100%;\n margin-top: -1px;\n position: absolute;\n z-index: 9999;\n top: 100%;\n\n background: #fff;\n color: #000;\n border: 1px solid #aaa;\n border-top: 0;\n\n border-radius: 0 0 4px 4px;\n\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop.select2-drop-above {\n margin-top: 1px;\n border-top: 1px solid #aaa;\n border-bottom: 0;\n\n border-radius: 4px 4px 0 0;\n\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop-active {\n border: 1px solid #5897fb;\n border-top: none;\n}\n\n.select2-drop.select2-drop-above.select2-drop-active {\n border-top: 1px solid #5897fb;\n}\n\n.select2-drop-auto-width {\n border-top: 1px solid #aaa;\n width: auto;\n}\n\n.select2-drop-auto-width .select2-search {\n padding-top: 4px;\n}\n\n.select2-container .select2-choice .select2-arrow {\n display: inline-block;\n width: 18px;\n height: 100%;\n position: absolute;\n right: 0;\n top: 0;\n\n border-left: 1px solid #aaa;\n border-radius: 0 4px 4px 0;\n\n background-clip: padding-box;\n\n background: #ccc;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice .select2-arrow {\n left: 0;\n right: auto;\n\n border-left: none;\n border-right: 1px solid #aaa;\n border-radius: 4px 0 0 4px;\n}\n\n.select2-container .select2-choice .select2-arrow b {\n display: block;\n width: 100%;\n height: 100%;\n background: url(${p}) no-repeat 0 1px;\n}\n\nhtml[dir="rtl"] .select2-container .select2-choice .select2-arrow b {\n background-position: 2px 1px;\n}\n\n.select2-search {\n display: inline-block;\n width: 100%;\n min-height: 26px;\n margin: 0;\n padding-left: 4px;\n padding-right: 4px;\n\n position: relative;\n z-index: 10000;\n\n white-space: nowrap;\n}\n\n.select2-search input {\n width: 100%;\n height: auto !important;\n min-height: 26px;\n padding: 4px 20px 4px 5px;\n margin: 0;\n\n outline: 0;\n font-family: sans-serif;\n font-size: 1em;\n\n border: 1px solid #aaa;\n border-radius: 0;\n\n -webkit-box-shadow: none;\n box-shadow: none;\n\n background: #fff url(${p}) no-repeat 100% -22px;\n background: url(${p}) no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${p}) no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\nhtml[dir="rtl"] .select2-search input {\n padding: 4px 5px 4px 20px;\n\n background: #fff url(${p}) no-repeat -37px -22px;\n background: url(${p}) no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${p}) no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${p}) no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-drop.select2-drop-above .select2-search input {\n margin-top: 4px;\n}\n\n.select2-search input.select2-active {\n background: #fff url(${A}) no-repeat 100%;\n background: url(${A}) no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${A}) no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${A}) no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${A}) no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-container-active .select2-choice,\n.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n\n.select2-dropdown-open .select2-choice {\n border-bottom-color: transparent;\n -webkit-box-shadow: 0 1px 0 #fff inset;\n box-shadow: 0 1px 0 #fff inset;\n\n border-bottom-left-radius: 0;\n border-bottom-right-radius: 0;\n\n background-color: #eee;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open.select2-drop-above .select2-choice,\n.select2-dropdown-open.select2-drop-above .select2-choices {\n border: 1px solid #5897fb;\n border-top-color: transparent;\n\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow {\n background: transparent;\n border-left: none;\n filter: none;\n}\nhtml[dir="rtl"] .select2-dropdown-open .select2-choice .select2-arrow {\n border-right: none;\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -18px 1px;\n}\n\nhtml[dir="rtl"] .select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -16px 1px;\n}\n\n.select2-hidden-accessible {\n border: 0;\n clip: rect(0 0 0 0);\n height: 1px;\n margin: -1px;\n overflow: hidden;\n padding: 0;\n position: absolute;\n width: 1px;\n}\n\n/* results */\n.select2-results {\n max-height: 200px;\n padding: 0 0 0 4px;\n margin: 4px 4px 4px 0;\n position: relative;\n overflow-x: hidden;\n overflow-y: auto;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\nhtml[dir="rtl"] .select2-results {\n padding: 0 4px 0 0;\n margin: 4px 0 4px 4px;\n}\n\n.select2-results ul.select2-result-sub {\n margin: 0;\n padding-left: 0;\n}\n\n.select2-results li {\n list-style: none;\n display: list-item;\n background-image: none;\n}\n\n.select2-results li.select2-result-with-children > .select2-result-label {\n font-weight: bold;\n}\n\n.select2-results .select2-result-label {\n padding: 3px 7px 4px;\n margin: 0;\n cursor: pointer;\n\n min-height: 1em;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\n\n.select2-results .select2-highlighted {\n background: #3875d7;\n color: #fff;\n}\n\n.select2-results li em {\n background: #feffde;\n font-style: normal;\n}\n\n.select2-results .select2-highlighted em {\n background: transparent;\n}\n\n.select2-results .select2-highlighted ul {\n background: #fff;\n color: #000;\n}\n\n.select2-results .select2-no-results,\n.select2-results .select2-searching,\n.select2-results .select2-ajax-error,\n.select2-results .select2-selection-limit {\n background: #f4f4f4;\n display: list-item;\n padding-left: 5px;\n}\n\n/*\ndisabled look for disabled choices in the results dropdown\n*/\n.select2-results .select2-disabled.select2-highlighted {\n color: #666;\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n.select2-results .select2-disabled {\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n\n.select2-results .select2-selected {\n display: none;\n}\n\n.select2-more-results.select2-active {\n background: #f4f4f4 url(${A}) no-repeat 100%;\n}\n\n.select2-results .select2-ajax-error {\n background: rgba(255, 50, 50, .2);\n}\n\n.select2-more-results {\n background: #f4f4f4;\n display: list-item;\n}\n\n/* disabled styles */\n\n.select2-container.select2-container-disabled .select2-choice {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\n background-color: #f4f4f4;\n background-image: none;\n border-left: 0;\n}\n\n.select2-container.select2-container-disabled .select2-choice abbr {\n display: none;\n}\n\n\n/* multiselect */\n\n.select2-container-multi .select2-choices {\n height: auto !important;\n height: 1%;\n margin: 0;\n padding: 0 5px 0 0;\n position: relative;\n\n border: 1px solid #aaa;\n cursor: text;\n overflow: hidden;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\n}\n\nhtml[dir="rtl"] .select2-container-multi .select2-choices {\n padding: 0 0 0 5px;\n}\n\n.select2-locked {\n padding: 3px 5px 3px 5px !important;\n}\n\n.select2-container-multi .select2-choices {\n min-height: 26px;\n}\n\n.select2-container-multi.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n.select2-container-multi .select2-choices li {\n float: left;\n list-style: none;\n}\nhtml[dir="rtl"] .select2-container-multi .select2-choices li\n{\n float: right;\n}\n.select2-container-multi .select2-choices .select2-search-field {\n margin: 0;\n padding: 0;\n white-space: nowrap;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input {\n padding: 5px;\n margin: 1px 0;\n\n font-family: sans-serif;\n font-size: 100%;\n color: #666;\n outline: 0;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n background: transparent !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\n background: #fff url(${A}) no-repeat 100% !important;\n}\n\n.select2-default {\n color: #999 !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 18px;\n margin: 3px 0 3px 5px;\n position: relative;\n\n line-height: 13px;\n color: #333;\n cursor: default;\n border: 1px solid #aaaaaa;\n\n border-radius: 3px;\n\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #e4e4e4;\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n}\nhtml[dir="rtl"] .select2-container-multi .select2-choices .select2-search-choice\n{\n margin: 3px 5px 3px 0;\n padding: 3px 18px 3px 5px;\n}\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\n cursor: default;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus {\n background: #d4d4d4;\n}\n\n.select2-search-choice-close {\n display: block;\n width: 12px;\n height: 13px;\n position: absolute;\n right: 3px;\n top: 4px;\n\n font-size: 1px;\n outline: none;\n background: url(${p}) right top no-repeat;\n}\nhtml[dir="rtl"] .select2-search-choice-close {\n right: auto;\n left: 3px;\n}\n\n.select2-container-multi .select2-search-choice-close {\n left: 3px;\n}\n\nhtml[dir="rtl"] .select2-container-multi .select2-search-choice-close {\n left: auto;\n right: 2px;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\n background-position: right -11px;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\n background-position: right -11px;\n}\n\n/* disabled styles */\n.select2-container-multi.select2-container-disabled .select2-choices {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 5px;\n border: 1px solid #ddd;\n background-image: none;\n background-color: #f4f4f4;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\n background: none;\n}\n/* end multiselect */\n\n\n.select2-result-selectable .select2-match,\n.select2-result-unselectable .select2-match {\n text-decoration: underline;\n}\n\n.select2-offscreen, .select2-offscreen:focus {\n clip: rect(0 0 0 0) !important;\n width: 1px !important;\n height: 1px !important;\n border: 0 !important;\n margin: 0 !important;\n padding: 0 !important;\n overflow: hidden !important;\n position: absolute !important;\n outline: 0 !important;\n left: 0px !important;\n top: 0px !important;\n}\n\n.select2-display-none {\n display: none;\n}\n\n.select2-measure-scrollbar {\n position: absolute;\n top: -10000px;\n left: -10000px;\n width: 100px;\n height: 100px;\n overflow: scroll;\n}\n\n/* Retina-ize icons */\n\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\n .select2-search input,\n .select2-search-choice-close,\n .select2-container .select2-choice abbr,\n .select2-container .select2-choice .select2-arrow b {\n background-image: url(${f}) !important;\n background-repeat: no-repeat !important;\n background-size: 60px 40px !important;\n }\n\n .select2-search input {\n background-position: 100% -21px !important;\n }\n}\n`,"",{version:3,sources:["webpack://./node_modules/select2/select2.css"],names:[],mappings:"AAAA;;CAEC;AACD;IACI,SAAS;IACT,kBAAkB;IAClB,qBAAqB;IACrB,yBAAyB;IACzB,OAAO;KACP,eAAgB;IAChB,sBAAsB;AAC1B;;AAEA;;;;EAIE;;;;GAIC;EACD,8BAA8B,EAAE,WAAW;KACxC,2BAA2B,EAAE,YAAY;UACpC,sBAAsB,EAAE,SAAS;AAC3C;;AAEA;IACI,cAAc;IACd,YAAY;IACZ,kBAAkB;IAClB,gBAAgB;IAChB,kBAAkB;;IAElB,sBAAsB;IACtB,mBAAmB;IACnB,iBAAiB;IACjB,WAAW;IACX,qBAAqB;;IAErB,kBAAkB;;IAElB,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,yBAAyB;;IAEzB,0BAA0B;;IAE1B,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,kBAAkB;IAClB,cAAc;IACd,gBAAgB;;IAEhB,mBAAmB;;IAEnB,uBAAuB;IACvB,WAAW;IACX,WAAW;AACf;;AAEA;IACI,iBAAiB;IACjB,eAAe;AACnB;;AAEA;IACI,aAAa;IACb,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,WAAW;IACX,QAAQ;;IAER,cAAc;IACd,qBAAqB;;IAErB,SAAS;IACT,uEAAkD;IAClD,eAAe;IACf,UAAU;AACd;;AAEA;IACI,qBAAqB;AACzB;;AAEA;IACI,gCAAgC;IAChC,eAAe;AACnB;;AAEA;IACI,SAAS;IACT,SAAS;IACT,UAAU;IACV,eAAe;IACf,OAAO;IACP,MAAM;IACN,gBAAgB;IAChB,eAAe;IACf,YAAY;IACZ,WAAW;IACX,UAAU;IACV,aAAa;IACb,mCAAmC;IACnC,sBAAsB;IACtB,wBAAwB;AAC5B;;AAEA;IACI,WAAW;IACX,gBAAgB;IAChB,kBAAkB;IAClB,aAAa;IACb,SAAS;;IAET,gBAAgB;IAChB,WAAW;IACX,sBAAsB;IACtB,aAAa;;IAEb,0BAA0B;;IAE1B,gDAAgD;YACxC,wCAAwC;AACpD;;AAEA;IACI,eAAe;IACf,0BAA0B;IAC1B,gBAAgB;;IAEhB,0BAA0B;;IAE1B,iDAAiD;YACzC,yCAAyC;AACrD;;AAEA;IACI,yBAAyB;IACzB,gBAAgB;AACpB;;AAEA;IACI,6BAA6B;AACjC;;AAEA;IACI,0BAA0B;IAC1B,WAAW;AACf;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,QAAQ;IACR,MAAM;;IAEN,2BAA2B;IAC3B,0BAA0B;;IAE1B,4BAA4B;;IAE5B,gBAAgB;IAChB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,OAAO;IACP,WAAW;;IAEX,iBAAiB;IACjB,4BAA4B;IAC5B,0BAA0B;AAC9B;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,mEAA8C;AAClD;;AAEA;IACI,4BAA4B;AAChC;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,gBAAgB;IAChB,SAAS;IACT,iBAAiB;IACjB,kBAAkB;;IAElB,kBAAkB;IAClB,cAAc;;IAEd,mBAAmB;AACvB;;AAEA;IACI,WAAW;IACX,uBAAuB;IACvB,gBAAgB;IAChB,yBAAyB;IACzB,SAAS;;IAET,UAAU;IACV,uBAAuB;IACvB,cAAc;;IAEd,sBAAsB;IACtB,gBAAgB;;IAEhB,wBAAwB;YAChB,gBAAgB;;IAExB,6EAAwD;IACxD,yKAAoJ;IACpJ,oIAA+G;IAC/G,iIAA4G;IAC5G,4HAAuG;AAC3G;;AAEA;IACI,yBAAyB;;IAEzB,8EAAyD;IACzD,0KAAqJ;IACrJ,qIAAgH;IAChH,kIAA6G;IAC7G,6HAAwG;AAC5G;;AAEA;IACI,eAAe;AACnB;;AAEA;IACI,uEAA0D;IAC1D,mKAAsJ;IACtJ,8HAAiH;IACjH,2HAA8G;IAC9G,sHAAyG;AAC7G;;AAEA;;IAEI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;;AAEA;IACI,gCAAgC;IAChC,sCAAsC;YAC9B,8BAA8B;;IAEtC,4BAA4B;IAC5B,6BAA6B;;IAE7B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,4DAA4D;AAChE;;AAEA;;IAEI,yBAAyB;IACzB,6BAA6B;;IAE7B,6GAA6G;IAC7G,wEAAwE;IACxE,qEAAqE;IACrE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,uBAAuB;IACvB,iBAAiB;IACjB,YAAY;AAChB;AACA;IACI,kBAAkB;AACtB;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,SAAS;IACT,mBAAmB;IACnB,WAAW;IACX,YAAY;IACZ,gBAAgB;IAChB,UAAU;IACV,kBAAkB;IAClB,UAAU;AACd;;AAEA,YAAY;AACZ;IACI,iBAAiB;IACjB,kBAAkB;IAClB,qBAAqB;IACrB,kBAAkB;IAClB,kBAAkB;IAClB,gBAAgB;IAChB,6CAA6C;AACjD;;AAEA;IACI,kBAAkB;IAClB,qBAAqB;AACzB;;AAEA;IACI,SAAS;IACT,eAAe;AACnB;;AAEA;IACI,gBAAgB;IAChB,kBAAkB;IAClB,sBAAsB;AAC1B;;AAEA;IACI,iBAAiB;AACrB;;AAEA;IACI,oBAAoB;IACpB,SAAS;IACT,eAAe;;IAEf,eAAe;;IAEf,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;AAC/B;;AAEA,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;;AAEpE;IACI,mBAAmB;IACnB,WAAW;AACf;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA;IACI,uBAAuB;AAC3B;;AAEA;IACI,gBAAgB;IAChB,WAAW;AACf;;AAEA;;;;IAII,mBAAmB;IACnB,kBAAkB;IAClB,iBAAiB;AACrB;;AAEA;;CAEC;AACD;IACI,WAAW;IACX,mBAAmB;IACnB,kBAAkB;IAClB,eAAe;AACnB;AACA;EACE,mBAAmB;EACnB,kBAAkB;EAClB,eAAe;AACjB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,0EAA6D;AACjE;;AAEA;IACI,iCAAiC;AACrC;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA,oBAAoB;;AAEpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,yBAAyB;IACzB,sBAAsB;IACtB,cAAc;AAClB;;AAEA;IACI,aAAa;AACjB;;;AAGA,gBAAgB;;AAEhB;IACI,uBAAuB;IACvB,UAAU;IACV,SAAS;IACT,kBAAkB;IAClB,kBAAkB;;IAElB,sBAAsB;IACtB,YAAY;IACZ,gBAAgB;;IAEhB,sBAAsB;IACtB,uGAAuG;IACvG,iEAAiE;IACjE,8DAA8D;IAC9D,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;EACE,mCAAmC;AACrC;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;AACA;IACI,WAAW;IACX,gBAAgB;AACpB;AACA;;IAEI,YAAY;AAChB;AACA;IACI,SAAS;IACT,UAAU;IACV,mBAAmB;AACvB;;AAEA;IACI,YAAY;IACZ,aAAa;;IAEb,uBAAuB;IACvB,eAAe;IACf,WAAW;IACX,UAAU;IACV,SAAS;IACT,wBAAwB;YAChB,gBAAgB;IACxB,kCAAkC;AACtC;;AAEA;IACI,kFAAqE;AACzE;;AAEA;IACI,sBAAsB;AAC1B;;AAEA;IACI,yBAAyB;IACzB,qBAAqB;IACrB,kBAAkB;;IAElB,iBAAiB;IACjB,WAAW;IACX,eAAe;IACf,yBAAyB;;IAEzB,kBAAkB;;IAElB,mEAAmE;YAC3D,2DAA2D;;IAEnE,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,yBAAyB;IACzB,kHAAkH;IAClH,gKAAgK;IAChK,gGAAgG;IAChG,6FAA6F;IAC7F,8FAA8F;AAClG;AACA;;IAEI,qBAAqB;IACrB,yBAAyB;AAC7B;AACA;IACI,eAAe;AACnB;AACA;IACI,mBAAmB;AACvB;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,UAAU;IACV,QAAQ;;IAER,cAAc;IACd,aAAa;IACb,uEAAkD;AACtD;AACA;IACI,WAAW;IACX,SAAS;AACb;;AAEA;IACI,SAAS;AACb;;AAEA;IACI,UAAU;IACV,UAAU;AACd;;AAEA;EACE,gCAAgC;AAClC;AACA;IACI,gCAAgC;AACpC;;AAEA,oBAAoB;AACpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,wBAAwB;IACxB,sBAAsB;IACtB,sBAAsB;IACtB,yBAAyB;AAC7B;;AAEA,8HAA8H,aAAa;IACvI,gBAAgB;AACpB;AACA,oBAAoB;;;AAGpB;;IAEI,0BAA0B;AAC9B;;AAEA;IACI,8BAA8B;IAC9B,qBAAqB;IACrB,sBAAsB;IACtB,oBAAoB;IACpB,oBAAoB;IACpB,qBAAqB;IACrB,2BAA2B;IAC3B,6BAA6B;IAC7B,qBAAqB;IACrB,oBAAoB;IACpB,mBAAmB;AACvB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,kBAAkB;IAClB,aAAa;IACb,cAAc;IACd,YAAY;IACZ,aAAa;IACb,gBAAgB;AACpB;;AAEA,qBAAqB;;AAErB;IACI;;;;QAII,oEAAiD;QACjD,uCAAuC;QACvC,qCAAqC;IACzC;;IAEA;QACI,0CAA0C;IAC9C;AACJ",sourcesContent:["/*\nVersion: @@ver@@ Timestamp: @@timestamp@@\n*/\n.select2-container {\n margin: 0;\n position: relative;\n display: inline-block;\n /* inline-block for ie7 */\n zoom: 1;\n *display: inline;\n vertical-align: middle;\n}\n\n.select2-container,\n.select2-drop,\n.select2-search,\n.select2-search input {\n /*\n Force border-box so that % widths fit the parent\n container without overlap because of margin/padding.\n More Info : http://www.quirksmode.org/css/box.html\n */\n -webkit-box-sizing: border-box; /* webkit */\n -moz-box-sizing: border-box; /* firefox */\n box-sizing: border-box; /* css3 */\n}\n\n.select2-container .select2-choice {\n display: block;\n height: 26px;\n padding: 0 0 0 8px;\n overflow: hidden;\n position: relative;\n\n border: 1px solid #aaa;\n white-space: nowrap;\n line-height: 26px;\n color: #444;\n text-decoration: none;\n\n border-radius: 4px;\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice {\n padding: 0 8px 0 0;\n}\n\n.select2-container.select2-drop-above .select2-choice {\n border-bottom-color: #aaa;\n\n border-radius: 0 0 4px 4px;\n\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\n}\n\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\n margin-right: 42px;\n}\n\n.select2-container .select2-choice > .select2-chosen {\n margin-right: 26px;\n display: block;\n overflow: hidden;\n\n white-space: nowrap;\n\n text-overflow: ellipsis;\n float: none;\n width: auto;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice > .select2-chosen {\n margin-left: 26px;\n margin-right: 0;\n}\n\n.select2-container .select2-choice abbr {\n display: none;\n width: 12px;\n height: 12px;\n position: absolute;\n right: 24px;\n top: 8px;\n\n font-size: 1px;\n text-decoration: none;\n\n border: 0;\n background: url('select2.png') right top no-repeat;\n cursor: pointer;\n outline: 0;\n}\n\n.select2-container.select2-allowclear .select2-choice abbr {\n display: inline-block;\n}\n\n.select2-container .select2-choice abbr:hover {\n background-position: right -11px;\n cursor: pointer;\n}\n\n.select2-drop-mask {\n border: 0;\n margin: 0;\n padding: 0;\n position: fixed;\n left: 0;\n top: 0;\n min-height: 100%;\n min-width: 100%;\n height: auto;\n width: auto;\n opacity: 0;\n z-index: 9998;\n /* styles required for IE to work */\n background-color: #fff;\n filter: alpha(opacity=0);\n}\n\n.select2-drop {\n width: 100%;\n margin-top: -1px;\n position: absolute;\n z-index: 9999;\n top: 100%;\n\n background: #fff;\n color: #000;\n border: 1px solid #aaa;\n border-top: 0;\n\n border-radius: 0 0 4px 4px;\n\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop.select2-drop-above {\n margin-top: 1px;\n border-top: 1px solid #aaa;\n border-bottom: 0;\n\n border-radius: 4px 4px 0 0;\n\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop-active {\n border: 1px solid #5897fb;\n border-top: none;\n}\n\n.select2-drop.select2-drop-above.select2-drop-active {\n border-top: 1px solid #5897fb;\n}\n\n.select2-drop-auto-width {\n border-top: 1px solid #aaa;\n width: auto;\n}\n\n.select2-drop-auto-width .select2-search {\n padding-top: 4px;\n}\n\n.select2-container .select2-choice .select2-arrow {\n display: inline-block;\n width: 18px;\n height: 100%;\n position: absolute;\n right: 0;\n top: 0;\n\n border-left: 1px solid #aaa;\n border-radius: 0 4px 4px 0;\n\n background-clip: padding-box;\n\n background: #ccc;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow {\n left: 0;\n right: auto;\n\n border-left: none;\n border-right: 1px solid #aaa;\n border-radius: 4px 0 0 4px;\n}\n\n.select2-container .select2-choice .select2-arrow b {\n display: block;\n width: 100%;\n height: 100%;\n background: url('select2.png') no-repeat 0 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow b {\n background-position: 2px 1px;\n}\n\n.select2-search {\n display: inline-block;\n width: 100%;\n min-height: 26px;\n margin: 0;\n padding-left: 4px;\n padding-right: 4px;\n\n position: relative;\n z-index: 10000;\n\n white-space: nowrap;\n}\n\n.select2-search input {\n width: 100%;\n height: auto !important;\n min-height: 26px;\n padding: 4px 20px 4px 5px;\n margin: 0;\n\n outline: 0;\n font-family: sans-serif;\n font-size: 1em;\n\n border: 1px solid #aaa;\n border-radius: 0;\n\n -webkit-box-shadow: none;\n box-shadow: none;\n\n background: #fff url('select2.png') no-repeat 100% -22px;\n background: url('select2.png') no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url('select2.png') no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\nhtml[dir=\"rtl\"] .select2-search input {\n padding: 4px 5px 4px 20px;\n\n background: #fff url('select2.png') no-repeat -37px -22px;\n background: url('select2.png') no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url('select2.png') no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2.png') no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-drop.select2-drop-above .select2-search input {\n margin-top: 4px;\n}\n\n.select2-search input.select2-active {\n background: #fff url('select2-spinner.gif') no-repeat 100%;\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2-spinner.gif') no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url('select2-spinner.gif') no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-container-active .select2-choice,\n.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n\n.select2-dropdown-open .select2-choice {\n border-bottom-color: transparent;\n -webkit-box-shadow: 0 1px 0 #fff inset;\n box-shadow: 0 1px 0 #fff inset;\n\n border-bottom-left-radius: 0;\n border-bottom-right-radius: 0;\n\n background-color: #eee;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open.select2-drop-above .select2-choice,\n.select2-dropdown-open.select2-drop-above .select2-choices {\n border: 1px solid #5897fb;\n border-top-color: transparent;\n\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow {\n background: transparent;\n border-left: none;\n filter: none;\n}\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow {\n border-right: none;\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -18px 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -16px 1px;\n}\n\n.select2-hidden-accessible {\n border: 0;\n clip: rect(0 0 0 0);\n height: 1px;\n margin: -1px;\n overflow: hidden;\n padding: 0;\n position: absolute;\n width: 1px;\n}\n\n/* results */\n.select2-results {\n max-height: 200px;\n padding: 0 0 0 4px;\n margin: 4px 4px 4px 0;\n position: relative;\n overflow-x: hidden;\n overflow-y: auto;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\nhtml[dir=\"rtl\"] .select2-results {\n padding: 0 4px 0 0;\n margin: 4px 0 4px 4px;\n}\n\n.select2-results ul.select2-result-sub {\n margin: 0;\n padding-left: 0;\n}\n\n.select2-results li {\n list-style: none;\n display: list-item;\n background-image: none;\n}\n\n.select2-results li.select2-result-with-children > .select2-result-label {\n font-weight: bold;\n}\n\n.select2-results .select2-result-label {\n padding: 3px 7px 4px;\n margin: 0;\n cursor: pointer;\n\n min-height: 1em;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\n\n.select2-results .select2-highlighted {\n background: #3875d7;\n color: #fff;\n}\n\n.select2-results li em {\n background: #feffde;\n font-style: normal;\n}\n\n.select2-results .select2-highlighted em {\n background: transparent;\n}\n\n.select2-results .select2-highlighted ul {\n background: #fff;\n color: #000;\n}\n\n.select2-results .select2-no-results,\n.select2-results .select2-searching,\n.select2-results .select2-ajax-error,\n.select2-results .select2-selection-limit {\n background: #f4f4f4;\n display: list-item;\n padding-left: 5px;\n}\n\n/*\ndisabled look for disabled choices in the results dropdown\n*/\n.select2-results .select2-disabled.select2-highlighted {\n color: #666;\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n.select2-results .select2-disabled {\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n\n.select2-results .select2-selected {\n display: none;\n}\n\n.select2-more-results.select2-active {\n background: #f4f4f4 url('select2-spinner.gif') no-repeat 100%;\n}\n\n.select2-results .select2-ajax-error {\n background: rgba(255, 50, 50, .2);\n}\n\n.select2-more-results {\n background: #f4f4f4;\n display: list-item;\n}\n\n/* disabled styles */\n\n.select2-container.select2-container-disabled .select2-choice {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\n background-color: #f4f4f4;\n background-image: none;\n border-left: 0;\n}\n\n.select2-container.select2-container-disabled .select2-choice abbr {\n display: none;\n}\n\n\n/* multiselect */\n\n.select2-container-multi .select2-choices {\n height: auto !important;\n height: 1%;\n margin: 0;\n padding: 0 5px 0 0;\n position: relative;\n\n border: 1px solid #aaa;\n cursor: text;\n overflow: hidden;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices {\n padding: 0 0 0 5px;\n}\n\n.select2-locked {\n padding: 3px 5px 3px 5px !important;\n}\n\n.select2-container-multi .select2-choices {\n min-height: 26px;\n}\n\n.select2-container-multi.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n.select2-container-multi .select2-choices li {\n float: left;\n list-style: none;\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices li\n{\n float: right;\n}\n.select2-container-multi .select2-choices .select2-search-field {\n margin: 0;\n padding: 0;\n white-space: nowrap;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input {\n padding: 5px;\n margin: 1px 0;\n\n font-family: sans-serif;\n font-size: 100%;\n color: #666;\n outline: 0;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n background: transparent !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\n background: #fff url('select2-spinner.gif') no-repeat 100% !important;\n}\n\n.select2-default {\n color: #999 !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 18px;\n margin: 3px 0 3px 5px;\n position: relative;\n\n line-height: 13px;\n color: #333;\n cursor: default;\n border: 1px solid #aaaaaa;\n\n border-radius: 3px;\n\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #e4e4e4;\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices .select2-search-choice\n{\n margin: 3px 5px 3px 0;\n padding: 3px 18px 3px 5px;\n}\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\n cursor: default;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus {\n background: #d4d4d4;\n}\n\n.select2-search-choice-close {\n display: block;\n width: 12px;\n height: 13px;\n position: absolute;\n right: 3px;\n top: 4px;\n\n font-size: 1px;\n outline: none;\n background: url('select2.png') right top no-repeat;\n}\nhtml[dir=\"rtl\"] .select2-search-choice-close {\n right: auto;\n left: 3px;\n}\n\n.select2-container-multi .select2-search-choice-close {\n left: 3px;\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-search-choice-close {\n left: auto;\n right: 2px;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\n background-position: right -11px;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\n background-position: right -11px;\n}\n\n/* disabled styles */\n.select2-container-multi.select2-container-disabled .select2-choices {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 5px;\n border: 1px solid #ddd;\n background-image: none;\n background-color: #f4f4f4;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\n background: none;\n}\n/* end multiselect */\n\n\n.select2-result-selectable .select2-match,\n.select2-result-unselectable .select2-match {\n text-decoration: underline;\n}\n\n.select2-offscreen, .select2-offscreen:focus {\n clip: rect(0 0 0 0) !important;\n width: 1px !important;\n height: 1px !important;\n border: 0 !important;\n margin: 0 !important;\n padding: 0 !important;\n overflow: hidden !important;\n position: absolute !important;\n outline: 0 !important;\n left: 0px !important;\n top: 0px !important;\n}\n\n.select2-display-none {\n display: none;\n}\n\n.select2-measure-scrollbar {\n position: absolute;\n top: -10000px;\n left: -10000px;\n width: 100px;\n height: 100px;\n overflow: scroll;\n}\n\n/* Retina-ize icons */\n\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\n .select2-search input,\n .select2-search-choice-close,\n .select2-container .select2-choice abbr,\n .select2-container .select2-choice .select2-arrow b {\n background-image: url('select2x2.png') !important;\n background-repeat: no-repeat !important;\n background-size: 60px 40px !important;\n }\n\n .select2-search input {\n background-position: 100% -21px !important;\n }\n}\n"],sourceRoot:""}]);const g=d},86140:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,'/**\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\n * https://github.com/MorrisJobke/strengthify\n * Version: 0.5.9\n * License: The MIT License (MIT)\n * Copyright (c) 2013-2020 Morris Jobke \n */\n\n.strengthify-wrapper {\n position: relative;\n}\n\n.strengthify-wrapper > * {\n\t-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";\n\tfilter: alpha(opacity=0);\n\topacity: 0;\n\t-webkit-transition:all .5s ease-in-out;\n\t-moz-transition:all .5s ease-in-out;\n\ttransition:all .5s ease-in-out;\n}\n\n.strengthify-bg, .strengthify-container, .strengthify-separator {\n\theight: 3px;\n}\n\n.strengthify-bg, .strengthify-container {\n\tdisplay: block;\n\tposition: absolute;\n\twidth: 100%;\n}\n\n.strengthify-bg {\n\tbackground-color: #BBB;\n}\n\n.strengthify-separator {\n\tdisplay: inline-block;\n\tposition: absolute;\n\tbackground-color: #FFF;\n\twidth: 1px;\n\tz-index: 10;\n}\n\n.password-bad {\n\tbackground-color: #C33;\n}\n.password-medium {\n\tbackground-color: #F80;\n}\n.password-good {\n\tbackground-color: #3C3;\n}\n\ndiv[data-strengthifyMessage] {\n padding: 3px 8px;\n}\n\n.strengthify-tiles{\n\tfloat: right;\n}\n',"",{version:3,sources:["webpack://./node_modules/strengthify/strengthify.css"],names:[],mappings:"AAAA;;;;;;EAME;;AAEF;IACI,kBAAkB;AACtB;;AAEA;CACC,+DAA+D;CAC/D,wBAAwB;CACxB,UAAU;CACV,sCAAsC;CACtC,mCAAmC;CACnC,8BAA8B;AAC/B;;AAEA;CACC,WAAW;AACZ;;AAEA;CACC,cAAc;CACd,kBAAkB;CAClB,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;;AAEA;CACC,qBAAqB;CACrB,kBAAkB;CAClB,sBAAsB;CACtB,UAAU;CACV,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;;AAEA;IACI,gBAAgB;AACpB;;AAEA;CACC,YAAY;AACb",sourcesContent:['/**\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\n * https://github.com/MorrisJobke/strengthify\n * Version: 0.5.9\n * License: The MIT License (MIT)\n * Copyright (c) 2013-2020 Morris Jobke \n */\n\n.strengthify-wrapper {\n position: relative;\n}\n\n.strengthify-wrapper > * {\n\t-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";\n\tfilter: alpha(opacity=0);\n\topacity: 0;\n\t-webkit-transition:all .5s ease-in-out;\n\t-moz-transition:all .5s ease-in-out;\n\ttransition:all .5s ease-in-out;\n}\n\n.strengthify-bg, .strengthify-container, .strengthify-separator {\n\theight: 3px;\n}\n\n.strengthify-bg, .strengthify-container {\n\tdisplay: block;\n\tposition: absolute;\n\twidth: 100%;\n}\n\n.strengthify-bg {\n\tbackground-color: #BBB;\n}\n\n.strengthify-separator {\n\tdisplay: inline-block;\n\tposition: absolute;\n\tbackground-color: #FFF;\n\twidth: 1px;\n\tz-index: 10;\n}\n\n.password-bad {\n\tbackground-color: #C33;\n}\n.password-medium {\n\tbackground-color: #F80;\n}\n.password-good {\n\tbackground-color: #3C3;\n}\n\ndiv[data-strengthifyMessage] {\n padding: 3px 8px;\n}\n\n.strengthify-tiles{\n\tfloat: right;\n}\n'],sourceRoot:""}]);const a=s},49481:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".account-menu-entry__icon[data-v-2e0a74a6]{height:16px;width:16px;margin:calc((var(--default-clickable-area) - 16px)/2);filter:var(--background-invert-if-dark)}.account-menu-entry__icon--active[data-v-2e0a74a6]{filter:var(--primary-invert-if-dark)}.account-menu-entry[data-v-2e0a74a6] .list-item-content__main{width:fit-content}","",{version:3,sources:["webpack://./core/src/components/AccountMenu/AccountMenuEntry.vue"],names:[],mappings:"AAEC,2CACC,WAAA,CACA,UAAA,CACA,qDAAA,CACA,uCAAA,CAEA,mDACC,oCAAA,CAIF,8DACC,iBAAA",sourceRoot:""}]);const a=s},26652:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".app-menu[data-v-7661a89b]{--app-menu-entry-growth: calc(var(--default-grid-baseline) * 4);display:flex;flex:1 1;width:0}.app-menu__list[data-v-7661a89b]{display:flex;flex-wrap:nowrap;margin-inline:calc(var(--app-menu-entry-growth)/2)}.app-menu__overflow[data-v-7661a89b]{margin-block:auto}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary{opacity:.7;margin:3px;filter:var(--background-image-invert-if-bright)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]){color:var(--color-background-plain-text)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]):hover{opacity:1;background-color:rgba(0,0,0,0) !important}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:focus-visible{opacity:1;outline:none !important}.app-menu__overflow-entry[data-v-7661a89b] .action-link__icon{filter:var(--background-invert-if-bright) !important}","",{version:3,sources:["webpack://./core/src/components/AppMenu.vue"],names:[],mappings:"AACA,2BAEC,+DAAA,CACA,YAAA,CACA,QAAA,CACA,OAAA,CAEA,iCACC,YAAA,CACA,gBAAA,CACA,kDAAA,CAGD,qCACC,iBAAA,CAGA,+DACC,UAAA,CACA,UAAA,CACA,+CAAA,CAGA,yFACC,wCAAA,CAEA,+FACC,SAAA,CACA,yCAAA,CAIF,6EACC,SAAA,CACA,uBAAA,CAMF,8DAEC,oDAAA",sourceRoot:""}]);const a=s},78498:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,'.app-menu-entry[data-v-9736071a]{--app-menu-entry-font-size: 12px;width:var(--header-height);height:var(--header-height);position:relative}.app-menu-entry__link[data-v-9736071a]{position:relative;display:flex;flex-direction:column;align-items:center;justify-content:center;color:var(--color-background-plain-text);width:calc(100% - 4px);height:calc(100% - 4px);margin:2px}.app-menu-entry__label[data-v-9736071a]{opacity:0;position:absolute;font-size:var(--app-menu-entry-font-size);color:var(--color-background-plain-text);text-align:center;bottom:0;inset-inline-start:50%;top:50%;display:block;transform:translateX(-50%);max-width:100%;text-overflow:ellipsis;overflow:hidden;letter-spacing:-0.5px}body[dir=rtl] .app-menu-entry__label[data-v-9736071a]{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a]{font-size:var(--app-menu-entry-font-size)}.app-menu-entry--active .app-menu-entry__label[data-v-9736071a]{font-weight:bolder}.app-menu-entry--active[data-v-9736071a]::before{content:" ";position:absolute;pointer-events:none;border-bottom-color:var(--color-main-background);transform:translateX(-50%);width:10px;height:5px;border-radius:3px;background-color:var(--color-background-plain-text);inset-inline-start:50%;bottom:8px;display:block;transition:all var(--animation-quick) ease-in-out;opacity:1}body[dir=rtl] .app-menu-entry--active[data-v-9736071a]::before{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a],.app-menu-entry__label[data-v-9736071a]{transition:all var(--animation-quick) ease-in-out}.app-menu-entry:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry:focus-within .app-menu-entry__label[data-v-9736071a]{font-weight:bold}.app-menu-entry--truncated:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within .app-menu-entry__label[data-v-9736071a]{max-width:calc(var(--header-height) + var(--app-menu-entry-growth))}.app-menu-entry--truncated:hover+.app-menu-entry .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within+.app-menu-entry .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}.app-menu-entry:has(+.app-menu-entry--truncated:hover) .app-menu-entry__label[data-v-9736071a],.app-menu-entry:has(+.app-menu-entry--truncated:focus-within) .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}',"",{version:3,sources:["webpack://./core/src/components/AppMenuEntry.vue"],names:[],mappings:"AACA,iCACC,gCAAA,CACA,0BAAA,CACA,2BAAA,CACA,iBAAA,CAEA,uCACC,iBAAA,CACA,YAAA,CACA,qBAAA,CACA,kBAAA,CACA,sBAAA,CAEA,wCAAA,CAEA,sBAAA,CACA,uBAAA,CACA,UAAA,CAGD,wCACC,SAAA,CACA,iBAAA,CACA,yCAAA,CAEA,wCAAA,CACA,iBAAA,CACA,QAAA,CACA,sBAAA,CACA,OAAA,CACA,aAAA,CACA,0BAAA,CACA,cAAA,CACA,sBAAA,CACA,eAAA,CACA,qBAAA,CAED,sDACC,oCAAA,CAGD,uCACC,yCAAA,CAKA,gEACC,kBAAA,CAID,iDACC,WAAA,CACA,iBAAA,CACA,mBAAA,CACA,gDAAA,CACA,0BAAA,CACA,UAAA,CACA,UAAA,CACA,iBAAA,CACA,mDAAA,CACA,sBAAA,CACA,UAAA,CACA,aAAA,CACA,iDAAA,CACA,SAAA,CAED,+DACC,oCAAA,CAIF,+EAEC,iDAAA,CAID,mIAEC,gBAAA,CAOA,yJACC,mEAAA,CAKA,yLACC,kBAAA,CACA,mEAAA,CAQF,qMACC,kBAAA,CACA,mEAAA",sourceRoot:""}]);const a=s},57946:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".app-menu-entry:hover .app-menu-entry__icon,.app-menu-entry:focus-within .app-menu-entry__icon,.app-menu__list:hover .app-menu-entry__icon,.app-menu__list:focus-within .app-menu-entry__icon{margin-block-end:1lh}.app-menu-entry:hover .app-menu-entry__label,.app-menu-entry:focus-within .app-menu-entry__label,.app-menu__list:hover .app-menu-entry__label,.app-menu__list:focus-within .app-menu-entry__label{opacity:1}.app-menu-entry:hover .app-menu-entry--active::before,.app-menu-entry:focus-within .app-menu-entry--active::before,.app-menu__list:hover .app-menu-entry--active::before,.app-menu__list:focus-within .app-menu-entry--active::before{opacity:0}.app-menu-entry:hover .app-menu-icon__unread,.app-menu-entry:focus-within .app-menu-icon__unread,.app-menu__list:hover .app-menu-icon__unread,.app-menu__list:focus-within .app-menu-icon__unread{opacity:0}","",{version:3,sources:["webpack://./core/src/components/AppMenuEntry.vue"],names:[],mappings:"AAOC,8LACC,oBAAA,CAID,kMACC,SAAA,CAID,sOACC,SAAA,CAGD,kMACC,SAAA",sourceRoot:""}]);const a=s},23759:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".app-menu-icon[data-v-e7078f90]{box-sizing:border-box;position:relative;height:20px;width:20px}.app-menu-icon__icon[data-v-e7078f90]{transition:margin .1s ease-in-out;height:20px;width:20px;filter:var(--background-image-invert-if-bright)}.app-menu-icon__unread[data-v-e7078f90]{color:var(--color-error);position:absolute;inset-block-end:15px;inset-inline-end:-5px;transition:all .1s ease-in-out}","",{version:3,sources:["webpack://./core/src/components/AppMenuIcon.vue"],names:[],mappings:"AAIA,gCACC,qBAAA,CACA,iBAAA,CAEA,WAPW,CAQX,UARW,CAUX,sCACC,iCAAA,CACA,WAZU,CAaV,UAbU,CAcV,+CAAA,CAGD,wCACC,wBAAA,CACA,iBAAA,CAEA,oBAAA,CACA,qBAAA,CACA,8BAAA",sourceRoot:""}]);const a=s},78811:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".contact[data-v-97ebdcaa]{display:flex;position:relative;align-items:center;padding:3px;padding-inline-start:10px}.contact__action__icon[data-v-97ebdcaa]{width:20px;height:20px;padding:12px;filter:var(--background-invert-if-dark)}.contact__avatar[data-v-97ebdcaa]{display:inherit}.contact__body[data-v-97ebdcaa]{flex-grow:1;padding-inline-start:10px;margin-inline-start:10px;min-width:0}.contact__body div[data-v-97ebdcaa]{position:relative;width:100%;overflow-x:hidden;text-overflow:ellipsis;margin:-1px 0}.contact__body div[data-v-97ebdcaa]:first-of-type{margin-top:0}.contact__body div[data-v-97ebdcaa]:last-of-type{margin-bottom:0}.contact__body__last-message[data-v-97ebdcaa],.contact__body__status-message[data-v-97ebdcaa],.contact__body__email-address[data-v-97ebdcaa]{color:var(--color-text-maxcontrast)}.contact__body[data-v-97ebdcaa]:focus-visible{box-shadow:0 0 0 4px var(--color-main-background) !important;outline:2px solid var(--color-main-text) !important}.contact .other-actions[data-v-97ebdcaa]{width:16px;height:16px;cursor:pointer}.contact .other-actions img[data-v-97ebdcaa]{filter:var(--background-invert-if-dark)}.contact button.other-actions[data-v-97ebdcaa]{width:44px}.contact button.other-actions[data-v-97ebdcaa]:focus{border-color:rgba(0,0,0,0);box-shadow:0 0 0 2px var(--color-main-text)}.contact button.other-actions[data-v-97ebdcaa]:focus-visible{border-radius:var(--border-radius-pill)}.contact .menu[data-v-97ebdcaa]{top:47px;margin-inline-end:13px}.contact .popovermenu[data-v-97ebdcaa]::after{inset-inline-end:2px}","",{version:3,sources:["webpack://./core/src/components/ContactsMenu/Contact.vue"],names:[],mappings:"AACA,0BACC,YAAA,CACA,iBAAA,CACA,kBAAA,CACA,WAAA,CACA,yBAAA,CAGC,wCACC,UAAA,CACA,WAAA,CACA,YAAA,CACA,uCAAA,CAIF,kCACC,eAAA,CAGD,gCACC,WAAA,CACA,yBAAA,CACA,wBAAA,CACA,WAAA,CAEA,oCACC,iBAAA,CACA,UAAA,CACA,iBAAA,CACA,sBAAA,CACA,aAAA,CAED,kDACC,YAAA,CAED,iDACC,eAAA,CAGD,6IACC,mCAAA,CAGD,8CACC,4DAAA,CACA,mDAAA,CAIF,yCACC,UAAA,CACA,WAAA,CACA,cAAA,CAEA,6CACC,uCAAA,CAIF,+CACC,UAAA,CAEA,qDACC,0BAAA,CACA,2CAAA,CAGD,6DACC,uCAAA,CAKF,gCACC,QAAA,CACA,sBAAA,CAGD,8CACC,oBAAA",sourceRoot:""}]);const a=s},24454:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,"[data-v-a886d77a] #header-menu-user-menu{padding:0 !important}.account-menu[data-v-a886d77a] button{opacity:1 !important}.account-menu[data-v-a886d77a] button:focus-visible .account-menu__avatar{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu[data-v-a886d77a] .header-menu__content{width:fit-content !important}.account-menu__avatar[data-v-a886d77a]:hover{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu__list[data-v-a886d77a]{display:inline-flex;flex-direction:column;padding-block:var(--default-grid-baseline) 0;padding-inline:0 var(--default-grid-baseline)}.account-menu__list[data-v-a886d77a]> li{box-sizing:border-box;flex:0 1}","",{version:3,sources:["webpack://./core/src/views/AccountMenu.vue"],names:[],mappings:"AACA,yCACC,oBAAA,CAIA,sCAGC,oBAAA,CAKC,0EACC,iFAAA,CAMH,qDACC,4BAAA,CAIA,6CAEC,iFAAA,CAIF,qCACC,mBAAA,CACA,qBAAA,CACA,4CAAA,CACA,6CAAA,CAEA,yCACC,qBAAA,CAEA,QAAA",sourceRoot:""}]);const a=s},38933:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),o=i.n(n),r=i(76314),s=i.n(r)()(o());s.push([t.id,".contactsmenu[data-v-5cad18ba]{overflow-y:hidden}.contactsmenu__trigger-icon[data-v-5cad18ba]{color:var(--color-background-plain-text) !important}.contactsmenu__menu[data-v-5cad18ba]{display:flex;flex-direction:column;overflow:hidden;height:328px;max-height:inherit}.contactsmenu__menu label[for=contactsmenu__menu__search][data-v-5cad18ba]{font-weight:bold;font-size:19px;margin-inline-start:13px}.contactsmenu__menu__input-wrapper[data-v-5cad18ba]{padding:10px;z-index:2;top:0}.contactsmenu__menu__search[data-v-5cad18ba]{width:100%;height:34px;margin-top:0 !important}.contactsmenu__menu__content[data-v-5cad18ba]{overflow-y:auto;margin-top:10px;flex:1 1 auto}.contactsmenu__menu__content__footer[data-v-5cad18ba]{display:flex;flex-direction:column;align-items:center}.contactsmenu__menu a[data-v-5cad18ba]:focus-visible{box-shadow:inset 0 0 0 2px var(--color-main-text) !important}.contactsmenu[data-v-5cad18ba] .empty-content{margin:0 !important}","",{version:3,sources:["webpack://./core/src/views/ContactsMenu.vue"],names:[],mappings:"AACA,+BACC,iBAAA,CAEA,6CACC,mDAAA,CAGD,qCACC,YAAA,CACA,qBAAA,CACA,eAAA,CACA,YAAA,CACA,kBAAA,CAEA,2EACC,gBAAA,CACA,cAAA,CACA,wBAAA,CAGD,oDACC,YAAA,CACA,SAAA,CACA,KAAA,CAGD,6CACC,UAAA,CACA,WAAA,CACA,uBAAA,CAGD,8CACC,eAAA,CACA,eAAA,CACA,aAAA,CAEA,sDACC,YAAA,CACA,qBAAA,CACA,kBAAA,CAKD,qDACC,4DAAA,CAKH,8CACC,mBAAA",sourceRoot:""}]);const a=s},78112:t=>{var e=e||{};e._XML_CHAR_MAP={"<":"<",">":">","&":"&",'"':""","'":"'"},e._escapeXml=function(t){return t.replace(/[<>&"']/g,(function(t){return e._XML_CHAR_MAP[t]}))},e.Client=function(t){var e;for(e in t)this[e]=t[e]},e.Client.prototype={baseUrl:null,userName:null,password:null,xmlNamespaces:{"DAV:":"d"},propFind:function(t,e,i,n){void 0===i&&(i="0"),i=""+i,(n=n||{}).Depth=i,n["Content-Type"]="application/xml; charset=utf-8";var o,r='\n\n":r+=" \n'}return r+=" \n",r+="",this.request("PROPFIND",t,n,r).then(function(t){return"0"===i?{status:t.status,body:t.body[0],xhr:t.xhr}:{status:t.status,body:t.body,xhr:t.xhr}}.bind(this))},_renderPropSet:function(t){var i=" \n \n";for(var n in t)if(t.hasOwnProperty(n)){var o,r=this.parseClarkNotation(n),s=t[n];"d:resourcetype"!=(o=this.xmlNamespaces[r.namespace]?this.xmlNamespaces[r.namespace]+":"+r.name:"x:"+r.name+' xmlns:x="'+r.namespace+'"')&&(s=e._escapeXml(s)),i+=" <"+o+">"+s+"\n"}return(i+=" \n")+" \n"},propPatch:function(t,e,i){(i=i||{})["Content-Type"]="application/xml; charset=utf-8";var n,o='\n0){for(var i=[],n=0;n{var n=i(93633);t.exports=(n.default||n).template({1:function(t,e,i,n,o){var r,s=t.lookupProperty||function(t,e){if(Object.prototype.hasOwnProperty.call(t,e))return t[e]};return''},compiler:[8,">= 4.3.0"],main:function(t,e,i,n,o){var r,s,a=null!=e?e:t.nullContext||{},c=t.hooks.helperMissing,l="function",u=t.escapeExpression,h=t.lookupProperty||function(t,e){if(Object.prototype.hasOwnProperty.call(t,e))return t[e]};return'
      • \n\t\n\t\t'+(null!=(r=h(i,"if").call(a,null!=e?h(e,"icon"):e,{name:"if",hash:{},fn:t.program(1,o,0),inverse:t.noop,data:o,loc:{start:{line:3,column:2},end:{line:3,column:41}}}))?r:"")+"\n\t\t"+u(typeof(s=null!=(s=h(i,"title")||(null!=e?h(e,"title"):e))?s:c)===l?s.call(a,{name:"title",hash:{},data:o,loc:{start:{line:4,column:8},end:{line:4,column:17}}}):s)+"\n\t\n
      • \n"},useData:!0})},99660:(t,e,i)=>{var n,o,r;!function(){"use strict";o=[i(74692)],n=function(t){t.ui=t.ui||{},t.ui.version="1.13.3";var e,i=0,n=Array.prototype.hasOwnProperty,o=Array.prototype.slice;t.cleanData=(e=t.cleanData,function(i){var n,o,r;for(r=0;null!=(o=i[r]);r++)(n=t._data(o,"events"))&&n.remove&&t(o).triggerHandler("remove");e(i)}),t.widget=function(e,i,n){var o,r,s,a={},c=e.split(".")[0],l=c+"-"+(e=e.split(".")[1]);return n||(n=i,i=t.Widget),Array.isArray(n)&&(n=t.extend.apply(null,[{}].concat(n))),t.expr.pseudos[l.toLowerCase()]=function(e){return!!t.data(e,l)},t[c]=t[c]||{},o=t[c][e],r=t[c][e]=function(t,e){if(!this||!this._createWidget)return new r(t,e);arguments.length&&this._createWidget(t,e)},t.extend(r,o,{version:n.version,_proto:t.extend({},n),_childConstructors:[]}),(s=new i).options=t.widget.extend({},s.options),t.each(n,(function(t,e){a[t]="function"==typeof e?function(){function n(){return i.prototype[t].apply(this,arguments)}function o(e){return i.prototype[t].apply(this,e)}return function(){var t,i=this._super,r=this._superApply;return this._super=n,this._superApply=o,t=e.apply(this,arguments),this._super=i,this._superApply=r,t}}():e})),r.prototype=t.widget.extend(s,{widgetEventPrefix:o&&s.widgetEventPrefix||e},a,{constructor:r,namespace:c,widgetName:e,widgetFullName:l}),o?(t.each(o._childConstructors,(function(e,i){var n=i.prototype;t.widget(n.namespace+"."+n.widgetName,r,i._proto)})),delete o._childConstructors):i._childConstructors.push(r),t.widget.bridge(e,r),r},t.widget.extend=function(e){for(var i,r,s=o.call(arguments,1),a=0,c=s.length;a",options:{classes:{},disabled:!1,create:null},_createWidget:function(e,n){n=t(n||this.defaultElement||this)[0],this.element=t(n),this.uuid=i++,this.eventNamespace="."+this.widgetName+this.uuid,this.bindings=t(),this.hoverable=t(),this.focusable=t(),this.classesElementLookup={},n!==this&&(t.data(n,this.widgetFullName,this),this._on(!0,this.element,{remove:function(t){t.target===n&&this.destroy()}}),this.document=t(n.style?n.ownerDocument:n.document||n),this.window=t(this.document[0].defaultView||this.document[0].parentWindow)),this.options=t.widget.extend({},this.options,this._getCreateOptions(),e),this._create(),this.options.disabled&&this._setOptionDisabled(this.options.disabled),this._trigger("create",null,this._getCreateEventData()),this._init()},_getCreateOptions:function(){return{}},_getCreateEventData:t.noop,_create:t.noop,_init:t.noop,destroy:function(){var e=this;this._destroy(),t.each(this.classesElementLookup,(function(t,i){e._removeClass(i,t)})),this.element.off(this.eventNamespace).removeData(this.widgetFullName),this.widget().off(this.eventNamespace).removeAttr("aria-disabled"),this.bindings.off(this.eventNamespace)},_destroy:t.noop,widget:function(){return this.element},option:function(e,i){var n,o,r,s=e;if(0===arguments.length)return t.widget.extend({},this.options);if("string"==typeof e)if(s={},n=e.split("."),e=n.shift(),n.length){for(o=s[e]=t.widget.extend({},this.options[e]),r=0;r
        "),r=o.children()[0];return t("body").append(o),i=r.offsetWidth,o.css("overflow","scroll"),i===(n=r.offsetWidth)&&(n=o[0].clientWidth),o.remove(),e=i-n},getScrollInfo:function(e){var i=e.isWindow||e.isDocument?"":e.element.css("overflow-x"),n=e.isWindow||e.isDocument?"":e.element.css("overflow-y"),o="scroll"===i||"auto"===i&&e.width0?"right":"center",vertical:u<0?"top":c>0?"bottom":"middle"};pi(n(c),n(u))?h.important="horizontal":h.important="vertical",e.using.call(this,t,h)}),s.offset(t.extend(B,{using:r}))}))},t.ui.position={fit:{left:function(t,e){var n,o=e.within,r=o.isWindow?o.scrollLeft:o.offset.left,s=o.width,a=t.left-e.collisionPosition.marginLeft,c=r-a,l=a+e.collisionWidth-s-r;e.collisionWidth>s?c>0&&l<=0?(n=t.left+c+e.collisionWidth-s-r,t.left+=c-n):t.left=l>0&&c<=0?r:c>l?r+s-e.collisionWidth:r:c>0?t.left+=c:l>0?t.left-=l:t.left=i(t.left-a,t.left)},top:function(t,e){var n,o=e.within,r=o.isWindow?o.scrollTop:o.offset.top,s=e.within.height,a=t.top-e.collisionPosition.marginTop,c=r-a,l=a+e.collisionHeight-s-r;e.collisionHeight>s?c>0&&l<=0?(n=t.top+c+e.collisionHeight-s-r,t.top+=c-n):t.top=l>0&&c<=0?r:c>l?r+s-e.collisionHeight:r:c>0?t.top+=c:l>0?t.top-=l:t.top=i(t.top-a,t.top)}},flip:{left:function(t,e){var i,o,r=e.within,s=r.offset.left+r.scrollLeft,a=r.width,c=r.isWindow?r.scrollLeft:r.offset.left,l=t.left-e.collisionPosition.marginLeft,u=l-c,h=l+e.collisionWidth-a-c,d="left"===e.my[0]?-e.elemWidth:"right"===e.my[0]?e.elemWidth:0,p="left"===e.at[0]?e.targetWidth:"right"===e.at[0]?-e.targetWidth:0,A=-2*e.offset[0];u<0?((i=t.left+d+p+A+e.collisionWidth-a-s)<0||i0&&((o=t.left-e.collisionPosition.marginLeft+d+p+A-c)>0||n(o)0&&((i=t.top-e.collisionPosition.marginTop+d+p+A-c)>0||n(i)")[0],m=a.each;function C(t){return null==t?t+"":"object"==typeof t?c[l.call(t)]||"object":typeof t}function b(t,e,i){var n=A[e.type]||{};return null==t?i||!e.def?null:e.def:(t=n.floor?~~t:parseFloat(t),isNaN(t)?e.def:n.mod?(t+n.mod)%n.mod:Math.min(n.max,Math.max(0,t)))}function v(t){var e=d(),i=e._rgba=[];return t=t.toLowerCase(),m(h,(function(n,o){var r,s=o.re.exec(t),a=s&&o.parse(s),c=o.space||"rgba";if(a)return r=e[c](a),e[p[c].cache]=r[p[c].cache],i=e._rgba=r._rgba,!1})),i.length?("0,0,0,0"===i.join()&&a.extend(i,r.transparent),e):r[t]}function x(t,e,i){return 6*(i=(i+1)%1)<1?t+(e-t)*i*6:2*i<1?e:3*i<2?t+(e-t)*(2/3-i)*6:t}g.style.cssText="background-color:rgba(1,1,1,.5)",f.rgba=g.style.backgroundColor.indexOf("rgba")>-1,m(p,(function(t,e){e.cache="_"+t,e.props.alpha={idx:3,type:"percent",def:1}})),a.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),(function(t,e){c["[object "+e+"]"]=e.toLowerCase()})),d.fn=a.extend(d.prototype,{parse:function(t,e,i,n){if(void 0===t)return this._rgba=[null,null,null,null],this;(t.jquery||t.nodeType)&&(t=a(t).css(e),e=void 0);var o=this,s=C(t),c=this._rgba=[];return void 0!==e&&(t=[t,e,i,n],s="array"),"string"===s?this.parse(v(t)||r._default):"array"===s?(m(p.rgba.props,(function(e,i){c[i.idx]=b(t[i.idx],i)})),this):"object"===s?(m(p,t instanceof d?function(e,i){t[i.cache]&&(o[i.cache]=t[i.cache].slice())}:function(e,i){var n=i.cache;m(i.props,(function(e,r){if(!o[n]&&i.to){if("alpha"===e||null==t[e])return;o[n]=i.to(o._rgba)}o[n][r.idx]=b(t[e],r,!0)})),o[n]&&a.inArray(null,o[n].slice(0,3))<0&&(null==o[n][3]&&(o[n][3]=1),i.from&&(o._rgba=i.from(o[n])))}),this):void 0},is:function(t){var e=d(t),i=!0,n=this;return m(p,(function(t,o){var r,s=e[o.cache];return s&&(r=n[o.cache]||o.to&&o.to(n._rgba)||[],m(o.props,(function(t,e){if(null!=s[e.idx])return i=s[e.idx]===r[e.idx]}))),i})),i},_space:function(){var t=[],e=this;return m(p,(function(i,n){e[n.cache]&&t.push(i)})),t.pop()},transition:function(t,e){var i=d(t),n=i._space(),o=p[n],r=0===this.alpha()?d("transparent"):this,s=r[o.cache]||o.to(r._rgba),a=s.slice();return i=i[o.cache],m(o.props,(function(t,n){var o=n.idx,r=s[o],c=i[o],l=A[n.type]||{};null!==c&&(null===r?a[o]=c:(l.mod&&(c-r>l.mod/2?r+=l.mod:r-c>l.mod/2&&(r-=l.mod)),a[o]=b((c-r)*e+r,n)))})),this[n](a)},blend:function(t){if(1===this._rgba[3])return this;var e=this._rgba.slice(),i=e.pop(),n=d(t)._rgba;return d(a.map(e,(function(t,e){return(1-i)*n[e]+i*t})))},toRgbaString:function(){var t="rgba(",e=a.map(this._rgba,(function(t,e){return null!=t?t:e>2?1:0}));return 1===e[3]&&(e.pop(),t="rgb("),t+e.join()+")"},toHslaString:function(){var t="hsla(",e=a.map(this.hsla(),(function(t,e){return null==t&&(t=e>2?1:0),e&&e<3&&(t=Math.round(100*t)+"%"),t}));return 1===e[3]&&(e.pop(),t="hsl("),t+e.join()+")"},toHexString:function(t){var e=this._rgba.slice(),i=e.pop();return t&&e.push(~~(255*i)),"#"+a.map(e,(function(t){return 1===(t=(t||0).toString(16)).length?"0"+t:t})).join("")},toString:function(){return 0===this._rgba[3]?"transparent":this.toRgbaString()}}),d.fn.parse.prototype=d.fn,p.hsla.to=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e,i,n=t[0]/255,o=t[1]/255,r=t[2]/255,s=t[3],a=Math.max(n,o,r),c=Math.min(n,o,r),l=a-c,u=a+c,h=.5*u;return e=c===a?0:n===a?60*(o-r)/l+360:o===a?60*(r-n)/l+120:60*(n-o)/l+240,i=0===l?0:h<=.5?l/u:l/(2-u),[Math.round(e)%360,i,h,null==s?1:s]},p.hsla.from=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e=t[0]/360,i=t[1],n=t[2],o=t[3],r=n<=.5?n*(1+i):n+i-n*i,s=2*n-r;return[Math.round(255*x(s,r,e+1/3)),Math.round(255*x(s,r,e)),Math.round(255*x(s,r,e-1/3)),o]},m(p,(function(t,e){var i=e.props,n=e.cache,o=e.to,r=e.from;d.fn[t]=function(t){if(o&&!this[n]&&(this[n]=o(this._rgba)),void 0===t)return this[n].slice();var e,s=C(t),a="array"===s||"object"===s?t:arguments,c=this[n].slice();return m(i,(function(t,e){var i=a["object"===s?t:e.idx];null==i&&(i=c[e.idx]),c[e.idx]=b(i,e)})),r?((e=d(r(c)))[n]=c,e):d(c)},m(i,(function(e,i){d.fn[e]||(d.fn[e]=function(n){var o,r,s,a,c=C(n);return r=(o=this[a="alpha"===e?this._hsla?"hsla":"rgba":t]())[i.idx],"undefined"===c?r:("function"===c&&(c=C(n=n.call(this,r))),null==n&&i.empty?this:("string"===c&&(s=u.exec(n))&&(n=r+parseFloat(s[2])*("+"===s[1]?1:-1)),o[i.idx]=n,this[a](o)))})}))})),d.hook=function(t){var e=t.split(" ");m(e,(function(t,e){a.cssHooks[e]={set:function(t,i){var n,o,r="";if("transparent"!==i&&("string"!==C(i)||(n=v(i)))){if(i=d(n||i),!f.rgba&&1!==i._rgba[3]){for(o="backgroundColor"===e?t.parentNode:t;(""===r||"transparent"===r)&&o&&o.style;)try{r=a.css(o,"backgroundColor"),o=o.parentNode}catch(t){}i=i.blend(r&&"transparent"!==r?r:"_default")}i=i.toRgbaString()}try{t.style[e]=i}catch(t){}}},a.fx.step[e]=function(t){t.colorInit||(t.start=d(t.elem,e),t.end=d(t.end),t.colorInit=!0),a.cssHooks[e].set(t.elem,t.start.transition(t.end,t.pos))}}))},d.hook("backgroundColor borderBottomColor borderLeftColor borderRightColor borderTopColor color columnRuleColor outlineColor textDecorationColor textEmphasisColor"),a.cssHooks.borderColor={expand:function(t){var e={};return m(["Top","Right","Bottom","Left"],(function(i,n){e["border"+n+"Color"]=t})),e}},r=a.Color.names={aqua:"#00ffff",black:"#000000",blue:"#0000ff",fuchsia:"#ff00ff",gray:"#808080",green:"#008000",lime:"#00ff00",maroon:"#800000",navy:"#000080",olive:"#808000",purple:"#800080",red:"#ff0000",silver:"#c0c0c0",teal:"#008080",white:"#ffffff",yellow:"#ffff00",transparent:[null,null,null,0],_default:"#ffffff"};var w,y,k="ui-effects-",B="ui-effects-style",E="ui-effects-animated";if(t.effects={effect:{}},function(){var e=["add","remove","toggle"],i={border:1,borderBottom:1,borderColor:1,borderLeft:1,borderRight:1,borderTop:1,borderWidth:1,margin:1,padding:1};function n(t){var e,i,n,o=t.ownerDocument.defaultView?t.ownerDocument.defaultView.getComputedStyle(t,null):t.currentStyle,r={};if(o&&o.length&&o[0]&&o[o[0]])for(i=o.length;i--;)"string"==typeof o[e=o[i]]&&(r[(n=e,n.replace(/-([\da-z])/gi,(function(t,e){return e.toUpperCase()})))]=o[e]);else for(e in o)"string"==typeof o[e]&&(r[e]=o[e]);return r}t.each(["borderLeftStyle","borderRightStyle","borderBottomStyle","borderTopStyle"],(function(e,i){t.fx.step[i]=function(t){("none"!==t.end&&!t.setAttr||1===t.pos&&!t.setAttr)&&(a.style(t.elem,i,t.end),t.setAttr=!0)}})),t.fn.addBack||(t.fn.addBack=function(t){return this.add(null==t?this.prevObject:this.prevObject.filter(t))}),t.effects.animateClass=function(o,r,s,a){var c=t.speed(r,s,a);return this.queue((function(){var r,s=t(this),a=s.attr("class")||"",l=c.children?s.find("*").addBack():s;l=l.map((function(){return{el:t(this),start:n(this)}})),(r=function(){t.each(e,(function(t,e){o[e]&&s[e+"Class"](o[e])}))})(),l=l.map((function(){return this.end=n(this.el[0]),this.diff=function(e,n){var o,r,s={};for(o in n)r=n[o],e[o]!==r&&(i[o]||!t.fx.step[o]&&isNaN(parseFloat(r))||(s[o]=r));return s}(this.start,this.end),this})),s.attr("class",a),l=l.map((function(){var e=this,i=t.Deferred(),n=t.extend({},c,{queue:!1,complete:function(){i.resolve(e)}});return this.el.animate(this.diff,n),i.promise()})),t.when.apply(t,l.get()).done((function(){r(),t.each(arguments,(function(){var e=this.el;t.each(this.diff,(function(t){e.css(t,"")}))})),c.complete.call(s[0])}))}))},t.fn.extend({addClass:function(e){return function(i,n,o,r){return n?t.effects.animateClass.call(this,{add:i},n,o,r):e.apply(this,arguments)}}(t.fn.addClass),removeClass:function(e){return function(i,n,o,r){return arguments.length>1?t.effects.animateClass.call(this,{remove:i},n,o,r):e.apply(this,arguments)}}(t.fn.removeClass),toggleClass:function(e){return function(i,n,o,r,s){return"boolean"==typeof n||void 0===n?o?t.effects.animateClass.call(this,n?{add:i}:{remove:i},o,r,s):e.apply(this,arguments):t.effects.animateClass.call(this,{toggle:i},n,o,r)}}(t.fn.toggleClass),switchClass:function(e,i,n,o,r){return t.effects.animateClass.call(this,{add:i,remove:e},n,o,r)}})}(),function(){function e(e,i,n,o){return t.isPlainObject(e)&&(i=e,e=e.effect),e={effect:e},null==i&&(i={}),"function"==typeof i&&(o=i,n=null,i={}),("number"==typeof i||t.fx.speeds[i])&&(o=n,n=i,i={}),"function"==typeof n&&(o=n,n=null),i&&t.extend(e,i),n=n||i.duration,e.duration=t.fx.off?0:"number"==typeof n?n:n in t.fx.speeds?t.fx.speeds[n]:t.fx.speeds._default,e.complete=o||i.complete,e}function i(e){return!(e&&"number"!=typeof e&&!t.fx.speeds[e])||"string"==typeof e&&!t.effects.effect[e]||"function"==typeof e||"object"==typeof e&&!e.effect}function n(t,e){var i=e.outerWidth(),n=e.outerHeight(),o=/^rect\((-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto)\)$/.exec(t)||["",0,i,n,0];return{top:parseFloat(o[1])||0,right:"auto"===o[2]?i:parseFloat(o[2]),bottom:"auto"===o[3]?n:parseFloat(o[3]),left:parseFloat(o[4])||0}}t.expr&&t.expr.pseudos&&t.expr.pseudos.animated&&(t.expr.pseudos.animated=function(e){return function(i){return!!t(i).data(E)||e(i)}}(t.expr.pseudos.animated)),!1!==t.uiBackCompat&&t.extend(t.effects,{save:function(t,e){for(var i=0,n=e.length;i
        ").addClass("ui-effects-wrapper").css({fontSize:"100%",background:"transparent",border:"none",margin:0,padding:0}),o={width:e.width(),height:e.height()},r=document.activeElement;try{r.id}catch(t){r=document.body}return e.wrap(n),(e[0]===r||t.contains(e[0],r))&&t(r).trigger("focus"),n=e.parent(),"static"===e.css("position")?(n.css({position:"relative"}),e.css({position:"relative"})):(t.extend(i,{position:e.css("position"),zIndex:e.css("z-index")}),t.each(["top","left","bottom","right"],(function(t,n){i[n]=e.css(n),isNaN(parseInt(i[n],10))&&(i[n]="auto")})),e.css({position:"relative",top:0,left:0,right:"auto",bottom:"auto"})),e.css(o),n.css(i).show()},removeWrapper:function(e){var i=document.activeElement;return e.parent().is(".ui-effects-wrapper")&&(e.parent().replaceWith(e),(e[0]===i||t.contains(e[0],i))&&t(i).trigger("focus")),e}}),t.extend(t.effects,{version:"1.13.3",define:function(e,i,n){return n||(n=i,i="effect"),t.effects.effect[e]=n,t.effects.effect[e].mode=i,n},scaledDimensions:function(t,e,i){if(0===e)return{height:0,width:0,outerHeight:0,outerWidth:0};var n="horizontal"!==i?(e||100)/100:1,o="vertical"!==i?(e||100)/100:1;return{height:t.height()*o,width:t.width()*n,outerHeight:t.outerHeight()*o,outerWidth:t.outerWidth()*n}},clipToBox:function(t){return{width:t.clip.right-t.clip.left,height:t.clip.bottom-t.clip.top,left:t.clip.left,top:t.clip.top}},unshift:function(t,e,i){var n=t.queue();e>1&&n.splice.apply(n,[1,0].concat(n.splice(e,i))),t.dequeue()},saveStyle:function(t){t.data(B,t[0].style.cssText)},restoreStyle:function(t){t[0].style.cssText=t.data(B)||"",t.removeData(B)},mode:function(t,e){var i=t.is(":hidden");return"toggle"===e&&(e=i?"show":"hide"),(i?"hide"===e:"show"===e)&&(e="none"),e},getBaseline:function(t,e){var i,n;switch(t[0]){case"top":i=0;break;case"middle":i=.5;break;case"bottom":i=1;break;default:i=t[0]/e.height}switch(t[1]){case"left":n=0;break;case"center":n=.5;break;case"right":n=1;break;default:n=t[1]/e.width}return{x:n,y:i}},createPlaceholder:function(e){var i,n=e.css("position"),o=e.position();return e.css({marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()),/^(static|relative)/.test(n)&&(n="absolute",i=t("<"+e[0].nodeName+">").insertAfter(e).css({display:/^(inline|ruby)/.test(e.css("display"))?"inline-block":"block",visibility:"hidden",marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight"),float:e.css("float")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()).addClass("ui-effects-placeholder"),e.data(k+"placeholder",i)),e.css({position:n,left:o.left,top:o.top}),i},removePlaceholder:function(t){var e=k+"placeholder",i=t.data(e);i&&(i.remove(),t.removeData(e))},cleanUp:function(e){t.effects.restoreStyle(e),t.effects.removePlaceholder(e)},setTransition:function(e,i,n,o){return o=o||{},t.each(i,(function(t,i){var r=e.cssUnit(i);r[0]>0&&(o[i]=r[0]*n+r[1])})),o}}),t.fn.extend({effect:function(){var i=e.apply(this,arguments),n=t.effects.effect[i.effect],o=n.mode,r=i.queue,s=r||"fx",a=i.complete,c=i.mode,l=[],u=function(e){var i=t(this),n=t.effects.mode(i,c)||o;i.data(E,!0),l.push(n),o&&("show"===n||n===o&&"hide"===n)&&i.show(),o&&"none"===n||t.effects.saveStyle(i),"function"==typeof e&&e()};if(t.fx.off||!n)return c?this[c](i.duration,a):this.each((function(){a&&a.call(this)}));function h(e){var r=t(this);function s(){"function"==typeof a&&a.call(r[0]),"function"==typeof e&&e()}i.mode=l.shift(),!1===t.uiBackCompat||o?"none"===i.mode?(r[c](),s()):n.call(r[0],i,(function(){r.removeData(E),t.effects.cleanUp(r),"hide"===i.mode&&r.hide(),s()})):(r.is(":hidden")?"hide"===c:"show"===c)?(r[c](),s()):n.call(r[0],i,s)}return!1===r?this.each(u).each(h):this.queue(s,u).queue(s,h)},show:function(t){return function(n){if(i(n))return t.apply(this,arguments);var o=e.apply(this,arguments);return o.mode="show",this.effect.call(this,o)}}(t.fn.show),hide:function(t){return function(n){if(i(n))return t.apply(this,arguments);var o=e.apply(this,arguments);return o.mode="hide",this.effect.call(this,o)}}(t.fn.hide),toggle:function(t){return function(n){if(i(n)||"boolean"==typeof n)return t.apply(this,arguments);var o=e.apply(this,arguments);return o.mode="toggle",this.effect.call(this,o)}}(t.fn.toggle),cssUnit:function(e){var i=this.css(e),n=[];return t.each(["em","px","%","pt"],(function(t,e){i.indexOf(e)>0&&(n=[parseFloat(i),e])})),n},cssClip:function(t){return t?this.css("clip","rect("+t.top+"px "+t.right+"px "+t.bottom+"px "+t.left+"px)"):n(this.css("clip"),this)},transfer:function(e,i){var n=t(this),o=t(e.to),r="fixed"===o.css("position"),s=t("body"),a=r?s.scrollTop():0,c=r?s.scrollLeft():0,l=o.offset(),u={top:l.top-a,left:l.left-c,height:o.innerHeight(),width:o.innerWidth()},h=n.offset(),d=t("
        ");d.appendTo("body").addClass(e.className).css({top:h.top-a,left:h.left-c,height:n.innerHeight(),width:n.innerWidth(),position:r?"fixed":"absolute"}).animate(u,e.duration,e.easing,(function(){d.remove(),"function"==typeof i&&i()}))}}),t.fx.step.clip=function(e){e.clipInit||(e.start=t(e.elem).cssClip(),"string"==typeof e.end&&(e.end=n(e.end,e.elem)),e.clipInit=!0),t(e.elem).cssClip({top:e.pos*(e.end.top-e.start.top)+e.start.top,right:e.pos*(e.end.right-e.start.right)+e.start.right,bottom:e.pos*(e.end.bottom-e.start.bottom)+e.start.bottom,left:e.pos*(e.end.left-e.start.left)+e.start.left})}}(),w={},t.each(["Quad","Cubic","Quart","Quint","Expo"],(function(t,e){w[e]=function(e){return Math.pow(e,t+2)}})),t.extend(w,{Sine:function(t){return 1-Math.cos(t*Math.PI/2)},Circ:function(t){return 1-Math.sqrt(1-t*t)},Elastic:function(t){return 0===t||1===t?t:-Math.pow(2,8*(t-1))*Math.sin((80*(t-1)-7.5)*Math.PI/15)},Back:function(t){return t*t*(3*t-2)},Bounce:function(t){for(var e,i=4;t<((e=Math.pow(2,--i))-1)/11;);return 1/Math.pow(4,3-i)-7.5625*Math.pow((3*e-2)/22-t,2)}}),t.each(w,(function(e,i){t.easing["easeIn"+e]=i,t.easing["easeOut"+e]=function(t){return 1-i(1-t)},t.easing["easeInOut"+e]=function(t){return t<.5?i(2*t)/2:1-i(-2*t+2)/2}})),t.effects,t.effects.define("blind","hide",(function(e,i){var n={up:["bottom","top"],vertical:["bottom","top"],down:["top","bottom"],left:["right","left"],horizontal:["right","left"],right:["left","right"]},o=t(this),r=e.direction||"up",s=o.cssClip(),a={clip:t.extend({},s)},c=t.effects.createPlaceholder(o);a.clip[n[r][0]]=a.clip[n[r][1]],"show"===e.mode&&(o.cssClip(a.clip),c&&c.css(t.effects.clipToBox(a)),a.clip=s),c&&c.animate(t.effects.clipToBox(a),e.duration,e.easing),o.animate(a,{queue:!1,duration:e.duration,easing:e.easing,complete:i})})),t.effects.define("bounce",(function(e,i){var n,o,r,s=t(this),a=e.mode,c="hide"===a,l="show"===a,u=e.direction||"up",h=e.distance,d=e.times||5,p=2*d+(l||c?1:0),A=e.duration/p,f=e.easing,g="up"===u||"down"===u?"top":"left",m="up"===u||"left"===u,C=0,b=s.queue().length;for(t.effects.createPlaceholder(s),r=s.css(g),h||(h=s["top"===g?"outerHeight":"outerWidth"]()/3),l&&((o={opacity:1})[g]=r,s.css("opacity",0).css(g,m?2*-h:2*h).animate(o,A,f)),c&&(h/=Math.pow(2,d-1)),(o={})[g]=r;C
        ").css({position:"absolute",visibility:"visible",left:-o*A,top:-n*f}).parent().addClass("ui-effects-explode").css({position:"absolute",overflow:"hidden",width:A,height:f,left:r+(d?a*A:0),top:s+(d?c*f:0),opacity:d?0:1}).animate({left:r+(d?0:a*A),top:s+(d?0:c*f),opacity:d?1:0},e.duration||500,e.easing,m)})),t.effects.define("fade","toggle",(function(e,i){var n="show"===e.mode;t(this).css("opacity",n?0:1).animate({opacity:n?1:0},{queue:!1,duration:e.duration,easing:e.easing,complete:i})})),t.effects.define("fold","hide",(function(e,i){var n=t(this),o=e.mode,r="show"===o,s="hide"===o,a=e.size||15,c=/([0-9]+)%/.exec(a),l=e.horizFirst?["right","bottom"]:["bottom","right"],u=e.duration/2,h=t.effects.createPlaceholder(n),d=n.cssClip(),p={clip:t.extend({},d)},A={clip:t.extend({},d)},f=[d[l[0]],d[l[1]]],g=n.queue().length;c&&(a=parseInt(c[1],10)/100*f[s?0:1]),p.clip[l[0]]=a,A.clip[l[0]]=a,A.clip[l[1]]=0,r&&(n.cssClip(A.clip),h&&h.css(t.effects.clipToBox(A)),A.clip=d),n.queue((function(i){h&&h.animate(t.effects.clipToBox(p),u,e.easing).animate(t.effects.clipToBox(A),u,e.easing),i()})).animate(p,u,e.easing).animate(A,u,e.easing).queue(i),t.effects.unshift(n,g,4)})),t.effects.define("highlight","show",(function(e,i){var n=t(this),o={backgroundColor:n.css("backgroundColor")};"hide"===e.mode&&(o.opacity=0),t.effects.saveStyle(n),n.css({backgroundImage:"none",backgroundColor:e.color||"#ffff99"}).animate(o,{queue:!1,duration:e.duration,easing:e.easing,complete:i})})),t.effects.define("size",(function(e,i){var n,o,r,s=t(this),a=["fontSize"],c=["borderTopWidth","borderBottomWidth","paddingTop","paddingBottom"],l=["borderLeftWidth","borderRightWidth","paddingLeft","paddingRight"],u=e.mode,h="effect"!==u,d=e.scale||"both",p=e.origin||["middle","center"],A=s.css("position"),f=s.position(),g=t.effects.scaledDimensions(s),m=e.from||g,C=e.to||t.effects.scaledDimensions(s,0);t.effects.createPlaceholder(s),"show"===u&&(r=m,m=C,C=r),o={from:{y:m.height/g.height,x:m.width/g.width},to:{y:C.height/g.height,x:C.width/g.width}},"box"!==d&&"both"!==d||(o.from.y!==o.to.y&&(m=t.effects.setTransition(s,c,o.from.y,m),C=t.effects.setTransition(s,c,o.to.y,C)),o.from.x!==o.to.x&&(m=t.effects.setTransition(s,l,o.from.x,m),C=t.effects.setTransition(s,l,o.to.x,C))),"content"!==d&&"both"!==d||o.from.y!==o.to.y&&(m=t.effects.setTransition(s,a,o.from.y,m),C=t.effects.setTransition(s,a,o.to.y,C)),p&&(n=t.effects.getBaseline(p,g),m.top=(g.outerHeight-m.outerHeight)*n.y+f.top,m.left=(g.outerWidth-m.outerWidth)*n.x+f.left,C.top=(g.outerHeight-C.outerHeight)*n.y+f.top,C.left=(g.outerWidth-C.outerWidth)*n.x+f.left),delete m.outerHeight,delete m.outerWidth,s.css(m),"content"!==d&&"both"!==d||(c=c.concat(["marginTop","marginBottom"]).concat(a),l=l.concat(["marginLeft","marginRight"]),s.find("*[width]").each((function(){var i=t(this),n=t.effects.scaledDimensions(i),r={height:n.height*o.from.y,width:n.width*o.from.x,outerHeight:n.outerHeight*o.from.y,outerWidth:n.outerWidth*o.from.x},s={height:n.height*o.to.y,width:n.width*o.to.x,outerHeight:n.height*o.to.y,outerWidth:n.width*o.to.x};o.from.y!==o.to.y&&(r=t.effects.setTransition(i,c,o.from.y,r),s=t.effects.setTransition(i,c,o.to.y,s)),o.from.x!==o.to.x&&(r=t.effects.setTransition(i,l,o.from.x,r),s=t.effects.setTransition(i,l,o.to.x,s)),h&&t.effects.saveStyle(i),i.css(r),i.animate(s,e.duration,e.easing,(function(){h&&t.effects.restoreStyle(i)}))}))),s.animate(C,{queue:!1,duration:e.duration,easing:e.easing,complete:function(){var e=s.offset();0===C.opacity&&s.css("opacity",m.opacity),h||(s.css("position","static"===A?"relative":A).offset(e),t.effects.saveStyle(s)),i()}})})),t.effects.define("scale",(function(e,i){var n=t(this),o=e.mode,r=parseInt(e.percent,10)||(0===parseInt(e.percent,10)||"effect"!==o?0:100),s=t.extend(!0,{from:t.effects.scaledDimensions(n),to:t.effects.scaledDimensions(n,r,e.direction||"both"),origin:e.origin||["middle","center"]},e);e.fade&&(s.from.opacity=1,s.to.opacity=0),t.effects.effect.size.call(this,s,i)})),t.effects.define("puff","hide",(function(e,i){var n=t.extend(!0,{},e,{fade:!0,percent:parseInt(e.percent,10)||150});t.effects.effect.scale.call(this,n,i)})),t.effects.define("pulsate","show",(function(e,i){var n=t(this),o=e.mode,r="show"===o,s=r||"hide"===o,a=2*(e.times||5)+(s?1:0),c=e.duration/a,l=0,u=1,h=n.queue().length;for(!r&&n.is(":visible")||(n.css("opacity",0).show(),l=1);u0&&r.is(":visible")):(/^(input|select|textarea|button|object)$/.test(c)?(s=!e.disabled)&&(a=t(e).closest("fieldset")[0])&&(s=!a.disabled):s="a"===c&&e.href||i,s&&t(e).is(":visible")&&function(t){for(var e=t.css("visibility");"inherit"===e;)e=(t=t.parent()).css("visibility");return"visible"===e}(t(e)))},t.extend(t.expr.pseudos,{focusable:function(e){return t.ui.focusable(e,null!=t.attr(e,"tabindex"))}}),t.ui.focusable,t.fn._form=function(){return"string"==typeof this[0].form?this.closest("form"):t(this[0].form)},t.ui.formResetMixin={_formResetHandler:function(){var e=t(this);setTimeout((function(){var i=e.data("ui-form-reset-instances");t.each(i,(function(){this.refresh()}))}))},_bindFormResetHandler:function(){if(this.form=this.element._form(),this.form.length){var t=this.form.data("ui-form-reset-instances")||[];t.length||this.form.on("reset.ui-form-reset",this._formResetHandler),t.push(this),this.form.data("ui-form-reset-instances",t)}},_unbindFormResetHandler:function(){if(this.form.length){var e=this.form.data("ui-form-reset-instances");e.splice(t.inArray(this,e),1),e.length?this.form.data("ui-form-reset-instances",e):this.form.removeData("ui-form-reset-instances").off("reset.ui-form-reset")}}},t.expr.pseudos||(t.expr.pseudos=t.expr[":"]),t.uniqueSort||(t.uniqueSort=t.unique),!t.escapeSelector){var _=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\x80-\uFFFF\w-]/g,I=function(t,e){return e?"\0"===t?"�":t.slice(0,-1)+"\\"+t.charCodeAt(t.length-1).toString(16)+" ":"\\"+t};t.escapeSelector=function(t){return(t+"").replace(_,I)}}t.fn.even&&t.fn.odd||t.fn.extend({even:function(){return this.filter((function(t){return t%2==0}))},odd:function(){return this.filter((function(t){return t%2==1}))}}),t.ui.keyCode={BACKSPACE:8,COMMA:188,DELETE:46,DOWN:40,END:35,ENTER:13,ESCAPE:27,HOME:36,LEFT:37,PAGE_DOWN:34,PAGE_UP:33,PERIOD:190,RIGHT:39,SPACE:32,TAB:9,UP:38},t.fn.labels=function(){var e,i,n,o,r;return this.length?this[0].labels&&this[0].labels.length?this.pushStack(this[0].labels):(o=this.eq(0).parents("label"),(n=this.attr("id"))&&(r=(e=this.eq(0).parents().last()).add(e.length?e.siblings():this.siblings()),i="label[for='"+t.escapeSelector(n)+"']",o=o.add(r.find(i).addBack(i))),this.pushStack(o)):this.pushStack([])},t.fn.scrollParent=function(e){var i=this.css("position"),n="absolute"===i,o=e?/(auto|scroll|hidden)/:/(auto|scroll)/,r=this.parents().filter((function(){var e=t(this);return(!n||"static"!==e.css("position"))&&o.test(e.css("overflow")+e.css("overflow-y")+e.css("overflow-x"))})).eq(0);return"fixed"!==i&&r.length?r:t(this[0].ownerDocument||document)},t.extend(t.expr.pseudos,{tabbable:function(e){var i=t.attr(e,"tabindex"),n=null!=i;return(!n||i>=0)&&t.ui.focusable(e,n)}}),t.fn.extend({uniqueId:(y=0,function(){return this.each((function(){this.id||(this.id="ui-id-"+ ++y)}))}),removeUniqueId:function(){return this.each((function(){/^ui-id-\d+$/.test(this.id)&&t(this).removeAttr("id")}))}}),t.widget("ui.accordion",{version:"1.13.3",options:{active:0,animate:{},classes:{"ui-accordion-header":"ui-corner-top","ui-accordion-header-collapsed":"ui-corner-all","ui-accordion-content":"ui-corner-bottom"},collapsible:!1,event:"click",header:function(t){return t.find("> li > :first-child").add(t.find("> :not(li)").even())},heightStyle:"auto",icons:{activeHeader:"ui-icon-triangle-1-s",header:"ui-icon-triangle-1-e"},activate:null,beforeActivate:null},hideProps:{borderTopWidth:"hide",borderBottomWidth:"hide",paddingTop:"hide",paddingBottom:"hide",height:"hide"},showProps:{borderTopWidth:"show",borderBottomWidth:"show",paddingTop:"show",paddingBottom:"show",height:"show"},_create:function(){var e=this.options;this.prevShow=this.prevHide=t(),this._addClass("ui-accordion","ui-widget ui-helper-reset"),this.element.attr("role","tablist"),e.collapsible||!1!==e.active&&null!=e.active||(e.active=0),this._processPanels(),e.active<0&&(e.active+=this.headers.length),this._refresh()},_getCreateEventData:function(){return{header:this.active,panel:this.active.length?this.active.next():t()}},_createIcons:function(){var e,i,n=this.options.icons;n&&(e=t(""),this._addClass(e,"ui-accordion-header-icon","ui-icon "+n.header),e.prependTo(this.headers),i=this.active.children(".ui-accordion-header-icon"),this._removeClass(i,n.header)._addClass(i,null,n.activeHeader)._addClass(this.headers,"ui-accordion-icons"))},_destroyIcons:function(){this._removeClass(this.headers,"ui-accordion-icons"),this.headers.children(".ui-accordion-header-icon").remove()},_destroy:function(){var t;this.element.removeAttr("role"),this.headers.removeAttr("role aria-expanded aria-selected aria-controls tabIndex").removeUniqueId(),this._destroyIcons(),t=this.headers.next().css("display","").removeAttr("role aria-hidden aria-labelledby").removeUniqueId(),"content"!==this.options.heightStyle&&t.css("height","")},_setOption:function(t,e){"active"!==t?("event"===t&&(this.options.event&&this._off(this.headers,this.options.event),this._setupEvents(e)),this._super(t,e),"collapsible"!==t||e||!1!==this.options.active||this._activate(0),"icons"===t&&(this._destroyIcons(),e&&this._createIcons())):this._activate(e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",t),this._toggleClass(null,"ui-state-disabled",!!t),this._toggleClass(this.headers.add(this.headers.next()),null,"ui-state-disabled",!!t)},_keydown:function(e){if(!e.altKey&&!e.ctrlKey){var i=t.ui.keyCode,n=this.headers.length,o=this.headers.index(e.target),r=!1;switch(e.keyCode){case i.RIGHT:case i.DOWN:r=this.headers[(o+1)%n];break;case i.LEFT:case i.UP:r=this.headers[(o-1+n)%n];break;case i.SPACE:case i.ENTER:this._eventHandler(e);break;case i.HOME:r=this.headers[0];break;case i.END:r=this.headers[n-1]}r&&(t(e.target).attr("tabIndex",-1),t(r).attr("tabIndex",0),t(r).trigger("focus"),e.preventDefault())}},_panelKeyDown:function(e){e.keyCode===t.ui.keyCode.UP&&e.ctrlKey&&t(e.currentTarget).prev().trigger("focus")},refresh:function(){var e=this.options;this._processPanels(),!1===e.active&&!0===e.collapsible||!this.headers.length?(e.active=!1,this.active=t()):!1===e.active?this._activate(0):this.active.length&&!t.contains(this.element[0],this.active[0])?this.headers.length===this.headers.find(".ui-state-disabled").length?(e.active=!1,this.active=t()):this._activate(Math.max(0,e.active-1)):e.active=this.headers.index(this.active),this._destroyIcons(),this._refresh()},_processPanels:function(){var t=this.headers,e=this.panels;"function"==typeof this.options.header?this.headers=this.options.header(this.element):this.headers=this.element.find(this.options.header),this._addClass(this.headers,"ui-accordion-header ui-accordion-header-collapsed","ui-state-default"),this.panels=this.headers.next().filter(":not(.ui-accordion-content-active)").hide(),this._addClass(this.panels,"ui-accordion-content","ui-helper-reset ui-widget-content"),e&&(this._off(t.not(this.headers)),this._off(e.not(this.panels)))},_refresh:function(){var e,i=this.options,n=i.heightStyle,o=this.element.parent();this.active=this._findActive(i.active),this._addClass(this.active,"ui-accordion-header-active","ui-state-active")._removeClass(this.active,"ui-accordion-header-collapsed"),this._addClass(this.active.next(),"ui-accordion-content-active"),this.active.next().show(),this.headers.attr("role","tab").each((function(){var e=t(this),i=e.uniqueId().attr("id"),n=e.next(),o=n.uniqueId().attr("id");e.attr("aria-controls",o),n.attr("aria-labelledby",i)})).next().attr("role","tabpanel"),this.headers.not(this.active).attr({"aria-selected":"false","aria-expanded":"false",tabIndex:-1}).next().attr({"aria-hidden":"true"}).hide(),this.active.length?this.active.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0}).next().attr({"aria-hidden":"false"}):this.headers.eq(0).attr("tabIndex",0),this._createIcons(),this._setupEvents(i.event),"fill"===n?(e=o.height(),this.element.siblings(":visible").each((function(){var i=t(this),n=i.css("position");"absolute"!==n&&"fixed"!==n&&(e-=i.outerHeight(!0))})),this.headers.each((function(){e-=t(this).outerHeight(!0)})),this.headers.next().each((function(){t(this).height(Math.max(0,e-t(this).innerHeight()+t(this).height()))})).css("overflow","auto")):"auto"===n&&(e=0,this.headers.next().each((function(){var i=t(this).is(":visible");i||t(this).show(),e=Math.max(e,t(this).css("height","").height()),i||t(this).hide()})).height(e))},_activate:function(e){var i=this._findActive(e)[0];i!==this.active[0]&&(i=i||this.active[0],this._eventHandler({target:i,currentTarget:i,preventDefault:t.noop}))},_findActive:function(e){return"number"==typeof e?this.headers.eq(e):t()},_setupEvents:function(e){var i={keydown:"_keydown"};e&&t.each(e.split(" "),(function(t,e){i[e]="_eventHandler"})),this._off(this.headers.add(this.headers.next())),this._on(this.headers,i),this._on(this.headers.next(),{keydown:"_panelKeyDown"}),this._hoverable(this.headers),this._focusable(this.headers)},_eventHandler:function(e){var i,n,o=this.options,r=this.active,s=t(e.currentTarget),a=s[0]===r[0],c=a&&o.collapsible,l=c?t():s.next(),u=r.next(),h={oldHeader:r,oldPanel:u,newHeader:c?t():s,newPanel:l};e.preventDefault(),a&&!o.collapsible||!1===this._trigger("beforeActivate",e,h)||(o.active=!c&&this.headers.index(s),this.active=a?t():s,this._toggle(h),this._removeClass(r,"ui-accordion-header-active","ui-state-active"),o.icons&&(i=r.children(".ui-accordion-header-icon"),this._removeClass(i,null,o.icons.activeHeader)._addClass(i,null,o.icons.header)),a||(this._removeClass(s,"ui-accordion-header-collapsed")._addClass(s,"ui-accordion-header-active","ui-state-active"),o.icons&&(n=s.children(".ui-accordion-header-icon"),this._removeClass(n,null,o.icons.header)._addClass(n,null,o.icons.activeHeader)),this._addClass(s.next(),"ui-accordion-content-active")))},_toggle:function(e){var i=e.newPanel,n=this.prevShow.length?this.prevShow:e.oldPanel;this.prevShow.add(this.prevHide).stop(!0,!0),this.prevShow=i,this.prevHide=n,this.options.animate?this._animate(i,n,e):(n.hide(),i.show(),this._toggleComplete(e)),n.attr({"aria-hidden":"true"}),n.prev().attr({"aria-selected":"false","aria-expanded":"false"}),i.length&&n.length?n.prev().attr({tabIndex:-1,"aria-expanded":"false"}):i.length&&this.headers.filter((function(){return 0===parseInt(t(this).attr("tabIndex"),10)})).attr("tabIndex",-1),i.attr("aria-hidden","false").prev().attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0})},_animate:function(t,e,i){var n,o,r,s=this,a=0,c=t.css("box-sizing"),l=t.length&&(!e.length||t.index()",delay:300,options:{icons:{submenu:"ui-icon-caret-1-e"},items:"> *",menus:"ul",position:{my:"left top",at:"right top"},role:"menu",blur:null,focus:null,select:null},_create:function(){this.activeMenu=this.element,this.mouseHandled=!1,this.lastMousePosition={x:null,y:null},this.element.uniqueId().attr({role:this.options.role,tabIndex:0}),this._addClass("ui-menu","ui-widget ui-widget-content"),this._on({"mousedown .ui-menu-item":function(t){t.preventDefault(),this._activateItem(t)},"click .ui-menu-item":function(e){var i=t(e.target),n=t(t.ui.safeActiveElement(this.document[0]));!this.mouseHandled&&i.not(".ui-state-disabled").length&&(this.select(e),e.isPropagationStopped()||(this.mouseHandled=!0),i.has(".ui-menu").length?this.expand(e):!this.element.is(":focus")&&n.closest(".ui-menu").length&&(this.element.trigger("focus",[!0]),this.active&&1===this.active.parents(".ui-menu").length&&clearTimeout(this.timer)))},"mouseenter .ui-menu-item":"_activateItem","mousemove .ui-menu-item":"_activateItem",mouseleave:"collapseAll","mouseleave .ui-menu":"collapseAll",focus:function(t,e){var i=this.active||this._menuItems().first();e||this.focus(t,i)},blur:function(e){this._delay((function(){!t.contains(this.element[0],t.ui.safeActiveElement(this.document[0]))&&this.collapseAll(e)}))},keydown:"_keydown"}),this.refresh(),this._on(this.document,{click:function(t){this._closeOnDocumentClick(t)&&this.collapseAll(t,!0),this.mouseHandled=!1}})},_activateItem:function(e){if(!this.previousFilter&&(e.clientX!==this.lastMousePosition.x||e.clientY!==this.lastMousePosition.y)){this.lastMousePosition={x:e.clientX,y:e.clientY};var i=t(e.target).closest(".ui-menu-item"),n=t(e.currentTarget);i[0]===n[0]&&(n.is(".ui-state-active")||(this._removeClass(n.siblings().children(".ui-state-active"),null,"ui-state-active"),this.focus(e,n)))}},_destroy:function(){var e=this.element.find(".ui-menu-item").removeAttr("role aria-disabled").children(".ui-menu-item-wrapper").removeUniqueId().removeAttr("tabIndex role aria-haspopup");this.element.removeAttr("aria-activedescendant").find(".ui-menu").addBack().removeAttr("role aria-labelledby aria-expanded aria-hidden aria-disabled tabIndex").removeUniqueId().show(),e.children().each((function(){var e=t(this);e.data("ui-menu-submenu-caret")&&e.remove()}))},_keydown:function(e){var i,n,o,r,s=!0;switch(e.keyCode){case t.ui.keyCode.PAGE_UP:this.previousPage(e);break;case t.ui.keyCode.PAGE_DOWN:this.nextPage(e);break;case t.ui.keyCode.HOME:this._move("first","first",e);break;case t.ui.keyCode.END:this._move("last","last",e);break;case t.ui.keyCode.UP:this.previous(e);break;case t.ui.keyCode.DOWN:this.next(e);break;case t.ui.keyCode.LEFT:this.collapse(e);break;case t.ui.keyCode.RIGHT:this.active&&!this.active.is(".ui-state-disabled")&&this.expand(e);break;case t.ui.keyCode.ENTER:case t.ui.keyCode.SPACE:this._activate(e);break;case t.ui.keyCode.ESCAPE:this.collapse(e);break;default:s=!1,n=this.previousFilter||"",r=!1,o=e.keyCode>=96&&e.keyCode<=105?(e.keyCode-96).toString():String.fromCharCode(e.keyCode),clearTimeout(this.filterTimer),o===n?r=!0:o=n+o,i=this._filterMenuItems(o),(i=r&&-1!==i.index(this.active.next())?this.active.nextAll(".ui-menu-item"):i).length||(o=String.fromCharCode(e.keyCode),i=this._filterMenuItems(o)),i.length?(this.focus(e,i),this.previousFilter=o,this.filterTimer=this._delay((function(){delete this.previousFilter}),1e3)):delete this.previousFilter}s&&e.preventDefault()},_activate:function(t){this.active&&!this.active.is(".ui-state-disabled")&&(this.active.children("[aria-haspopup='true']").length?this.expand(t):this.select(t))},refresh:function(){var e,i,n,o,r=this,s=this.options.icons.submenu,a=this.element.find(this.options.menus);this._toggleClass("ui-menu-icons",null,!!this.element.find(".ui-icon").length),i=a.filter(":not(.ui-menu)").hide().attr({role:this.options.role,"aria-hidden":"true","aria-expanded":"false"}).each((function(){var e=t(this),i=e.prev(),n=t("").data("ui-menu-submenu-caret",!0);r._addClass(n,"ui-menu-icon","ui-icon "+s),i.attr("aria-haspopup","true").prepend(n),e.attr("aria-labelledby",i.attr("id"))})),this._addClass(i,"ui-menu","ui-widget ui-widget-content ui-front"),(e=a.add(this.element).find(this.options.items)).not(".ui-menu-item").each((function(){var e=t(this);r._isDivider(e)&&r._addClass(e,"ui-menu-divider","ui-widget-content")})),o=(n=e.not(".ui-menu-item, .ui-menu-divider")).children().not(".ui-menu").uniqueId().attr({tabIndex:-1,role:this._itemRole()}),this._addClass(n,"ui-menu-item")._addClass(o,"ui-menu-item-wrapper"),e.filter(".ui-state-disabled").attr("aria-disabled","true"),this.active&&!t.contains(this.element[0],this.active[0])&&this.blur()},_itemRole:function(){return{menu:"menuitem",listbox:"option"}[this.options.role]},_setOption:function(t,e){if("icons"===t){var i=this.element.find(".ui-menu-icon");this._removeClass(i,null,this.options.icons.submenu)._addClass(i,null,e.submenu)}this._super(t,e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",String(t)),this._toggleClass(null,"ui-state-disabled",!!t)},focus:function(t,e){var i,n,o;this.blur(t,t&&"focus"===t.type),this._scrollIntoView(e),this.active=e.first(),n=this.active.children(".ui-menu-item-wrapper"),this._addClass(n,null,"ui-state-active"),this.options.role&&this.element.attr("aria-activedescendant",n.attr("id")),o=this.active.parent().closest(".ui-menu-item").children(".ui-menu-item-wrapper"),this._addClass(o,null,"ui-state-active"),t&&"keydown"===t.type?this._close():this.timer=this._delay((function(){this._close()}),this.delay),(i=e.children(".ui-menu")).length&&t&&/^mouse/.test(t.type)&&this._startOpening(i),this.activeMenu=e.parent(),this._trigger("focus",t,{item:e})},_scrollIntoView:function(e){var i,n,o,r,s,a;this._hasScroll()&&(i=parseFloat(t.css(this.activeMenu[0],"borderTopWidth"))||0,n=parseFloat(t.css(this.activeMenu[0],"paddingTop"))||0,o=e.offset().top-this.activeMenu.offset().top-i-n,r=this.activeMenu.scrollTop(),s=this.activeMenu.height(),a=e.outerHeight(),o<0?this.activeMenu.scrollTop(r+o):o+a>s&&this.activeMenu.scrollTop(r+o-s+a))},blur:function(t,e){e||clearTimeout(this.timer),this.active&&(this._removeClass(this.active.children(".ui-menu-item-wrapper"),null,"ui-state-active"),this._trigger("blur",t,{item:this.active}),this.active=null)},_startOpening:function(t){clearTimeout(this.timer),"true"===t.attr("aria-hidden")&&(this.timer=this._delay((function(){this._close(),this._open(t)}),this.delay))},_open:function(e){var i=t.extend({of:this.active},this.options.position);clearTimeout(this.timer),this.element.find(".ui-menu").not(e.parents(".ui-menu")).hide().attr("aria-hidden","true"),e.show().removeAttr("aria-hidden").attr("aria-expanded","true").position(i)},collapseAll:function(e,i){clearTimeout(this.timer),this.timer=this._delay((function(){var n=i?this.element:t(e&&e.target).closest(this.element.find(".ui-menu"));n.length||(n=this.element),this._close(n),this.blur(e),this._removeClass(n.find(".ui-state-active"),null,"ui-state-active"),this.activeMenu=n}),i?0:this.delay)},_close:function(t){t||(t=this.active?this.active.parent():this.element),t.find(".ui-menu").hide().attr("aria-hidden","true").attr("aria-expanded","false")},_closeOnDocumentClick:function(e){return!t(e.target).closest(".ui-menu").length},_isDivider:function(t){return!/[^\-\u2014\u2013\s]/.test(t.text())},collapse:function(t){var e=this.active&&this.active.parent().closest(".ui-menu-item",this.element);e&&e.length&&(this._close(),this.focus(t,e))},expand:function(t){var e=this.active&&this._menuItems(this.active.children(".ui-menu")).first();e&&e.length&&(this._open(e.parent()),this._delay((function(){this.focus(t,e)})))},next:function(t){this._move("next","first",t)},previous:function(t){this._move("prev","last",t)},isFirstItem:function(){return this.active&&!this.active.prevAll(".ui-menu-item").length},isLastItem:function(){return this.active&&!this.active.nextAll(".ui-menu-item").length},_menuItems:function(t){return(t||this.element).find(this.options.items).filter(".ui-menu-item")},_move:function(t,e,i){var n;this.active&&(n="first"===t||"last"===t?this.active["first"===t?"prevAll":"nextAll"](".ui-menu-item").last():this.active[t+"All"](".ui-menu-item").first()),n&&n.length&&this.active||(n=this._menuItems(this.activeMenu)[e]()),this.focus(i,n)},nextPage:function(e){var i,n,o;this.active?this.isLastItem()||(this._hasScroll()?(n=this.active.offset().top,o=this.element.innerHeight(),0===t.fn.jquery.indexOf("3.2.")&&(o+=this.element[0].offsetHeight-this.element.outerHeight()),this.active.nextAll(".ui-menu-item").each((function(){return(i=t(this)).offset().top-n-o<0})),this.focus(e,i)):this.focus(e,this._menuItems(this.activeMenu)[this.active?"last":"first"]())):this.next(e)},previousPage:function(e){var i,n,o;this.active?this.isFirstItem()||(this._hasScroll()?(n=this.active.offset().top,o=this.element.innerHeight(),0===t.fn.jquery.indexOf("3.2.")&&(o+=this.element[0].offsetHeight-this.element.outerHeight()),this.active.prevAll(".ui-menu-item").each((function(){return(i=t(this)).offset().top-n+o>0})),this.focus(e,i)):this.focus(e,this._menuItems(this.activeMenu).first())):this.next(e)},_hasScroll:function(){return this.element.outerHeight()",options:{appendTo:null,autoFocus:!1,delay:300,minLength:1,position:{my:"left top",at:"left bottom",collision:"none"},source:null,change:null,close:null,focus:null,open:null,response:null,search:null,select:null},requestIndex:0,pending:0,liveRegionTimer:null,_create:function(){var e,i,n,o=this.element[0].nodeName.toLowerCase(),r="textarea"===o,s="input"===o;this.isMultiLine=r||!s&&this._isContentEditable(this.element),this.valueMethod=this.element[r||s?"val":"text"],this.isNewMenu=!0,this._addClass("ui-autocomplete-input"),this.element.attr("autocomplete","off"),this._on(this.element,{keydown:function(o){if(this.element.prop("readOnly"))return e=!0,n=!0,void(i=!0);e=!1,n=!1,i=!1;var r=t.ui.keyCode;switch(o.keyCode){case r.PAGE_UP:e=!0,this._move("previousPage",o);break;case r.PAGE_DOWN:e=!0,this._move("nextPage",o);break;case r.UP:e=!0,this._keyEvent("previous",o);break;case r.DOWN:e=!0,this._keyEvent("next",o);break;case r.ENTER:this.menu.active&&(e=!0,o.preventDefault(),this.menu.select(o));break;case r.TAB:this.menu.active&&this.menu.select(o);break;case r.ESCAPE:this.menu.element.is(":visible")&&(this.isMultiLine||this._value(this.term),this.close(o),o.preventDefault());break;default:i=!0,this._searchTimeout(o)}},keypress:function(n){if(e)return e=!1,void(this.isMultiLine&&!this.menu.element.is(":visible")||n.preventDefault());if(!i){var o=t.ui.keyCode;switch(n.keyCode){case o.PAGE_UP:this._move("previousPage",n);break;case o.PAGE_DOWN:this._move("nextPage",n);break;case o.UP:this._keyEvent("previous",n);break;case o.DOWN:this._keyEvent("next",n)}}},input:function(t){if(n)return n=!1,void t.preventDefault();this._searchTimeout(t)},focus:function(){this.selectedItem=null,this.previous=this._value()},blur:function(t){clearTimeout(this.searching),this.close(t),this._change(t)}}),this._initSource(),this.menu=t("
          ").appendTo(this._appendTo()).menu({role:null}).hide().attr({unselectable:"on"}).menu("instance"),this._addClass(this.menu.element,"ui-autocomplete","ui-front"),this._on(this.menu.element,{mousedown:function(t){t.preventDefault()},menufocus:function(e,i){var n,o;if(this.isNewMenu&&(this.isNewMenu=!1,e.originalEvent&&/^mouse/.test(e.originalEvent.type)))return this.menu.blur(),void this.document.one("mousemove",(function(){t(e.target).trigger(e.originalEvent)}));o=i.item.data("ui-autocomplete-item"),!1!==this._trigger("focus",e,{item:o})&&e.originalEvent&&/^key/.test(e.originalEvent.type)&&this._value(o.value),(n=i.item.attr("aria-label")||o.value)&&String.prototype.trim.call(n).length&&(clearTimeout(this.liveRegionTimer),this.liveRegionTimer=this._delay((function(){this.liveRegion.html(t("
          ").text(n))}),100))},menuselect:function(e,i){var n=i.item.data("ui-autocomplete-item"),o=this.previous;this.element[0]!==t.ui.safeActiveElement(this.document[0])&&(this.element.trigger("focus"),this.previous=o,this._delay((function(){this.previous=o,this.selectedItem=n}))),!1!==this._trigger("select",e,{item:n})&&this._value(n.value),this.term=this._value(),this.close(e),this.selectedItem=n}}),this.liveRegion=t("
          ",{role:"status","aria-live":"assertive","aria-relevant":"additions"}).appendTo(this.document[0].body),this._addClass(this.liveRegion,null,"ui-helper-hidden-accessible"),this._on(this.window,{beforeunload:function(){this.element.removeAttr("autocomplete")}})},_destroy:function(){clearTimeout(this.searching),this.element.removeAttr("autocomplete"),this.menu.element.remove(),this.liveRegion.remove()},_setOption:function(t,e){this._super(t,e),"source"===t&&this._initSource(),"appendTo"===t&&this.menu.element.appendTo(this._appendTo()),"disabled"===t&&e&&this.xhr&&this.xhr.abort()},_isEventTargetInWidget:function(e){var i=this.menu.element[0];return e.target===this.element[0]||e.target===i||t.contains(i,e.target)},_closeOnClickOutside:function(t){this._isEventTargetInWidget(t)||this.close()},_appendTo:function(){var e=this.options.appendTo;return e&&(e=e.jquery||e.nodeType?t(e):this.document.find(e).eq(0)),e&&e[0]||(e=this.element.closest(".ui-front, dialog")),e.length||(e=this.document[0].body),e},_initSource:function(){var e,i,n=this;Array.isArray(this.options.source)?(e=this.options.source,this.source=function(i,n){n(t.ui.autocomplete.filter(e,i.term))}):"string"==typeof this.options.source?(i=this.options.source,this.source=function(e,o){n.xhr&&n.xhr.abort(),n.xhr=t.ajax({url:i,data:e,dataType:"json",success:function(t){o(t)},error:function(){o([])}})}):this.source=this.options.source},_searchTimeout:function(t){clearTimeout(this.searching),this.searching=this._delay((function(){var e=this.term===this._value(),i=this.menu.element.is(":visible"),n=t.altKey||t.ctrlKey||t.metaKey||t.shiftKey;e&&(!e||i||n)||(this.selectedItem=null,this.search(null,t))}),this.options.delay)},search:function(t,e){return t=null!=t?t:this._value(),this.term=this._value(),t.length").append(t("
          ").text(i.label)).appendTo(e)},_move:function(t,e){if(this.menu.element.is(":visible"))return this.menu.isFirstItem()&&/^previous/.test(t)||this.menu.isLastItem()&&/^next/.test(t)?(this.isMultiLine||this._value(this.term),void this.menu.blur()):void this.menu[t](e);this.search(null,e)},widget:function(){return this.menu.element},_value:function(){return this.valueMethod.apply(this.element,arguments)},_keyEvent:function(t,e){this.isMultiLine&&!this.menu.element.is(":visible")||(this._move(t,e),e.preventDefault())},_isContentEditable:function(t){if(!t.length)return!1;var e=t.prop("contentEditable");return"inherit"===e?this._isContentEditable(t.parent()):"true"===e}}),t.extend(t.ui.autocomplete,{escapeRegex:function(t){return t.replace(/[\-\[\]{}()*+?.,\\\^$|#\s]/g,"\\$&")},filter:function(e,i){var n=new RegExp(t.ui.autocomplete.escapeRegex(i),"i");return t.grep(e,(function(t){return n.test(t.label||t.value||t)}))}}),t.widget("ui.autocomplete",t.ui.autocomplete,{options:{messages:{noResults:"No search results.",results:function(t){return t+(t>1?" results are":" result is")+" available, use up and down arrow keys to navigate."}}},__response:function(e){var i;this._superApply(arguments),this.options.disabled||this.cancelSearch||(i=e&&e.length?this.options.messages.results(e.length):this.options.messages.noResults,clearTimeout(this.liveRegionTimer),this.liveRegionTimer=this._delay((function(){this.liveRegion.html(t("
          ").text(i))}),100))}}),t.ui.autocomplete;var D,S=/ui-corner-([a-z]){2,6}/g;function T(){this._curInst=null,this._keyEvent=!1,this._disabledInputs=[],this._datepickerShowing=!1,this._inDialog=!1,this._mainDivId="ui-datepicker-div",this._inlineClass="ui-datepicker-inline",this._appendClass="ui-datepicker-append",this._triggerClass="ui-datepicker-trigger",this._dialogClass="ui-datepicker-dialog",this._disableClass="ui-datepicker-disabled",this._unselectableClass="ui-datepicker-unselectable",this._currentClass="ui-datepicker-current-day",this._dayOverClass="ui-datepicker-days-cell-over",this.regional=[],this.regional[""]={closeText:"Done",prevText:"Prev",nextText:"Next",currentText:"Today",monthNames:["January","February","March","April","May","June","July","August","September","October","November","December"],monthNamesShort:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],dayNames:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],dayNamesShort:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],dayNamesMin:["Su","Mo","Tu","We","Th","Fr","Sa"],weekHeader:"Wk",dateFormat:"mm/dd/yy",firstDay:0,isRTL:!1,showMonthAfterYear:!1,yearSuffix:"",selectMonthLabel:"Select month",selectYearLabel:"Select year"},this._defaults={showOn:"focus",showAnim:"fadeIn",showOptions:{},defaultDate:null,appendText:"",buttonText:"...",buttonImage:"",buttonImageOnly:!1,hideIfNoPrevNext:!1,navigationAsDateFormat:!1,gotoCurrent:!1,changeMonth:!1,changeYear:!1,yearRange:"c-10:c+10",showOtherMonths:!1,selectOtherMonths:!1,showWeek:!1,calculateWeek:this.iso8601Week,shortYearCutoff:"+10",minDate:null,maxDate:null,duration:"fast",beforeShowDay:null,beforeShow:null,onSelect:null,onChangeMonthYear:null,onClose:null,onUpdateDatepicker:null,numberOfMonths:1,showCurrentAtPos:0,stepMonths:1,stepBigMonths:12,altField:"",altFormat:"",constrainInput:!0,showButtonPanel:!1,autoSize:!1,disabled:!1},t.extend(this._defaults,this.regional[""]),this.regional.en=t.extend(!0,{},this.regional[""]),this.regional["en-US"]=t.extend(!0,{},this.regional.en),this.dpDiv=O(t("
          "))}function O(e){var i="button, .ui-datepicker-prev, .ui-datepicker-next, .ui-datepicker-calendar td a";return e.on("mouseout",i,(function(){t(this).removeClass("ui-state-hover"),-1!==this.className.indexOf("ui-datepicker-prev")&&t(this).removeClass("ui-datepicker-prev-hover"),-1!==this.className.indexOf("ui-datepicker-next")&&t(this).removeClass("ui-datepicker-next-hover")})).on("mouseover",i,M)}function M(){t.datepicker._isDisabledDatepicker(D.inline?D.dpDiv.parent()[0]:D.input[0])||(t(this).parents(".ui-datepicker-calendar").find("a").removeClass("ui-state-hover"),t(this).addClass("ui-state-hover"),-1!==this.className.indexOf("ui-datepicker-prev")&&t(this).addClass("ui-datepicker-prev-hover"),-1!==this.className.indexOf("ui-datepicker-next")&&t(this).addClass("ui-datepicker-next-hover"))}function P(e,i){for(var n in t.extend(e,i),i)null==i[n]&&(e[n]=i[n]);return e}t.widget("ui.controlgroup",{version:"1.13.3",defaultElement:"
          ",options:{direction:"horizontal",disabled:null,onlyVisible:!0,items:{button:"input[type=button], input[type=submit], input[type=reset], button, a",controlgroupLabel:".ui-controlgroup-label",checkboxradio:"input[type='checkbox'], input[type='radio']",selectmenu:"select",spinner:".ui-spinner-input"}},_create:function(){this._enhance()},_enhance:function(){this.element.attr("role","toolbar"),this.refresh()},_destroy:function(){this._callChildMethod("destroy"),this.childWidgets.removeData("ui-controlgroup-data"),this.element.removeAttr("role"),this.options.items.controlgroupLabel&&this.element.find(this.options.items.controlgroupLabel).find(".ui-controlgroup-label-contents").contents().unwrap()},_initWidgets:function(){var e=this,i=[];t.each(this.options.items,(function(n,o){var r,s={};if(o)return"controlgroupLabel"===n?((r=e.element.find(o)).each((function(){var e=t(this);e.children(".ui-controlgroup-label-contents").length||e.contents().wrapAll("")})),e._addClass(r,null,"ui-widget ui-widget-content ui-state-default"),void(i=i.concat(r.get()))):void(t.fn[n]&&(s=e["_"+n+"Options"]?e["_"+n+"Options"]("middle"):{classes:{}},e.element.find(o).each((function(){var o=t(this),r=o[n]("instance"),a=t.widget.extend({},s);if("button"!==n||!o.parent(".ui-spinner").length){r||(r=o[n]()[n]("instance")),r&&(a.classes=e._resolveClassesValues(a.classes,r)),o[n](a);var c=o[n]("widget");t.data(c[0],"ui-controlgroup-data",r||o[n]("instance")),i.push(c[0])}}))))})),this.childWidgets=t(t.uniqueSort(i)),this._addClass(this.childWidgets,"ui-controlgroup-item")},_callChildMethod:function(e){this.childWidgets.each((function(){var i=t(this).data("ui-controlgroup-data");i&&i[e]&&i[e]()}))},_updateCornerClass:function(t,e){var i=this._buildSimpleOptions(e,"label").classes.label;this._removeClass(t,null,"ui-corner-top ui-corner-bottom ui-corner-left ui-corner-right ui-corner-all"),this._addClass(t,null,i)},_buildSimpleOptions:function(t,e){var i="vertical"===this.options.direction,n={classes:{}};return n.classes[e]={middle:"",first:"ui-corner-"+(i?"top":"left"),last:"ui-corner-"+(i?"bottom":"right"),only:"ui-corner-all"}[t],n},_spinnerOptions:function(t){var e=this._buildSimpleOptions(t,"ui-spinner");return e.classes["ui-spinner-up"]="",e.classes["ui-spinner-down"]="",e},_buttonOptions:function(t){return this._buildSimpleOptions(t,"ui-button")},_checkboxradioOptions:function(t){return this._buildSimpleOptions(t,"ui-checkboxradio-label")},_selectmenuOptions:function(t){var e="vertical"===this.options.direction;return{width:!!e&&"auto",classes:{middle:{"ui-selectmenu-button-open":"","ui-selectmenu-button-closed":""},first:{"ui-selectmenu-button-open":"ui-corner-"+(e?"top":"tl"),"ui-selectmenu-button-closed":"ui-corner-"+(e?"top":"left")},last:{"ui-selectmenu-button-open":e?"":"ui-corner-tr","ui-selectmenu-button-closed":"ui-corner-"+(e?"bottom":"right")},only:{"ui-selectmenu-button-open":"ui-corner-top","ui-selectmenu-button-closed":"ui-corner-all"}}[t]}},_resolveClassesValues:function(e,i){var n={};return t.each(e,(function(t){var o=i.options.classes[t]||"";o=String.prototype.trim.call(o.replace(S,"")),n[t]=(o+" "+e[t]).replace(/\s+/g," ")})),n},_setOption:function(t,e){"direction"===t&&this._removeClass("ui-controlgroup-"+this.options.direction),this._super(t,e),"disabled"!==t?this.refresh():this._callChildMethod(e?"disable":"enable")},refresh:function(){var e,i=this;this._addClass("ui-controlgroup ui-controlgroup-"+this.options.direction),"horizontal"===this.options.direction&&this._addClass(null,"ui-helper-clearfix"),this._initWidgets(),e=this.childWidgets,this.options.onlyVisible&&(e=e.filter(":visible")),e.length&&(t.each(["first","last"],(function(t,n){var o=e[n]().data("ui-controlgroup-data");if(o&&i["_"+o.widgetName+"Options"]){var r=i["_"+o.widgetName+"Options"](1===e.length?"only":n);r.classes=i._resolveClassesValues(r.classes,o),o.element[o.widgetName](r)}else i._updateCornerClass(e[n](),n)})),this._callChildMethod("refresh"))}}),t.widget("ui.checkboxradio",[t.ui.formResetMixin,{version:"1.13.3",options:{disabled:null,label:null,icon:!0,classes:{"ui-checkboxradio-label":"ui-corner-all","ui-checkboxradio-icon":"ui-corner-all"}},_getCreateOptions:function(){var e,i,n,o=this._super()||{};return this._readType(),i=this.element.labels(),this.label=t(i[i.length-1]),this.label.length||t.error("No label found for checkboxradio widget"),this.originalLabel="",(n=this.label.contents().not(this.element[0])).length&&(this.originalLabel+=n.clone().wrapAll("
          ").parent().html()),this.originalLabel&&(o.label=this.originalLabel),null!=(e=this.element[0].disabled)&&(o.disabled=e),o},_create:function(){var t=this.element[0].checked;this._bindFormResetHandler(),null==this.options.disabled&&(this.options.disabled=this.element[0].disabled),this._setOption("disabled",this.options.disabled),this._addClass("ui-checkboxradio","ui-helper-hidden-accessible"),this._addClass(this.label,"ui-checkboxradio-label","ui-button ui-widget"),"radio"===this.type&&this._addClass(this.label,"ui-checkboxradio-radio-label"),this.options.label&&this.options.label!==this.originalLabel?this._updateLabel():this.originalLabel&&(this.options.label=this.originalLabel),this._enhance(),t&&this._addClass(this.label,"ui-checkboxradio-checked","ui-state-active"),this._on({change:"_toggleClasses",focus:function(){this._addClass(this.label,null,"ui-state-focus ui-visual-focus")},blur:function(){this._removeClass(this.label,null,"ui-state-focus ui-visual-focus")}})},_readType:function(){var e=this.element[0].nodeName.toLowerCase();this.type=this.element[0].type,"input"===e&&/radio|checkbox/.test(this.type)||t.error("Can't create checkboxradio on element.nodeName="+e+" and element.type="+this.type)},_enhance:function(){this._updateIcon(this.element[0].checked)},widget:function(){return this.label},_getRadioGroup:function(){var e=this.element[0].name,i="input[name='"+t.escapeSelector(e)+"']";return e?(this.form.length?t(this.form[0].elements).filter(i):t(i).filter((function(){return 0===t(this)._form().length}))).not(this.element):t([])},_toggleClasses:function(){var e=this.element[0].checked;this._toggleClass(this.label,"ui-checkboxradio-checked","ui-state-active",e),this.options.icon&&"checkbox"===this.type&&this._toggleClass(this.icon,null,"ui-icon-check ui-state-checked",e)._toggleClass(this.icon,null,"ui-icon-blank",!e),"radio"===this.type&&this._getRadioGroup().each((function(){var e=t(this).checkboxradio("instance");e&&e._removeClass(e.label,"ui-checkboxradio-checked","ui-state-active")}))},_destroy:function(){this._unbindFormResetHandler(),this.icon&&(this.icon.remove(),this.iconSpace.remove())},_setOption:function(t,e){if("label"!==t||e){if(this._super(t,e),"disabled"===t)return this._toggleClass(this.label,null,"ui-state-disabled",e),void(this.element[0].disabled=e);this.refresh()}},_updateIcon:function(e){var i="ui-icon ui-icon-background ";this.options.icon?(this.icon||(this.icon=t(""),this.iconSpace=t(" "),this._addClass(this.iconSpace,"ui-checkboxradio-icon-space")),"checkbox"===this.type?(i+=e?"ui-icon-check ui-state-checked":"ui-icon-blank",this._removeClass(this.icon,null,e?"ui-icon-blank":"ui-icon-check")):i+="ui-icon-blank",this._addClass(this.icon,"ui-checkboxradio-icon",i),e||this._removeClass(this.icon,null,"ui-icon-check ui-state-checked"),this.icon.prependTo(this.label).after(this.iconSpace)):void 0!==this.icon&&(this.icon.remove(),this.iconSpace.remove(),delete this.icon)},_updateLabel:function(){var t=this.label.contents().not(this.element[0]);this.icon&&(t=t.not(this.icon[0])),this.iconSpace&&(t=t.not(this.iconSpace[0])),t.remove(),this.label.append(this.options.label)},refresh:function(){var t=this.element[0].checked,e=this.element[0].disabled;this._updateIcon(t),this._toggleClass(this.label,"ui-checkboxradio-checked","ui-state-active",t),null!==this.options.label&&this._updateLabel(),e!==this.options.disabled&&this._setOptions({disabled:e})}}]),t.ui.checkboxradio,t.widget("ui.button",{version:"1.13.3",defaultElement:"
          "+(G[0]>0&&B===G[1]-1?"
          ":""):"")}x+=k}return x+=u,e._keyEvent=!1,x},_generateMonthYearHeader:function(t,e,i,n,o,r,s,a){var c,l,u,h,d,p,A,f,g=this._get(t,"changeMonth"),m=this._get(t,"changeYear"),C=this._get(t,"showMonthAfterYear"),b=this._get(t,"selectMonthLabel"),v=this._get(t,"selectYearLabel"),x="
          ",w="";if(r||!g)w+=""+s[e]+"";else{for(c=n&&n.getFullYear()===i,l=o&&o.getFullYear()===i,w+=""}if(C||(x+=w+(!r&&g&&m?"":" ")),!t.yearshtml)if(t.yearshtml="",r||!m)x+=""+i+"";else{for(h=this._get(t,"yearRange").split(":"),d=(new Date).getFullYear(),p=function(t){var e=t.match(/c[+\-].*/)?i+parseInt(t.substring(1),10):t.match(/[+\-].*/)?d+parseInt(t,10):parseInt(t,10);return isNaN(e)?d:e},A=p(h[0]),f=Math.max(A,p(h[1]||"")),A=n?Math.max(A,n.getFullYear()):A,f=o?Math.min(f,o.getFullYear()):f,t.yearshtml+="",x+=t.yearshtml,t.yearshtml=null}return x+=this._get(t,"yearSuffix"),C&&(x+=(!r&&g&&m?"":" ")+w),x+"
          "},_adjustInstDate:function(t,e,i){var n=t.selectedYear+("Y"===i?e:0),o=t.selectedMonth+("M"===i?e:0),r=Math.min(t.selectedDay,this._getDaysInMonth(n,o))+("D"===i?e:0),s=this._restrictMinMax(t,this._daylightSavingAdjust(new Date(n,o,r)));t.selectedDay=s.getDate(),t.drawMonth=t.selectedMonth=s.getMonth(),t.drawYear=t.selectedYear=s.getFullYear(),"M"!==i&&"Y"!==i||this._notifyChange(t)},_restrictMinMax:function(t,e){var i=this._getMinMaxDate(t,"min"),n=this._getMinMaxDate(t,"max"),o=i&&en?n:o},_notifyChange:function(t){var e=this._get(t,"onChangeMonthYear");e&&e.apply(t.input?t.input[0]:null,[t.selectedYear,t.selectedMonth+1,t])},_getNumberOfMonths:function(t){var e=this._get(t,"numberOfMonths");return null==e?[1,1]:"number"==typeof e?[1,e]:e},_getMinMaxDate:function(t,e){return this._determineDate(t,this._get(t,e+"Date"),null)},_getDaysInMonth:function(t,e){return 32-this._daylightSavingAdjust(new Date(t,e,32)).getDate()},_getFirstDayOfMonth:function(t,e){return new Date(t,e,1).getDay()},_canAdjustMonth:function(t,e,i,n){var o=this._getNumberOfMonths(t),r=this._daylightSavingAdjust(new Date(i,n+(e<0?e:o[0]*o[1]),1));return e<0&&r.setDate(this._getDaysInMonth(r.getFullYear(),r.getMonth())),this._isInRange(t,r)},_isInRange:function(t,e){var i,n,o=this._getMinMaxDate(t,"min"),r=this._getMinMaxDate(t,"max"),s=null,a=null,c=this._get(t,"yearRange");return c&&(i=c.split(":"),n=(new Date).getFullYear(),s=parseInt(i[0],10),a=parseInt(i[1],10),i[0].match(/[+\-].*/)&&(s+=n),i[1].match(/[+\-].*/)&&(a+=n)),(!o||e.getTime()>=o.getTime())&&(!r||e.getTime()<=r.getTime())&&(!s||e.getFullYear()>=s)&&(!a||e.getFullYear()<=a)},_getFormatConfig:function(t){var e=this._get(t,"shortYearCutoff");return{shortYearCutoff:e="string"!=typeof e?e:(new Date).getFullYear()%100+parseInt(e,10),dayNamesShort:this._get(t,"dayNamesShort"),dayNames:this._get(t,"dayNames"),monthNamesShort:this._get(t,"monthNamesShort"),monthNames:this._get(t,"monthNames")}},_formatDate:function(t,e,i,n){e||(t.currentDay=t.selectedDay,t.currentMonth=t.selectedMonth,t.currentYear=t.selectedYear);var o=e?"object"==typeof e?e:this._daylightSavingAdjust(new Date(n,i,e)):this._daylightSavingAdjust(new Date(t.currentYear,t.currentMonth,t.currentDay));return this.formatDate(this._get(t,"dateFormat"),o,this._getFormatConfig(t))}}),t.fn.datepicker=function(e){if(!this.length)return this;t.datepicker.initialized||(t(document).on("mousedown",t.datepicker._checkExternalClick),t.datepicker.initialized=!0),0===t("#"+t.datepicker._mainDivId).length&&t("body").append(t.datepicker.dpDiv);var i=Array.prototype.slice.call(arguments,1);return"string"!=typeof e||"isDisabled"!==e&&"getDate"!==e&&"widget"!==e?"option"===e&&2===arguments.length&&"string"==typeof arguments[1]?t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this[0]].concat(i)):this.each((function(){"string"==typeof e?t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this].concat(i)):t.datepicker._attachDatepicker(this,e)})):t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this[0]].concat(i))},t.datepicker=new T,t.datepicker.initialized=!1,t.datepicker.uuid=(new Date).getTime(),t.datepicker.version="1.13.3",t.datepicker,t.ui.ie=!!/msie [\w.]+/.exec(navigator.userAgent.toLowerCase());var R,N=!1;function H(t){return function(){var e=this.element.val();t.apply(this,arguments),this._refresh(),e!==this.element.val()&&this._trigger("change")}}t(document).on("mouseup",(function(){N=!1})),t.widget("ui.mouse",{version:"1.13.3",options:{cancel:"input, textarea, button, select, option",distance:1,delay:0},_mouseInit:function(){var e=this;this.element.on("mousedown."+this.widgetName,(function(t){return e._mouseDown(t)})).on("click."+this.widgetName,(function(i){if(!0===t.data(i.target,e.widgetName+".preventClickEvent"))return t.removeData(i.target,e.widgetName+".preventClickEvent"),i.stopImmediatePropagation(),!1})),this.started=!1},_mouseDestroy:function(){this.element.off("."+this.widgetName),this._mouseMoveDelegate&&this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate)},_mouseDown:function(e){if(!N){this._mouseMoved=!1,this._mouseStarted&&this._mouseUp(e),this._mouseDownEvent=e;var i=this,n=1===e.which,o=!("string"!=typeof this.options.cancel||!e.target.nodeName)&&t(e.target).closest(this.options.cancel).length;return!(n&&!o&&this._mouseCapture(e)&&(this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout((function(){i.mouseDelayMet=!0}),this.options.delay)),this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=!1!==this._mouseStart(e),!this._mouseStarted)?(e.preventDefault(),0):(!0===t.data(e.target,this.widgetName+".preventClickEvent")&&t.removeData(e.target,this.widgetName+".preventClickEvent"),this._mouseMoveDelegate=function(t){return i._mouseMove(t)},this._mouseUpDelegate=function(t){return i._mouseUp(t)},this.document.on("mousemove."+this.widgetName,this._mouseMoveDelegate).on("mouseup."+this.widgetName,this._mouseUpDelegate),e.preventDefault(),N=!0,0)))}},_mouseMove:function(e){if(this._mouseMoved){if(t.ui.ie&&(!document.documentMode||document.documentMode<9)&&!e.button)return this._mouseUp(e);if(!e.which)if(e.originalEvent.altKey||e.originalEvent.ctrlKey||e.originalEvent.metaKey||e.originalEvent.shiftKey)this.ignoreMissingWhich=!0;else if(!this.ignoreMissingWhich)return this._mouseUp(e)}return(e.which||e.button)&&(this._mouseMoved=!0),this._mouseStarted?(this._mouseDrag(e),e.preventDefault()):(this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=!1!==this._mouseStart(this._mouseDownEvent,e),this._mouseStarted?this._mouseDrag(e):this._mouseUp(e)),!this._mouseStarted)},_mouseUp:function(e){this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,e.target===this._mouseDownEvent.target&&t.data(e.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(e)),this._mouseDelayTimer&&(clearTimeout(this._mouseDelayTimer),delete this._mouseDelayTimer),this.ignoreMissingWhich=!1,N=!1,e.preventDefault()},_mouseDistanceMet:function(t){return Math.max(Math.abs(this._mouseDownEvent.pageX-t.pageX),Math.abs(this._mouseDownEvent.pageY-t.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}}),t.ui.plugin={add:function(e,i,n){var o,r=t.ui[e].prototype;for(o in n)r.plugins[o]=r.plugins[o]||[],r.plugins[o].push([i,n[o]])},call:function(t,e,i,n){var o,r=t.plugins[e];if(r&&(n||t.element[0].parentNode&&11!==t.element[0].parentNode.nodeType))for(o=0;o0||(this.handle=this._getHandle(e),!this.handle||(this._blurActiveElement(e),this._blockFrames(!0===i.iframeFix?"iframe":i.iframeFix),0)))},_blockFrames:function(e){this.iframeBlocks=this.document.find(e).map((function(){var e=t(this);return t("
          ").css("position","absolute").appendTo(e.parent()).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()).offset(e.offset())[0]}))},_unblockFrames:function(){this.iframeBlocks&&(this.iframeBlocks.remove(),delete this.iframeBlocks)},_blurActiveElement:function(e){var i=t.ui.safeActiveElement(this.document[0]);t(e.target).closest(i).length||t.ui.safeBlur(i)},_mouseStart:function(e){var i=this.options;return this.helper=this._createHelper(e),this._addClass(this.helper,"ui-draggable-dragging"),this._cacheHelperProportions(),t.ui.ddmanager&&(t.ui.ddmanager.current=this),this._cacheMargins(),this.cssPosition=this.helper.css("position"),this.scrollParent=this.helper.scrollParent(!0),this.offsetParent=this.helper.offsetParent(),this.hasFixedAncestor=this.helper.parents().filter((function(){return"fixed"===t(this).css("position")})).length>0,this.positionAbs=this.element.offset(),this._refreshOffsets(e),this.originalPosition=this.position=this._generatePosition(e,!1),this.originalPageX=e.pageX,this.originalPageY=e.pageY,i.cursorAt&&this._adjustOffsetFromHelper(i.cursorAt),this._setContainment(),!1===this._trigger("start",e)?(this._clear(),!1):(this._cacheHelperProportions(),t.ui.ddmanager&&!i.dropBehaviour&&t.ui.ddmanager.prepareOffsets(this,e),this._mouseDrag(e,!0),t.ui.ddmanager&&t.ui.ddmanager.dragStart(this,e),!0)},_refreshOffsets:function(t){this.offset={top:this.positionAbs.top-this.margins.top,left:this.positionAbs.left-this.margins.left,scroll:!1,parent:this._getParentOffset(),relative:this._getRelativeOffset()},this.offset.click={left:t.pageX-this.offset.left,top:t.pageY-this.offset.top}},_mouseDrag:function(e,i){if(this.hasFixedAncestor&&(this.offset.parent=this._getParentOffset()),this.position=this._generatePosition(e,!0),this.positionAbs=this._convertPositionTo("absolute"),!i){var n=this._uiHash();if(!1===this._trigger("drag",e,n))return this._mouseUp(new t.Event("mouseup",e)),!1;this.position=n.position}return this.helper[0].style.left=this.position.left+"px",this.helper[0].style.top=this.position.top+"px",t.ui.ddmanager&&t.ui.ddmanager.drag(this,e),!1},_mouseStop:function(e){var i=this,n=!1;return t.ui.ddmanager&&!this.options.dropBehaviour&&(n=t.ui.ddmanager.drop(this,e)),this.dropped&&(n=this.dropped,this.dropped=!1),"invalid"===this.options.revert&&!n||"valid"===this.options.revert&&n||!0===this.options.revert||"function"==typeof this.options.revert&&this.options.revert.call(this.element,n)?t(this.helper).animate(this.originalPosition,parseInt(this.options.revertDuration,10),(function(){!1!==i._trigger("stop",e)&&i._clear()})):!1!==this._trigger("stop",e)&&this._clear(),!1},_mouseUp:function(e){return this._unblockFrames(),t.ui.ddmanager&&t.ui.ddmanager.dragStop(this,e),this.handleElement.is(e.target)&&this.element.trigger("focus"),t.ui.mouse.prototype._mouseUp.call(this,e)},cancel:function(){return this.helper.is(".ui-draggable-dragging")?this._mouseUp(new t.Event("mouseup",{target:this.element[0]})):this._clear(),this},_getHandle:function(e){return!this.options.handle||!!t(e.target).closest(this.element.find(this.options.handle)).length},_setHandleClassName:function(){this.handleElement=this.options.handle?this.element.find(this.options.handle):this.element,this._addClass(this.handleElement,"ui-draggable-handle")},_removeHandleClassName:function(){this._removeClass(this.handleElement,"ui-draggable-handle")},_createHelper:function(e){var i=this.options,n="function"==typeof i.helper,o=n?t(i.helper.apply(this.element[0],[e])):"clone"===i.helper?this.element.clone().removeAttr("id"):this.element;return o.parents("body").length||o.appendTo("parent"===i.appendTo?this.element[0].parentNode:i.appendTo),n&&o[0]===this.element[0]&&this._setPositionRelative(),o[0]===this.element[0]||/(fixed|absolute)/.test(o.css("position"))||o.css("position","absolute"),o},_setPositionRelative:function(){/^(?:r|a|f)/.test(this.element.css("position"))||(this.element[0].style.position="relative")},_adjustOffsetFromHelper:function(t){"string"==typeof t&&(t=t.split(" ")),Array.isArray(t)&&(t={left:+t[0],top:+t[1]||0}),"left"in t&&(this.offset.click.left=t.left+this.margins.left),"right"in t&&(this.offset.click.left=this.helperProportions.width-t.right+this.margins.left),"top"in t&&(this.offset.click.top=t.top+this.margins.top),"bottom"in t&&(this.offset.click.top=this.helperProportions.height-t.bottom+this.margins.top)},_isRootNode:function(t){return/(html|body)/i.test(t.tagName)||t===this.document[0]},_getParentOffset:function(){var e=this.offsetParent.offset(),i=this.document[0];return"absolute"===this.cssPosition&&this.scrollParent[0]!==i&&t.contains(this.scrollParent[0],this.offsetParent[0])&&(e.left+=this.scrollParent.scrollLeft(),e.top+=this.scrollParent.scrollTop()),this._isRootNode(this.offsetParent[0])&&(e={top:0,left:0}),{top:e.top+(parseInt(this.offsetParent.css("borderTopWidth"),10)||0),left:e.left+(parseInt(this.offsetParent.css("borderLeftWidth"),10)||0)}},_getRelativeOffset:function(){if("relative"!==this.cssPosition)return{top:0,left:0};var t=this.element.position(),e=this._isRootNode(this.scrollParent[0]);return{top:t.top-(parseInt(this.helper.css("top"),10)||0)+(e?0:this.scrollParent.scrollTop()),left:t.left-(parseInt(this.helper.css("left"),10)||0)+(e?0:this.scrollParent.scrollLeft())}},_cacheMargins:function(){this.margins={left:parseInt(this.element.css("marginLeft"),10)||0,top:parseInt(this.element.css("marginTop"),10)||0,right:parseInt(this.element.css("marginRight"),10)||0,bottom:parseInt(this.element.css("marginBottom"),10)||0}},_cacheHelperProportions:function(){this.helperProportions={width:this.helper.outerWidth(),height:this.helper.outerHeight()}},_setContainment:function(){var e,i,n,o=this.options,r=this.document[0];this.relativeContainer=null,o.containment?"window"!==o.containment?"document"!==o.containment?o.containment.constructor!==Array?("parent"===o.containment&&(o.containment=this.helper[0].parentNode),(n=(i=t(o.containment))[0])&&(e=/(scroll|auto)/.test(i.css("overflow")),this.containment=[(parseInt(i.css("borderLeftWidth"),10)||0)+(parseInt(i.css("paddingLeft"),10)||0),(parseInt(i.css("borderTopWidth"),10)||0)+(parseInt(i.css("paddingTop"),10)||0),(e?Math.max(n.scrollWidth,n.offsetWidth):n.offsetWidth)-(parseInt(i.css("borderRightWidth"),10)||0)-(parseInt(i.css("paddingRight"),10)||0)-this.helperProportions.width-this.margins.left-this.margins.right,(e?Math.max(n.scrollHeight,n.offsetHeight):n.offsetHeight)-(parseInt(i.css("borderBottomWidth"),10)||0)-(parseInt(i.css("paddingBottom"),10)||0)-this.helperProportions.height-this.margins.top-this.margins.bottom],this.relativeContainer=i)):this.containment=o.containment:this.containment=[0,0,t(r).width()-this.helperProportions.width-this.margins.left,(t(r).height()||r.body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top]:this.containment=[t(window).scrollLeft()-this.offset.relative.left-this.offset.parent.left,t(window).scrollTop()-this.offset.relative.top-this.offset.parent.top,t(window).scrollLeft()+t(window).width()-this.helperProportions.width-this.margins.left,t(window).scrollTop()+(t(window).height()||r.body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top]:this.containment=null},_convertPositionTo:function(t,e){e||(e=this.position);var i="absolute"===t?1:-1,n=this._isRootNode(this.scrollParent[0]);return{top:e.top+this.offset.relative.top*i+this.offset.parent.top*i-("fixed"===this.cssPosition?-this.offset.scroll.top:n?0:this.offset.scroll.top)*i,left:e.left+this.offset.relative.left*i+this.offset.parent.left*i-("fixed"===this.cssPosition?-this.offset.scroll.left:n?0:this.offset.scroll.left)*i}},_generatePosition:function(t,e){var i,n,o,r,s=this.options,a=this._isRootNode(this.scrollParent[0]),c=t.pageX,l=t.pageY;return a&&this.offset.scroll||(this.offset.scroll={top:this.scrollParent.scrollTop(),left:this.scrollParent.scrollLeft()}),e&&(this.containment&&(this.relativeContainer?(n=this.relativeContainer.offset(),i=[this.containment[0]+n.left,this.containment[1]+n.top,this.containment[2]+n.left,this.containment[3]+n.top]):i=this.containment,t.pageX-this.offset.click.lefti[2]&&(c=i[2]+this.offset.click.left),t.pageY-this.offset.click.top>i[3]&&(l=i[3]+this.offset.click.top)),s.grid&&(o=s.grid[1]?this.originalPageY+Math.round((l-this.originalPageY)/s.grid[1])*s.grid[1]:this.originalPageY,l=i?o-this.offset.click.top>=i[1]||o-this.offset.click.top>i[3]?o:o-this.offset.click.top>=i[1]?o-s.grid[1]:o+s.grid[1]:o,r=s.grid[0]?this.originalPageX+Math.round((c-this.originalPageX)/s.grid[0])*s.grid[0]:this.originalPageX,c=i?r-this.offset.click.left>=i[0]||r-this.offset.click.left>i[2]?r:r-this.offset.click.left>=i[0]?r-s.grid[0]:r+s.grid[0]:r),"y"===s.axis&&(c=this.originalPageX),"x"===s.axis&&(l=this.originalPageY)),{top:l-this.offset.click.top-this.offset.relative.top-this.offset.parent.top+("fixed"===this.cssPosition?-this.offset.scroll.top:a?0:this.offset.scroll.top),left:c-this.offset.click.left-this.offset.relative.left-this.offset.parent.left+("fixed"===this.cssPosition?-this.offset.scroll.left:a?0:this.offset.scroll.left)}},_clear:function(){this._removeClass(this.helper,"ui-draggable-dragging"),this.helper[0]===this.element[0]||this.cancelHelperRemoval||this.helper.remove(),this.helper=null,this.cancelHelperRemoval=!1,this.destroyOnClear&&this.destroy()},_trigger:function(e,i,n){return n=n||this._uiHash(),t.ui.plugin.call(this,e,[i,n,this],!0),/^(drag|start|stop)/.test(e)&&(this.positionAbs=this._convertPositionTo("absolute"),n.offset=this.positionAbs),t.Widget.prototype._trigger.call(this,e,i,n)},plugins:{},_uiHash:function(){return{helper:this.helper,position:this.position,originalPosition:this.originalPosition,offset:this.positionAbs}}}),t.ui.plugin.add("draggable","connectToSortable",{start:function(e,i,n){var o=t.extend({},i,{item:n.element});n.sortables=[],t(n.options.connectToSortable).each((function(){var i=t(this).sortable("instance");i&&!i.options.disabled&&(n.sortables.push(i),i.refreshPositions(),i._trigger("activate",e,o))}))},stop:function(e,i,n){var o=t.extend({},i,{item:n.element});n.cancelHelperRemoval=!1,t.each(n.sortables,(function(){var t=this;t.isOver?(t.isOver=0,n.cancelHelperRemoval=!0,t.cancelHelperRemoval=!1,t._storedCSS={position:t.placeholder.css("position"),top:t.placeholder.css("top"),left:t.placeholder.css("left")},t._mouseStop(e),t.options.helper=t.options._helper):(t.cancelHelperRemoval=!0,t._trigger("deactivate",e,o))}))},drag:function(e,i,n){t.each(n.sortables,(function(){var o=!1,r=this;r.positionAbs=n.positionAbs,r.helperProportions=n.helperProportions,r.offset.click=n.offset.click,r._intersectsWith(r.containerCache)&&(o=!0,t.each(n.sortables,(function(){return this.positionAbs=n.positionAbs,this.helperProportions=n.helperProportions,this.offset.click=n.offset.click,this!==r&&this._intersectsWith(this.containerCache)&&t.contains(r.element[0],this.element[0])&&(o=!1),o}))),o?(r.isOver||(r.isOver=1,n._parent=i.helper.parent(),r.currentItem=i.helper.appendTo(r.element).data("ui-sortable-item",!0),r.options._helper=r.options.helper,r.options.helper=function(){return i.helper[0]},e.target=r.currentItem[0],r._mouseCapture(e,!0),r._mouseStart(e,!0,!0),r.offset.click.top=n.offset.click.top,r.offset.click.left=n.offset.click.left,r.offset.parent.left-=n.offset.parent.left-r.offset.parent.left,r.offset.parent.top-=n.offset.parent.top-r.offset.parent.top,n._trigger("toSortable",e),n.dropped=r.element,t.each(n.sortables,(function(){this.refreshPositions()})),n.currentItem=n.element,r.fromOutside=n),r.currentItem&&(r._mouseDrag(e),i.position=r.position)):r.isOver&&(r.isOver=0,r.cancelHelperRemoval=!0,r.options._revert=r.options.revert,r.options.revert=!1,r._trigger("out",e,r._uiHash(r)),r._mouseStop(e,!0),r.options.revert=r.options._revert,r.options.helper=r.options._helper,r.placeholder&&r.placeholder.remove(),i.helper.appendTo(n._parent),n._refreshOffsets(e),i.position=n._generatePosition(e,!0),n._trigger("fromSortable",e),n.dropped=!1,t.each(n.sortables,(function(){this.refreshPositions()})))}))}}),t.ui.plugin.add("draggable","cursor",{start:function(e,i,n){var o=t("body"),r=n.options;o.css("cursor")&&(r._cursor=o.css("cursor")),o.css("cursor",r.cursor)},stop:function(e,i,n){var o=n.options;o._cursor&&t("body").css("cursor",o._cursor)}}),t.ui.plugin.add("draggable","opacity",{start:function(e,i,n){var o=t(i.helper),r=n.options;o.css("opacity")&&(r._opacity=o.css("opacity")),o.css("opacity",r.opacity)},stop:function(e,i,n){var o=n.options;o._opacity&&t(i.helper).css("opacity",o._opacity)}}),t.ui.plugin.add("draggable","scroll",{start:function(t,e,i){i.scrollParentNotHidden||(i.scrollParentNotHidden=i.helper.scrollParent(!1)),i.scrollParentNotHidden[0]!==i.document[0]&&"HTML"!==i.scrollParentNotHidden[0].tagName&&(i.overflowOffset=i.scrollParentNotHidden.offset())},drag:function(e,i,n){var o=n.options,r=!1,s=n.scrollParentNotHidden[0],a=n.document[0];s!==a&&"HTML"!==s.tagName?(o.axis&&"x"===o.axis||(n.overflowOffset.top+s.offsetHeight-e.pageY=0;d--)l=(c=n.snapElements[d].left-n.margins.left)+n.snapElements[d].width,h=(u=n.snapElements[d].top-n.margins.top)+n.snapElements[d].height,ml+f||bh+f||!t.contains(n.snapElements[d].item.ownerDocument,n.snapElements[d].item)?(n.snapElements[d].snapping&&n.options.snap.release&&n.options.snap.release.call(n.element,e,t.extend(n._uiHash(),{snapItem:n.snapElements[d].item})),n.snapElements[d].snapping=!1):("inner"!==A.snapMode&&(o=Math.abs(u-b)<=f,r=Math.abs(h-C)<=f,s=Math.abs(c-m)<=f,a=Math.abs(l-g)<=f,o&&(i.position.top=n._convertPositionTo("relative",{top:u-n.helperProportions.height,left:0}).top),r&&(i.position.top=n._convertPositionTo("relative",{top:h,left:0}).top),s&&(i.position.left=n._convertPositionTo("relative",{top:0,left:c-n.helperProportions.width}).left),a&&(i.position.left=n._convertPositionTo("relative",{top:0,left:l}).left)),p=o||r||s||a,"outer"!==A.snapMode&&(o=Math.abs(u-C)<=f,r=Math.abs(h-b)<=f,s=Math.abs(c-g)<=f,a=Math.abs(l-m)<=f,o&&(i.position.top=n._convertPositionTo("relative",{top:u,left:0}).top),r&&(i.position.top=n._convertPositionTo("relative",{top:h-n.helperProportions.height,left:0}).top),s&&(i.position.left=n._convertPositionTo("relative",{top:0,left:c}).left),a&&(i.position.left=n._convertPositionTo("relative",{top:0,left:l-n.helperProportions.width}).left)),!n.snapElements[d].snapping&&(o||r||s||a||p)&&n.options.snap.snap&&n.options.snap.snap.call(n.element,e,t.extend(n._uiHash(),{snapItem:n.snapElements[d].item})),n.snapElements[d].snapping=o||r||s||a||p)}}),t.ui.plugin.add("draggable","stack",{start:function(e,i,n){var o,r=n.options,s=t.makeArray(t(r.stack)).sort((function(e,i){return(parseInt(t(e).css("zIndex"),10)||0)-(parseInt(t(i).css("zIndex"),10)||0)}));s.length&&(o=parseInt(t(s[0]).css("zIndex"),10)||0,t(s).each((function(e){t(this).css("zIndex",o+e)})),this.css("zIndex",o+s.length))}}),t.ui.plugin.add("draggable","zIndex",{start:function(e,i,n){var o=t(i.helper),r=n.options;o.css("zIndex")&&(r._zIndex=o.css("zIndex")),o.css("zIndex",r.zIndex)},stop:function(e,i,n){var o=n.options;o._zIndex&&t(i.helper).css("zIndex",o._zIndex)}}),t.ui.draggable,t.widget("ui.resizable",t.ui.mouse,{version:"1.13.3",widgetEventPrefix:"resize",options:{alsoResize:!1,animate:!1,animateDuration:"slow",animateEasing:"swing",aspectRatio:!1,autoHide:!1,classes:{"ui-resizable-se":"ui-icon ui-icon-gripsmall-diagonal-se"},containment:!1,ghost:!1,grid:!1,handles:"e,s,se",helper:!1,maxHeight:null,maxWidth:null,minHeight:10,minWidth:10,zIndex:90,resize:null,start:null,stop:null},_num:function(t){return parseFloat(t)||0},_isNumber:function(t){return!isNaN(parseFloat(t))},_hasScroll:function(e,i){if("hidden"===t(e).css("overflow"))return!1;var n=i&&"left"===i?"scrollLeft":"scrollTop",o=!1;if(e[n]>0)return!0;try{e[n]=1,o=e[n]>0,e[n]=0}catch(t){}return o},_create:function(){var e,i=this.options,n=this;this._addClass("ui-resizable"),t.extend(this,{_aspectRatio:!!i.aspectRatio,aspectRatio:i.aspectRatio,originalElement:this.element,_proportionallyResizeElements:[],_helper:i.helper||i.ghost||i.animate?i.helper||"ui-resizable-helper":null}),this.element[0].nodeName.match(/^(canvas|textarea|input|select|button|img)$/i)&&(this.element.wrap(t("
          ").css({overflow:"hidden",position:this.element.css("position"),width:this.element.outerWidth(),height:this.element.outerHeight(),top:this.element.css("top"),left:this.element.css("left")})),this.element=this.element.parent().data("ui-resizable",this.element.resizable("instance")),this.elementIsWrapper=!0,e={marginTop:this.originalElement.css("marginTop"),marginRight:this.originalElement.css("marginRight"),marginBottom:this.originalElement.css("marginBottom"),marginLeft:this.originalElement.css("marginLeft")},this.element.css(e),this.originalElement.css("margin",0),this.originalResizeStyle=this.originalElement.css("resize"),this.originalElement.css("resize","none"),this._proportionallyResizeElements.push(this.originalElement.css({position:"static",zoom:1,display:"block"})),this.originalElement.css(e),this._proportionallyResize()),this._setupHandles(),i.autoHide&&t(this.element).on("mouseenter",(function(){i.disabled||(n._removeClass("ui-resizable-autohide"),n._handles.show())})).on("mouseleave",(function(){i.disabled||n.resizing||(n._addClass("ui-resizable-autohide"),n._handles.hide())})),this._mouseInit()},_destroy:function(){this._mouseDestroy(),this._addedHandles.remove();var e,i=function(e){t(e).removeData("resizable").removeData("ui-resizable").off(".resizable")};return this.elementIsWrapper&&(i(this.element),e=this.element,this.originalElement.css({position:e.css("position"),width:e.outerWidth(),height:e.outerHeight(),top:e.css("top"),left:e.css("left")}).insertAfter(e),e.remove()),this.originalElement.css("resize",this.originalResizeStyle),i(this.originalElement),this},_setOption:function(t,e){switch(this._super(t,e),t){case"handles":this._removeHandles(),this._setupHandles();break;case"aspectRatio":this._aspectRatio=!!e}},_setupHandles:function(){var e,i,n,o,r,s=this.options,a=this;if(this.handles=s.handles||(t(".ui-resizable-handle",this.element).length?{n:".ui-resizable-n",e:".ui-resizable-e",s:".ui-resizable-s",w:".ui-resizable-w",se:".ui-resizable-se",sw:".ui-resizable-sw",ne:".ui-resizable-ne",nw:".ui-resizable-nw"}:"e,s,se"),this._handles=t(),this._addedHandles=t(),this.handles.constructor===String)for("all"===this.handles&&(this.handles="n,e,s,w,se,sw,ne,nw"),n=this.handles.split(","),this.handles={},i=0;i"),this._addClass(r,"ui-resizable-handle "+o),r.css({zIndex:s.zIndex}),this.handles[e]=".ui-resizable-"+e,this.element.children(this.handles[e]).length||(this.element.append(r),this._addedHandles=this._addedHandles.add(r));this._renderAxis=function(e){var i,n,o,r;for(i in e=e||this.element,this.handles)this.handles[i].constructor===String?this.handles[i]=this.element.children(this.handles[i]).first().show():(this.handles[i].jquery||this.handles[i].nodeType)&&(this.handles[i]=t(this.handles[i]),this._on(this.handles[i],{mousedown:a._mouseDown})),this.elementIsWrapper&&this.originalElement[0].nodeName.match(/^(textarea|input|select|button)$/i)&&(n=t(this.handles[i],this.element),r=/sw|ne|nw|se|n|s/.test(i)?n.outerHeight():n.outerWidth(),o=["padding",/ne|nw|n/.test(i)?"Top":/se|sw|s/.test(i)?"Bottom":/^e$/.test(i)?"Right":"Left"].join(""),e.css(o,r),this._proportionallyResize()),this._handles=this._handles.add(this.handles[i])},this._renderAxis(this.element),this._handles=this._handles.add(this.element.find(".ui-resizable-handle")),this._handles.disableSelection(),this._handles.on("mouseover",(function(){a.resizing||(this.className&&(r=this.className.match(/ui-resizable-(se|sw|ne|nw|n|e|s|w)/i)),a.axis=r&&r[1]?r[1]:"se")})),s.autoHide&&(this._handles.hide(),this._addClass("ui-resizable-autohide"))},_removeHandles:function(){this._addedHandles.remove()},_mouseCapture:function(e){var i,n,o=!1;for(i in this.handles)((n=t(this.handles[i])[0])===e.target||t.contains(n,e.target))&&(o=!0);return!this.options.disabled&&o},_mouseStart:function(e){var i,n,o,r=this.options,s=this.element;return this.resizing=!0,this._renderProxy(),i=this._num(this.helper.css("left")),n=this._num(this.helper.css("top")),r.containment&&(i+=t(r.containment).scrollLeft()||0,n+=t(r.containment).scrollTop()||0),this.offset=this.helper.offset(),this.position={left:i,top:n},this.size=this._helper?{width:this.helper.width(),height:this.helper.height()}:{width:s.width(),height:s.height()},this.originalSize=this._helper?{width:s.outerWidth(),height:s.outerHeight()}:{width:s.width(),height:s.height()},this.sizeDiff={width:s.outerWidth()-s.width(),height:s.outerHeight()-s.height()},this.originalPosition={left:i,top:n},this.originalMousePosition={left:e.pageX,top:e.pageY},this.aspectRatio="number"==typeof r.aspectRatio?r.aspectRatio:this.originalSize.width/this.originalSize.height||1,o=t(".ui-resizable-"+this.axis).css("cursor"),t("body").css("cursor","auto"===o?this.axis+"-resize":o),this._addClass("ui-resizable-resizing"),this._propagate("start",e),!0},_mouseDrag:function(e){var i,n,o=this.originalMousePosition,r=this.axis,s=e.pageX-o.left||0,a=e.pageY-o.top||0,c=this._change[r];return this._updatePrevProperties(),!!c&&(i=c.apply(this,[e,s,a]),this._updateVirtualBoundaries(e.shiftKey),(this._aspectRatio||e.shiftKey)&&(i=this._updateRatio(i,e)),i=this._respectSize(i,e),this._updateCache(i),this._propagate("resize",e),n=this._applyChanges(),!this._helper&&this._proportionallyResizeElements.length&&this._proportionallyResize(),t.isEmptyObject(n)||(this._updatePrevProperties(),this._trigger("resize",e,this.ui()),this._applyChanges()),!1)},_mouseStop:function(e){this.resizing=!1;var i,n,o,r,s,a,c,l=this.options,u=this;return this._helper&&(o=(n=(i=this._proportionallyResizeElements).length&&/textarea/i.test(i[0].nodeName))&&this._hasScroll(i[0],"left")?0:u.sizeDiff.height,r=n?0:u.sizeDiff.width,s={width:u.helper.width()-r,height:u.helper.height()-o},a=parseFloat(u.element.css("left"))+(u.position.left-u.originalPosition.left)||null,c=parseFloat(u.element.css("top"))+(u.position.top-u.originalPosition.top)||null,l.animate||this.element.css(t.extend(s,{top:c,left:a})),u.helper.height(u.size.height),u.helper.width(u.size.width),this._helper&&!l.animate&&this._proportionallyResize()),t("body").css("cursor","auto"),this._removeClass("ui-resizable-resizing"),this._propagate("stop",e),this._helper&&this.helper.remove(),!1},_updatePrevProperties:function(){this.prevPosition={top:this.position.top,left:this.position.left},this.prevSize={width:this.size.width,height:this.size.height}},_applyChanges:function(){var t={};return this.position.top!==this.prevPosition.top&&(t.top=this.position.top+"px"),this.position.left!==this.prevPosition.left&&(t.left=this.position.left+"px"),this.helper.css(t),this.size.width!==this.prevSize.width&&(t.width=this.size.width+"px",this.helper.width(t.width)),this.size.height!==this.prevSize.height&&(t.height=this.size.height+"px",this.helper.height(t.height)),t},_updateVirtualBoundaries:function(t){var e,i,n,o,r,s=this.options;r={minWidth:this._isNumber(s.minWidth)?s.minWidth:0,maxWidth:this._isNumber(s.maxWidth)?s.maxWidth:1/0,minHeight:this._isNumber(s.minHeight)?s.minHeight:0,maxHeight:this._isNumber(s.maxHeight)?s.maxHeight:1/0},(this._aspectRatio||t)&&(e=r.minHeight*this.aspectRatio,n=r.minWidth/this.aspectRatio,i=r.maxHeight*this.aspectRatio,o=r.maxWidth/this.aspectRatio,e>r.minWidth&&(r.minWidth=e),n>r.minHeight&&(r.minHeight=n),it.width,s=this._isNumber(t.height)&&e.minHeight&&e.minHeight>t.height,a=this.originalPosition.left+this.originalSize.width,c=this.originalPosition.top+this.originalSize.height,l=/sw|nw|w/.test(i),u=/nw|ne|n/.test(i);return r&&(t.width=e.minWidth),s&&(t.height=e.minHeight),n&&(t.width=e.maxWidth),o&&(t.height=e.maxHeight),r&&l&&(t.left=a-e.minWidth),n&&l&&(t.left=a-e.maxWidth),s&&u&&(t.top=c-e.minHeight),o&&u&&(t.top=c-e.maxHeight),t.width||t.height||t.left||!t.top?t.width||t.height||t.top||!t.left||(t.left=null):t.top=null,t},_getPaddingPlusBorderDimensions:function(t){for(var e=0,i=[],n=[t.css("borderTopWidth"),t.css("borderRightWidth"),t.css("borderBottomWidth"),t.css("borderLeftWidth")],o=[t.css("paddingTop"),t.css("paddingRight"),t.css("paddingBottom"),t.css("paddingLeft")];e<4;e++)i[e]=parseFloat(n[e])||0,i[e]+=parseFloat(o[e])||0;return{height:i[0]+i[2],width:i[1]+i[3]}},_proportionallyResize:function(){if(this._proportionallyResizeElements.length)for(var t,e=0,i=this.helper||this.element;e
          ").css({overflow:"hidden"}),this._addClass(this.helper,this._helper),this.helper.css({width:this.element.outerWidth(),height:this.element.outerHeight(),position:"absolute",left:this.elementOffset.left+"px",top:this.elementOffset.top+"px",zIndex:++i.zIndex}),this.helper.appendTo("body").disableSelection()):this.helper=this.element},_change:{e:function(t,e){return{width:this.originalSize.width+e}},w:function(t,e){var i=this.originalSize;return{left:this.originalPosition.left+e,width:i.width-e}},n:function(t,e,i){var n=this.originalSize;return{top:this.originalPosition.top+i,height:n.height-i}},s:function(t,e,i){return{height:this.originalSize.height+i}},se:function(e,i,n){return t.extend(this._change.s.apply(this,arguments),this._change.e.apply(this,[e,i,n]))},sw:function(e,i,n){return t.extend(this._change.s.apply(this,arguments),this._change.w.apply(this,[e,i,n]))},ne:function(e,i,n){return t.extend(this._change.n.apply(this,arguments),this._change.e.apply(this,[e,i,n]))},nw:function(e,i,n){return t.extend(this._change.n.apply(this,arguments),this._change.w.apply(this,[e,i,n]))}},_propagate:function(e,i){t.ui.plugin.call(this,e,[i,this.ui()]),"resize"!==e&&this._trigger(e,i,this.ui())},plugins:{},ui:function(){return{originalElement:this.originalElement,element:this.element,helper:this.helper,position:this.position,size:this.size,originalSize:this.originalSize,originalPosition:this.originalPosition}}}),t.ui.plugin.add("resizable","animate",{stop:function(e){var i=t(this).resizable("instance"),n=i.options,o=i._proportionallyResizeElements,r=o.length&&/textarea/i.test(o[0].nodeName),s=r&&i._hasScroll(o[0],"left")?0:i.sizeDiff.height,a=r?0:i.sizeDiff.width,c={width:i.size.width-a,height:i.size.height-s},l=parseFloat(i.element.css("left"))+(i.position.left-i.originalPosition.left)||null,u=parseFloat(i.element.css("top"))+(i.position.top-i.originalPosition.top)||null;i.element.animate(t.extend(c,u&&l?{top:u,left:l}:{}),{duration:n.animateDuration,easing:n.animateEasing,step:function(){var n={width:parseFloat(i.element.css("width")),height:parseFloat(i.element.css("height")),top:parseFloat(i.element.css("top")),left:parseFloat(i.element.css("left"))};o&&o.length&&t(o[0]).css({width:n.width,height:n.height}),i._updateCache(n),i._propagate("resize",e)}})}}),t.ui.plugin.add("resizable","containment",{start:function(){var e,i,n,o,r,s,a,c=t(this).resizable("instance"),l=c.options,u=c.element,h=l.containment,d=h instanceof t?h.get(0):/parent/.test(h)?u.parent().get(0):h;d&&(c.containerElement=t(d),/document/.test(h)||h===document?(c.containerOffset={left:0,top:0},c.containerPosition={left:0,top:0},c.parentData={element:t(document),left:0,top:0,width:t(document).width(),height:t(document).height()||document.body.parentNode.scrollHeight}):(e=t(d),i=[],t(["Top","Right","Left","Bottom"]).each((function(t,n){i[t]=c._num(e.css("padding"+n))})),c.containerOffset=e.offset(),c.containerPosition=e.position(),c.containerSize={height:e.innerHeight()-i[3],width:e.innerWidth()-i[1]},n=c.containerOffset,o=c.containerSize.height,r=c.containerSize.width,s=c._hasScroll(d,"left")?d.scrollWidth:r,a=c._hasScroll(d)?d.scrollHeight:o,c.parentData={element:d,left:n.left,top:n.top,width:s,height:a}))},resize:function(e){var i,n,o,r,s=t(this).resizable("instance"),a=s.options,c=s.containerOffset,l=s.position,u=s._aspectRatio||e.shiftKey,h={top:0,left:0},d=s.containerElement,p=!0;d[0]!==document&&/static/.test(d.css("position"))&&(h=c),l.left<(s._helper?c.left:0)&&(s.size.width=s.size.width+(s._helper?s.position.left-c.left:s.position.left-h.left),u&&(s.size.height=s.size.width/s.aspectRatio,p=!1),s.position.left=a.helper?c.left:0),l.top<(s._helper?c.top:0)&&(s.size.height=s.size.height+(s._helper?s.position.top-c.top:s.position.top),u&&(s.size.width=s.size.height*s.aspectRatio,p=!1),s.position.top=s._helper?c.top:0),o=s.containerElement.get(0)===s.element.parent().get(0),r=/relative|absolute/.test(s.containerElement.css("position")),o&&r?(s.offset.left=s.parentData.left+s.position.left,s.offset.top=s.parentData.top+s.position.top):(s.offset.left=s.element.offset().left,s.offset.top=s.element.offset().top),i=Math.abs(s.sizeDiff.width+(s._helper?s.offset.left-h.left:s.offset.left-c.left)),n=Math.abs(s.sizeDiff.height+(s._helper?s.offset.top-h.top:s.offset.top-c.top)),i+s.size.width>=s.parentData.width&&(s.size.width=s.parentData.width-i,u&&(s.size.height=s.size.width/s.aspectRatio,p=!1)),n+s.size.height>=s.parentData.height&&(s.size.height=s.parentData.height-n,u&&(s.size.width=s.size.height*s.aspectRatio,p=!1)),p||(s.position.left=s.prevPosition.left,s.position.top=s.prevPosition.top,s.size.width=s.prevSize.width,s.size.height=s.prevSize.height)},stop:function(){var e=t(this).resizable("instance"),i=e.options,n=e.containerOffset,o=e.containerPosition,r=e.containerElement,s=t(e.helper),a=s.offset(),c=s.outerWidth()-e.sizeDiff.width,l=s.outerHeight()-e.sizeDiff.height;e._helper&&!i.animate&&/relative/.test(r.css("position"))&&t(this).css({left:a.left-o.left-n.left,width:c,height:l}),e._helper&&!i.animate&&/static/.test(r.css("position"))&&t(this).css({left:a.left-o.left-n.left,width:c,height:l})}}),t.ui.plugin.add("resizable","alsoResize",{start:function(){var e=t(this).resizable("instance").options;t(e.alsoResize).each((function(){var e=t(this);e.data("ui-resizable-alsoresize",{width:parseFloat(e.css("width")),height:parseFloat(e.css("height")),left:parseFloat(e.css("left")),top:parseFloat(e.css("top"))})}))},resize:function(e,i){var n=t(this).resizable("instance"),o=n.options,r=n.originalSize,s=n.originalPosition,a={height:n.size.height-r.height||0,width:n.size.width-r.width||0,top:n.position.top-s.top||0,left:n.position.left-s.left||0};t(o.alsoResize).each((function(){var e=t(this),n=t(this).data("ui-resizable-alsoresize"),o={},r=e.parents(i.originalElement[0]).length?["width","height"]:["width","height","top","left"];t.each(r,(function(t,e){var i=(n[e]||0)+(a[e]||0);i&&i>=0&&(o[e]=i||null)})),e.css(o)}))},stop:function(){t(this).removeData("ui-resizable-alsoresize")}}),t.ui.plugin.add("resizable","ghost",{start:function(){var e=t(this).resizable("instance"),i=e.size;e.ghost=e.originalElement.clone(),e.ghost.css({opacity:.25,display:"block",position:"relative",height:i.height,width:i.width,margin:0,left:0,top:0}),e._addClass(e.ghost,"ui-resizable-ghost"),!1!==t.uiBackCompat&&"string"==typeof e.options.ghost&&e.ghost.addClass(this.options.ghost),e.ghost.appendTo(e.helper)},resize:function(){var e=t(this).resizable("instance");e.ghost&&e.ghost.css({position:"relative",height:e.size.height,width:e.size.width})},stop:function(){var e=t(this).resizable("instance");e.ghost&&e.helper&&e.helper.get(0).removeChild(e.ghost.get(0))}}),t.ui.plugin.add("resizable","grid",{resize:function(){var e,i=t(this).resizable("instance"),n=i.options,o=i.size,r=i.originalSize,s=i.originalPosition,a=i.axis,c="number"==typeof n.grid?[n.grid,n.grid]:n.grid,l=c[0]||1,u=c[1]||1,h=Math.round((o.width-r.width)/l)*l,d=Math.round((o.height-r.height)/u)*u,p=r.width+h,A=r.height+d,f=n.maxWidth&&n.maxWidthp,C=n.minHeight&&n.minHeight>A;n.grid=c,m&&(p+=l),C&&(A+=u),f&&(p-=l),g&&(A-=u),/^(se|s|e)$/.test(a)?(i.size.width=p,i.size.height=A):/^(ne)$/.test(a)?(i.size.width=p,i.size.height=A,i.position.top=s.top-d):/^(sw)$/.test(a)?(i.size.width=p,i.size.height=A,i.position.left=s.left-h):((A-u<=0||p-l<=0)&&(e=i._getPaddingPlusBorderDimensions(this)),A-u>0?(i.size.height=A,i.position.top=s.top-d):(A=u-e.height,i.size.height=A,i.position.top=s.top+r.height-A),p-l>0?(i.size.width=p,i.position.left=s.left-h):(p=l-e.width,i.size.width=p,i.position.left=s.left+r.width-p))}}),t.ui.resizable,t.widget("ui.dialog",{version:"1.13.3",options:{appendTo:"body",autoOpen:!0,buttons:[],classes:{"ui-dialog":"ui-corner-all","ui-dialog-titlebar":"ui-corner-all"},closeOnEscape:!0,closeText:"Close",draggable:!0,hide:null,height:"auto",maxHeight:null,maxWidth:null,minHeight:150,minWidth:150,modal:!1,position:{my:"center",at:"center",of:window,collision:"fit",using:function(e){var i=t(this).css(e).offset().top;i<0&&t(this).css("top",e.top-i)}},resizable:!0,show:null,title:null,width:300,beforeClose:null,close:null,drag:null,dragStart:null,dragStop:null,focus:null,open:null,resize:null,resizeStart:null,resizeStop:null},sizeRelatedOptions:{buttons:!0,height:!0,maxHeight:!0,maxWidth:!0,minHeight:!0,minWidth:!0,width:!0},resizableRelatedOptions:{maxHeight:!0,maxWidth:!0,minHeight:!0,minWidth:!0},_create:function(){this.originalCss={display:this.element[0].style.display,width:this.element[0].style.width,minHeight:this.element[0].style.minHeight,maxHeight:this.element[0].style.maxHeight,height:this.element[0].style.height},this.originalPosition={parent:this.element.parent(),index:this.element.parent().children().index(this.element)},this.originalTitle=this.element.attr("title"),null==this.options.title&&null!=this.originalTitle&&(this.options.title=this.originalTitle),this.options.disabled&&(this.options.disabled=!1),this._createWrapper(),this.element.show().removeAttr("title").appendTo(this.uiDialog),this._addClass("ui-dialog-content","ui-widget-content"),this._createTitlebar(),this._createButtonPane(),this.options.draggable&&t.fn.draggable&&this._makeDraggable(),this.options.resizable&&t.fn.resizable&&this._makeResizable(),this._isOpen=!1,this._trackFocus()},_init:function(){this.options.autoOpen&&this.open()},_appendTo:function(){var e=this.options.appendTo;return e&&(e.jquery||e.nodeType)?t(e):this.document.find(e||"body").eq(0)},_destroy:function(){var t,e=this.originalPosition;this._untrackInstance(),this._destroyOverlay(),this.element.removeUniqueId().css(this.originalCss).detach(),this.uiDialog.remove(),this.originalTitle&&this.element.attr("title",this.originalTitle),(t=e.parent.children().eq(e.index)).length&&t[0]!==this.element[0]?t.before(this.element):e.parent.append(this.element)},widget:function(){return this.uiDialog},disable:t.noop,enable:t.noop,close:function(e){var i=this;this._isOpen&&!1!==this._trigger("beforeClose",e)&&(this._isOpen=!1,this._focusedElement=null,this._destroyOverlay(),this._untrackInstance(),this.opener.filter(":focusable").trigger("focus").length||t.ui.safeBlur(t.ui.safeActiveElement(this.document[0])),this._hide(this.uiDialog,this.options.hide,(function(){i._trigger("close",e)})))},isOpen:function(){return this._isOpen},moveToTop:function(){this._moveToTop()},_moveToTop:function(e,i){var n=!1,o=this.uiDialog.siblings(".ui-front:visible").map((function(){return+t(this).css("z-index")})).get(),r=Math.max.apply(null,o);return r>=+this.uiDialog.css("z-index")&&(this.uiDialog.css("z-index",r+1),n=!0),n&&!i&&this._trigger("focus",e),n},open:function(){var e=this;this._isOpen?this._moveToTop()&&this._focusTabbable():(this._isOpen=!0,this.opener=t(t.ui.safeActiveElement(this.document[0])),this._size(),this._position(),this._createOverlay(),this._moveToTop(null,!0),this.overlay&&this.overlay.css("z-index",this.uiDialog.css("z-index")-1),this._show(this.uiDialog,this.options.show,(function(){e._focusTabbable(),e._trigger("focus")})),this._makeFocusTarget(),this._trigger("open"))},_focusTabbable:function(){var t=this._focusedElement;t||(t=this.element.find("[autofocus]")),t.length||(t=this.element.find(":tabbable")),t.length||(t=this.uiDialogButtonPane.find(":tabbable")),t.length||(t=this.uiDialogTitlebarClose.filter(":tabbable")),t.length||(t=this.uiDialog),t.eq(0).trigger("focus")},_restoreTabbableFocus:function(){var e=t.ui.safeActiveElement(this.document[0]);this.uiDialog[0]===e||t.contains(this.uiDialog[0],e)||this._focusTabbable()},_keepFocus:function(t){t.preventDefault(),this._restoreTabbableFocus(),this._delay(this._restoreTabbableFocus)},_createWrapper:function(){this.uiDialog=t("
          ").hide().attr({tabIndex:-1,role:"dialog"}).appendTo(this._appendTo()),this._addClass(this.uiDialog,"ui-dialog","ui-widget ui-widget-content ui-front"),this._on(this.uiDialog,{keydown:function(e){if(this.options.closeOnEscape&&!e.isDefaultPrevented()&&e.keyCode&&e.keyCode===t.ui.keyCode.ESCAPE)return e.preventDefault(),void this.close(e);if(e.keyCode===t.ui.keyCode.TAB&&!e.isDefaultPrevented()){var i=this.uiDialog.find(":tabbable"),n=i.first(),o=i.last();e.target!==o[0]&&e.target!==this.uiDialog[0]||e.shiftKey?e.target!==n[0]&&e.target!==this.uiDialog[0]||!e.shiftKey||(this._delay((function(){o.trigger("focus")})),e.preventDefault()):(this._delay((function(){n.trigger("focus")})),e.preventDefault())}},mousedown:function(t){this._moveToTop(t)&&this._focusTabbable()}}),this.element.find("[aria-describedby]").length||this.uiDialog.attr({"aria-describedby":this.element.uniqueId().attr("id")})},_createTitlebar:function(){var e;this.uiDialogTitlebar=t("
          "),this._addClass(this.uiDialogTitlebar,"ui-dialog-titlebar","ui-widget-header ui-helper-clearfix"),this._on(this.uiDialogTitlebar,{mousedown:function(e){t(e.target).closest(".ui-dialog-titlebar-close")||this.uiDialog.trigger("focus")}}),this.uiDialogTitlebarClose=t("").button({label:t("").text(this.options.closeText).html(),icon:"ui-icon-closethick",showLabel:!1}).appendTo(this.uiDialogTitlebar),this._addClass(this.uiDialogTitlebarClose,"ui-dialog-titlebar-close"),this._on(this.uiDialogTitlebarClose,{click:function(t){t.preventDefault(),this.close(t)}}),e=t("").uniqueId().prependTo(this.uiDialogTitlebar),this._addClass(e,"ui-dialog-title"),this._title(e),this.uiDialogTitlebar.prependTo(this.uiDialog),this.uiDialog.attr({"aria-labelledby":e.attr("id")})},_title:function(t){this.options.title?t.text(this.options.title):t.html(" ")},_createButtonPane:function(){this.uiDialogButtonPane=t("
          "),this._addClass(this.uiDialogButtonPane,"ui-dialog-buttonpane","ui-widget-content ui-helper-clearfix"),this.uiButtonSet=t("
          ").appendTo(this.uiDialogButtonPane),this._addClass(this.uiButtonSet,"ui-dialog-buttonset"),this._createButtons()},_createButtons:function(){var e=this,i=this.options.buttons;this.uiDialogButtonPane.remove(),this.uiButtonSet.empty(),t.isEmptyObject(i)||Array.isArray(i)&&!i.length?this._removeClass(this.uiDialog,"ui-dialog-buttons"):(t.each(i,(function(i,n){var o,r;n="function"==typeof n?{click:n,text:i}:n,n=t.extend({type:"button"},n),o=n.click,r={icon:n.icon,iconPosition:n.iconPosition,showLabel:n.showLabel,icons:n.icons,text:n.text},delete n.click,delete n.icon,delete n.iconPosition,delete n.showLabel,delete n.icons,"boolean"==typeof n.text&&delete n.text,t("",n).button(r).appendTo(e.uiButtonSet).on("click",(function(){o.apply(e.element[0],arguments)}))})),this._addClass(this.uiDialog,"ui-dialog-buttons"),this.uiDialogButtonPane.appendTo(this.uiDialog))},_makeDraggable:function(){var e=this,i=this.options;function n(t){return{position:t.position,offset:t.offset}}this.uiDialog.draggable({cancel:".ui-dialog-content, .ui-dialog-titlebar-close",handle:".ui-dialog-titlebar",containment:"document",start:function(i,o){e._addClass(t(this),"ui-dialog-dragging"),e._blockFrames(),e._trigger("dragStart",i,n(o))},drag:function(t,i){e._trigger("drag",t,n(i))},stop:function(o,r){var s=r.offset.left-e.document.scrollLeft(),a=r.offset.top-e.document.scrollTop();i.position={my:"left top",at:"left"+(s>=0?"+":"")+s+" top"+(a>=0?"+":"")+a,of:e.window},e._removeClass(t(this),"ui-dialog-dragging"),e._unblockFrames(),e._trigger("dragStop",o,n(r))}})},_makeResizable:function(){var e=this,i=this.options,n=i.resizable,o=this.uiDialog.css("position"),r="string"==typeof n?n:"n,e,s,w,se,sw,ne,nw";function s(t){return{originalPosition:t.originalPosition,originalSize:t.originalSize,position:t.position,size:t.size}}this.uiDialog.resizable({cancel:".ui-dialog-content",containment:"document",alsoResize:this.element,maxWidth:i.maxWidth,maxHeight:i.maxHeight,minWidth:i.minWidth,minHeight:this._minHeight(),handles:r,start:function(i,n){e._addClass(t(this),"ui-dialog-resizing"),e._blockFrames(),e._trigger("resizeStart",i,s(n))},resize:function(t,i){e._trigger("resize",t,s(i))},stop:function(n,o){var r=e.uiDialog.offset(),a=r.left-e.document.scrollLeft(),c=r.top-e.document.scrollTop();i.height=e.uiDialog.height(),i.width=e.uiDialog.width(),i.position={my:"left top",at:"left"+(a>=0?"+":"")+a+" top"+(c>=0?"+":"")+c,of:e.window},e._removeClass(t(this),"ui-dialog-resizing"),e._unblockFrames(),e._trigger("resizeStop",n,s(o))}}).css("position",o)},_trackFocus:function(){this._on(this.widget(),{focusin:function(e){this._makeFocusTarget(),this._focusedElement=t(e.target)}})},_makeFocusTarget:function(){this._untrackInstance(),this._trackingInstances().unshift(this)},_untrackInstance:function(){var e=this._trackingInstances(),i=t.inArray(this,e);-1!==i&&e.splice(i,1)},_trackingInstances:function(){var t=this.document.data("ui-dialog-instances");return t||(t=[],this.document.data("ui-dialog-instances",t)),t},_minHeight:function(){var t=this.options;return"auto"===t.height?t.minHeight:Math.min(t.minHeight,t.height)},_position:function(){var t=this.uiDialog.is(":visible");t||this.uiDialog.show(),this.uiDialog.position(this.options.position),t||this.uiDialog.hide()},_setOptions:function(e){var i=this,n=!1,o={};t.each(e,(function(t,e){i._setOption(t,e),t in i.sizeRelatedOptions&&(n=!0),t in i.resizableRelatedOptions&&(o[t]=e)})),n&&(this._size(),this._position()),this.uiDialog.is(":data(ui-resizable)")&&this.uiDialog.resizable("option",o)},_setOption:function(e,i){var n,o,r=this.uiDialog;"disabled"!==e&&(this._super(e,i),"appendTo"===e&&this.uiDialog.appendTo(this._appendTo()),"buttons"===e&&this._createButtons(),"closeText"===e&&this.uiDialogTitlebarClose.button({label:t("").text(""+this.options.closeText).html()}),"draggable"===e&&((n=r.is(":data(ui-draggable)"))&&!i&&r.draggable("destroy"),!n&&i&&this._makeDraggable()),"position"===e&&this._position(),"resizable"===e&&((o=r.is(":data(ui-resizable)"))&&!i&&r.resizable("destroy"),o&&"string"==typeof i&&r.resizable("option","handles",i),o||!1===i||this._makeResizable()),"title"===e&&this._title(this.uiDialogTitlebar.find(".ui-dialog-title")))},_size:function(){var t,e,i,n=this.options;this.element.show().css({width:"auto",minHeight:0,maxHeight:"none",height:0}),n.minWidth>n.width&&(n.width=n.minWidth),t=this.uiDialog.css({height:"auto",width:n.width}).outerHeight(),e=Math.max(0,n.minHeight-t),i="number"==typeof n.maxHeight?Math.max(0,n.maxHeight-t):"none","auto"===n.height?this.element.css({minHeight:e,maxHeight:i,height:"auto"}):this.element.height(Math.max(0,n.height-t)),this.uiDialog.is(":data(ui-resizable)")&&this.uiDialog.resizable("option","minHeight",this._minHeight())},_blockFrames:function(){this.iframeBlocks=this.document.find("iframe").map((function(){var e=t(this);return t("
          ").css({position:"absolute",width:e.outerWidth(),height:e.outerHeight()}).appendTo(e.parent()).offset(e.offset())[0]}))},_unblockFrames:function(){this.iframeBlocks&&(this.iframeBlocks.remove(),delete this.iframeBlocks)},_allowInteraction:function(e){return!!t(e.target).closest(".ui-dialog").length||!!t(e.target).closest(".ui-datepicker").length},_createOverlay:function(){if(this.options.modal){var e=t.fn.jquery.substring(0,4),i=!0;this._delay((function(){i=!1})),this.document.data("ui-dialog-overlays")||this.document.on("focusin.ui-dialog",function(t){if(!i){var n=this._trackingInstances()[0];n._allowInteraction(t)||(t.preventDefault(),n._focusTabbable(),"3.4."!==e&&"3.5."!==e&&"3.6."!==e||n._delay(n._restoreTabbableFocus))}}.bind(this)),this.overlay=t("
          ").appendTo(this._appendTo()),this._addClass(this.overlay,null,"ui-widget-overlay ui-front"),this._on(this.overlay,{mousedown:"_keepFocus"}),this.document.data("ui-dialog-overlays",(this.document.data("ui-dialog-overlays")||0)+1)}},_destroyOverlay:function(){if(this.options.modal&&this.overlay){var t=this.document.data("ui-dialog-overlays")-1;t?this.document.data("ui-dialog-overlays",t):(this.document.off("focusin.ui-dialog"),this.document.removeData("ui-dialog-overlays")),this.overlay.remove(),this.overlay=null}}}),!1!==t.uiBackCompat&&t.widget("ui.dialog",t.ui.dialog,{options:{dialogClass:""},_createWrapper:function(){this._super(),this.uiDialog.addClass(this.options.dialogClass)},_setOption:function(t,e){"dialogClass"===t&&this.uiDialog.removeClass(this.options.dialogClass).addClass(e),this._superApply(arguments)}}),t.ui.dialog,t.widget("ui.droppable",{version:"1.13.3",widgetEventPrefix:"drop",options:{accept:"*",addClasses:!0,greedy:!1,scope:"default",tolerance:"intersect",activate:null,deactivate:null,drop:null,out:null,over:null},_create:function(){var t,e=this.options,i=e.accept;this.isover=!1,this.isout=!0,this.accept="function"==typeof i?i:function(t){return t.is(i)},this.proportions=function(){if(!arguments.length)return t||(t={width:this.element[0].offsetWidth,height:this.element[0].offsetHeight});t=arguments[0]},this._addToManager(e.scope),e.addClasses&&this._addClass("ui-droppable")},_addToManager:function(e){t.ui.ddmanager.droppables[e]=t.ui.ddmanager.droppables[e]||[],t.ui.ddmanager.droppables[e].push(this)},_splice:function(t){for(var e=0;e=e&&t=u&&s<=d||c>=u&&c<=d||sd)&&(r>=l&&r<=h||a>=l&&a<=h||rh);default:return!1}}}(),t.ui.ddmanager={current:null,droppables:{default:[]},prepareOffsets:function(e,i){var n,o,r=t.ui.ddmanager.droppables[e.options.scope]||[],s=i?i.type:null,a=(e.currentItem||e.element).find(":data(ui-droppable)").addBack();t:for(n=0;n").appendTo(this.element),this._addClass(this.valueDiv,"ui-progressbar-value","ui-widget-header"),this._refreshValue()},_destroy:function(){this.element.removeAttr("role aria-valuemin aria-valuemax aria-valuenow"),this.valueDiv.remove()},value:function(t){if(void 0===t)return this.options.value;this.options.value=this._constrainedValue(t),this._refreshValue()},_constrainedValue:function(t){return void 0===t&&(t=this.options.value),this.indeterminate=!1===t,"number"!=typeof t&&(t=0),!this.indeterminate&&Math.min(this.options.max,Math.max(this.min,t))},_setOptions:function(t){var e=t.value;delete t.value,this._super(t),this.options.value=this._constrainedValue(e),this._refreshValue()},_setOption:function(t,e){"max"===t&&(e=Math.max(this.min,e)),this._super(t,e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",t),this._toggleClass(null,"ui-state-disabled",!!t)},_percentage:function(){return this.indeterminate?100:100*(this.options.value-this.min)/(this.options.max-this.min)},_refreshValue:function(){var e=this.options.value,i=this._percentage();this.valueDiv.toggle(this.indeterminate||e>this.min).width(i.toFixed(0)+"%"),this._toggleClass(this.valueDiv,"ui-progressbar-complete",null,e===this.options.max)._toggleClass("ui-progressbar-indeterminate",null,this.indeterminate),this.indeterminate?(this.element.removeAttr("aria-valuenow"),this.overlayDiv||(this.overlayDiv=t("
          ").appendTo(this.valueDiv),this._addClass(this.overlayDiv,"ui-progressbar-overlay"))):(this.element.attr({"aria-valuemax":this.options.max,"aria-valuenow":e}),this.overlayDiv&&(this.overlayDiv.remove(),this.overlayDiv=null)),this.oldValue!==e&&(this.oldValue=e,this._trigger("change")),e===this.options.max&&this._trigger("complete")}}),t.widget("ui.selectable",t.ui.mouse,{version:"1.13.3",options:{appendTo:"body",autoRefresh:!0,distance:0,filter:"*",tolerance:"touch",selected:null,selecting:null,start:null,stop:null,unselected:null,unselecting:null},_create:function(){var e=this;this._addClass("ui-selectable"),this.dragged=!1,this.refresh=function(){e.elementPos=t(e.element[0]).offset(),e.selectees=t(e.options.filter,e.element[0]),e._addClass(e.selectees,"ui-selectee"),e.selectees.each((function(){var i=t(this),n=i.offset(),o={left:n.left-e.elementPos.left,top:n.top-e.elementPos.top};t.data(this,"selectable-item",{element:this,$element:i,left:o.left,top:o.top,right:o.left+i.outerWidth(),bottom:o.top+i.outerHeight(),startselected:!1,selected:i.hasClass("ui-selected"),selecting:i.hasClass("ui-selecting"),unselecting:i.hasClass("ui-unselecting")})}))},this.refresh(),this._mouseInit(),this.helper=t("
          "),this._addClass(this.helper,"ui-selectable-helper")},_destroy:function(){this.selectees.removeData("selectable-item"),this._mouseDestroy()},_mouseStart:function(e){var i=this,n=this.options;this.opos=[e.pageX,e.pageY],this.elementPos=t(this.element[0]).offset(),this.options.disabled||(this.selectees=t(n.filter,this.element[0]),this._trigger("start",e),t(n.appendTo).append(this.helper),this.helper.css({left:e.pageX,top:e.pageY,width:0,height:0}),n.autoRefresh&&this.refresh(),this.selectees.filter(".ui-selected").each((function(){var n=t.data(this,"selectable-item");n.startselected=!0,e.metaKey||e.ctrlKey||(i._removeClass(n.$element,"ui-selected"),n.selected=!1,i._addClass(n.$element,"ui-unselecting"),n.unselecting=!0,i._trigger("unselecting",e,{unselecting:n.element}))})),t(e.target).parents().addBack().each((function(){var n,o=t.data(this,"selectable-item");if(o)return n=!e.metaKey&&!e.ctrlKey||!o.$element.hasClass("ui-selected"),i._removeClass(o.$element,n?"ui-unselecting":"ui-selected")._addClass(o.$element,n?"ui-selecting":"ui-unselecting"),o.unselecting=!n,o.selecting=n,o.selected=n,n?i._trigger("selecting",e,{selecting:o.element}):i._trigger("unselecting",e,{unselecting:o.element}),!1})))},_mouseDrag:function(e){if(this.dragged=!0,!this.options.disabled){var i,n=this,o=this.options,r=this.opos[0],s=this.opos[1],a=e.pageX,c=e.pageY;return r>a&&(i=a,a=r,r=i),s>c&&(i=c,c=s,s=i),this.helper.css({left:r,top:s,width:a-r,height:c-s}),this.selectees.each((function(){var i=t.data(this,"selectable-item"),l=!1,u={};i&&i.element!==n.element[0]&&(u.left=i.left+n.elementPos.left,u.right=i.right+n.elementPos.left,u.top=i.top+n.elementPos.top,u.bottom=i.bottom+n.elementPos.top,"touch"===o.tolerance?l=!(u.left>a||u.rightc||u.bottomr&&u.rights&&u.bottom",options:{appendTo:null,classes:{"ui-selectmenu-button-open":"ui-corner-top","ui-selectmenu-button-closed":"ui-corner-all"},disabled:null,icons:{button:"ui-icon-triangle-1-s"},position:{my:"left top",at:"left bottom",collision:"none"},width:!1,change:null,close:null,focus:null,open:null,select:null},_create:function(){var e=this.element.uniqueId().attr("id");this.ids={element:e,button:e+"-button",menu:e+"-menu"},this._drawButton(),this._drawMenu(),this._bindFormResetHandler(),this._rendered=!1,this.menuItems=t()},_drawButton:function(){var e,i=this,n=this._parseOption(this.element.find("option:selected"),this.element[0].selectedIndex);this.labels=this.element.labels().attr("for",this.ids.button),this._on(this.labels,{click:function(t){this.button.trigger("focus"),t.preventDefault()}}),this.element.hide(),this.button=t("",{tabindex:this.options.disabled?-1:0,id:this.ids.button,role:"combobox","aria-expanded":"false","aria-autocomplete":"list","aria-owns":this.ids.menu,"aria-haspopup":"true",title:this.element.attr("title")}).insertAfter(this.element),this._addClass(this.button,"ui-selectmenu-button ui-selectmenu-button-closed","ui-button ui-widget"),e=t("").appendTo(this.button),this._addClass(e,"ui-selectmenu-icon","ui-icon "+this.options.icons.button),this.buttonItem=this._renderButtonItem(n).appendTo(this.button),!1!==this.options.width&&this._resizeButton(),this._on(this.button,this._buttonEvents),this.button.one("focusin",(function(){i._rendered||i._refreshMenu()}))},_drawMenu:function(){var e=this;this.menu=t("
            ",{"aria-hidden":"true","aria-labelledby":this.ids.button,id:this.ids.menu}),this.menuWrap=t("
            ").append(this.menu),this._addClass(this.menuWrap,"ui-selectmenu-menu","ui-front"),this.menuWrap.appendTo(this._appendTo()),this.menuInstance=this.menu.menu({classes:{"ui-menu":"ui-corner-bottom"},role:"listbox",select:function(t,i){t.preventDefault(),e._setSelection(),e._select(i.item.data("ui-selectmenu-item"),t)},focus:function(t,i){var n=i.item.data("ui-selectmenu-item");null!=e.focusIndex&&n.index!==e.focusIndex&&(e._trigger("focus",t,{item:n}),e.isOpen||e._select(n,t)),e.focusIndex=n.index,e.button.attr("aria-activedescendant",e.menuItems.eq(n.index).attr("id"))}}).menu("instance"),this.menuInstance._off(this.menu,"mouseleave"),this.menuInstance._closeOnDocumentClick=function(){return!1},this.menuInstance._isDivider=function(){return!1}},refresh:function(){this._refreshMenu(),this.buttonItem.replaceWith(this.buttonItem=this._renderButtonItem(this._getSelectedItem().data("ui-selectmenu-item")||{})),null===this.options.width&&this._resizeButton()},_refreshMenu:function(){var t,e=this.element.find("option");this.menu.empty(),this._parseOptions(e),this._renderMenu(this.menu,this.items),this.menuInstance.refresh(),this.menuItems=this.menu.find("li").not(".ui-selectmenu-optgroup").find(".ui-menu-item-wrapper"),this._rendered=!0,e.length&&(t=this._getSelectedItem(),this.menuInstance.focus(null,t),this._setAria(t.data("ui-selectmenu-item")),this._setOption("disabled",this.element.prop("disabled")))},open:function(t){this.options.disabled||(this._rendered?(this._removeClass(this.menu.find(".ui-state-active"),null,"ui-state-active"),this.menuInstance.focus(null,this._getSelectedItem())):this._refreshMenu(),this.menuItems.length&&(this.isOpen=!0,this._toggleAttr(),this._resizeMenu(),this._position(),this._on(this.document,this._documentClick),this._trigger("open",t)))},_position:function(){this.menuWrap.position(t.extend({of:this.button},this.options.position))},close:function(t){this.isOpen&&(this.isOpen=!1,this._toggleAttr(),this.range=null,this._off(this.document),this._trigger("close",t))},widget:function(){return this.button},menuWidget:function(){return this.menu},_renderButtonItem:function(e){var i=t("");return this._setText(i,e.label),this._addClass(i,"ui-selectmenu-text"),i},_renderMenu:function(e,i){var n=this,o="";t.each(i,(function(i,r){var s;r.optgroup!==o&&(s=t("
          • ",{text:r.optgroup}),n._addClass(s,"ui-selectmenu-optgroup","ui-menu-divider"+(r.element.parent("optgroup").prop("disabled")?" ui-state-disabled":"")),s.appendTo(e),o=r.optgroup),n._renderItemData(e,r)}))},_renderItemData:function(t,e){return this._renderItem(t,e).data("ui-selectmenu-item",e)},_renderItem:function(e,i){var n=t("
          • "),o=t("
            ",{title:i.element.attr("title")});return i.disabled&&this._addClass(n,null,"ui-state-disabled"),i.hidden?n.prop("hidden",!0):this._setText(o,i.label),n.append(o).appendTo(e)},_setText:function(t,e){e?t.text(e):t.html(" ")},_move:function(t,e){var i,n,o=".ui-menu-item";this.isOpen?i=this.menuItems.eq(this.focusIndex).parent("li"):(i=this.menuItems.eq(this.element[0].selectedIndex).parent("li"),o+=":not(.ui-state-disabled)"),(n="first"===t||"last"===t?i["first"===t?"prevAll":"nextAll"](o).eq(-1):i[t+"All"](o).eq(0)).length&&this.menuInstance.focus(e,n)},_getSelectedItem:function(){return this.menuItems.eq(this.element[0].selectedIndex).parent("li")},_toggle:function(t){this[this.isOpen?"close":"open"](t)},_setSelection:function(){var t;this.range&&(window.getSelection?((t=window.getSelection()).removeAllRanges(),t.addRange(this.range)):this.range.select(),this.button.trigger("focus"))},_documentClick:{mousedown:function(e){this.isOpen&&(t(e.target).closest(".ui-selectmenu-menu, #"+t.escapeSelector(this.ids.button)).length||this.close(e))}},_buttonEvents:{mousedown:function(){var t;window.getSelection?(t=window.getSelection()).rangeCount&&(this.range=t.getRangeAt(0)):this.range=document.selection.createRange()},click:function(t){this._setSelection(),this._toggle(t)},keydown:function(e){var i=!0;switch(e.keyCode){case t.ui.keyCode.TAB:case t.ui.keyCode.ESCAPE:this.close(e),i=!1;break;case t.ui.keyCode.ENTER:this.isOpen&&this._selectFocusedItem(e);break;case t.ui.keyCode.UP:e.altKey?this._toggle(e):this._move("prev",e);break;case t.ui.keyCode.DOWN:e.altKey?this._toggle(e):this._move("next",e);break;case t.ui.keyCode.SPACE:this.isOpen?this._selectFocusedItem(e):this._toggle(e);break;case t.ui.keyCode.LEFT:this._move("prev",e);break;case t.ui.keyCode.RIGHT:this._move("next",e);break;case t.ui.keyCode.HOME:case t.ui.keyCode.PAGE_UP:this._move("first",e);break;case t.ui.keyCode.END:case t.ui.keyCode.PAGE_DOWN:this._move("last",e);break;default:this.menu.trigger(e),i=!1}i&&e.preventDefault()}},_selectFocusedItem:function(t){var e=this.menuItems.eq(this.focusIndex).parent("li");e.hasClass("ui-state-disabled")||this._select(e.data("ui-selectmenu-item"),t)},_select:function(t,e){var i=this.element[0].selectedIndex;this.element[0].selectedIndex=t.index,this.buttonItem.replaceWith(this.buttonItem=this._renderButtonItem(t)),this._setAria(t),this._trigger("select",e,{item:t}),t.index!==i&&this._trigger("change",e,{item:t}),this.close(e)},_setAria:function(t){var e=this.menuItems.eq(t.index).attr("id");this.button.attr({"aria-labelledby":e,"aria-activedescendant":e}),this.menu.attr("aria-activedescendant",e)},_setOption:function(t,e){if("icons"===t){var i=this.button.find("span.ui-icon");this._removeClass(i,null,this.options.icons.button)._addClass(i,null,e.button)}this._super(t,e),"appendTo"===t&&this.menuWrap.appendTo(this._appendTo()),"width"===t&&this._resizeButton()},_setOptionDisabled:function(t){this._super(t),this.menuInstance.option("disabled",t),this.button.attr("aria-disabled",t),this._toggleClass(this.button,null,"ui-state-disabled",t),this.element.prop("disabled",t),t?(this.button.attr("tabindex",-1),this.close()):this.button.attr("tabindex",0)},_appendTo:function(){var e=this.options.appendTo;return e&&(e=e.jquery||e.nodeType?t(e):this.document.find(e).eq(0)),e&&e[0]||(e=this.element.closest(".ui-front, dialog")),e.length||(e=this.document[0].body),e},_toggleAttr:function(){this.button.attr("aria-expanded",this.isOpen),this._removeClass(this.button,"ui-selectmenu-button-"+(this.isOpen?"closed":"open"))._addClass(this.button,"ui-selectmenu-button-"+(this.isOpen?"open":"closed"))._toggleClass(this.menuWrap,"ui-selectmenu-open",null,this.isOpen),this.menu.attr("aria-hidden",!this.isOpen)},_resizeButton:function(){var t=this.options.width;!1!==t?(null===t&&(t=this.element.show().outerWidth(),this.element.hide()),this.button.outerWidth(t)):this.button.css("width","")},_resizeMenu:function(){this.menu.outerWidth(Math.max(this.button.outerWidth(),this.menu.width("").outerWidth()+1))},_getCreateOptions:function(){var t=this._super();return t.disabled=this.element.prop("disabled"),t},_parseOptions:function(e){var i=this,n=[];e.each((function(e,o){n.push(i._parseOption(t(o),e))})),this.items=n},_parseOption:function(t,e){var i=t.parent("optgroup");return{element:t,index:e,value:t.val(),label:t.text(),hidden:i.prop("hidden")||t.prop("hidden"),optgroup:i.attr("label")||"",disabled:i.prop("disabled")||t.prop("disabled")}},_destroy:function(){this._unbindFormResetHandler(),this.menuWrap.remove(),this.button.remove(),this.element.show(),this.element.removeUniqueId(),this.labels.attr("for",this.ids.element)}}]),t.widget("ui.slider",t.ui.mouse,{version:"1.13.3",widgetEventPrefix:"slide",options:{animate:!1,classes:{"ui-slider":"ui-corner-all","ui-slider-handle":"ui-corner-all","ui-slider-range":"ui-corner-all ui-widget-header"},distance:0,max:100,min:0,orientation:"horizontal",range:!1,step:1,value:0,values:null,change:null,slide:null,start:null,stop:null},numPages:5,_create:function(){this._keySliding=!1,this._mouseSliding=!1,this._animateOff=!0,this._handleIndex=null,this._detectOrientation(),this._mouseInit(),this._calculateNewMax(),this._addClass("ui-slider ui-slider-"+this.orientation,"ui-widget ui-widget-content"),this._refresh(),this._animateOff=!1},_refresh:function(){this._createRange(),this._createHandles(),this._setupEvents(),this._refreshValue()},_createHandles:function(){var e,i,n=this.options,o=this.element.find(".ui-slider-handle"),r=[];for(i=n.values&&n.values.length||1,o.length>i&&(o.slice(i).remove(),o=o.slice(0,i)),e=o.length;e");this.handles=o.add(t(r.join("")).appendTo(this.element)),this._addClass(this.handles,"ui-slider-handle","ui-state-default"),this.handle=this.handles.eq(0),this.handles.each((function(e){t(this).data("ui-slider-handle-index",e).attr("tabIndex",0)}))},_createRange:function(){var e=this.options;e.range?(!0===e.range&&(e.values?e.values.length&&2!==e.values.length?e.values=[e.values[0],e.values[0]]:Array.isArray(e.values)&&(e.values=e.values.slice(0)):e.values=[this._valueMin(),this._valueMin()]),this.range&&this.range.length?(this._removeClass(this.range,"ui-slider-range-min ui-slider-range-max"),this.range.css({left:"",bottom:""})):(this.range=t("
            ").appendTo(this.element),this._addClass(this.range,"ui-slider-range")),"min"!==e.range&&"max"!==e.range||this._addClass(this.range,"ui-slider-range-"+e.range)):(this.range&&this.range.remove(),this.range=null)},_setupEvents:function(){this._off(this.handles),this._on(this.handles,this._handleEvents),this._hoverable(this.handles),this._focusable(this.handles)},_destroy:function(){this.handles.remove(),this.range&&this.range.remove(),this._mouseDestroy()},_mouseCapture:function(e){var i,n,o,r,s,a,c,l=this,u=this.options;return!u.disabled&&(this.elementSize={width:this.element.outerWidth(),height:this.element.outerHeight()},this.elementOffset=this.element.offset(),i={x:e.pageX,y:e.pageY},n=this._normValueFromMouse(i),o=this._valueMax()-this._valueMin()+1,this.handles.each((function(e){var i=Math.abs(n-l.values(e));(o>i||o===i&&(e===l._lastChangedValue||l.values(e)===u.min))&&(o=i,r=t(this),s=e)})),!1!==this._start(e,s)&&(this._mouseSliding=!0,this._handleIndex=s,this._addClass(r,null,"ui-state-active"),r.trigger("focus"),a=r.offset(),c=!t(e.target).parents().addBack().is(".ui-slider-handle"),this._clickOffset=c?{left:0,top:0}:{left:e.pageX-a.left-r.width()/2,top:e.pageY-a.top-r.height()/2-(parseInt(r.css("borderTopWidth"),10)||0)-(parseInt(r.css("borderBottomWidth"),10)||0)+(parseInt(r.css("marginTop"),10)||0)},this.handles.hasClass("ui-state-hover")||this._slide(e,s,n),this._animateOff=!0,!0))},_mouseStart:function(){return!0},_mouseDrag:function(t){var e={x:t.pageX,y:t.pageY},i=this._normValueFromMouse(e);return this._slide(t,this._handleIndex,i),!1},_mouseStop:function(t){return this._removeClass(this.handles,null,"ui-state-active"),this._mouseSliding=!1,this._stop(t,this._handleIndex),this._change(t,this._handleIndex),this._handleIndex=null,this._clickOffset=null,this._animateOff=!1,!1},_detectOrientation:function(){this.orientation="vertical"===this.options.orientation?"vertical":"horizontal"},_normValueFromMouse:function(t){var e,i,n,o,r;return"horizontal"===this.orientation?(e=this.elementSize.width,i=t.x-this.elementOffset.left-(this._clickOffset?this._clickOffset.left:0)):(e=this.elementSize.height,i=t.y-this.elementOffset.top-(this._clickOffset?this._clickOffset.top:0)),(n=i/e)>1&&(n=1),n<0&&(n=0),"vertical"===this.orientation&&(n=1-n),o=this._valueMax()-this._valueMin(),r=this._valueMin()+n*o,this._trimAlignValue(r)},_uiHash:function(t,e,i){var n={handle:this.handles[t],handleIndex:t,value:void 0!==e?e:this.value()};return this._hasMultipleValues()&&(n.value=void 0!==e?e:this.values(t),n.values=i||this.values()),n},_hasMultipleValues:function(){return this.options.values&&this.options.values.length},_start:function(t,e){return this._trigger("start",t,this._uiHash(e))},_slide:function(t,e,i){var n,o=this.value(),r=this.values();this._hasMultipleValues()&&(n=this.values(e?0:1),o=this.values(e),2===this.options.values.length&&!0===this.options.range&&(i=0===e?Math.min(n,i):Math.max(n,i)),r[e]=i),i!==o&&!1!==this._trigger("slide",t,this._uiHash(e,i,r))&&(this._hasMultipleValues()?this.values(e,i):this.value(i))},_stop:function(t,e){this._trigger("stop",t,this._uiHash(e))},_change:function(t,e){this._keySliding||this._mouseSliding||(this._lastChangedValue=e,this._trigger("change",t,this._uiHash(e)))},value:function(t){return arguments.length?(this.options.value=this._trimAlignValue(t),this._refreshValue(),void this._change(null,0)):this._value()},values:function(t,e){var i,n,o;if(arguments.length>1)return this.options.values[t]=this._trimAlignValue(e),this._refreshValue(),void this._change(null,t);if(!arguments.length)return this._values();if(!Array.isArray(arguments[0]))return this._hasMultipleValues()?this._values(t):this.value();for(i=this.options.values,n=arguments[0],o=0;o=0;i--)this._change(null,i);this._animateOff=!1;break;case"step":case"min":case"max":this._animateOff=!0,this._calculateNewMax(),this._refreshValue(),this._animateOff=!1;break;case"range":this._animateOff=!0,this._refresh(),this._animateOff=!1}},_setOptionDisabled:function(t){this._super(t),this._toggleClass(null,"ui-state-disabled",!!t)},_value:function(){var t=this.options.value;return this._trimAlignValue(t)},_values:function(t){var e,i,n;if(arguments.length)return e=this.options.values[t],this._trimAlignValue(e);if(this._hasMultipleValues()){for(i=this.options.values.slice(),n=0;n=this._valueMax())return this._valueMax();var e=this.options.step>0?this.options.step:1,i=(t-this._valueMin())%e,n=t-i;return 2*Math.abs(i)>=e&&(n+=i>0?e:-e),parseFloat(n.toFixed(5))},_calculateNewMax:function(){var t=this.options.max,e=this._valueMin(),i=this.options.step;(t=Math.round((t-e)/i)*i+e)>this.options.max&&(t-=i),this.max=parseFloat(t.toFixed(this._precision()))},_precision:function(){var t=this._precisionOf(this.options.step);return null!==this.options.min&&(t=Math.max(t,this._precisionOf(this.options.min))),t},_precisionOf:function(t){var e=t.toString(),i=e.indexOf(".");return-1===i?0:e.length-i-1},_valueMin:function(){return this.options.min},_valueMax:function(){return this.max},_refreshRange:function(t){"vertical"===t&&this.range.css({width:"",left:""}),"horizontal"===t&&this.range.css({height:"",bottom:""})},_refreshValue:function(){var e,i,n,o,r,s=this.options.range,a=this.options,c=this,l=!this._animateOff&&a.animate,u={};this._hasMultipleValues()?this.handles.each((function(n){i=(c.values(n)-c._valueMin())/(c._valueMax()-c._valueMin())*100,u["horizontal"===c.orientation?"left":"bottom"]=i+"%",t(this).stop(1,1)[l?"animate":"css"](u,a.animate),!0===c.options.range&&("horizontal"===c.orientation?(0===n&&c.range.stop(1,1)[l?"animate":"css"]({left:i+"%"},a.animate),1===n&&c.range[l?"animate":"css"]({width:i-e+"%"},{queue:!1,duration:a.animate})):(0===n&&c.range.stop(1,1)[l?"animate":"css"]({bottom:i+"%"},a.animate),1===n&&c.range[l?"animate":"css"]({height:i-e+"%"},{queue:!1,duration:a.animate}))),e=i})):(n=this.value(),o=this._valueMin(),r=this._valueMax(),i=r!==o?(n-o)/(r-o)*100:0,u["horizontal"===this.orientation?"left":"bottom"]=i+"%",this.handle.stop(1,1)[l?"animate":"css"](u,a.animate),"min"===s&&"horizontal"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({width:i+"%"},a.animate),"max"===s&&"horizontal"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({width:100-i+"%"},a.animate),"min"===s&&"vertical"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({height:i+"%"},a.animate),"max"===s&&"vertical"===this.orientation&&this.range.stop(1,1)[l?"animate":"css"]({height:100-i+"%"},a.animate))},_handleEvents:{keydown:function(e){var i,n,o,r=t(e.target).data("ui-slider-handle-index");switch(e.keyCode){case t.ui.keyCode.HOME:case t.ui.keyCode.END:case t.ui.keyCode.PAGE_UP:case t.ui.keyCode.PAGE_DOWN:case t.ui.keyCode.UP:case t.ui.keyCode.RIGHT:case t.ui.keyCode.DOWN:case t.ui.keyCode.LEFT:if(e.preventDefault(),!this._keySliding&&(this._keySliding=!0,this._addClass(t(e.target),null,"ui-state-active"),!1===this._start(e,r)))return}switch(o=this.options.step,i=n=this._hasMultipleValues()?this.values(r):this.value(),e.keyCode){case t.ui.keyCode.HOME:n=this._valueMin();break;case t.ui.keyCode.END:n=this._valueMax();break;case t.ui.keyCode.PAGE_UP:n=this._trimAlignValue(i+(this._valueMax()-this._valueMin())/this.numPages);break;case t.ui.keyCode.PAGE_DOWN:n=this._trimAlignValue(i-(this._valueMax()-this._valueMin())/this.numPages);break;case t.ui.keyCode.UP:case t.ui.keyCode.RIGHT:if(i===this._valueMax())return;n=this._trimAlignValue(i+o);break;case t.ui.keyCode.DOWN:case t.ui.keyCode.LEFT:if(i===this._valueMin())return;n=this._trimAlignValue(i-o)}this._slide(e,r,n)},keyup:function(e){var i=t(e.target).data("ui-slider-handle-index");this._keySliding&&(this._keySliding=!1,this._stop(e,i),this._change(e,i),this._removeClass(t(e.target),null,"ui-state-active"))}}}),t.widget("ui.sortable",t.ui.mouse,{version:"1.13.3",widgetEventPrefix:"sort",ready:!1,options:{appendTo:"parent",axis:!1,connectWith:!1,containment:!1,cursor:"auto",cursorAt:!1,dropOnEmpty:!0,forcePlaceholderSize:!1,forceHelperSize:!1,grid:!1,handle:!1,helper:"original",items:"> *",opacity:!1,placeholder:!1,revert:!1,scroll:!0,scrollSensitivity:20,scrollSpeed:20,scope:"default",tolerance:"intersect",zIndex:1e3,activate:null,beforeStop:null,change:null,deactivate:null,out:null,over:null,receive:null,remove:null,sort:null,start:null,stop:null,update:null},_isOverAxis:function(t,e,i){return t>=e&&t=0;t--)this.items[t].item.removeData(this.widgetName+"-item");return this},_mouseCapture:function(e,i){var n=null,o=!1,r=this;return!(this.reverting||this.options.disabled||"static"===this.options.type||(this._refreshItems(e),t(e.target).parents().each((function(){if(t.data(this,r.widgetName+"-item")===r)return n=t(this),!1})),t.data(e.target,r.widgetName+"-item")===r&&(n=t(e.target)),!n||this.options.handle&&!i&&(t(this.options.handle,n).find("*").addBack().each((function(){this===e.target&&(o=!0)})),!o)||(this.currentItem=n,this._removeCurrentsFromItems(),0)))},_mouseStart:function(e,i,n){var o,r,s=this.options;if(this.currentContainer=this,this.refreshPositions(),this.appendTo=t("parent"!==s.appendTo?s.appendTo:this.currentItem.parent()),this.helper=this._createHelper(e),this._cacheHelperProportions(),this._cacheMargins(),this.offset=this.currentItem.offset(),this.offset={top:this.offset.top-this.margins.top,left:this.offset.left-this.margins.left},t.extend(this.offset,{click:{left:e.pageX-this.offset.left,top:e.pageY-this.offset.top},relative:this._getRelativeOffset()}),this.helper.css("position","absolute"),this.cssPosition=this.helper.css("position"),s.cursorAt&&this._adjustOffsetFromHelper(s.cursorAt),this.domPosition={prev:this.currentItem.prev()[0],parent:this.currentItem.parent()[0]},this.helper[0]!==this.currentItem[0]&&this.currentItem.hide(),this._createPlaceholder(),this.scrollParent=this.placeholder.scrollParent(),t.extend(this.offset,{parent:this._getParentOffset()}),s.containment&&this._setContainment(),s.cursor&&"auto"!==s.cursor&&(r=this.document.find("body"),this.storedCursor=r.css("cursor"),r.css("cursor",s.cursor),this.storedStylesheet=t("").appendTo(r)),s.zIndex&&(this.helper.css("zIndex")&&(this._storedZIndex=this.helper.css("zIndex")),this.helper.css("zIndex",s.zIndex)),s.opacity&&(this.helper.css("opacity")&&(this._storedOpacity=this.helper.css("opacity")),this.helper.css("opacity",s.opacity)),this.scrollParent[0]!==this.document[0]&&"HTML"!==this.scrollParent[0].tagName&&(this.overflowOffset=this.scrollParent.offset()),this._trigger("start",e,this._uiHash()),this._preserveHelperProportions||this._cacheHelperProportions(),!n)for(o=this.containers.length-1;o>=0;o--)this.containers[o]._trigger("activate",e,this._uiHash(this));return t.ui.ddmanager&&(t.ui.ddmanager.current=this),t.ui.ddmanager&&!s.dropBehaviour&&t.ui.ddmanager.prepareOffsets(this,e),this.dragging=!0,this._addClass(this.helper,"ui-sortable-helper"),this.helper.parent().is(this.appendTo)||(this.helper.detach().appendTo(this.appendTo),this.offset.parent=this._getParentOffset()),this.position=this.originalPosition=this._generatePosition(e),this.originalPageX=e.pageX,this.originalPageY=e.pageY,this.lastPositionAbs=this.positionAbs=this._convertPositionTo("absolute"),this._mouseDrag(e),!0},_scroll:function(t){var e=this.options,i=!1;return this.scrollParent[0]!==this.document[0]&&"HTML"!==this.scrollParent[0].tagName?(this.overflowOffset.top+this.scrollParent[0].offsetHeight-t.pageY=0;i--)if(o=(n=this.items[i]).item[0],(r=this._intersectsWithPointer(n))&&n.instance===this.currentContainer&&!(o===this.currentItem[0]||this.placeholder[1===r?"next":"prev"]()[0]===o||t.contains(this.placeholder[0],o)||"semi-dynamic"===this.options.type&&t.contains(this.element[0],o))){if(this.direction=1===r?"down":"up","pointer"!==this.options.tolerance&&!this._intersectsWithSides(n))break;this._rearrange(e,n),this._trigger("change",e,this._uiHash());break}return this._contactContainers(e),t.ui.ddmanager&&t.ui.ddmanager.drag(this,e),this._trigger("sort",e,this._uiHash()),this.lastPositionAbs=this.positionAbs,!1},_mouseStop:function(e,i){if(e){if(t.ui.ddmanager&&!this.options.dropBehaviour&&t.ui.ddmanager.drop(this,e),this.options.revert){var n=this,o=this.placeholder.offset(),r=this.options.axis,s={};r&&"x"!==r||(s.left=o.left-this.offset.parent.left-this.margins.left+(this.offsetParent[0]===this.document[0].body?0:this.offsetParent[0].scrollLeft)),r&&"y"!==r||(s.top=o.top-this.offset.parent.top-this.margins.top+(this.offsetParent[0]===this.document[0].body?0:this.offsetParent[0].scrollTop)),this.reverting=!0,t(this.helper).animate(s,parseInt(this.options.revert,10)||500,(function(){n._clear(e)}))}else this._clear(e,i);return!1}},cancel:function(){if(this.dragging){this._mouseUp(new t.Event("mouseup",{target:null})),"original"===this.options.helper?(this.currentItem.css(this._storedCSS),this._removeClass(this.currentItem,"ui-sortable-helper")):this.currentItem.show();for(var e=this.containers.length-1;e>=0;e--)this.containers[e]._trigger("deactivate",null,this._uiHash(this)),this.containers[e].containerCache.over&&(this.containers[e]._trigger("out",null,this._uiHash(this)),this.containers[e].containerCache.over=0)}return this.placeholder&&(this.placeholder[0].parentNode&&this.placeholder[0].parentNode.removeChild(this.placeholder[0]),"original"!==this.options.helper&&this.helper&&this.helper[0].parentNode&&this.helper.remove(),t.extend(this,{helper:null,dragging:!1,reverting:!1,_noFinalSort:null}),this.domPosition.prev?t(this.domPosition.prev).after(this.currentItem):t(this.domPosition.parent).prepend(this.currentItem)),this},serialize:function(e){var i=this._getItemsAsjQuery(e&&e.connected),n=[];return e=e||{},t(i).each((function(){var i=(t(e.item||this).attr(e.attribute||"id")||"").match(e.expression||/(.+)[\-=_](.+)/);i&&n.push((e.key||i[1]+"[]")+"="+(e.key&&e.expression?i[1]:i[2]))})),!n.length&&e.key&&n.push(e.key+"="),n.join("&")},toArray:function(e){var i=this._getItemsAsjQuery(e&&e.connected),n=[];return e=e||{},i.each((function(){n.push(t(e.item||this).attr(e.attribute||"id")||"")})),n},_intersectsWith:function(t){var e=this.positionAbs.left,i=e+this.helperProportions.width,n=this.positionAbs.top,o=n+this.helperProportions.height,r=t.left,s=r+t.width,a=t.top,c=a+t.height,l=this.offset.click.top,u=this.offset.click.left,h="x"===this.options.axis||n+l>a&&n+lr&&e+ut[this.floating?"width":"height"]?p:r0?"down":"up")},_getDragHorizontalDirection:function(){var t=this.positionAbs.left-this.lastPositionAbs.left;return 0!==t&&(t>0?"right":"left")},refresh:function(t){return this._refreshItems(t),this._setHandleClassName(),this.refreshPositions(),this},_connectWith:function(){var t=this.options;return t.connectWith.constructor===String?[t.connectWith]:t.connectWith},_getItemsAsjQuery:function(e){var i,n,o,r,s=[],a=[],c=this._connectWith();if(c&&e)for(i=c.length-1;i>=0;i--)for(n=(o=t(c[i],this.document[0])).length-1;n>=0;n--)(r=t.data(o[n],this.widgetFullName))&&r!==this&&!r.options.disabled&&a.push(["function"==typeof r.options.items?r.options.items.call(r.element):t(r.options.items,r.element).not(".ui-sortable-helper").not(".ui-sortable-placeholder"),r]);function l(){s.push(this)}for(a.push(["function"==typeof this.options.items?this.options.items.call(this.element,null,{options:this.options,item:this.currentItem}):t(this.options.items,this.element).not(".ui-sortable-helper").not(".ui-sortable-placeholder"),this]),i=a.length-1;i>=0;i--)a[i][0].each(l);return t(s)},_removeCurrentsFromItems:function(){var e=this.currentItem.find(":data("+this.widgetName+"-item)");this.items=t.grep(this.items,(function(t){for(var i=0;i=0;i--)for(n=(o=t(d[i],this.document[0])).length-1;n>=0;n--)(r=t.data(o[n],this.widgetFullName))&&r!==this&&!r.options.disabled&&(h.push(["function"==typeof r.options.items?r.options.items.call(r.element[0],e,{item:this.currentItem}):t(r.options.items,r.element),r]),this.containers.push(r));for(i=h.length-1;i>=0;i--)for(s=h[i][1],n=0,l=(a=h[i][0]).length;n=0;i--)n=this.items[i],this.currentContainer&&n.instance!==this.currentContainer&&n.item[0]!==this.currentItem[0]||(o=this.options.toleranceElement?t(this.options.toleranceElement,n.item):n.item,e||(n.width=o.outerWidth(),n.height=o.outerHeight()),r=o.offset(),n.left=r.left,n.top=r.top)},refreshPositions:function(t){var e,i;if(this.floating=!!this.items.length&&("x"===this.options.axis||this._isFloating(this.items[0].item)),this.offsetParent&&this.helper&&(this.offset.parent=this._getParentOffset()),this._refreshItemPositions(t),this.options.custom&&this.options.custom.refreshContainers)this.options.custom.refreshContainers.call(this);else for(e=this.containers.length-1;e>=0;e--)i=this.containers[e].element.offset(),this.containers[e].containerCache.left=i.left,this.containers[e].containerCache.top=i.top,this.containers[e].containerCache.width=this.containers[e].element.outerWidth(),this.containers[e].containerCache.height=this.containers[e].element.outerHeight();return this},_createPlaceholder:function(e){var i,n,o=(e=e||this).options;o.placeholder&&o.placeholder.constructor!==String||(i=o.placeholder,n=e.currentItem[0].nodeName.toLowerCase(),o.placeholder={element:function(){var o=t("<"+n+">",e.document[0]);return e._addClass(o,"ui-sortable-placeholder",i||e.currentItem[0].className)._removeClass(o,"ui-sortable-helper"),"tbody"===n?e._createTrPlaceholder(e.currentItem.find("tr").eq(0),t("",e.document[0]).appendTo(o)):"tr"===n?e._createTrPlaceholder(e.currentItem,o):"img"===n&&o.attr("src",e.currentItem.attr("src")),i||o.css("visibility","hidden"),o},update:function(t,r){i&&!o.forcePlaceholderSize||(r.height()&&(!o.forcePlaceholderSize||"tbody"!==n&&"tr"!==n)||r.height(e.currentItem.innerHeight()-parseInt(e.currentItem.css("paddingTop")||0,10)-parseInt(e.currentItem.css("paddingBottom")||0,10)),r.width()||r.width(e.currentItem.innerWidth()-parseInt(e.currentItem.css("paddingLeft")||0,10)-parseInt(e.currentItem.css("paddingRight")||0,10)))}}),e.placeholder=t(o.placeholder.element.call(e.element,e.currentItem)),e.currentItem.after(e.placeholder),o.placeholder.update(e,e.placeholder)},_createTrPlaceholder:function(e,i){var n=this;e.children().each((function(){t(" ",n.document[0]).attr("colspan",t(this).attr("colspan")||1).appendTo(i)}))},_contactContainers:function(e){var i,n,o,r,s,a,c,l,u,h,d=null,p=null;for(i=this.containers.length-1;i>=0;i--)if(!t.contains(this.currentItem[0],this.containers[i].element[0]))if(this._intersectsWith(this.containers[i].containerCache)){if(d&&t.contains(this.containers[i].element[0],d.element[0]))continue;d=this.containers[i],p=i}else this.containers[i].containerCache.over&&(this.containers[i]._trigger("out",e,this._uiHash(this)),this.containers[i].containerCache.over=0);if(d)if(1===this.containers.length)this.containers[p].containerCache.over||(this.containers[p]._trigger("over",e,this._uiHash(this)),this.containers[p].containerCache.over=1);else{for(o=1e4,r=null,s=(u=d.floating||this._isFloating(this.currentItem))?"left":"top",a=u?"width":"height",h=u?"pageX":"pageY",n=this.items.length-1;n>=0;n--)t.contains(this.containers[p].element[0],this.items[n].item[0])&&this.items[n].item[0]!==this.currentItem[0]&&(c=this.items[n].item.offset()[s],l=!1,e[h]-c>this.items[n][a]/2&&(l=!0),Math.abs(e[h]-c)this.containment[2]&&(r=this.containment[2]+this.offset.click.left),e.pageY-this.offset.click.top>this.containment[3]&&(s=this.containment[3]+this.offset.click.top)),o.grid&&(i=this.originalPageY+Math.round((s-this.originalPageY)/o.grid[1])*o.grid[1],s=this.containment?i-this.offset.click.top>=this.containment[1]&&i-this.offset.click.top<=this.containment[3]?i:i-this.offset.click.top>=this.containment[1]?i-o.grid[1]:i+o.grid[1]:i,n=this.originalPageX+Math.round((r-this.originalPageX)/o.grid[0])*o.grid[0],r=this.containment?n-this.offset.click.left>=this.containment[0]&&n-this.offset.click.left<=this.containment[2]?n:n-this.offset.click.left>=this.containment[0]?n-o.grid[0]:n+o.grid[0]:n)),{top:s-this.offset.click.top-this.offset.relative.top-this.offset.parent.top+("fixed"===this.cssPosition?-this.scrollParent.scrollTop():c?0:a.scrollTop()),left:r-this.offset.click.left-this.offset.relative.left-this.offset.parent.left+("fixed"===this.cssPosition?-this.scrollParent.scrollLeft():c?0:a.scrollLeft())}},_rearrange:function(t,e,i,n){i?i[0].appendChild(this.placeholder[0]):e.item[0].parentNode.insertBefore(this.placeholder[0],"down"===this.direction?e.item[0]:e.item[0].nextSibling),this.counter=this.counter?++this.counter:1;var o=this.counter;this._delay((function(){o===this.counter&&this.refreshPositions(!n)}))},_clear:function(t,e){this.reverting=!1;var i,n=[];if(!this._noFinalSort&&this.currentItem.parent().length&&this.placeholder.before(this.currentItem),this._noFinalSort=null,this.helper[0]===this.currentItem[0]){for(i in this._storedCSS)"auto"!==this._storedCSS[i]&&"static"!==this._storedCSS[i]||(this._storedCSS[i]="");this.currentItem.css(this._storedCSS),this._removeClass(this.currentItem,"ui-sortable-helper")}else this.currentItem.show();function o(t,e,i){return function(n){i._trigger(t,n,e._uiHash(e))}}for(this.fromOutside&&!e&&n.push((function(t){this._trigger("receive",t,this._uiHash(this.fromOutside))})),!this.fromOutside&&this.domPosition.prev===this.currentItem.prev().not(".ui-sortable-helper")[0]&&this.domPosition.parent===this.currentItem.parent()[0]||e||n.push((function(t){this._trigger("update",t,this._uiHash())})),this!==this.currentContainer&&(e||(n.push((function(t){this._trigger("remove",t,this._uiHash())})),n.push(function(t){return function(e){t._trigger("receive",e,this._uiHash(this))}}.call(this,this.currentContainer)),n.push(function(t){return function(e){t._trigger("update",e,this._uiHash(this))}}.call(this,this.currentContainer)))),i=this.containers.length-1;i>=0;i--)e||n.push(o("deactivate",this,this.containers[i])),this.containers[i].containerCache.over&&(n.push(o("out",this,this.containers[i])),this.containers[i].containerCache.over=0);if(this.storedCursor&&(this.document.find("body").css("cursor",this.storedCursor),this.storedStylesheet.remove()),this._storedOpacity&&this.helper.css("opacity",this._storedOpacity),this._storedZIndex&&this.helper.css("zIndex","auto"===this._storedZIndex?"":this._storedZIndex),this.dragging=!1,e||this._trigger("beforeStop",t,this._uiHash()),this.placeholder[0].parentNode.removeChild(this.placeholder[0]),this.cancelHelperRemoval||(this.helper[0]!==this.currentItem[0]&&this.helper.remove(),this.helper=null),!e){for(i=0;i",widgetEventPrefix:"spin",options:{classes:{"ui-spinner":"ui-corner-all","ui-spinner-down":"ui-corner-br","ui-spinner-up":"ui-corner-tr"},culture:null,icons:{down:"ui-icon-triangle-1-s",up:"ui-icon-triangle-1-n"},incremental:!0,max:null,min:null,numberFormat:null,page:10,step:1,change:null,spin:null,start:null,stop:null},_create:function(){this._setOption("max",this.options.max),this._setOption("min",this.options.min),this._setOption("step",this.options.step),""!==this.value()&&this._value(this.element.val(),!0),this._draw(),this._on(this._events),this._refresh(),this._on(this.window,{beforeunload:function(){this.element.removeAttr("autocomplete")}})},_getCreateOptions:function(){var e=this._super(),i=this.element;return t.each(["min","max","step"],(function(t,n){var o=i.attr(n);null!=o&&o.length&&(e[n]=o)})),e},_events:{keydown:function(t){this._start(t)&&this._keydown(t)&&t.preventDefault()},keyup:"_stop",focus:function(){this.previous=this.element.val()},blur:function(t){this.cancelBlur?delete this.cancelBlur:(this._stop(),this._refresh(),this.previous!==this.element.val()&&this._trigger("change",t))},mousewheel:function(e,i){var n=t.ui.safeActiveElement(this.document[0]);if(this.element[0]===n&&i){if(!this.spinning&&!this._start(e))return!1;this._spin((i>0?1:-1)*this.options.step,e),clearTimeout(this.mousewheelTimer),this.mousewheelTimer=this._delay((function(){this.spinning&&this._stop(e)}),100),e.preventDefault()}},"mousedown .ui-spinner-button":function(e){var i;function n(){this.element[0]===t.ui.safeActiveElement(this.document[0])||(this.element.trigger("focus"),this.previous=i,this._delay((function(){this.previous=i})))}i=this.element[0]===t.ui.safeActiveElement(this.document[0])?this.previous:this.element.val(),e.preventDefault(),n.call(this),this.cancelBlur=!0,this._delay((function(){delete this.cancelBlur,n.call(this)})),!1!==this._start(e)&&this._repeat(null,t(e.currentTarget).hasClass("ui-spinner-up")?1:-1,e)},"mouseup .ui-spinner-button":"_stop","mouseenter .ui-spinner-button":function(e){if(t(e.currentTarget).hasClass("ui-state-active"))return!1!==this._start(e)&&void this._repeat(null,t(e.currentTarget).hasClass("ui-spinner-up")?1:-1,e)},"mouseleave .ui-spinner-button":"_stop"},_enhance:function(){this.uiSpinner=this.element.attr("autocomplete","off").wrap("").parent().append("")},_draw:function(){this._enhance(),this._addClass(this.uiSpinner,"ui-spinner","ui-widget ui-widget-content"),this._addClass("ui-spinner-input"),this.element.attr("role","spinbutton"),this.buttons=this.uiSpinner.children("a").attr("tabIndex",-1).attr("aria-hidden",!0).button({classes:{"ui-button":""}}),this._removeClass(this.buttons,"ui-corner-all"),this._addClass(this.buttons.first(),"ui-spinner-button ui-spinner-up"),this._addClass(this.buttons.last(),"ui-spinner-button ui-spinner-down"),this.buttons.first().button({icon:this.options.icons.up,showLabel:!1}),this.buttons.last().button({icon:this.options.icons.down,showLabel:!1}),this.buttons.height()>Math.ceil(.5*this.uiSpinner.height())&&this.uiSpinner.height()>0&&this.uiSpinner.height(this.uiSpinner.height())},_keydown:function(e){var i=this.options,n=t.ui.keyCode;switch(e.keyCode){case n.UP:return this._repeat(null,1,e),!0;case n.DOWN:return this._repeat(null,-1,e),!0;case n.PAGE_UP:return this._repeat(null,i.page,e),!0;case n.PAGE_DOWN:return this._repeat(null,-i.page,e),!0}return!1},_start:function(t){return!(!this.spinning&&!1===this._trigger("start",t)||(this.counter||(this.counter=1),this.spinning=!0,0))},_repeat:function(t,e,i){t=t||500,clearTimeout(this.timer),this.timer=this._delay((function(){this._repeat(40,e,i)}),t),this._spin(e*this.options.step,i)},_spin:function(t,e){var i=this.value()||0;this.counter||(this.counter=1),i=this._adjustValue(i+t*this._increment(this.counter)),this.spinning&&!1===this._trigger("spin",e,{value:i})||(this._value(i),this.counter++)},_increment:function(t){var e=this.options.incremental;return e?"function"==typeof e?e(t):Math.floor(t*t*t/5e4-t*t/500+17*t/200+1):1},_precision:function(){var t=this._precisionOf(this.options.step);return null!==this.options.min&&(t=Math.max(t,this._precisionOf(this.options.min))),t},_precisionOf:function(t){var e=t.toString(),i=e.indexOf(".");return-1===i?0:e.length-i-1},_adjustValue:function(t){var e,i,n=this.options;return i=t-(e=null!==n.min?n.min:0),t=e+(i=Math.round(i/n.step)*n.step),t=parseFloat(t.toFixed(this._precision())),null!==n.max&&t>n.max?n.max:null!==n.min&&t"},_buttonHtml:function(){return""}}),t.ui.spinner,t.widget("ui.tabs",{version:"1.13.3",delay:300,options:{active:null,classes:{"ui-tabs":"ui-corner-all","ui-tabs-nav":"ui-corner-all","ui-tabs-panel":"ui-corner-bottom","ui-tabs-tab":"ui-corner-top"},collapsible:!1,event:"click",heightStyle:"content",hide:null,show:null,activate:null,beforeActivate:null,beforeLoad:null,load:null},_isLocal:(R=/#.*$/,function(t){var e,i;e=t.href.replace(R,""),i=location.href.replace(R,"");try{e=decodeURIComponent(e)}catch(t){}try{i=decodeURIComponent(i)}catch(t){}return t.hash.length>1&&e===i}),_create:function(){var e=this,i=this.options;this.running=!1,this._addClass("ui-tabs","ui-widget ui-widget-content"),this._toggleClass("ui-tabs-collapsible",null,i.collapsible),this._processTabs(),i.active=this._initialActive(),Array.isArray(i.disabled)&&(i.disabled=t.uniqueSort(i.disabled.concat(t.map(this.tabs.filter(".ui-state-disabled"),(function(t){return e.tabs.index(t)})))).sort()),!1!==this.options.active&&this.anchors.length?this.active=this._findActive(i.active):this.active=t(),this._refresh(),this.active.length&&this.load(i.active)},_initialActive:function(){var e=this.options.active,i=this.options.collapsible,n=location.hash.substring(1);return null===e&&(n&&this.tabs.each((function(i,o){if(t(o).attr("aria-controls")===n)return e=i,!1})),null===e&&(e=this.tabs.index(this.tabs.filter(".ui-tabs-active"))),null!==e&&-1!==e||(e=!!this.tabs.length&&0)),!1!==e&&-1===(e=this.tabs.index(this.tabs.eq(e)))&&(e=!i&&0),!i&&!1===e&&this.anchors.length&&(e=0),e},_getCreateEventData:function(){return{tab:this.active,panel:this.active.length?this._getPanelForTab(this.active):t()}},_tabKeydown:function(e){var i=t(t.ui.safeActiveElement(this.document[0])).closest("li"),n=this.tabs.index(i),o=!0;if(!this._handlePageNav(e)){switch(e.keyCode){case t.ui.keyCode.RIGHT:case t.ui.keyCode.DOWN:n++;break;case t.ui.keyCode.UP:case t.ui.keyCode.LEFT:o=!1,n--;break;case t.ui.keyCode.END:n=this.anchors.length-1;break;case t.ui.keyCode.HOME:n=0;break;case t.ui.keyCode.SPACE:return e.preventDefault(),clearTimeout(this.activating),void this._activate(n);case t.ui.keyCode.ENTER:return e.preventDefault(),clearTimeout(this.activating),void this._activate(n!==this.options.active&&n);default:return}e.preventDefault(),clearTimeout(this.activating),n=this._focusNextTab(n,o),e.ctrlKey||e.metaKey||(i.attr("aria-selected","false"),this.tabs.eq(n).attr("aria-selected","true"),this.activating=this._delay((function(){this.option("active",n)}),this.delay))}},_panelKeydown:function(e){this._handlePageNav(e)||e.ctrlKey&&e.keyCode===t.ui.keyCode.UP&&(e.preventDefault(),this.active.trigger("focus"))},_handlePageNav:function(e){return e.altKey&&e.keyCode===t.ui.keyCode.PAGE_UP?(this._activate(this._focusNextTab(this.options.active-1,!1)),!0):e.altKey&&e.keyCode===t.ui.keyCode.PAGE_DOWN?(this._activate(this._focusNextTab(this.options.active+1,!0)),!0):void 0},_findNextTab:function(e,i){var n=this.tabs.length-1;for(;-1!==t.inArray((e>n&&(e=0),e<0&&(e=n),e),this.options.disabled);)e=i?e+1:e-1;return e},_focusNextTab:function(t,e){return t=this._findNextTab(t,e),this.tabs.eq(t).trigger("focus"),t},_setOption:function(t,e){"active"!==t?(this._super(t,e),"collapsible"===t&&(this._toggleClass("ui-tabs-collapsible",null,e),e||!1!==this.options.active||this._activate(0)),"event"===t&&this._setupEvents(e),"heightStyle"===t&&this._setupHeightStyle(e)):this._activate(e)},_sanitizeSelector:function(t){return t?t.replace(/[!"$%&'()*+,.\/:;<=>?@\[\]\^`{|}~]/g,"\\$&"):""},refresh:function(){var e=this.options,i=this.tablist.children(":has(a[href])");e.disabled=t.map(i.filter(".ui-state-disabled"),(function(t){return i.index(t)})),this._processTabs(),!1!==e.active&&this.anchors.length?this.active.length&&!t.contains(this.tablist[0],this.active[0])?this.tabs.length===e.disabled.length?(e.active=!1,this.active=t()):this._activate(this._findNextTab(Math.max(0,e.active-1),!1)):e.active=this.tabs.index(this.active):(e.active=!1,this.active=t()),this._refresh()},_refresh:function(){this._setOptionDisabled(this.options.disabled),this._setupEvents(this.options.event),this._setupHeightStyle(this.options.heightStyle),this.tabs.not(this.active).attr({"aria-selected":"false","aria-expanded":"false",tabIndex:-1}),this.panels.not(this._getPanelForTab(this.active)).hide().attr({"aria-hidden":"true"}),this.active.length?(this.active.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0}),this._addClass(this.active,"ui-tabs-active","ui-state-active"),this._getPanelForTab(this.active).show().attr({"aria-hidden":"false"})):this.tabs.eq(0).attr("tabIndex",0)},_processTabs:function(){var e=this,i=this.tabs,n=this.anchors,o=this.panels;this.tablist=this._getList().attr("role","tablist"),this._addClass(this.tablist,"ui-tabs-nav","ui-helper-reset ui-helper-clearfix ui-widget-header"),this.tablist.on("mousedown"+this.eventNamespace,"> li",(function(e){t(this).is(".ui-state-disabled")&&e.preventDefault()})).on("focus"+this.eventNamespace,".ui-tabs-anchor",(function(){t(this).closest("li").is(".ui-state-disabled")&&this.blur()})),this.tabs=this.tablist.find("> li:has(a[href])").attr({role:"tab",tabIndex:-1}),this._addClass(this.tabs,"ui-tabs-tab","ui-state-default"),this.anchors=this.tabs.map((function(){return t("a",this)[0]})).attr({tabIndex:-1}),this._addClass(this.anchors,"ui-tabs-anchor"),this.panels=t(),this.anchors.each((function(i,n){var o,r,s,a=t(n).uniqueId().attr("id"),c=t(n).closest("li"),l=c.attr("aria-controls");e._isLocal(n)?(s=(o=n.hash).substring(1),r=e.element.find(e._sanitizeSelector(o))):(o="#"+(s=c.attr("aria-controls")||t({}).uniqueId()[0].id),(r=e.element.find(o)).length||(r=e._createPanel(s)).insertAfter(e.panels[i-1]||e.tablist),r.attr("aria-live","polite")),r.length&&(e.panels=e.panels.add(r)),l&&c.data("ui-tabs-aria-controls",l),c.attr({"aria-controls":s,"aria-labelledby":a}),r.attr("aria-labelledby",a)})),this.panels.attr("role","tabpanel"),this._addClass(this.panels,"ui-tabs-panel","ui-widget-content"),i&&(this._off(i.not(this.tabs)),this._off(n.not(this.anchors)),this._off(o.not(this.panels)))},_getList:function(){return this.tablist||this.element.find("ol, ul").eq(0)},_createPanel:function(e){return t("
            ").attr("id",e).data("ui-tabs-destroy",!0)},_setOptionDisabled:function(e){var i,n,o;for(Array.isArray(e)&&(e.length?e.length===this.anchors.length&&(e=!0):e=!1),o=0;n=this.tabs[o];o++)i=t(n),!0===e||-1!==t.inArray(o,e)?(i.attr("aria-disabled","true"),this._addClass(i,null,"ui-state-disabled")):(i.removeAttr("aria-disabled"),this._removeClass(i,null,"ui-state-disabled"));this.options.disabled=e,this._toggleClass(this.widget(),this.widgetFullName+"-disabled",null,!0===e)},_setupEvents:function(e){var i={};e&&t.each(e.split(" "),(function(t,e){i[e]="_eventHandler"})),this._off(this.anchors.add(this.tabs).add(this.panels)),this._on(!0,this.anchors,{click:function(t){t.preventDefault()}}),this._on(this.anchors,i),this._on(this.tabs,{keydown:"_tabKeydown"}),this._on(this.panels,{keydown:"_panelKeydown"}),this._focusable(this.tabs),this._hoverable(this.tabs)},_setupHeightStyle:function(e){var i,n=this.element.parent();"fill"===e?(i=n.height(),i-=this.element.outerHeight()-this.element.height(),this.element.siblings(":visible").each((function(){var e=t(this),n=e.css("position");"absolute"!==n&&"fixed"!==n&&(i-=e.outerHeight(!0))})),this.element.children().not(this.panels).each((function(){i-=t(this).outerHeight(!0)})),this.panels.each((function(){t(this).height(Math.max(0,i-t(this).innerHeight()+t(this).height()))})).css("overflow","auto")):"auto"===e&&(i=0,this.panels.each((function(){i=Math.max(i,t(this).height("").height())})).height(i))},_eventHandler:function(e){var i=this.options,n=this.active,o=t(e.currentTarget).closest("li"),r=o[0]===n[0],s=r&&i.collapsible,a=s?t():this._getPanelForTab(o),c=n.length?this._getPanelForTab(n):t(),l={oldTab:n,oldPanel:c,newTab:s?t():o,newPanel:a};e.preventDefault(),o.hasClass("ui-state-disabled")||o.hasClass("ui-tabs-loading")||this.running||r&&!i.collapsible||!1===this._trigger("beforeActivate",e,l)||(i.active=!s&&this.tabs.index(o),this.active=r?t():o,this.xhr&&this.xhr.abort(),c.length||a.length||t.error("jQuery UI Tabs: Mismatching fragment identifier."),a.length&&this.load(this.tabs.index(o),e),this._toggle(e,l))},_toggle:function(e,i){var n=this,o=i.newPanel,r=i.oldPanel;function s(){n.running=!1,n._trigger("activate",e,i)}function a(){n._addClass(i.newTab.closest("li"),"ui-tabs-active","ui-state-active"),o.length&&n.options.show?n._show(o,n.options.show,s):(o.show(),s())}this.running=!0,r.length&&this.options.hide?this._hide(r,this.options.hide,(function(){n._removeClass(i.oldTab.closest("li"),"ui-tabs-active","ui-state-active"),a()})):(this._removeClass(i.oldTab.closest("li"),"ui-tabs-active","ui-state-active"),r.hide(),a()),r.attr("aria-hidden","true"),i.oldTab.attr({"aria-selected":"false","aria-expanded":"false"}),o.length&&r.length?i.oldTab.attr("tabIndex",-1):o.length&&this.tabs.filter((function(){return 0===t(this).attr("tabIndex")})).attr("tabIndex",-1),o.attr("aria-hidden","false"),i.newTab.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0})},_activate:function(e){var i,n=this._findActive(e);n[0]!==this.active[0]&&(n.length||(n=this.active),i=n.find(".ui-tabs-anchor")[0],this._eventHandler({target:i,currentTarget:i,preventDefault:t.noop}))},_findActive:function(e){return!1===e?t():this.tabs.eq(e)},_getIndex:function(e){return"string"==typeof e&&(e=this.anchors.index(this.anchors.filter("[href$='"+t.escapeSelector(e)+"']"))),e},_destroy:function(){this.xhr&&this.xhr.abort(),this.tablist.removeAttr("role").off(this.eventNamespace),this.anchors.removeAttr("role tabIndex").removeUniqueId(),this.tabs.add(this.panels).each((function(){t.data(this,"ui-tabs-destroy")?t(this).remove():t(this).removeAttr("role tabIndex aria-live aria-busy aria-selected aria-labelledby aria-hidden aria-expanded")})),this.tabs.each((function(){var e=t(this),i=e.data("ui-tabs-aria-controls");i?e.attr("aria-controls",i).removeData("ui-tabs-aria-controls"):e.removeAttr("aria-controls")})),this.panels.show(),"content"!==this.options.heightStyle&&this.panels.css("height","")},enable:function(e){var i=this.options.disabled;!1!==i&&(void 0===e?i=!1:(e=this._getIndex(e),i=Array.isArray(i)?t.map(i,(function(t){return t!==e?t:null})):t.map(this.tabs,(function(t,i){return i!==e?i:null}))),this._setOptionDisabled(i))},disable:function(e){var i=this.options.disabled;if(!0!==i){if(void 0===e)i=!0;else{if(e=this._getIndex(e),-1!==t.inArray(e,i))return;i=Array.isArray(i)?t.merge([e],i).sort():[e]}this._setOptionDisabled(i)}},load:function(e,i){e=this._getIndex(e);var n=this,o=this.tabs.eq(e),r=o.find(".ui-tabs-anchor"),s=this._getPanelForTab(o),a={tab:o,panel:s},c=function(t,e){"abort"===e&&n.panels.stop(!1,!0),n._removeClass(o,"ui-tabs-loading"),s.removeAttr("aria-busy"),t===n.xhr&&delete n.xhr};this._isLocal(r[0])||(this.xhr=t.ajax(this._ajaxSettings(r,i,a)),this.xhr&&"canceled"!==this.xhr.statusText&&(this._addClass(o,"ui-tabs-loading"),s.attr("aria-busy","true"),this.xhr.done((function(t,e,o){setTimeout((function(){s.html(t),n._trigger("load",i,a),c(o,e)}),1)})).fail((function(t,e){setTimeout((function(){c(t,e)}),1)}))))},_ajaxSettings:function(e,i,n){var o=this;return{url:e.attr("href").replace(/#.*$/,""),beforeSend:function(e,r){return o._trigger("beforeLoad",i,t.extend({jqXHR:e,ajaxSettings:r},n))}}},_getPanelForTab:function(e){var i=t(e).attr("aria-controls");return this.element.find(this._sanitizeSelector("#"+i))}}),!1!==t.uiBackCompat&&t.widget("ui.tabs",t.ui.tabs,{_processTabs:function(){this._superApply(arguments),this._addClass(this.tabs,"ui-tab")}}),t.ui.tabs,t.widget("ui.tooltip",{version:"1.13.3",options:{classes:{"ui-tooltip":"ui-corner-all ui-widget-shadow"},content:function(){var e=t(this).attr("title");return t("").text(e).html()},hide:!0,items:"[title]:not([disabled])",position:{my:"left top+15",at:"left bottom",collision:"flipfit flip"},show:!0,track:!1,close:null,open:null},_addDescribedBy:function(t,e){var i=(t.attr("aria-describedby")||"").split(/\s+/);i.push(e),t.data("ui-tooltip-id",e).attr("aria-describedby",String.prototype.trim.call(i.join(" ")))},_removeDescribedBy:function(e){var i=e.data("ui-tooltip-id"),n=(e.attr("aria-describedby")||"").split(/\s+/),o=t.inArray(i,n);-1!==o&&n.splice(o,1),e.removeData("ui-tooltip-id"),(n=String.prototype.trim.call(n.join(" ")))?e.attr("aria-describedby",n):e.removeAttr("aria-describedby")},_create:function(){this._on({mouseover:"open",focusin:"open"}),this.tooltips={},this.parents={},this.liveRegion=t("
            ").attr({role:"log","aria-live":"assertive","aria-relevant":"additions"}).appendTo(this.document[0].body),this._addClass(this.liveRegion,null,"ui-helper-hidden-accessible"),this.disabledTitles=t([])},_setOption:function(e,i){var n=this;this._super(e,i),"content"===e&&t.each(this.tooltips,(function(t,e){n._updateContent(e.element)}))},_setOptionDisabled:function(t){this[t?"_disable":"_enable"]()},_disable:function(){var e=this;t.each(this.tooltips,(function(i,n){var o=t.Event("blur");o.target=o.currentTarget=n.element[0],e.close(o,!0)})),this.disabledTitles=this.disabledTitles.add(this.element.find(this.options.items).addBack().filter((function(){var e=t(this);if(e.is("[title]"))return e.data("ui-tooltip-title",e.attr("title")).removeAttr("title")})))},_enable:function(){this.disabledTitles.each((function(){var e=t(this);e.data("ui-tooltip-title")&&e.attr("title",e.data("ui-tooltip-title"))})),this.disabledTitles=t([])},open:function(e){var i=this,n=t(e?e.target:this.element).closest(this.options.items);n.length&&!n.data("ui-tooltip-id")&&(n.attr("title")&&n.data("ui-tooltip-title",n.attr("title")),n.data("ui-tooltip-open",!0),e&&"mouseover"===e.type&&n.parents().each((function(){var e,n=t(this);n.data("ui-tooltip-open")&&((e=t.Event("blur")).target=e.currentTarget=this,i.close(e,!0)),n.attr("title")&&(n.uniqueId(),i.parents[this.id]={element:this,title:n.attr("title")},n.attr("title",""))})),this._registerCloseHandlers(e,n),this._updateContent(n,e))},_updateContent:function(t,e){var i,n=this.options.content,o=this,r=e?e.type:null;if("string"==typeof n||n.nodeType||n.jquery)return this._open(e,t,n);(i=n.call(t[0],(function(i){o._delay((function(){t.data("ui-tooltip-open")&&(e&&(e.type=r),this._open(e,t,i))}))})))&&this._open(e,t,i)},_open:function(e,i,n){var o,r,s,a,c=t.extend({},this.options.position);function l(t){c.of=t,r.is(":hidden")||r.position(c)}n&&((o=this._find(i))?o.tooltip.find(".ui-tooltip-content").html(n):(i.is("[title]")&&(e&&"mouseover"===e.type?i.attr("title",""):i.removeAttr("title")),o=this._tooltip(i),r=o.tooltip,this._addDescribedBy(i,r.attr("id")),r.find(".ui-tooltip-content").html(n),this.liveRegion.children().hide(),(a=t("
            ").html(r.find(".ui-tooltip-content").html())).removeAttr("name").find("[name]").removeAttr("name"),a.removeAttr("id").find("[id]").removeAttr("id"),a.appendTo(this.liveRegion),this.options.track&&e&&/^mouse/.test(e.type)?(this._on(this.document,{mousemove:l}),l(e)):r.position(t.extend({of:i},this.options.position)),r.hide(),this._show(r,this.options.show),this.options.track&&this.options.show&&this.options.show.delay&&(s=this.delayedShow=setInterval((function(){r.is(":visible")&&(l(c.of),clearInterval(s))}),13)),this._trigger("open",e,{tooltip:r})))},_registerCloseHandlers:function(e,i){var n={keyup:function(e){if(e.keyCode===t.ui.keyCode.ESCAPE){var n=t.Event(e);n.currentTarget=i[0],this.close(n,!0)}}};i[0]!==this.element[0]&&(n.remove=function(){var t=this._find(i);t&&this._removeTooltip(t.tooltip)}),e&&"mouseover"!==e.type||(n.mouseleave="close"),e&&"focusin"!==e.type||(n.focusout="close"),this._on(!0,i,n)},close:function(e){var i,n=this,o=t(e?e.currentTarget:this.element),r=this._find(o);r?(i=r.tooltip,r.closing||(clearInterval(this.delayedShow),o.data("ui-tooltip-title")&&!o.attr("title")&&o.attr("title",o.data("ui-tooltip-title")),this._removeDescribedBy(o),r.hiding=!0,i.stop(!0),this._hide(i,this.options.hide,(function(){n._removeTooltip(t(this))})),o.removeData("ui-tooltip-open"),this._off(o,"mouseleave focusout keyup"),o[0]!==this.element[0]&&this._off(o,"remove"),this._off(this.document,"mousemove"),e&&"mouseleave"===e.type&&t.each(this.parents,(function(e,i){t(i.element).attr("title",i.title),delete n.parents[e]})),r.closing=!0,this._trigger("close",e,{tooltip:i}),r.hiding||(r.closing=!1))):o.removeData("ui-tooltip-open")},_tooltip:function(e){var i=t("
            ").attr("role","tooltip"),n=t("
            ").appendTo(i),o=i.uniqueId().attr("id");return this._addClass(n,"ui-tooltip-content"),this._addClass(i,"ui-tooltip","ui-widget ui-widget-content"),i.appendTo(this._appendTo(e)),this.tooltips[o]={element:e,tooltip:i}},_find:function(t){var e=t.data("ui-tooltip-id");return e?this.tooltips[e]:null},_removeTooltip:function(t){clearInterval(this.delayedShow),t.remove(),delete this.tooltips[t.attr("id")]},_appendTo:function(t){var e=t.closest(".ui-front, dialog");return e.length||(e=this.document[0].body),e},_destroy:function(){var e=this;t.each(this.tooltips,(function(i,n){var o=t.Event("blur"),r=n.element;o.target=o.currentTarget=r[0],e.close(o,!0),t("#"+i).remove(),r.data("ui-tooltip-title")&&(r.attr("title")||r.attr("title",r.data("ui-tooltip-title")),r.removeData("ui-tooltip-title"))})),this.liveRegion.remove()}}),!1!==t.uiBackCompat&&t.widget("ui.tooltip",t.ui.tooltip,{options:{tooltipClass:null},_tooltip:function(){var t=this._superApply(arguments);return this.options.tooltipClass&&t.tooltip.addClass(this.options.tooltipClass),t}}),t.ui.tooltip},void 0===(r=n.apply(e,o))||(t.exports=r)}()},35358:(t,e,i)=>{var n={"./af":25177,"./af.js":25177,"./ar":61509,"./ar-dz":41488,"./ar-dz.js":41488,"./ar-kw":58676,"./ar-kw.js":58676,"./ar-ly":42353,"./ar-ly.js":42353,"./ar-ma":24496,"./ar-ma.js":24496,"./ar-ps":6947,"./ar-ps.js":6947,"./ar-sa":60301,"./ar-sa.js":60301,"./ar-tn":89756,"./ar-tn.js":89756,"./ar.js":61509,"./az":95533,"./az.js":95533,"./be":28959,"./be.js":28959,"./bg":47777,"./bg.js":47777,"./bm":54903,"./bm.js":54903,"./bn":61290,"./bn-bd":17357,"./bn-bd.js":17357,"./bn.js":61290,"./bo":31545,"./bo.js":31545,"./br":11470,"./br.js":11470,"./bs":44429,"./bs.js":44429,"./ca":7306,"./ca.js":7306,"./cs":56464,"./cs.js":56464,"./cv":73635,"./cv.js":73635,"./cy":64226,"./cy.js":64226,"./da":93601,"./da.js":93601,"./de":77853,"./de-at":26111,"./de-at.js":26111,"./de-ch":54697,"./de-ch.js":54697,"./de.js":77853,"./dv":60708,"./dv.js":60708,"./el":54691,"./el.js":54691,"./en-au":53872,"./en-au.js":53872,"./en-ca":28298,"./en-ca.js":28298,"./en-gb":56195,"./en-gb.js":56195,"./en-ie":66584,"./en-ie.js":66584,"./en-il":65543,"./en-il.js":65543,"./en-in":9033,"./en-in.js":9033,"./en-nz":79402,"./en-nz.js":79402,"./en-sg":43004,"./en-sg.js":43004,"./eo":32934,"./eo.js":32934,"./es":97650,"./es-do":20838,"./es-do.js":20838,"./es-mx":17730,"./es-mx.js":17730,"./es-us":56575,"./es-us.js":56575,"./es.js":97650,"./et":3035,"./et.js":3035,"./eu":3508,"./eu.js":3508,"./fa":119,"./fa.js":119,"./fi":90527,"./fi.js":90527,"./fil":95995,"./fil.js":95995,"./fo":52477,"./fo.js":52477,"./fr":85498,"./fr-ca":26435,"./fr-ca.js":26435,"./fr-ch":37892,"./fr-ch.js":37892,"./fr.js":85498,"./fy":37071,"./fy.js":37071,"./ga":41734,"./ga.js":41734,"./gd":70217,"./gd.js":70217,"./gl":77329,"./gl.js":77329,"./gom-deva":32124,"./gom-deva.js":32124,"./gom-latn":93383,"./gom-latn.js":93383,"./gu":95050,"./gu.js":95050,"./he":11713,"./he.js":11713,"./hi":43861,"./hi.js":43861,"./hr":26308,"./hr.js":26308,"./hu":90609,"./hu.js":90609,"./hy-am":17160,"./hy-am.js":17160,"./id":74063,"./id.js":74063,"./is":89374,"./is.js":89374,"./it":88383,"./it-ch":21827,"./it-ch.js":21827,"./it.js":88383,"./ja":23827,"./ja.js":23827,"./jv":89722,"./jv.js":89722,"./ka":41794,"./ka.js":41794,"./kk":27088,"./kk.js":27088,"./km":96870,"./km.js":96870,"./kn":84451,"./kn.js":84451,"./ko":63164,"./ko.js":63164,"./ku":98174,"./ku-kmr":6181,"./ku-kmr.js":6181,"./ku.js":98174,"./ky":78474,"./ky.js":78474,"./lb":79680,"./lb.js":79680,"./lo":15867,"./lo.js":15867,"./lt":45766,"./lt.js":45766,"./lv":69532,"./lv.js":69532,"./me":58076,"./me.js":58076,"./mi":41848,"./mi.js":41848,"./mk":30306,"./mk.js":30306,"./ml":73739,"./ml.js":73739,"./mn":99053,"./mn.js":99053,"./mr":86169,"./mr.js":86169,"./ms":73386,"./ms-my":92297,"./ms-my.js":92297,"./ms.js":73386,"./mt":77075,"./mt.js":77075,"./my":72264,"./my.js":72264,"./nb":22274,"./nb.js":22274,"./ne":8235,"./ne.js":8235,"./nl":92572,"./nl-be":43784,"./nl-be.js":43784,"./nl.js":92572,"./nn":54566,"./nn.js":54566,"./oc-lnc":69330,"./oc-lnc.js":69330,"./pa-in":29849,"./pa-in.js":29849,"./pl":94418,"./pl.js":94418,"./pt":79834,"./pt-br":48303,"./pt-br.js":48303,"./pt.js":79834,"./ro":24457,"./ro.js":24457,"./ru":82271,"./ru.js":82271,"./sd":1221,"./sd.js":1221,"./se":33478,"./se.js":33478,"./si":17538,"./si.js":17538,"./sk":5784,"./sk.js":5784,"./sl":46637,"./sl.js":46637,"./sq":86794,"./sq.js":86794,"./sr":45719,"./sr-cyrl":3322,"./sr-cyrl.js":3322,"./sr.js":45719,"./ss":56e3,"./ss.js":56e3,"./sv":41011,"./sv.js":41011,"./sw":40748,"./sw.js":40748,"./ta":11025,"./ta.js":11025,"./te":11885,"./te.js":11885,"./tet":28861,"./tet.js":28861,"./tg":86571,"./tg.js":86571,"./th":55802,"./th.js":55802,"./tk":59527,"./tk.js":59527,"./tl-ph":29231,"./tl-ph.js":29231,"./tlh":31052,"./tlh.js":31052,"./tr":85096,"./tr.js":85096,"./tzl":79846,"./tzl.js":79846,"./tzm":81765,"./tzm-latn":97711,"./tzm-latn.js":97711,"./tzm.js":81765,"./ug-cn":48414,"./ug-cn.js":48414,"./uk":16618,"./uk.js":16618,"./ur":57777,"./ur.js":57777,"./uz":57609,"./uz-latn":72475,"./uz-latn.js":72475,"./uz.js":57609,"./vi":21135,"./vi.js":21135,"./x-pseudo":64051,"./x-pseudo.js":64051,"./yo":82218,"./yo.js":82218,"./zh-cn":52648,"./zh-cn.js":52648,"./zh-hk":1632,"./zh-hk.js":1632,"./zh-mo":31541,"./zh-mo.js":31541,"./zh-tw":50304,"./zh-tw.js":50304};function o(t){var e=r(t);return i(e)}function r(t){if(!i.o(n,t)){var e=new Error("Cannot find module '"+t+"'");throw e.code="MODULE_NOT_FOUND",e}return n[t]}o.keys=function(){return Object.keys(n)},o.resolve=r,t.exports=o,o.id=35358},7452:t=>{var e=function(t){"use strict";var e,i=Object.prototype,n=i.hasOwnProperty,o=Object.defineProperty||function(t,e,i){t[e]=i.value},r="function"==typeof Symbol?Symbol:{},s=r.iterator||"@@iterator",a=r.asyncIterator||"@@asyncIterator",c=r.toStringTag||"@@toStringTag";function l(t,e,i){return Object.defineProperty(t,e,{value:i,enumerable:!0,configurable:!0,writable:!0}),t[e]}try{l({},"")}catch(t){l=function(t,e,i){return t[e]=i}}function u(t,e,i,n){var r=e&&e.prototype instanceof m?e:m,s=Object.create(r.prototype),a=new S(n||[]);return o(s,"_invoke",{value:E(t,i,a)}),s}function h(t,e,i){try{return{type:"normal",arg:t.call(e,i)}}catch(t){return{type:"throw",arg:t}}}t.wrap=u;var d="suspendedStart",p="suspendedYield",A="executing",f="completed",g={};function m(){}function C(){}function b(){}var v={};l(v,s,(function(){return this}));var x=Object.getPrototypeOf,w=x&&x(x(T([])));w&&w!==i&&n.call(w,s)&&(v=w);var y=b.prototype=m.prototype=Object.create(v);function k(t){["next","throw","return"].forEach((function(e){l(t,e,(function(t){return this._invoke(e,t)}))}))}function B(t,e){function i(o,r,s,a){var c=h(t[o],t,r);if("throw"!==c.type){var l=c.arg,u=l.value;return u&&"object"==typeof u&&n.call(u,"__await")?e.resolve(u.__await).then((function(t){i("next",t,s,a)}),(function(t){i("throw",t,s,a)})):e.resolve(u).then((function(t){l.value=t,s(l)}),(function(t){return i("throw",t,s,a)}))}a(c.arg)}var r;o(this,"_invoke",{value:function(t,n){function o(){return new e((function(e,o){i(t,n,e,o)}))}return r=r?r.then(o,o):o()}})}function E(t,i,n){var o=d;return function(r,s){if(o===A)throw new Error("Generator is already running");if(o===f){if("throw"===r)throw s;return{value:e,done:!0}}for(n.method=r,n.arg=s;;){var a=n.delegate;if(a){var c=_(a,n);if(c){if(c===g)continue;return c}}if("next"===n.method)n.sent=n._sent=n.arg;else if("throw"===n.method){if(o===d)throw o=f,n.arg;n.dispatchException(n.arg)}else"return"===n.method&&n.abrupt("return",n.arg);o=A;var l=h(t,i,n);if("normal"===l.type){if(o=n.done?f:p,l.arg===g)continue;return{value:l.arg,done:n.done}}"throw"===l.type&&(o=f,n.method="throw",n.arg=l.arg)}}}function _(t,i){var n=i.method,o=t.iterator[n];if(o===e)return i.delegate=null,"throw"===n&&t.iterator.return&&(i.method="return",i.arg=e,_(t,i),"throw"===i.method)||"return"!==n&&(i.method="throw",i.arg=new TypeError("The iterator does not provide a '"+n+"' method")),g;var r=h(o,t.iterator,i.arg);if("throw"===r.type)return i.method="throw",i.arg=r.arg,i.delegate=null,g;var s=r.arg;return s?s.done?(i[t.resultName]=s.value,i.next=t.nextLoc,"return"!==i.method&&(i.method="next",i.arg=e),i.delegate=null,g):s:(i.method="throw",i.arg=new TypeError("iterator result is not an object"),i.delegate=null,g)}function I(t){var e={tryLoc:t[0]};1 in t&&(e.catchLoc=t[1]),2 in t&&(e.finallyLoc=t[2],e.afterLoc=t[3]),this.tryEntries.push(e)}function D(t){var e=t.completion||{};e.type="normal",delete e.arg,t.completion=e}function S(t){this.tryEntries=[{tryLoc:"root"}],t.forEach(I,this),this.reset(!0)}function T(t){if(null!=t){var i=t[s];if(i)return i.call(t);if("function"==typeof t.next)return t;if(!isNaN(t.length)){var o=-1,r=function i(){for(;++o=0;--r){var s=this.tryEntries[r],a=s.completion;if("root"===s.tryLoc)return o("end");if(s.tryLoc<=this.prev){var c=n.call(s,"catchLoc"),l=n.call(s,"finallyLoc");if(c&&l){if(this.prev=0;--i){var o=this.tryEntries[i];if(o.tryLoc<=this.prev&&n.call(o,"finallyLoc")&&this.prev=0;--e){var i=this.tryEntries[e];if(i.finallyLoc===t)return this.complete(i.completion,i.afterLoc),D(i),g}},catch:function(t){for(var e=this.tryEntries.length-1;e>=0;--e){var i=this.tryEntries[e];if(i.tryLoc===t){var n=i.completion;if("throw"===n.type){var o=n.arg;D(i)}return o}}throw new Error("illegal catch attempt")},delegateYield:function(t,i,n){return this.delegate={iterator:T(t),resultName:i,nextLoc:n},"next"===this.method&&(this.arg=e),g}},t}(t.exports);try{regeneratorRuntime=e}catch(t){"object"==typeof globalThis?globalThis.regeneratorRuntime=e:Function("r","regeneratorRuntime = r")(e)}},44275:(t,e,i)=>{var n,o=i(74692);void 0===(n=o).fn.each2&&n.extend(n.fn,{each2:function(t){for(var e=n([0]),i=-1,o=this.length;++i=112&&t<=123}},d={"Ⓐ":"A",A:"A",À:"A",Á:"A",Â:"A",Ầ:"A",Ấ:"A",Ẫ:"A",Ẩ:"A",Ã:"A",Ā:"A",Ă:"A",Ằ:"A",Ắ:"A",Ẵ:"A",Ẳ:"A",Ȧ:"A",Ǡ:"A",Ä:"A",Ǟ:"A",Ả:"A",Å:"A",Ǻ:"A",Ǎ:"A",Ȁ:"A",Ȃ:"A",Ạ:"A",Ậ:"A",Ặ:"A",Ḁ:"A",Ą:"A",Ⱥ:"A",Ɐ:"A",Ꜳ:"AA",Æ:"AE",Ǽ:"AE",Ǣ:"AE",Ꜵ:"AO",Ꜷ:"AU",Ꜹ:"AV",Ꜻ:"AV",Ꜽ:"AY","Ⓑ":"B",B:"B",Ḃ:"B",Ḅ:"B",Ḇ:"B",Ƀ:"B",Ƃ:"B",Ɓ:"B","Ⓒ":"C",C:"C",Ć:"C",Ĉ:"C",Ċ:"C",Č:"C",Ç:"C",Ḉ:"C",Ƈ:"C",Ȼ:"C",Ꜿ:"C","Ⓓ":"D",D:"D",Ḋ:"D",Ď:"D",Ḍ:"D",Ḑ:"D",Ḓ:"D",Ḏ:"D",Đ:"D",Ƌ:"D",Ɗ:"D",Ɖ:"D",Ꝺ:"D",DZ:"DZ",DŽ:"DZ",Dz:"Dz",Dž:"Dz","Ⓔ":"E",E:"E",È:"E",É:"E",Ê:"E",Ề:"E",Ế:"E",Ễ:"E",Ể:"E",Ẽ:"E",Ē:"E",Ḕ:"E",Ḗ:"E",Ĕ:"E",Ė:"E",Ë:"E",Ẻ:"E",Ě:"E",Ȅ:"E",Ȇ:"E",Ẹ:"E",Ệ:"E",Ȩ:"E",Ḝ:"E",Ę:"E",Ḙ:"E",Ḛ:"E",Ɛ:"E",Ǝ:"E","Ⓕ":"F",F:"F",Ḟ:"F",Ƒ:"F",Ꝼ:"F","Ⓖ":"G",G:"G",Ǵ:"G",Ĝ:"G",Ḡ:"G",Ğ:"G",Ġ:"G",Ǧ:"G",Ģ:"G",Ǥ:"G",Ɠ:"G",Ꞡ:"G",Ᵹ:"G",Ꝿ:"G","Ⓗ":"H",H:"H",Ĥ:"H",Ḣ:"H",Ḧ:"H",Ȟ:"H",Ḥ:"H",Ḩ:"H",Ḫ:"H",Ħ:"H",Ⱨ:"H",Ⱶ:"H",Ɥ:"H","Ⓘ":"I",I:"I",Ì:"I",Í:"I",Î:"I",Ĩ:"I",Ī:"I",Ĭ:"I",İ:"I",Ï:"I",Ḯ:"I",Ỉ:"I",Ǐ:"I",Ȉ:"I",Ȋ:"I",Ị:"I",Į:"I",Ḭ:"I",Ɨ:"I","Ⓙ":"J",J:"J",Ĵ:"J",Ɉ:"J","Ⓚ":"K",K:"K",Ḱ:"K",Ǩ:"K",Ḳ:"K",Ķ:"K",Ḵ:"K",Ƙ:"K",Ⱪ:"K",Ꝁ:"K",Ꝃ:"K",Ꝅ:"K",Ꞣ:"K","Ⓛ":"L",L:"L",Ŀ:"L",Ĺ:"L",Ľ:"L",Ḷ:"L",Ḹ:"L",Ļ:"L",Ḽ:"L",Ḻ:"L",Ł:"L",Ƚ:"L",Ɫ:"L",Ⱡ:"L",Ꝉ:"L",Ꝇ:"L",Ꞁ:"L",LJ:"LJ",Lj:"Lj","Ⓜ":"M",M:"M",Ḿ:"M",Ṁ:"M",Ṃ:"M",Ɱ:"M",Ɯ:"M","Ⓝ":"N",N:"N",Ǹ:"N",Ń:"N",Ñ:"N",Ṅ:"N",Ň:"N",Ṇ:"N",Ņ:"N",Ṋ:"N",Ṉ:"N",Ƞ:"N",Ɲ:"N",Ꞑ:"N",Ꞥ:"N",NJ:"NJ",Nj:"Nj","Ⓞ":"O",O:"O",Ò:"O",Ó:"O",Ô:"O",Ồ:"O",Ố:"O",Ỗ:"O",Ổ:"O",Õ:"O",Ṍ:"O",Ȭ:"O",Ṏ:"O",Ō:"O",Ṑ:"O",Ṓ:"O",Ŏ:"O",Ȯ:"O",Ȱ:"O",Ö:"O",Ȫ:"O",Ỏ:"O",Ő:"O",Ǒ:"O",Ȍ:"O",Ȏ:"O",Ơ:"O",Ờ:"O",Ớ:"O",Ỡ:"O",Ở:"O",Ợ:"O",Ọ:"O",Ộ:"O",Ǫ:"O",Ǭ:"O",Ø:"O",Ǿ:"O",Ɔ:"O",Ɵ:"O",Ꝋ:"O",Ꝍ:"O",Ƣ:"OI",Ꝏ:"OO",Ȣ:"OU","Ⓟ":"P",P:"P",Ṕ:"P",Ṗ:"P",Ƥ:"P",Ᵽ:"P",Ꝑ:"P",Ꝓ:"P",Ꝕ:"P","Ⓠ":"Q",Q:"Q",Ꝗ:"Q",Ꝙ:"Q",Ɋ:"Q","Ⓡ":"R",R:"R",Ŕ:"R",Ṙ:"R",Ř:"R",Ȑ:"R",Ȓ:"R",Ṛ:"R",Ṝ:"R",Ŗ:"R",Ṟ:"R",Ɍ:"R",Ɽ:"R",Ꝛ:"R",Ꞧ:"R",Ꞃ:"R","Ⓢ":"S",S:"S",ẞ:"S",Ś:"S",Ṥ:"S",Ŝ:"S",Ṡ:"S",Š:"S",Ṧ:"S",Ṣ:"S",Ṩ:"S",Ș:"S",Ş:"S",Ȿ:"S",Ꞩ:"S",Ꞅ:"S","Ⓣ":"T",T:"T",Ṫ:"T",Ť:"T",Ṭ:"T",Ț:"T",Ţ:"T",Ṱ:"T",Ṯ:"T",Ŧ:"T",Ƭ:"T",Ʈ:"T",Ⱦ:"T",Ꞇ:"T",Ꜩ:"TZ","Ⓤ":"U",U:"U",Ù:"U",Ú:"U",Û:"U",Ũ:"U",Ṹ:"U",Ū:"U",Ṻ:"U",Ŭ:"U",Ü:"U",Ǜ:"U",Ǘ:"U",Ǖ:"U",Ǚ:"U",Ủ:"U",Ů:"U",Ű:"U",Ǔ:"U",Ȕ:"U",Ȗ:"U",Ư:"U",Ừ:"U",Ứ:"U",Ữ:"U",Ử:"U",Ự:"U",Ụ:"U",Ṳ:"U",Ų:"U",Ṷ:"U",Ṵ:"U",Ʉ:"U","Ⓥ":"V",V:"V",Ṽ:"V",Ṿ:"V",Ʋ:"V",Ꝟ:"V",Ʌ:"V",Ꝡ:"VY","Ⓦ":"W",W:"W",Ẁ:"W",Ẃ:"W",Ŵ:"W",Ẇ:"W",Ẅ:"W",Ẉ:"W",Ⱳ:"W","Ⓧ":"X",X:"X",Ẋ:"X",Ẍ:"X","Ⓨ":"Y",Y:"Y",Ỳ:"Y",Ý:"Y",Ŷ:"Y",Ỹ:"Y",Ȳ:"Y",Ẏ:"Y",Ÿ:"Y",Ỷ:"Y",Ỵ:"Y",Ƴ:"Y",Ɏ:"Y",Ỿ:"Y","Ⓩ":"Z",Z:"Z",Ź:"Z",Ẑ:"Z",Ż:"Z",Ž:"Z",Ẓ:"Z",Ẕ:"Z",Ƶ:"Z",Ȥ:"Z",Ɀ:"Z",Ⱬ:"Z",Ꝣ:"Z","ⓐ":"a",a:"a",ẚ:"a",à:"a",á:"a",â:"a",ầ:"a",ấ:"a",ẫ:"a",ẩ:"a",ã:"a",ā:"a",ă:"a",ằ:"a",ắ:"a",ẵ:"a",ẳ:"a",ȧ:"a",ǡ:"a",ä:"a",ǟ:"a",ả:"a",å:"a",ǻ:"a",ǎ:"a",ȁ:"a",ȃ:"a",ạ:"a",ậ:"a",ặ:"a",ḁ:"a",ą:"a",ⱥ:"a",ɐ:"a",ꜳ:"aa",æ:"ae",ǽ:"ae",ǣ:"ae",ꜵ:"ao",ꜷ:"au",ꜹ:"av",ꜻ:"av",ꜽ:"ay","ⓑ":"b",b:"b",ḃ:"b",ḅ:"b",ḇ:"b",ƀ:"b",ƃ:"b",ɓ:"b","ⓒ":"c",c:"c",ć:"c",ĉ:"c",ċ:"c",č:"c",ç:"c",ḉ:"c",ƈ:"c",ȼ:"c",ꜿ:"c",ↄ:"c","ⓓ":"d",d:"d",ḋ:"d",ď:"d",ḍ:"d",ḑ:"d",ḓ:"d",ḏ:"d",đ:"d",ƌ:"d",ɖ:"d",ɗ:"d",ꝺ:"d",dz:"dz",dž:"dz","ⓔ":"e",e:"e",è:"e",é:"e",ê:"e",ề:"e",ế:"e",ễ:"e",ể:"e",ẽ:"e",ē:"e",ḕ:"e",ḗ:"e",ĕ:"e",ė:"e",ë:"e",ẻ:"e",ě:"e",ȅ:"e",ȇ:"e",ẹ:"e",ệ:"e",ȩ:"e",ḝ:"e",ę:"e",ḙ:"e",ḛ:"e",ɇ:"e",ɛ:"e",ǝ:"e","ⓕ":"f",f:"f",ḟ:"f",ƒ:"f",ꝼ:"f","ⓖ":"g",g:"g",ǵ:"g",ĝ:"g",ḡ:"g",ğ:"g",ġ:"g",ǧ:"g",ģ:"g",ǥ:"g",ɠ:"g",ꞡ:"g",ᵹ:"g",ꝿ:"g","ⓗ":"h",h:"h",ĥ:"h",ḣ:"h",ḧ:"h",ȟ:"h",ḥ:"h",ḩ:"h",ḫ:"h",ẖ:"h",ħ:"h",ⱨ:"h",ⱶ:"h",ɥ:"h",ƕ:"hv","ⓘ":"i",i:"i",ì:"i",í:"i",î:"i",ĩ:"i",ī:"i",ĭ:"i",ï:"i",ḯ:"i",ỉ:"i",ǐ:"i",ȉ:"i",ȋ:"i",ị:"i",į:"i",ḭ:"i",ɨ:"i",ı:"i","ⓙ":"j",j:"j",ĵ:"j",ǰ:"j",ɉ:"j","ⓚ":"k",k:"k",ḱ:"k",ǩ:"k",ḳ:"k",ķ:"k",ḵ:"k",ƙ:"k",ⱪ:"k",ꝁ:"k",ꝃ:"k",ꝅ:"k",ꞣ:"k","ⓛ":"l",l:"l",ŀ:"l",ĺ:"l",ľ:"l",ḷ:"l",ḹ:"l",ļ:"l",ḽ:"l",ḻ:"l",ſ:"l",ł:"l",ƚ:"l",ɫ:"l",ⱡ:"l",ꝉ:"l",ꞁ:"l",ꝇ:"l",lj:"lj","ⓜ":"m",m:"m",ḿ:"m",ṁ:"m",ṃ:"m",ɱ:"m",ɯ:"m","ⓝ":"n",n:"n",ǹ:"n",ń:"n",ñ:"n",ṅ:"n",ň:"n",ṇ:"n",ņ:"n",ṋ:"n",ṉ:"n",ƞ:"n",ɲ:"n",ʼn:"n",ꞑ:"n",ꞥ:"n",nj:"nj","ⓞ":"o",o:"o",ò:"o",ó:"o",ô:"o",ồ:"o",ố:"o",ỗ:"o",ổ:"o",õ:"o",ṍ:"o",ȭ:"o",ṏ:"o",ō:"o",ṑ:"o",ṓ:"o",ŏ:"o",ȯ:"o",ȱ:"o",ö:"o",ȫ:"o",ỏ:"o",ő:"o",ǒ:"o",ȍ:"o",ȏ:"o",ơ:"o",ờ:"o",ớ:"o",ỡ:"o",ở:"o",ợ:"o",ọ:"o",ộ:"o",ǫ:"o",ǭ:"o",ø:"o",ǿ:"o",ɔ:"o",ꝋ:"o",ꝍ:"o",ɵ:"o",ƣ:"oi",ȣ:"ou",ꝏ:"oo","ⓟ":"p",p:"p",ṕ:"p",ṗ:"p",ƥ:"p",ᵽ:"p",ꝑ:"p",ꝓ:"p",ꝕ:"p","ⓠ":"q",q:"q",ɋ:"q",ꝗ:"q",ꝙ:"q","ⓡ":"r",r:"r",ŕ:"r",ṙ:"r",ř:"r",ȑ:"r",ȓ:"r",ṛ:"r",ṝ:"r",ŗ:"r",ṟ:"r",ɍ:"r",ɽ:"r",ꝛ:"r",ꞧ:"r",ꞃ:"r","ⓢ":"s",s:"s",ß:"s",ś:"s",ṥ:"s",ŝ:"s",ṡ:"s",š:"s",ṧ:"s",ṣ:"s",ṩ:"s",ș:"s",ş:"s",ȿ:"s",ꞩ:"s",ꞅ:"s",ẛ:"s","ⓣ":"t",t:"t",ṫ:"t",ẗ:"t",ť:"t",ṭ:"t",ț:"t",ţ:"t",ṱ:"t",ṯ:"t",ŧ:"t",ƭ:"t",ʈ:"t",ⱦ:"t",ꞇ:"t",ꜩ:"tz","ⓤ":"u",u:"u",ù:"u",ú:"u",û:"u",ũ:"u",ṹ:"u",ū:"u",ṻ:"u",ŭ:"u",ü:"u",ǜ:"u",ǘ:"u",ǖ:"u",ǚ:"u",ủ:"u",ů:"u",ű:"u",ǔ:"u",ȕ:"u",ȗ:"u",ư:"u",ừ:"u",ứ:"u",ữ:"u",ử:"u",ự:"u",ụ:"u",ṳ:"u",ų:"u",ṷ:"u",ṵ:"u",ʉ:"u","ⓥ":"v",v:"v",ṽ:"v",ṿ:"v",ʋ:"v",ꝟ:"v",ʌ:"v",ꝡ:"vy","ⓦ":"w",w:"w",ẁ:"w",ẃ:"w",ŵ:"w",ẇ:"w",ẅ:"w",ẘ:"w",ẉ:"w",ⱳ:"w","ⓧ":"x",x:"x",ẋ:"x",ẍ:"x","ⓨ":"y",y:"y",ỳ:"y",ý:"y",ŷ:"y",ỹ:"y",ȳ:"y",ẏ:"y",ÿ:"y",ỷ:"y",ẙ:"y",ỵ:"y",ƴ:"y",ɏ:"y",ỿ:"y","ⓩ":"z",z:"z",ź:"z",ẑ:"z",ż:"z",ž:"z",ẓ:"z",ẕ:"z",ƶ:"z",ȥ:"z",ɀ:"z",ⱬ:"z",ꝣ:"z",Ά:"Α",Έ:"Ε",Ή:"Η",Ί:"Ι",Ϊ:"Ι",Ό:"Ο",Ύ:"Υ",Ϋ:"Υ",Ώ:"Ω",ά:"α",έ:"ε",ή:"η",ί:"ι",ϊ:"ι",ΐ:"ι",ό:"ο",ύ:"υ",ϋ:"υ",ΰ:"υ",ω:"ω",ς:"σ"};a=t(document),l=1,r=function(){return l++},i=O(Object,{bind:function(t){var e=this;return function(){t.apply(e,arguments)}},init:function(i){var n,o,s,a,l=".select2-results";this.opts=i=this.prepareOpts(i),this.id=i.id,i.element.data("select2")!==e&&null!==i.element.data("select2")&&i.element.data("select2").destroy(),this.container=this.createContainer(),this.liveRegion=t("",{role:"status","aria-live":"polite"}).addClass("select2-hidden-accessible").appendTo(document.body),this.containerId="s2id_"+(i.element.attr("id")||"autogen"+r()),this.containerEventName=this.containerId.replace(/([.])/g,"_").replace(/([;&,\-\.\+\*\~':"\!\^#$%@\[\]\(\)=>\|])/g,"\\$1"),this.container.attr("id",this.containerId),this.container.attr("title",i.element.attr("title")),this.body=t("body"),w(this.container,this.opts.element,this.opts.adaptContainerCssClass),this.container.attr("style",i.element.attr("style")),this.container.css(D(i.containerCss,this.opts.element)),this.container.addClass(D(i.containerCssClass,this.opts.element)),this.elementTabIndex=this.opts.element.attr("tabindex"),this.opts.element.data("select2",this).attr("tabindex","-1").before(this.container).on("click.select2",x),this.container.data("select2",this),this.dropdown=this.container.find(".select2-drop"),w(this.dropdown,this.opts.element,this.opts.adaptDropdownCssClass),this.dropdown.addClass(D(i.dropdownCssClass,this.opts.element)),this.dropdown.data("select2",this),this.dropdown.on("click",x),this.results=n=this.container.find(l),this.search=o=this.container.find("input.select2-input"),this.queryCount=0,this.resultsPage=0,this.context=null,this.initContainer(),this.container.on("click",x),this.results.on("mousemove",(function(i){var n=u;n!==e&&n.x===i.pageX&&n.y===i.pageY||t(i.target).trigger("mousemove-filtered",i)})),this.dropdown.on("mousemove-filtered",l,this.bind(this.highlightUnderEvent)),this.dropdown.on("touchstart touchmove touchend",l,this.bind((function(t){this._touchEvent=!0,this.highlightUnderEvent(t)}))),this.dropdown.on("touchmove",l,this.bind(this.touchMoved)),this.dropdown.on("touchstart touchend",l,this.bind(this.clearTouchMoved)),this.dropdown.on("click",this.bind((function(t){this._touchEvent&&(this._touchEvent=!1,this.selectHighlighted())}))),s=this.results,a=v(80,(function(t){s.trigger("scroll-debounced",t)})),s.on("scroll",(function(t){f(t.target,s.get())>=0&&a(t)})),this.dropdown.on("scroll-debounced",l,this.bind(this.loadMoreIfNeeded)),t(this.container).on("change",".select2-input",(function(t){t.stopPropagation()})),t(this.dropdown).on("change",".select2-input",(function(t){t.stopPropagation()})),t.fn.mousewheel&&n.mousewheel((function(t,e,i,o){var r=n.scrollTop();o>0&&r-o<=0?(n.scrollTop(0),x(t)):o<0&&n.get(0).scrollHeight-n.scrollTop()+o<=n.height()&&(n.scrollTop(n.get(0).scrollHeight-n.height()),x(t))})),b(o),o.on("keyup-change input paste",this.bind(this.updateResults)),o.on("focus",(function(){o.addClass("select2-focused")})),o.on("blur",(function(){o.removeClass("select2-focused")})),this.dropdown.on("mouseup",l,this.bind((function(e){t(e.target).closest(".select2-result-selectable").length>0&&(this.highlightUnderEvent(e),this.selectHighlighted(e))}))),this.dropdown.on("click mouseup mousedown touchstart touchend focusin",(function(t){t.stopPropagation()})),this.nextSearchTerm=e,t.isFunction(this.opts.initSelection)&&(this.initSelection(),this.monitorSource()),null!==i.maximumInputLength&&this.search.attr("maxlength",i.maximumInputLength);var h=i.element.prop("disabled");h===e&&(h=!1),this.enable(!h);var d=i.element.prop("readonly");d===e&&(d=!1),this.readonly(d),c=c||function(){var e=t("
            ");e.appendTo("body");var i={width:e.width()-e[0].clientWidth,height:e.height()-e[0].clientHeight};return e.remove(),i}(),this.autofocus=i.element.prop("autofocus"),i.element.prop("autofocus",!1),this.autofocus&&this.focus(),this.search.attr("placeholder",i.searchInputPlaceholder)},destroy:function(){var t=this.opts.element,i=t.data("select2"),n=this;this.close(),t.length&&t[0].detachEvent&&t.each((function(){this.detachEvent("onpropertychange",n._sync)})),this.propertyObserver&&(this.propertyObserver.disconnect(),this.propertyObserver=null),this._sync=null,i!==e&&(i.container.remove(),i.liveRegion.remove(),i.dropdown.remove(),t.removeClass("select2-offscreen").removeData("select2").off(".select2").prop("autofocus",this.autofocus||!1),this.elementTabIndex?t.attr({tabindex:this.elementTabIndex}):t.removeAttr("tabindex"),t.show()),T.call(this,"container","liveRegion","dropdown","results","search")},optionToData:function(t){return t.is("option")?{id:t.prop("value"),text:t.text(),element:t.get(),css:t.attr("class"),disabled:t.prop("disabled"),locked:g(t.attr("locked"),"locked")||g(t.data("locked"),!0)}:t.is("optgroup")?{text:t.attr("label"),children:[],element:t.get(),css:t.attr("class")}:void 0},prepareOpts:function(i){var n,o,s,a,c=this;if("select"===(n=i.element).get(0).tagName.toLowerCase()&&(this.select=o=i.element),o&&t.each(["id","multiple","ajax","query","createSearchChoice","initSelection","data","tags"],(function(){if(this in i)throw new Error("Option '"+this+"' is not allowed for Select2 when attached to a ","
            "," ","
              ","
            ","
            "].join(""))},enableInterface:function(){this.parent.enableInterface.apply(this,arguments)&&this.focusser.prop("disabled",!this.isInterfaceEnabled())},opening:function(){var i,n,o;this.opts.minimumResultsForSearch>=0&&this.showSearch(!0),this.parent.opening.apply(this,arguments),!1!==this.showSearchInput&&this.search.val(this.focusser.val()),this.opts.shouldFocusInput(this)&&(this.search.focus(),(i=this.search.get(0)).createTextRange?((n=i.createTextRange()).collapse(!1),n.select()):i.setSelectionRange&&(o=this.search.val().length,i.setSelectionRange(o,o))),""===this.search.val()&&this.nextSearchTerm!=e&&(this.search.val(this.nextSearchTerm),this.search.select()),this.focusser.prop("disabled",!0).val(""),this.updateResults(!0),this.opts.element.trigger(t.Event("select2-open"))},close:function(){this.opened()&&(this.parent.close.apply(this,arguments),this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus())},focus:function(){this.opened()?this.close():(this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus())},isFocused:function(){return this.container.hasClass("select2-container-active")},cancel:function(){this.parent.cancel.apply(this,arguments),this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus()},destroy:function(){t("label[for='"+this.focusser.attr("id")+"']").attr("for",this.opts.element.attr("id")),this.parent.destroy.apply(this,arguments),T.call(this,"selection","focusser")},initContainer:function(){var e,i,n=this.container,o=this.dropdown,s=r();this.opts.minimumResultsForSearch<0?this.showSearch(!1):this.showSearch(!0),this.selection=e=n.find(".select2-choice"),this.focusser=n.find(".select2-focusser"),e.find(".select2-chosen").attr("id","select2-chosen-"+s),this.focusser.attr("aria-labelledby","select2-chosen-"+s),this.results.attr("id","select2-results-"+s),this.search.attr("aria-owns","select2-results-"+s),this.focusser.attr("id","s2id_autogen"+s),i=t("label[for='"+this.opts.element.attr("id")+"']"),this.focusser.prev().text(i.text()).attr("for",this.focusser.attr("id"));var a=this.opts.element.attr("title");this.opts.element.attr("title",a||i.text()),this.focusser.attr("tabindex",this.elementTabIndex),this.search.attr("id",this.focusser.attr("id")+"_search"),this.search.prev().text(t("label[for='"+this.focusser.attr("id")+"']").text()).attr("for",this.search.attr("id")),this.search.on("keydown",this.bind((function(t){if(this.isInterfaceEnabled()&&229!=t.keyCode)if(t.which!==h.PAGE_UP&&t.which!==h.PAGE_DOWN)switch(t.which){case h.UP:case h.DOWN:return this.moveHighlight(t.which===h.UP?-1:1),void x(t);case h.ENTER:return this.selectHighlighted(),void x(t);case h.TAB:return void this.selectHighlighted({noFocus:!0});case h.ESC:return this.cancel(t),void x(t)}else x(t)}))),this.search.on("blur",this.bind((function(t){document.activeElement===this.body.get(0)&&window.setTimeout(this.bind((function(){this.opened()&&this.search.focus()})),0)}))),this.focusser.on("keydown",this.bind((function(t){if(this.isInterfaceEnabled()&&t.which!==h.TAB&&!h.isControl(t)&&!h.isFunctionKey(t)&&t.which!==h.ESC){if(!1!==this.opts.openOnEnter||t.which!==h.ENTER){if(t.which==h.DOWN||t.which==h.UP||t.which==h.ENTER&&this.opts.openOnEnter){if(t.altKey||t.ctrlKey||t.shiftKey||t.metaKey)return;return this.open(),void x(t)}return t.which==h.DELETE||t.which==h.BACKSPACE?(this.opts.allowClear&&this.clear(),void x(t)):void 0}x(t)}}))),b(this.focusser),this.focusser.on("keyup-change input",this.bind((function(t){if(this.opts.minimumResultsForSearch>=0){if(t.stopPropagation(),this.opened())return;this.open()}}))),e.on("mousedown touchstart","abbr",this.bind((function(t){var e;this.isInterfaceEnabled()&&(this.clear(),(e=t).preventDefault(),e.stopImmediatePropagation(),this.close(),this.selection.focus())}))),e.on("mousedown touchstart",this.bind((function(i){p(e),this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.opened()?this.close():this.isInterfaceEnabled()&&this.open(),x(i)}))),o.on("mousedown touchstart",this.bind((function(){this.opts.shouldFocusInput(this)&&this.search.focus()}))),e.on("focus",this.bind((function(t){x(t)}))),this.focusser.on("focus",this.bind((function(){this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.container.addClass("select2-container-active")}))).on("blur",this.bind((function(){this.opened()||(this.container.removeClass("select2-container-active"),this.opts.element.trigger(t.Event("select2-blur")))}))),this.search.on("focus",this.bind((function(){this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.container.addClass("select2-container-active")}))),this.initContainerWidth(),this.opts.element.addClass("select2-offscreen"),this.setPlaceholder()},clear:function(e){var i=this.selection.data("select2-data");if(i){var n=t.Event("select2-clearing");if(this.opts.element.trigger(n),n.isDefaultPrevented())return;var o=this.getPlaceholderOption();this.opts.element.val(o?o.val():""),this.selection.find(".select2-chosen").empty(),this.selection.removeData("select2-data"),this.setPlaceholder(),!1!==e&&(this.opts.element.trigger({type:"select2-removed",val:this.id(i),choice:i}),this.triggerChange({removed:i}))}},initSelection:function(){if(this.isPlaceholderOptionSelected())this.updateSelection(null),this.close(),this.setPlaceholder();else{var t=this;this.opts.initSelection.call(null,this.opts.element,(function(i){i!==e&&null!==i&&(t.updateSelection(i),t.close(),t.setPlaceholder(),t.nextSearchTerm=t.opts.nextSearchTerm(i,t.search.val()))}))}},isPlaceholderOptionSelected:function(){var t;return this.getPlaceholder()!==e&&((t=this.getPlaceholderOption())!==e&&t.prop("selected")||""===this.opts.element.val()||this.opts.element.val()===e||null===this.opts.element.val())},prepareOpts:function(){var e=this.parent.prepareOpts.apply(this,arguments),i=this;return"select"===e.element.get(0).tagName.toLowerCase()?e.initSelection=function(t,e){var n=t.find("option").filter((function(){return this.selected&&!this.disabled}));e(i.optionToData(n))}:"data"in e&&(e.initSelection=e.initSelection||function(i,n){var o=i.val(),r=null;e.query({matcher:function(t,i,n){var s=g(o,e.id(n));return s&&(r=n),s},callback:t.isFunction(n)?function(){n(r)}:t.noop})}),e},getPlaceholder:function(){return this.select&&this.getPlaceholderOption()===e?e:this.parent.getPlaceholder.apply(this,arguments)},setPlaceholder:function(){var t=this.getPlaceholder();if(this.isPlaceholderOptionSelected()&&t!==e){if(this.select&&this.getPlaceholderOption()===e)return;this.selection.find(".select2-chosen").html(this.opts.escapeMarkup(t)),this.selection.addClass("select2-default"),this.container.removeClass("select2-allowclear")}},postprocessResults:function(t,e,i){var n=0,o=this;if(this.findHighlightableChoices().each2((function(t,e){if(g(o.id(e.data("select2-data")),o.opts.element.val()))return n=t,!1})),!1!==i&&(!0===e&&n>=0?this.highlight(n):this.highlight(0)),!0===e){var r=this.opts.minimumResultsForSearch;r>=0&&this.showSearch(S(t.results)>=r)}},showSearch:function(e){this.showSearchInput!==e&&(this.showSearchInput=e,this.dropdown.find(".select2-search").toggleClass("select2-search-hidden",!e),this.dropdown.find(".select2-search").toggleClass("select2-offscreen",!e),t(this.dropdown,this.container).toggleClass("select2-with-searchbox",e))},onSelect:function(t,e){if(this.triggerSelect(t)){var i=this.opts.element.val(),n=this.data();this.opts.element.val(this.id(t)),this.updateSelection(t),this.opts.element.trigger({type:"select2-selected",val:this.id(t),choice:t}),this.nextSearchTerm=this.opts.nextSearchTerm(t,this.search.val()),this.close(),e&&e.noFocus||!this.opts.shouldFocusInput(this)||this.focusser.focus(),g(i,this.id(t))||this.triggerChange({added:t,removed:n})}},updateSelection:function(t){var i,n,o=this.selection.find(".select2-chosen");this.selection.data("select2-data",t),o.empty(),null!==t&&(i=this.opts.formatSelection(t,o,this.opts.escapeMarkup)),i!==e&&o.append(i),(n=this.opts.formatSelectionCssClass(t,o))!==e&&o.addClass(n),this.selection.removeClass("select2-default"),this.opts.allowClear&&this.getPlaceholder()!==e&&this.container.addClass("select2-allowclear")},val:function(){var t,i=!1,n=null,o=this,r=this.data();if(0===arguments.length)return this.opts.element.val();if(t=arguments[0],arguments.length>1&&(i=arguments[1]),this.select)this.select.val(t).find("option").filter((function(){return this.selected})).each2((function(t,e){return n=o.optionToData(e),!1})),this.updateSelection(n),this.setPlaceholder(),i&&this.triggerChange({added:n,removed:r});else{if(!t&&0!==t)return void this.clear(i);if(this.opts.initSelection===e)throw new Error("cannot call val() if initSelection() is not defined");this.opts.element.val(t),this.opts.initSelection(this.opts.element,(function(t){o.opts.element.val(t?o.id(t):""),o.updateSelection(t),o.setPlaceholder(),i&&o.triggerChange({added:t,removed:r})}))}},clearSearch:function(){this.search.val(""),this.focusser.val("")},data:function(t){var i,n=!1;if(0===arguments.length)return(i=this.selection.data("select2-data"))==e&&(i=null),i;arguments.length>1&&(n=arguments[1]),t?(i=this.data(),this.opts.element.val(t?this.id(t):""),this.updateSelection(t),n&&this.triggerChange({added:t,removed:i})):this.clear(n)}}),o=O(i,{createContainer:function(){return t(document.createElement("div")).attr({class:"select2-container select2-container-multi"}).html(["
              ","
            • "," "," ","
            • ","
            ","
            ","
              ","
            ","
            "].join(""))},prepareOpts:function(){var e=this.parent.prepareOpts.apply(this,arguments),i=this;return"select"===e.element.get(0).tagName.toLowerCase()?e.initSelection=function(t,e){var n=[];t.find("option").filter((function(){return this.selected&&!this.disabled})).each2((function(t,e){n.push(i.optionToData(e))})),e(n)}:"data"in e&&(e.initSelection=e.initSelection||function(i,n){var o=m(i.val(),e.separator),r=[];e.query({matcher:function(i,n,s){var a=t.grep(o,(function(t){return g(t,e.id(s))})).length;return a&&r.push(s),a},callback:t.isFunction(n)?function(){for(var t=[],i=0;i0||(this.selectChoice(null),this.clearPlaceholder(),this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.open(),this.focusSearch(),e.preventDefault()))}))),this.container.on("focus",i,this.bind((function(){this.isInterfaceEnabled()&&(this.container.hasClass("select2-container-active")||this.opts.element.trigger(t.Event("select2-focus")),this.container.addClass("select2-container-active"),this.dropdown.addClass("select2-drop-active"),this.clearPlaceholder())}))),this.initContainerWidth(),this.opts.element.addClass("select2-offscreen"),this.clearSearch()},enableInterface:function(){this.parent.enableInterface.apply(this,arguments)&&this.search.prop("disabled",!this.isInterfaceEnabled())},initSelection:function(){if(""===this.opts.element.val()&&""===this.opts.element.text()&&(this.updateSelection([]),this.close(),this.clearSearch()),this.select||""!==this.opts.element.val()){var t=this;this.opts.initSelection.call(null,this.opts.element,(function(i){i!==e&&null!==i&&(t.updateSelection(i),t.close(),t.clearSearch())}))}},clearSearch:function(){var t=this.getPlaceholder(),i=this.getMaxSearchWidth();t!==e&&0===this.getVal().length&&!1===this.search.hasClass("select2-focused")?(this.search.val(t).addClass("select2-default"),this.search.width(i>0?i:this.container.css("width"))):this.search.val("").width(10)},clearPlaceholder:function(){this.search.hasClass("select2-default")&&this.search.val("").removeClass("select2-default")},opening:function(){this.clearPlaceholder(),this.resizeSearch(),this.parent.opening.apply(this,arguments),this.focusSearch(),""===this.search.val()&&this.nextSearchTerm!=e&&(this.search.val(this.nextSearchTerm),this.search.select()),this.updateResults(!0),this.opts.shouldFocusInput(this)&&this.search.focus(),this.opts.element.trigger(t.Event("select2-open"))},close:function(){this.opened()&&this.parent.close.apply(this,arguments)},focus:function(){this.close(),this.search.focus()},isFocused:function(){return this.search.hasClass("select2-focused")},updateSelection:function(e){var i=[],n=[],o=this;t(e).each((function(){f(o.id(this),i)<0&&(i.push(o.id(this)),n.push(this))})),e=n,this.selection.find(".select2-search-choice").remove(),t(e).each((function(){o.addSelectedChoice(this)})),o.postprocessResults()},tokenize:function(){var t=this.search.val();null!=(t=this.opts.tokenizer.call(this,t,this.data(),this.bind(this.onSelect),this.opts))&&t!=e&&(this.search.val(t),t.length>0&&this.open())},onSelect:function(t,i){this.triggerSelect(t)&&""!==t.text&&(this.addSelectedChoice(t),this.opts.element.trigger({type:"selected",val:this.id(t),choice:t}),this.nextSearchTerm=this.opts.nextSearchTerm(t,this.search.val()),this.clearSearch(),this.updateResults(),!this.select&&this.opts.closeOnSelect||this.postprocessResults(t,!1,!0===this.opts.closeOnSelect),this.opts.closeOnSelect?(this.close(),this.search.width(10)):this.countSelectableResults()>0?(this.search.width(10),this.resizeSearch(),this.getMaximumSelectionSize()>0&&this.val().length>=this.getMaximumSelectionSize()?this.updateResults(!0):this.nextSearchTerm!=e&&(this.search.val(this.nextSearchTerm),this.updateResults(),this.search.select()),this.positionDropdown()):(this.close(),this.search.width(10)),this.triggerChange({added:t}),i&&i.noFocus||this.focusSearch())},cancel:function(){this.close(),this.focusSearch()},addSelectedChoice:function(i){var n,o,r=!i.locked,s=t("
          • "),a=t("
          • "),c=r?s:a,l=this.id(i),u=this.getVal();(n=this.opts.formatSelection(i,c.find("div"),this.opts.escapeMarkup))!=e&&c.find("div").replaceWith("
            "+n+"
            "),(o=this.opts.formatSelectionCssClass(i,c.find("div")))!=e&&c.addClass(o),r&&c.find(".select2-search-choice-close").on("mousedown",x).on("click dblclick",this.bind((function(e){this.isInterfaceEnabled()&&(this.unselect(t(e.target)),this.selection.find(".select2-search-choice-focus").removeClass("select2-search-choice-focus"),x(e),this.close(),this.focusSearch())}))).on("focus",this.bind((function(){this.isInterfaceEnabled()&&(this.container.addClass("select2-container-active"),this.dropdown.addClass("select2-drop-active"))}))),c.data("select2-data",i),c.insertBefore(this.searchContainer),u.push(l),this.setVal(u)},unselect:function(e){var i,n,o=this.getVal();if(0===(e=e.closest(".select2-search-choice")).length)throw"Invalid argument: "+e+". Must be .select2-search-choice";if(i=e.data("select2-data")){var r=t.Event("select2-removing");if(r.val=this.id(i),r.choice=i,this.opts.element.trigger(r),r.isDefaultPrevented())return!1;for(;(n=f(this.id(i),o))>=0;)o.splice(n,1),this.setVal(o),this.select&&this.postprocessResults();return e.remove(),this.opts.element.trigger({type:"select2-removed",val:this.id(i),choice:i}),this.triggerChange({removed:i}),!0}},postprocessResults:function(t,e,i){var n=this.getVal(),o=this.results.find(".select2-result"),r=this.results.find(".select2-result-with-children"),s=this;o.each2((function(t,e){f(s.id(e.data("select2-data")),n)>=0&&(e.addClass("select2-selected"),e.find(".select2-result-selectable").addClass("select2-selected"))})),r.each2((function(t,e){e.is(".select2-result-selectable")||0!==e.find(".select2-result-selectable:not(.select2-selected)").length||e.addClass("select2-selected")})),-1==this.highlight()&&!1!==i&&s.highlight(0),!this.opts.createSearchChoice&&!o.filter(".select2-result:not(.select2-selected)").length>0&&(!t||t&&!t.more&&0===this.results.find(".select2-no-results").length)&&I(s.opts.formatNoMatches,"formatNoMatches")&&this.results.append("
          • "+D(s.opts.formatNoMatches,s.opts.element,s.search.val())+"
          • ")},getMaxSearchWidth:function(){return this.selection.width()-C(this.search)},resizeSearch:function(){var e,i,n,o,r=C(this.search);e=function(e){if(!s){var i=e[0].currentStyle||window.getComputedStyle(e[0],null);(s=t(document.createElement("div")).css({position:"absolute",left:"-10000px",top:"-10000px",display:"none",fontSize:i.fontSize,fontFamily:i.fontFamily,fontStyle:i.fontStyle,fontWeight:i.fontWeight,letterSpacing:i.letterSpacing,textTransform:i.textTransform,whiteSpace:"nowrap"})).attr("class","select2-sizer"),t("body").append(s)}return s.text(e.val()),s.width()}(this.search)+10,i=this.search.offset().left,(o=(n=this.selection.width())-(i-this.selection.offset().left)-r)0&&i--,t.splice(n,1),n--);return{added:e,removed:t}},val:function(i,n){var o,r=this;if(0===arguments.length)return this.getVal();if((o=this.data()).length||(o=[]),!i&&0!==i)return this.opts.element.val(""),this.updateSelection([]),this.clearSearch(),void(n&&this.triggerChange({added:this.data(),removed:o}));if(this.setVal(i),this.select)this.opts.initSelection(this.select,this.bind(this.updateSelection)),n&&this.triggerChange(this.buildChangeDetails(o,this.data()));else{if(this.opts.initSelection===e)throw new Error("val() cannot be called if initSelection() is not defined");this.opts.initSelection(this.opts.element,(function(e){var i=t.map(e,r.id);r.setVal(i),r.updateSelection(e),r.clearSearch(),n&&r.triggerChange(r.buildChangeDetails(o,r.data()))}))}this.clearSearch()},onSortStart:function(){if(this.select)throw new Error("Sorting of elements is not supported when attached to instead.");this.search.width(0),this.searchContainer.hide()},onSortEnd:function(){var e=[],i=this;this.searchContainer.show(),this.searchContainer.appendTo(this.searchContainer.parent()),this.resizeSearch(),this.selection.find(".select2-search-choice").each((function(){e.push(i.opts.id(t(this).data("select2-data")))})),this.setVal(e),this.triggerChange()},data:function(e,i){var n,o,r=this;if(0===arguments.length)return this.selection.children(".select2-search-choice").map((function(){return t(this).data("select2-data")})).get();o=this.data(),e||(e=[]),n=t.map(e,(function(t){return r.opts.id(t)})),this.setVal(n),this.updateSelection(e),this.clearSearch(),i&&this.triggerChange(this.buildChangeDetails(o,this.data()))}}),t.fn.select2=function(){var i,n,o,r,s,a=Array.prototype.slice.call(arguments,0),c=["val","destroy","opened","open","close","focus","isFocused","container","dropdown","onSortStart","onSortEnd","enable","disable","readonly","positionDropdown","data","search"],l=["opened","isFocused","container","dropdown"],u=["val","data"],h={search:"externalSearch"};return this.each((function(){if(0===a.length||"object"==typeof a[0])(i=0===a.length?{}:t.extend({},a[0])).element=t(this),"select"===i.element.get(0).tagName.toLowerCase()?s=i.element.prop("multiple"):(s=i.multiple||!1,"tags"in i&&(i.multiple=s=!0)),(n=s?new window.Select2.class.multi:new window.Select2.class.single).init(i);else{if("string"!=typeof a[0])throw"Invalid arguments to select2 plugin: "+a;if(f(a[0],c)<0)throw"Unknown method: "+a[0];if(r=e,(n=t(this).data("select2"))===e)return;if("container"===(o=a[0])?r=n.container:"dropdown"===o?r=n.dropdown:(h[o]&&(o=h[o]),r=n[o].apply(n,a.slice(1))),f(a[0],l)>=0||f(a[0],u)>=0&&1==a.length)return!1}})),r===e?this:r},t.fn.select2.defaults={width:"copy",loadMorePadding:0,closeOnSelect:!0,openOnEnter:!0,containerCss:{},dropdownCss:{},containerCssClass:"",dropdownCssClass:"",formatResult:function(t,e,i,n){var o=[];return y(t.text,i.term,o,n),o.join("")},formatSelection:function(t,i,n){return t?n(t.text):e},sortResults:function(t,e,i){return t},formatResultCssClass:function(t){return t.css},formatSelectionCssClass:function(t,i){return e},minimumResultsForSearch:0,minimumInputLength:0,maximumInputLength:null,maximumSelectionSize:0,id:function(t){return t==e?null:t.id},matcher:function(t,e){return A(""+e).toUpperCase().indexOf(A(""+t).toUpperCase())>=0},separator:",",tokenSeparators:[],tokenizer:function(t,i,n,o){var r,s,a,c,l,u=t,h=!1;if(!o.createSearchChoice||!o.tokenSeparators||o.tokenSeparators.length<1)return e;for(;;){for(s=-1,a=0,c=o.tokenSeparators.length;a=0));a++);if(s<0)break;if(r=t.substring(0,s),t=t.substring(s+l.length),r.length>0&&(r=o.createSearchChoice.call(this,r,i))!==e&&null!==r&&o.id(r)!==e&&null!==o.id(r)){for(h=!1,a=0,c=i.length;a0)&&t.opts.minimumResultsForSearch<0)}},t.fn.select2.locales=[],t.fn.select2.locales.en={formatMatches:function(t){return 1===t?"One result is available, press enter to select it.":t+" results are available, use up and down arrow keys to navigate."},formatNoMatches:function(){return"No matches found"},formatAjaxError:function(t,e,i){return"Loading failed"},formatInputTooShort:function(t,e){var i=e-t.length;return"Please enter "+i+" or more character"+(1==i?"":"s")},formatInputTooLong:function(t,e){var i=t.length-e;return"Please delete "+i+" character"+(1==i?"":"s")},formatSelectionTooBig:function(t){return"You can only select "+t+" item"+(1==t?"":"s")},formatLoadMore:function(t){return"Loading more results…"},formatSearching:function(){return"Searching…"}},t.extend(t.fn.select2.defaults,t.fn.select2.locales.en),t.fn.select2.ajaxDefaults={transport:t.ajax,params:{type:"GET",cache:!1,dataType:"json"}},window.Select2={query:{ajax:B,local:E,tags:_},util:{debounce:v,markMatch:y,escapeMarkup:k,stripDiacritics:A},class:{abstract:i,single:n,multi:o}}}function p(e){var i=t(document.createTextNode(""));e.before(i),i.before(e),i.remove()}function A(t){return t.replace(/[^\u0000-\u007E]/g,(function(t){return d[t]||t}))}function f(t,e){for(var i=0,n=e.length;i"),i.push(n(t.substring(o,o+r))),i.push(""),i.push(n(t.substring(o+r,t.length))))}function k(t){var e={"\\":"\","&":"&","<":"<",">":">",'"':""","'":"'","/":"/"};return String(t).replace(/[&<>"'\/\\]/g,(function(t){return e[t]}))}function B(i){var n,o=null,r=i.quietMillis||100,s=i.url,a=this;return function(c){window.clearTimeout(n),n=window.setTimeout((function(){var n=i.data,r=s,l=i.transport||t.fn.select2.ajaxDefaults.transport,u={type:i.type||"GET",cache:i.cache||!1,jsonpCallback:i.jsonpCallback||e,dataType:i.dataType||"json"},h=t.extend({},t.fn.select2.ajaxDefaults.params,u);n=n?n.call(a,c.term,c.page,c.context):null,r="function"==typeof r?r.call(a,c.term,c.page,c.context):r,o&&"function"==typeof o.abort&&o.abort(),i.params&&(t.isFunction(i.params)?t.extend(h,i.params.call(a)):t.extend(h,i.params)),t.extend(h,{url:r,dataType:i.dataType,data:n,success:function(t){var e=i.results(t,c.page,c);c.callback(e)},error:function(t,e,i){var n={hasError:!0,jqXHR:t,textStatus:e,errorThrown:i};c.callback(n)}}),o=l.call(a,h)}),r)}}function E(e){var i,n,o=e,r=function(t){return""+t.text};t.isArray(o)&&(o={results:n=o}),!1===t.isFunction(o)&&(n=o,o=function(){return n});var s=o();return s.text&&(r=s.text,t.isFunction(r)||(i=s.text,r=function(t){return t[i]})),function(e){var i,n=e.term,s={results:[]};""!==n?(i=function(o,s){var a,c;if((o=o[0]).children){for(c in a={},o)o.hasOwnProperty(c)&&(a[c]=o[c]);a.children=[],t(o.children).each2((function(t,e){i(e,a.children)})),(a.children.length||e.matcher(n,r(a),o))&&s.push(a)}else e.matcher(n,r(o),o)&&s.push(o)},t(o().results).each2((function(t,e){i(e,s.results)})),e.callback(s)):e.callback(o())}}function _(i){var n=t.isFunction(i);return function(o){var r=o.term,s={results:[]},a=n?i(o):i;t.isArray(a)&&(t(a).each((function(){var t=this.text!==e,i=t?this.text:this;(""===r||o.matcher(r,i))&&s.results.push(t?this:{id:this,text:this})})),o.callback(s))}}function I(e,i){if(t.isFunction(e))return!0;if(!e)return!1;if("string"==typeof e)return!0;throw new Error(i+" must be a string, function, or falsy value")}function D(e,i){if(t.isFunction(e)){var n=Array.prototype.slice.call(arguments,2);return e.apply(i,n)}return e}function S(e){var i=0;return t.each(e,(function(t,e){e.children?i+=S(e.children):i++})),i}function T(){var e=this;t.each(arguments,(function(t,i){e[i].remove(),e[i]=null}))}function O(e,i){var n=function(){};return(n.prototype=new e).constructor=n,n.prototype.parent=e.prototype,n.prototype=t.extend(n.prototype,i),n}}(o)},57223:()=>{"use strict";!function t(e,i,n){function o(s,a){if(!i[s]){if(!e[s]){if(r)return r(s,!0);throw new Error("Cannot find module '"+s+"'")}var c=i[s]={exports:{}};e[s][0].call(c.exports,(function(t){return o(e[s][1][t]||t)}),c,c.exports,t,e,i,n)}return i[s].exports}for(var r=void 0,s=0;s0?e.touches[0]["page"+t]:e.changedTouches[0]["page"+t]:e["page"+t]},klass:{has:function(t,e){return-1!==t.className.indexOf(e)},add:function(t,i){!o.klass.has(t,i)&&e.addBodyClasses&&(t.className+=" "+i)},remove:function(t,i){e.addBodyClasses&&(t.className=t.className.replace(i,"").replace(/^\s+|\s+$/g,""))}},dispatchEvent:function(t){if("function"==typeof n[t])return n[t].call()},vendor:function(){var t,e=document.createElement("div"),i="webkit Moz O ms".split(" ");for(t in i)if(void 0!==e.style[i[t]+"Transition"])return i[t]},transitionCallback:function(){return"Moz"===i.vendor||"ms"===i.vendor?"transitionend":i.vendor+"TransitionEnd"},deepExtend:function(t,e){var i;for(i in e)e[i]&&e[i].constructor&&e[i].constructor===Object?(t[i]=t[i]||{},o.deepExtend(t[i],e[i])):t[i]=e[i];return t},angleOfDrag:function(t,e){var n,o;return(o=Math.atan2(-(i.startDragY-e),i.startDragX-t))<0&&(o+=2*Math.PI),(n=Math.floor(o*(180/Math.PI)-180))<0&&n>-180&&(n=360-Math.abs(n)),Math.abs(n)},events:{addEvent:function(t,e,i){return t.addEventListener?t.addEventListener(e,i,!1):t.attachEvent?t.attachEvent("on"+e,i):void 0},removeEvent:function(t,e,i){return t.addEventListener?t.removeEventListener(e,i,!1):t.attachEvent?t.detachEvent("on"+e,i):void 0},prevent:function(t){t.preventDefault?t.preventDefault():t.returnValue=!1}},parentUntil:function(t,e){for(var i="string"==typeof e;t.parentNode;){if(i&&t.getAttribute&&t.getAttribute(e))return t;if(!i&&t===e)return t;t=t.parentNode}return null}},r={translate:{get:{matrix:function(t){var n=window.getComputedStyle(e.element)[i.vendor+"Transform"].match(/\((.*)\)/);return n?(16===(n=n[1].split(",")).length&&(t+=8),parseInt(n[t],10)):0}},easeCallback:function(){e.element.style[i.vendor+"Transition"]="",i.translation=r.translate.get.matrix(4),i.easing=!1,clearInterval(i.animatingInterval),0===i.easingTo&&(o.klass.remove(document.body,"snapjs-right"),o.klass.remove(document.body,"snapjs-left")),o.dispatchEvent("animated"),o.events.removeEvent(e.element,o.transitionCallback(),r.translate.easeCallback)},easeTo:function(t){i.easing=!0,i.easingTo=t,e.element.style[i.vendor+"Transition"]="all "+e.transitionSpeed+"s "+e.easing,i.animatingInterval=setInterval((function(){o.dispatchEvent("animating")}),1),o.events.addEvent(e.element,o.transitionCallback(),r.translate.easeCallback),r.translate.x(t),0===t&&(e.element.style[i.vendor+"Transform"]="")},x:function(t){if(!("left"===e.disable&&t>0||"right"===e.disable&&t<0)){e.hyperextensible||(t===e.maxPosition||t>e.maxPosition?t=e.maxPosition:(t===e.minPosition||t0,h=l;if(i.intentChecked&&!i.hasIntent)return;if(e.addBodyClasses&&(c>0?(o.klass.add(document.body,"snapjs-left"),o.klass.remove(document.body,"snapjs-right")):c<0&&(o.klass.add(document.body,"snapjs-right"),o.klass.remove(document.body,"snapjs-left"))),!1===i.hasIntent||null===i.hasIntent){var d=o.angleOfDrag(n,s),p=d>=0&&d<=e.slideIntent||d<=360&&d>360-e.slideIntent;d>=180&&d<=180+e.slideIntent||d<=180&&d>=180-e.slideIntent||p?(i.hasIntent=!0,e.stopPropagation&&t.stopPropagation()):i.hasIntent=!1,i.intentChecked=!0}if(e.minDragDistance>=Math.abs(n-i.startDragX)||!1===i.hasIntent)return;o.events.prevent(t),o.dispatchEvent("drag"),i.dragWatchers.current=n,i.dragWatchers.last>n?("left"!==i.dragWatchers.state&&(i.dragWatchers.state="left",i.dragWatchers.hold=n),i.dragWatchers.last=n):i.dragWatchers.laste.maxPosition/2,flick:Math.abs(i.dragWatchers.current-i.dragWatchers.hold)>e.flickThreshold,translation:{absolute:c,relative:l,sinceDirectionChange:i.dragWatchers.current-i.dragWatchers.hold,percentage:c/e.maxPosition*100}}):(e.minPosition>c&&(h=l-(c-e.minPosition)*e.resistance),i.simpleStates={opening:"right",towards:i.dragWatchers.state,hyperExtending:e.minPosition>c,halfway:ce.flickThreshold,translation:{absolute:c,relative:l,sinceDirectionChange:i.dragWatchers.current-i.dragWatchers.hold,percentage:c/e.minPosition*100}}),r.translate.x(h+a)}},endDrag:function(t){if(i.isDragging){o.dispatchEvent("end");var n=r.translate.get.matrix(4);if(0===i.dragWatchers.current&&0!==n&&e.tapToClose)return o.dispatchEvent("close"),o.events.prevent(t),r.translate.easeTo(0),i.isDragging=!1,void(i.startDragX=0);"left"===i.simpleStates.opening?i.simpleStates.halfway||i.simpleStates.hyperExtending||i.simpleStates.flick?i.simpleStates.flick&&"left"===i.simpleStates.towards?r.translate.easeTo(0):(i.simpleStates.flick&&"right"===i.simpleStates.towards||i.simpleStates.halfway||i.simpleStates.hyperExtending)&&r.translate.easeTo(e.maxPosition):r.translate.easeTo(0):"right"===i.simpleStates.opening&&(i.simpleStates.halfway||i.simpleStates.hyperExtending||i.simpleStates.flick?i.simpleStates.flick&&"right"===i.simpleStates.towards?r.translate.easeTo(0):(i.simpleStates.flick&&"left"===i.simpleStates.towards||i.simpleStates.halfway||i.simpleStates.hyperExtending)&&r.translate.easeTo(e.minPosition):r.translate.easeTo(0)),i.isDragging=!1,i.startDragX=o.page("X",t)}}}},s=function(t){if(o.deepExtend(e,t),!e.element)throw"Snap's element argument does not exist.";e.element.setAttribute("touch-action","pan-y")};this.open=function(t){o.dispatchEvent("open"),o.klass.remove(document.body,"snapjs-expand-left"),o.klass.remove(document.body,"snapjs-expand-right"),"left"===t?(i.simpleStates.opening="left",i.simpleStates.towards="right",o.klass.add(document.body,"snapjs-left"),o.klass.remove(document.body,"snapjs-right"),r.translate.easeTo(e.maxPosition)):"right"===t&&(i.simpleStates.opening="right",i.simpleStates.towards="left",o.klass.remove(document.body,"snapjs-left"),o.klass.add(document.body,"snapjs-right"),r.translate.easeTo(e.minPosition))},this.close=function(){o.dispatchEvent("close"),r.translate.easeTo(0)},this.expand=function(t){var e=window.innerWidth||document.documentElement.clientWidth;"left"===t?(o.dispatchEvent("expandLeft"),o.klass.add(document.body,"snapjs-expand-left"),o.klass.remove(document.body,"snapjs-expand-right")):(o.dispatchEvent("expandRight"),o.klass.add(document.body,"snapjs-expand-right"),o.klass.remove(document.body,"snapjs-expand-left"),e*=-1),r.translate.easeTo(e)},this.on=function(t,e){return n[t]=e,this},this.off=function(t){n[t]&&(n[t]=!1)},this.enable=function(){o.dispatchEvent("enable"),r.drag.listen()},this.disable=function(){o.dispatchEvent("disable"),r.drag.stopListening()},this.settings=function(t){s(t)},this.state=function(){var t=r.translate.get.matrix(4);return{state:t===e.maxPosition?"left":t===e.minPosition?"right":"closed",info:i.simpleStates}},s(t),i.vendor=o.vendor(),r.drag.listen()}},{}]},{},[1])},53425:(t,e,i)=>{var n,o=i(74692);(n=o).fn.strengthify=function(t){"use strict";var e={zxcvbn:"zxcvbn/zxcvbn.js",userInputs:[],titles:["Weakest","Weak","So-so","Good","Perfect"],tilesOptions:{tooltip:!0,element:!1},drawTitles:!1,drawMessage:!1,drawBars:!0,$addAfter:null,nonce:null};return this.each((function(){var i=n.extend(e,t);function o(t){return n('div[data-strengthifyFor="'+t+'"]')}function r(){var t=n(this).val().substring(0,100),e=n(this).attr("id"),r=""===t?0:1,s=zxcvbn(t,i.userInputs),a="",c="",l="",u=o(e),h=u.find(".strengthify-container"),d=u.find("[data-strengthifyMessage]");switch(u.children().css("opacity",r).css("-ms-filter",'"progid:DXImageTransform.Microsoft.Alpha(Opacity='+100*r+')"'),i.onResult&&i.onResult(s),s.score){case 0:case 1:a="password-bad",c="danger",l=s.feedback?s.feedback.suggestions.join("
            "):"";break;case 2:c="warning",l=s.feedback?s.feedback.suggestions.join("
            "):"",a="password-medium";break;case 3:a="password-good",c="info",l="Getting better.";break;case 4:a="password-good",c="success",l="Looks good."}d&&(d.removeAttr("class"),d.addClass("bg-"+c),""===t&&(l=""),d.html(l)),h&&(h.attr("class",a+" strengthify-container").css("width",25*(0===s.score?1:s.score)+"%"),""===t&&h.css("width",0)),i.drawTitles&&(i.tilesOptions.tooltip&&(u.attr("title",i.titles[s.score]).tooltip({placement:"bottom",trigger:"manual"}).tooltip("fixTitle").tooltip("show"),0===r&&u.tooltip("hide")),i.tilesOptions.element&&u.find(".strengthify-tiles").text(i.titles[s.score]))}i.drawTitles||i.drawMessage||i.drawBars||console.warn("expect at least one of 'drawTitles', 'drawMessage', or 'drawBars' to be true"),function(){var t=n(this),e=t.attr("id"),s=r.bind(this),a=i.$addAfter;a||(a=t),a.after('
            '),i.drawBars&&o(e).append('
            ').append('
            ').append('
            ').append('
            ').append('
            '),i.drawMessage&&o(e).append("
            "),i.drawTitles&&i.tilesOptions&&o(e).append('
            ');var c=document.createElement("script");c.src=i.zxcvbn,null!==i.nonce&&c.setAttribute("nonce",i.nonce),c.onload=function(){t.parent().on("scroll",s),t.bind("keyup input change",s)},document.head.appendChild(c)}.call(this)}))}},83864:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACgAAAAoAQMAAAC2MCouAAAABlBMVEVmZmZ1dXVT6N0BAAAAUklEQVQIW8XNsQ3AIAwF0bMoKBmBURgNj8YojEBJEcXwu2yQ+p507BTeWDnozPISjPpY4O0W6CqEisUtiG/EF+IT8YG4fznihnhCPCNeEK/89D1Gd22TNOyXVAAAAABJRU5ErkJggg=="},26609:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACgAAABkAQMAAADOquA5AAAAA1BMVEUAAACnej3aAAAADklEQVQYGWMYBaOABgAAAlgAARbiVEcAAAAASUVORK5CYII="},7369:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAaVBMVEUAAAAcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkQcLkSVcboQAAAAInRSTlMAGBAyCD9gIS5RZkqgwEQnj81slZ0MMK4WLB2ZcIGF737fFn1o5AAADQJJREFUeNrsml2OwjAMBuOrfPc/5IrsAwqjHVSVdiPhETy0tuOfuGlTGE3T7EClxjdTyeYVSJ1O0fN/fBblGwvCDsyDRQETlLxIK1mkSBEOYL8o39gS7MA8wByxAJxBSmlOB1SGySUwfk0BcqvgWIiPTmV6PI97ZIKokXcIZ1g7QAJAB9yGh4j8ABRkDbAWnMqb3RYuvAvwEprKe+X/B/0g1DRN0zTNF/CBJ8Gtn4Mq5c/ySUlC+QX18vcB8kKoMm4tCQNAAaiwHi0KqFeFBSjdPLLkn4bxe8TIGBWUemk9SZL5vQV28KQs4qI6Ey4p2JTu0wGyal30PmCOttEa0HeBpmmapmma/yPnH+ZPjZ+7E2AGfsKF78kx/2FAOKBcLXT8jFBlNQ9l5gABiFT8ywjwCDmklgHd5UUYCLWDYBAK3b9ul8MCiDgTz8DMNQAmmMmqkBf1CfwfKJG3MOcDx7R3cwZw0IOnx9FcIcEJlw8Q2ntDi8P3awCle90FLrbPg9E0TdM0TUPO/y01OR2A7hddlonH5+5zLABxAC3NwANYf1ZKLSInZRvozCGlgPRC/yyAJrCgM8gaVTLPFGTyb/7SAhTcvW8zrUCi+aMAPEPzrPV52mR4B2WC/TG3w/TvAUCKARAh7CGHPcXBAEMSRAFQoPcFQADQp4KLJ7p/HjTnJSAuhl0C9TTWS0B6nP5lEQsTAJwyiLAI2hzZIjjhImj2A6R8jlw8SPQaHoZ3AMn27wN+2DnX5bZBIIwuoBvquB13xp3ef5z3f8hGKO4KqNZx67bqlKMozrLCsJ8Qguji/voNMY1Go9FoHBjkd+KwT8zUOQB5IMA9CgCPjZ86BZwZf6Yad+8yrOvV1AFD5X8cJFyVksVS+G8FC1gbUAW8SQBDEN38wQIYz3cnV+aHG0Nt0lIFYLYPirxU2X+XAA7qoMj8icprXr42/WqoTeHF3hjhwZ1gKUClwP4exxKgzkFaqvyGALUfkMfi2Mx869kZuKqLtO9AKMC+neCWIIb/QWA/0YIzZ6933gSE5awVOvhs/vDjnEaj0Wg0fi/+Hz+RkRlQz+dqE34l/mO9KqmMTj80RFMAFrxkYJoHe1kWucHzb5XHozsZ8vmdX9wbG24+csChrlax/li363u8UE51UDspQJ6dvcvRjmMJwBVLIJ/ZtQD1hLUyNH4OdgjcbgH19olMoN0WQEK9JA72gLzdB+zuXrXxgq/6APUf9vg3zwJWly+KZ8EQNfe5gwVvjQNeDl5ejDugAL8KXhqNRqPR+CEBIMiL6RLyh4jAKYrBV+yRG5/ACjGU7mDr0ckEk6gCofz6ERilsjNDic9kGTQkPvd9RBMiQKyGujO7g9khkBiyeCHUtn4hZW201t1E1zF1xuXzlbxChaHAXJeosxP6vvcrhSCnTICNAnQLaAvIBABxTwg824FEYEcAuhWuAtB5H9gKcD6f7ScwBDLDFGDMBMQ/QeIqiPMrmwrmgl8W9loAEf14gmsfgFYwr/GFhYsK4MexzwR4//69ULfA2q4TagFG4PVWACATwHkKiRJaAO8XdluAiyzxO/0/QIAgKoAnrfp1K+gh8OrV9hA4y9InnrX8kJa7BdD446vX+wK4IkFwCS2AcRz3+wCcixDdVgCRrQABCJqfjwAfP14T/NoJ+uqYNwRIa52gAgyiJvMQgX5PgLJAxoQWwJs3b6DbbQHBxeiCCrDa+wK8WWE13cQ4Te+YXCZAEM0QlyUToCsF6AoByFrAvMZvC6DlfUgUTa7r9lpAcInAjk0EItkxOU0wrubEM1PVAjIB7joEICsvxV8JEPLyinEAX41xwD2nQZhJqygExqrF89JOb9Di64RaABk1/ocQwpAI8tPA+NgXJ9mM9NJoNBqN/4avX22/B2+4Ia02gbAzf4/Ado49szIX07Pxtq0RFfXpezG4wEVyhmHYxh+CKnDqgC9TRAc6M8yfMO/aDMD2T1QBmBfAmM9P03TbLvbJ8D16PHh63Z2zzNt9eoJTET8wjBo/qAK4on6UtvD2afmMKEEiGjAI7AaMnNOi+ZkEmTJbcvvSXSay+g9DXUE1Z7VnqhYnkcHr0JEAENgVwCfUlvCNvbNRTBOGovA1/CM4WTdcra7bef+HHAblJrklzOmoP/mw1WMieE8vScBgt6vtclsY8aOgiP7WgLpfzAAB5I5+NXVMsVGeQsMZrFEfb+8nIMbyNXYpUtWLtwia6G3MgD7jDI0dfuEnzPgR0V8bQJtuqfiU0pchA1iTrTkDOP502AMAvZXk4+2toVlzk5I5xw5AxEenPgM4A9KsW2T8GsA9HldQSrHe9AvPmBj2cdYRay439t+ObMQABTsj6KNjJ08rj7gwj5ekARGOiPit7TkGGHq7+VH/2AzH/ziSTWqOn0yUE7ASsq5ZH3Iftc8AcgCRUvy8gBt826DINIBI7hKDfCVmWpMTvzyAV2b8tEJJVGI1GLBLoTyvF4GWohGFVY1DFeMAcdpbaDFXaFKnHL/oBtkBZRQX1FEkZGaQh5zuEP9ASI6BAoFAIPCZFEBidGMdX8gDQP+THB35Bdf3+1GoiKgyu+Y9wA6sUBRZxg7kwI4M2iWiCMt2ZL5FgSMFa/kES/m5Qo66KN4tB4BLDEiRU47UeHFFlTsazwaN2Pm4vSqQU+oe3HC581Gt8wBKw3VAiDoHh4roC3J+YU1U4R1XMwBAyq/QsesfOwHYADeQgpCkQEpjBlhDTeiTUQAbQDv0mcdD9bIEDAO2iw5zg1Xn+ogBk/PpIcpz2PtUBVjxK0AakIGMw9ea45cZYr8eMaCrcAYABWVsAGkDDIfzts3znHXRxU8F6x6h4egxA+Rwu3Lij2C2ARtkHVgb41rr9fg+ZgBLBahB7wEUyIYnxNHrdrvYttjTEbyjIqovN8CfAbUdPweYV5ps0E7CQKluQoplgLXrZB3b7gbbn2q0DWjbbgewGsH3oqiR/+82oOYzcIkig9Y+54tqh73hAIjIbPYi2Aa8vh5vToKMtgFF1LYtWohu8P/1AjXVAAaZkE1VlmtWSLqbYgdg3PHDjPBxN4jsxEgbgOIAG8BcxQBJf/6lhuLTBw7osFqMd0XK2MfSaEGwDDDiozhC1N1imhoH3O41K+rlRRGT7g5K0eBYjzzjEggEAtehKIhZVuiolvQ8bIDNIL7iyFd6FpboWJqCaHhK06Ahg988mGESuhYNDjQ0GxsoNaTANzbg2/R3XzEJEnEsZD3h0WiiQ9xi/TOx7ANe9goGrgGMAtz4gWRi4ibrVbwaNG/zswzYAEoBG2Pj7nsoUbrx1xw7xz82dTdVKcB6RUQrq0LziQYkOJIIA2R+8ztWRhnHP2KAslJGTzSPwdUdAyI0TTPfSJcDlgYIOCTTP47/ogyYvRHkBFBqSIEXNuDFzAD/Crj84jaA5RzIRm/FcjXaCJqS8//iXoABzUaDgWZ4d5pU9HHCAFn6CF8wmKzRsT4rqIcyIBAIBAKBeUkg5IygTrxXSFyftzc3fgg5IwBbIA3QZcqskNTq8Au2f+Wgy77S+OFtAiRkawiJhOYCYAscA9geIBneng7PrmAZYJdLA2wJjZSguUBPKQ1ge/T9URLVAJwKlgG1jElG7JfwG3DXGQDNbWXAXG0Ac1NtwMy9ADQ31AvcAAls+XQGBAKBQOATwVNfR6W+En5tlTVQ2T/R9+Qq1J0BCTjkPFkDOTlAfP/BufpGqbDuDCBUliu1cADufXSevtWJjQoN0a+EGk4BoMqo7rQBOJD4e9zdhunb+H6az84ato4PS3yjw9voOG9+z3+hPAUyhd2IAYsjOGkIDaGxuNWvFNcZ0NFA2e1CBTt8uN9+F52nb3UXoFr3gSlq82i4QFbYBjxuI5gDzb4Bcvt0QJLACv+BP7DNNwA2d3nVfCAQCAQuhK8PmNZyEtX5mtc3j/Yjrw/wazmN7nzN65tDT7PEwHJKi4mUZ2qxvhm0H3l9gNYa1ikBlHaap9LiwMug4Wr6sJzX72yPXA1veUNEVrmtNaT1JHJyNE6wJkpT/WCyPpf7NYjGylmylvcgMnVZlqw1RC3wtwZYD6TWe2/qvGGCpz6JgER9j6HT74cA+HSr45/PAHnvC8ivpw2azoCW+vgx2y7g1wzrKQMBTGSIR6OlFlpPIq8PkI0aN4Ivo40UXE0j5SONJLkannKtfBpoWXuZuxsT65tBTzH/QIbXN4/2M/9Qltd3bX1L1zsEAoFAIHA3oOdSfdP/XNsL4gOY0I9tAPwG6IU1QH4DCHRfBgAcoNDSIOhfHg0KGXBnBjx5G/DsvUAgEAgEAoFrc6tzYyXTsyARITo//gXdCwtaXGzAAvcb/0UZwPHeb/x2BmBxWkYMwAk7XpCtH7cNiE5w+eAX67vKgUszoK9/v/H/awY8TPyX9gIy/sduA6b7/7vLAc6AK4BF/3NH8f/ZKBi5AADUzjm/v2XQ+gAAAABJRU5ErkJggg=="},36114:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAZlBMVEUAAAD80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nz80nyRr7t6AAAAIXRSTlMAGBAyPwhgUSEuZkqgwEQnj82VbJ0MMIOuFiwdcJnvft/kuoF8AAANB0lEQVR42uyaQW7rMAxExaPM/S9ZRF0M4kGfENhQBYQP+IvfoUxyQstW2tE0zQmUanwzJR3ugOp2iyiqpHoL3mhITqBevAXEByRd1JJCNSVBAq938K6R8ASiAXWtR4JP0KoD2OEMro0OuH5sIXRycMAAhR7BzrgFT6DBCdCL5T2EEwAFbJ8AwyWSAcYBuAfQCM7gwx4Lzz0FeBNy8Fn9/0G/CDVN0zRN8wU88CZ49HtQqfhdXipoSL+AX/x9gN+EffUNllABYUAGXMNV6ZcD0oDCw+POw5Dr54pBng6CX+ynsTz/7cITbIoqrgzPhgsMm+o5EwC71vPfB3iPOGgP6KdA0zRN0zTN/6H7L/O3rq8dDXAH/AMW1+iz/Gmo4j+p4wq8voYy5H25UqMEUIBVzs/9ZMbQQ6UOMp0uokLECYoFSpHz43FZaQDImnAHvJwLcIOOvwToEj6J/B9YxCMsrfzNjsXLuYB1hg/aSzUDpPgB6nxFr+eBhpDVHpDqWU+Bh9bzY7JpmqZpmia5/2ep0u0C8LzImiZc3yL9ZwVAgojCDrgA6/IvpywRKjpAa14SDIwskN8JsAG+9iQ9sj/+9aQ1miCp0ICKdOsxQwck7F+r8VJGuAFNvEaDJ0iTOB/Dcdj5sYCrCg47OtZbz/UppwETaNAGhEFsAJ1OIz4DWJ7g+RkGxLcApBh0C5QX4y0AM575YRNTNhDkR5ZSboIGDfAmaHITpPUjUPFnxPJIhPfwIHgCEh3/fcAPO2e63DQMRWEt3pnCZJiQKcuP7/1fEqzUnEpCcgsGzKDPcdNredE5vpatxI796zfENBqNRqNxYjC/E0v9xEy+BHCoPniNA8Cx+smngK3qj1zj1bsM0pnJQgGQlR8HAZtNibQk5XtigdoMxILjmaBiiGY/2IDK892hKCqHvc8zwlAQoCiCZFkKix9vgIVcFFF5oJ4BJHKq5QoUkyqsz4zh4EawYIAcKO9xagbkS6j29RxXmJdrfcefCrAh4WPA5k3k/h0IgvrtBHuGFMoPhPoTLdjX9F6p6S+lS9mhk/fmT3+d02g0Go3G78X94ycyogDy/lwewq/oP9dPJaXq9CaJJQMUOxNBNTzZj2URBzz9lT0O7WSI+3eO9aUYdh854FTfVnF/1W7XdziD4tgAgglxfzYJI72WcxnARsUgpXfBgLzDmgXSz8kOgf0MyOcPRAYVM4CASgmc7AH5ehtQ3L2KcQaXtQEqP+3xXz0L1Jp8I9yPBVFwzJ5MfO064OXgzIuxJzTgp5H+RqPRaDR+iAfw5sX0AfOHGIGH0VS47Vy58QVqEn1a7Ot+9GaG2cgBn65+AiYjFCsQ4xPRApLE564b0YQRYMwudZfy09SDJzBEesHnsVZIWhvVup/pe+a++F3hRlyhJBCw5FtU74Su69ydxJCHyIBnDtCvoAyIDABjv2HgKd4ygIIB9HfYDKB3zvPcgMvlUn8Cw0AUVA2YIgNZpRPYDLGbIapgbPh1pZQBjOjtG2xtAKpgXOMrK1cZ4Kapiwx4fHw0KA6UYk3IDJD+tyADgMgA60gsCqD1P64UM8COrPqtPgfw4I0McIRRq7uDDoE3b5hlwMWsbeJF2/dheLUB0j++eVs2QPrZFAXQ+qdpgmIGWDvCaJ8bsL5kgAc8MuATwKdP2wR3bwRdIgcqBoQxnyADRqOQZRiBrmQAG9K7gtb/7t076IsZ4O04Wi8D7nHZgHd3MAE7M83zB2YbGeCVw4zrEBnQpwb0iQFEGbBIf9kAbe9jIEm5vi9lgLcBTyFmZB2jY3KeYTKBmSfmJAPKBuwfAhBvT/plAL7whMuNwG3nOmD/NKj6hNEIPFOW8by00Ru0+XxCboCZpP8QvB8C3vw0MB37w0l1JjrTaDQajf+G281UceBMGQhjHY8v9N9HVtTHXrizJN2zaT+WoqQ+XWcqXOFqYoZhUODwXg489MBtHtGFzgLLF6p3bXrg+b/IAVhWoNKfn+d5P072yfBdPQ4cnXbnYhakyDzAQ6IfGCbpBzmATepHGhve857PGOHNiASDgaJgzCUMSM5sMHMUmzi+9teZqP7DkFdQ4aJ4QRmnpBycLh3xAJ6iAS6g2Piv7J2NYppAEITXA/lRsJK2xEaTdt7/JQtHwnBs4GpNqZr7NJrhENzJshx4mOPuuD2mg/iRNh78qQFldxsGCCAf6aehXss6p05gYQZbzPvrewRUX77EKUFiOvEcwRI9TxnwWgWoccJPPGIYP6Je+TPg0NwKnlL60mcAtbiaGcD4k34LAOxa4vfXt4dlz5KS8eUWIOLR6ZwBzIA0a246fgswPh43bRJRH7obR0z02zh1RM12xp80ZBMGGDAjLO8dO81UeaxT53hJGRDRYR0/1zcygBrHw4/yx+ELGJ8l82rGL4SbAPVYliV1m/soZwygOZxgDKcrWPBdg6KhASJ6k+jlkxC/FsaviiAdML3aYdOWwl1vwCmBmX69DnSjiiic2Riq6geo095Kq7FCXp0wfrUbpAOGIk5t4bfNOoM0udwg8x0h3QcKBAKBwP8kBWKWcDR88VyH+C/J0ZD7RlL+NQZF81jAOIfzdGCHNM0yOpADJxlQbxFF2NYT4y1SvJJS6wmU+nOFHGWavjgOAJcYkCCXHAlfjEKKcW88A5wPm3lshCJFLsn44Ibt7ke1nM7mDrxNR9Q42M+IriHnC0uRAi/4MAMAJHyFjd3+uAlAA8aBpII4YXdNG+B0NWFPRgE0QE7oMo9d9c0GAA04rhqGKywa1ycM8I6nh2rP4W5TBeDEbwBtQAbh4StKIBkNoECv3ddjDdhZmAFAKhkNEGsAHUZe13meU6dN/JJSdyiNkZ4yQHe3i1H8EYY14ICsAftBv9Z5Pb5PGUBpANPrRwApsn6COno9HlfHmidI8NK+u/IyA/wZULrxM8C8sGS9HiUMjHFrhIGz6WQNx+YO159isgbUdbMBOEXwJU1L5P+6BpQ8Axcbp8y753xRnPBIB+wbH5a9CK4BT0+v91GCTNaANKrrGjXUbvDf7QVKKZmy+rPpYrPZUyFu7oYOgE+DKZlA7QaZEZaJGoC0hQaQDzFA051/KWF4+mAEGpyK8WLEgNtYEq0EjgGD+GQdIWrua/H1A673mhXz8GCEJKdWNR64RUafcQkEAoGPIU2FbAs0FFv5PByAQy++4pWv8lnYomE7FCKc1FKhkgG/2JkhnHApFVoqWYwDjOlT4BsN+Ob/7isSI1bHQmrChEYVtXGr5S/Etgt42ymAjA0gBhjHD8SegZvUu/Wu11zn4gawAhjTVwG0jN/DBptx/CVjZ/xTQ3cTkwDUu+Zh58xQ/UcDYrwSKwN0fvMdm0Eb458wwDgpYwear8HZRwZEqKpquZ4uA9YGaBgS/QPjvygDFi+CTABj+hR4oAEPKgMmF8D2i2sA5RLoorej3E0WwaFk/l+8FyCQxajQU/HvxT8ZM0AboFvv4gsG4z0a9mcFdVcGBAKBQCCwLDGUXBCUsecKiY/m+XkcP5RcEIAWaANsmxnOEJemfYDr36bXm26m6cPbGIhHAUNJxLIUAC0YGUB7gLh/ezY8dwbHALddG+BKWLSELAU6NtoA2mOf++OiEsBoBseAUsWkI/ZIzBtw0xkAy3VlwFI1gFxVDVh4LwDLFe0FroAYrvx0BgQCgUDgP4JPfR2VOQl+Ho3TUXn8RN+Ta1A2BsRgyHm8B3IZAfX9B+fqK6XAvjFAUDiulMoBjJ+j8/S1Dmw0qER+xlIxBYAik7LVBAxk/X3d3Pvh2/j+Np6dGq5et7f1lXZvo9dx84/8C+UJkBmcJgxYvYI3DaWhNFbX+pXiNgMaKhi3LhRww8f42++i8/S1bgJS2n1ggpLhQlJkqWvA/RbBHKgeKyB3TwfEMZzw7/gD2/wA4HCTV80HAoFA4EJ4fYBf60FU52subxnth9cH+LUeRne+5vKW0H626Nn6tBpIeaZWy1tAe1DXB1htoU4EkKTRHEqLlodeY6zl3XYuf7Q+GWvMtlfNs9PuaotY7UUPjgbhp8FJYn/xzs/2eQ2RqXZKav1sZ6HebDbUFpEa+FMDnF+0tltvAurO8an52Uyt558x1P9+2oc5Xdv4lzNAP3sC8miPQd4MqKWLH4tsAn5NqH0GAvBkyIxGLTWs9qKvD9BFjUXwYbJIYawniupUkZSxxky7VXMaqKk9LLsbU8tbQPtYviPD5S2gvSzfleXyPlpf0/UOgUAgEAjcDOi4VF/1P9eeBesWePR9G4B5A+yNGpB5AwRyWwYADFBpbRDsw4yGhAy4MQM+eQ347HuBQCAQCAQCH821jo3V+EdBIkJ0fvwruRVWsrrYgBVuN/6LMoDx3m78bgZg9XabMABvuPFiFP/91oDoDbb3flHfVA5cmgHd/Lcb/99mwN3Ef+leQMd/3zXAv/+/uRxgBnwAWHU/NxT/742CkQsAnOsjp3ys99QAAAAASUVORK5CYII="},48832:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAb1BMVEUAAAD8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vz8/vwLtayQAAAAJHRSTlMAGBAyPwhgIS5RZkqgwEQnYo/NlWydDDAWLB2tgXCZhe+2ft+AEhBBAAANEklEQVR42uyaQW7rMAwFzbvM/c/4AW0C+6FDFG71BZQDZBGTEslnWracXMMwnEBR11+m4HAFqNclqpGCujlvFCQ7EOCecJwgeFgLwvqhIALE+Jvz1pYooFSAeuYDcgZDgKJROJ1rgwKZv5Yg9gJKRjezh/Mn4hagIpx2AADtNaQdIAlEB2zDU2w72BwKGnmhbs6H3RZ++C7gi9ByPqv+L5gHoWEYhmEY/gA/8CR49HNQUf4sDyUFwUL08vcBBdRj9g2SWAIhQDo83amv9SpSgNLN447NUObvGYu5gBK9VM8EWJ9dALnBt4wr3bPgEsGW9ZwOkFXrl94HrNkOWgPmLjAMwzAMw/D/4P3D/Kv52VCAAfgBN/bwvfgAMgEeoB8BPMyky304abMAkYBYJb7MgCVAo1hWkOF4GAmjdlAMII0eX7fLpABiZuEV2HBNIAtkcXfg4b6QDmol8haGTt+sGB/uCfQRuvLimztAHBB7PyPQNrQE7NeAtJ51F/jl8QBcwzAMwzAMyfu/pcLrBHS/6DYWnl8T/nsJSIDw0go8gfvPStTN5FC2gWZNqQJmFI8fh6IAnRvsjUTBOlJhk3/zlwpQEa5vM1UAtH669oIczl2fzxgu7yAWsT/O7XDG9wTCKrtjyP182GN8mlOAhRQYAoRAvQCRQPiHQ28G3T9Lg3wuAQlx2SVQUO0l4C8dM74sYmQBQZ6yMMUiaOdIFsGAWJagX+fLz5GbrwS9hi/DOyDh+PcB/9g51x2nYSAK+5I7WpAqVBbE5c/3/s9I61DG9pDJFgoE4S+bdieuG5+TiRO3Sf1fvyCm0Wg0Go0Dg/udeOwDM7oG8FB9cI8DwGP1o5eAN/UXrnH3JsP6vhotGFT54yDh1ZJCS1W+JxawXoASnC0A2xDk8YEGGPd3p6KiHPY+z0iTEmDmB1VdVPXfZYAHLYqiPGFnAEqOUS6BxCiF5otxPLgTrA1QDmxvcSwDdA3SpOobBuhywD0WTzby1aMz8KqLtK9AqMC+nGDPEKP8QWDf0YK/Z/SKpd9Ilw2HDj6aP/x5TqPRaDQav5fwjx/IKALQ4zkdwq/oP9ZPJdXq5EkkmgYAEFwBZniwH8uiDFgfM3sCgcwg8koBF8hi2L3lgEN9W8X6Z12uHwgOiUsDSCaU49kqLPR6jmUANyyDQhFrA/SAVQWin4PtAvsZoF+fKA3SGaCvV5D4YDfI233A5uaVmOAIqg+Q8sPu/+ZRwOrynRB+LIgNx/zBxFvnAS+H4F6MP6ABd6P1NxqNRqPxQyJAdC+nv+D+FDPwNDuDjztnbnwGS2Ksi+OeHxNM6g2yGiMwOhUXgTB/o6ggkvjUdTOyYAaY1anusn039RBJDIVeiCrO37BujbS6n+h7pt74+nylbFAVCLDoNcrohK7rwkplyFNhQOYA/RUkAwoDwPkLDtaYWwawYQD9CjcD6EOI5AacTif7DgwHeWAbMBYGEi6QuBniw0rWwNLw85WtDGBGni5w6wOQBpYtPgNwFgPCOHaFAc/Pzw6dgTrWC7QBI/A6NwAoDPCByqJEtsLnK5sZ4Geu+r18DhAhOjEgkGZ5uxVkF3j1Kt8FTtde8fJ4g5imuw0Q/fOr19sGiH5uihLZCsdxhM0M8H6G2ecGOJcbEIEo9fkA8OEDbiWsnWBQ+7xhQJr1AjFgcBKyDDPQbRlQr5Axka3wzZs30G9mQPTz7KMYsMbbBrxZYQ39xDhN75h8YUB0UmFOU663rw3oKwMoMmBJ+g0DSsPfJ6qU6/utDIg+EdmImUlzvk9OE4xrOMHKVGWAYcDuLgDF+pJ+ZUAs11edB/DROA+45zAIC2l2ApFRZTwv7fQGWb1eoA1wo+h/CDEOieh+Ghgf+8NJNiOdazQajcZ/w5cvziRAMIohzTaRuDF+n4F8jL2wslTDs3E/FkVVe7rOGZzh7EqGYcj1xygOPPXAx2nOBjsLLJ8xr9qMQP5v5gAsV8AYz0/TtB9X22T4rp4AgU425+KWfJs+wVOlHxhG0Q/iAL5qH3XseHuZPpHrd3MmGBxsCsad0pQJnBxuKmJXxuf+PFG0fxh0AyVcJF5QGedmhiCnjkSAyKYBISGxi1/ZOxfGNGEoCl/DG8Ep3camdWu38/9/4zBUbpJbwpyO+sinrR4TwHt6uTwMdrvaLreFET8KiuhvDajx2t1qM0AAuaO/mzqhxGhPoeEM1qj3l/fzKI06UGOfIlW9+BFBE/0YM6DPOENjj1/4CTN+RPTXBtCOXqniU0qfhgxgTbbmDOD402ENAPRS4veXt4FmwyUl48k1QMRHpz4DOAPSrLvJ+DWAezyuDknEetffeMTEsI6zjlhzu7H+dmQjBijYGUHvHTt5qjySwjxekgZE7LCMn5fnGGDo7eu3+tvrJ3B8mmxSc/xkopyAlZB1zfqQ+6h9BpADiJTi1wVc8G2DItMAIrlKDPI7MdOaOH5RBNkBNagVSqISq8GAfQrlmV4EWooiCqsbhyr2A8Rpb6HFWKFJnXL8YjPIDiijuaCOIiYzgzzkdIP4d4TkPlAgEAgEPpICiLmEo+MTeQDof5KjIz/j+n4/ChURVVDWkAN2YIWiyDJ2IAf2ZNAuEUVYtiPjLQq8UbCWL7CUnyvkqIvixXIAOMeAFDnlSI2JK6rcvfFs0Eicj9urAjml7sENtzsf1TpPoDTcB4Soc3DoiL4h5wlrogovuJgBAFKeQseuf+wEYAPcQApCnAIpjRlg7WpCn4wC2ADao8883lUvS8AwYLvoMBdYda6PGDA5nh6iPYe9TlWAFb8CpAEZyDh8rTl+mSH29EgA3YUzACgoYwNIG2A4nLdtnuesiy5+Klj3CA1Hjxkgd7crJ/4IZg3YIevAxtivtabH1zEDWCpADfoZQIFseEEcvW63i23LH3biBRVRfb4B/gyo7fg5wLzSZIN2EgZKdQNSLAOsVSfr2HZ32P5UozWgbbsVwCqCL0VRI//fNaDmM3CxIoPWPueLao9noDKLm1n2ItgGfP/e3x0DMFoDiqhtW7QQm8H/txWoqQYwyJhsqrLcsELc3RU7AOOBn2aE9zeDyI6M1AAUB9gA5iIGSPrzLzUUnz5wQIdVMV4UKWMdW0cLgmWAER8lEaLuntDUfsD1XrOinp4UMen+oBQpu8jIMy6BQCBwGYqCmGWFjmpJj8MO2A3iM974TI/CEh1LUxDxSwcaNGTwm3dmmJguRYMDDc3GDkoNKfCFDfgy/d1XTIxYHAtZL3g0mugQt5j/TCz7gJe9goFrAKMAN34gnhi4yXqVrAbNy/woA3aAUsDOWLj7HkqUbvw1x87xjw3dTVUKsF4R0crq0HygATHeiIUBMr/5HSujjeMfMUBZKaMHmifg7o4BEZqmQUQzwQFLAwQckukfx39WBsxeBDkBlBpS4IkNeDIzwD8Dbj+7BrCcA1n0VixXo0XQlJz/Z28FGNBsNNBw0q2Pci22ccIA2XoPXzAYb9CxOSmouzIgEAgEAoF5iSHkjKCOvVdIXJ4fP9z4IeSMAGyBNEC3KbNDXKvDL9j+lYMu+07jh7cxEJOtISRimguALXAMYHuAeHh7Ojy7g2WA3S4NsCU0UoLmAj2lNIDt0Y9vkqgG4HSwDKhlTDJiv4TfgJvOAGiuKwPmqgHMVdWAmbcC0FzRVuAKiGHLhzMgEAgEAh8IHvo6KrUn/NoqGgDw/EDfk6tQdwbE4JDzeAPk5ADx/Qen6iulwqYzgFBZrtTCAbiP0Wn6Wgc2KjREv2JqOAWAKqP6oBlwIMnXpLsPw7fx9TienTVsnRxuyZXu3kZ4pgPP/BfKUyBT2I8YsHgDRw2hITQW1/qV4joDOhoouy5UsMOH++130Wn6WlcBqvU2MEXN4YIKZIVtwP0WwRxonhsgt08HxDGs8O/4A9t8B2B3k1fNBwKBQOBM+PqAaS0HUZ2ueX7zaD/y+gC/lsPoTtc8vzn0NEsMLKe0GEh5ohbzm0H7kdcHaK1hvSaA1p3mobQ48DRouJrebef5O8sjV8Pb3hCR1W5rDWk9iRwcjSOsidZr/WSyP7f7NYjG2lmylo8gMnVZlqw1RC3wtwZYT6TWa+/aecMET38SAYn+HkOn3w8B8OlWx39BA1Ki1GOAfPQF5NfTBk1nQEt9/LjcKpCm3jfk1wzrKQMBTGSIR6OlFlpPIq8PkEWNi+DTaJGCq2mkfaRIkqvhadfKp4GWtZe5N2NifjPoKebfkeH5zaP9zL8ry/O7tL6m6x0CgUAgELgZ0HOuvup/ru0FyQFM6Ps2AH4D9I01QH4DCHRbBgAcoNDSIOhfHg0KGXBjBjx4DXj0rUAgEAgEAoFLc61jYyXToyARITo9/gXdCgtanG3AArcb/1kZwPHebvx2BmBxvI0YgCN2vCBb328NiI5w++AX65vKgXMzoO9/u/H/awbcTfznbgVk/PddA6a3/zeXA5wBFwCL/ueG4v+zUTByAQBgAGlfOv28YwAAAABJRU5ErkJggg=="},3132:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRABE2zymuwAAAAd0SU1FB+gEGhAiFSquI88AABqVSURBVHja7Z1rjCVHdcd/bTuxCPHaIcRe7PWusBJsEjDZGVsRj0hYxLmTSJsA8jp3BwUIODsOhKfIzuDM+INnMXOHxPiBo13LJsjSPLLrALGl+A7GGJmwAszs8oxDEmxmcdiFDyEsHyIH4c6H6ld116u7751753b9R3du3z5V1VV1Tj26zqlTwe/h0WScNegMeAwWXgAaDi8AMtqEtAedic2EF4As2qwAK00SgV4LwODbT5uwcswVYB86EYhTHnwZewhZAMwdYJj8mWBrP/r4YfT0tjaM7dkxE6uVQLB/NRIBU8oj1EdkBaAXHeC+GinEceN2WB514kJAwCqwSkBgSLlOGYcOQbIOEBcxbgc6hFConixEOkGl+HEr0z3f9uywZt5dU7aVcQsh7QHMHaArTG3QPnyIp5tYaE6lXts0DUHZlOv1M0OGoPRKoLkVmdpgWqlV2449BXPbNOfd3AemKdv6mS2F8gJgRjjwqmmzUlnAzENQnPLgy9hD9FoAtjrarIwSe+3wAtBw+JXAhsMLQMPhBaDh8ALQcHgBaDi8ADQcXgAaDm8PkI876PxvMsrYA7hZBNiUMW2jPYD5CXb21LEHsKvDRd5HSkjK2QO4acDMVahn0D7NtWvaNvbbUl/JfetTHxlrgKI9gIB+NTwOZdK36em22C72AKbcmZ9uj29GGKUdf48EZHsA1bWMVadeQB3G3j5d7AFM7c8tb3rxCa3WBmWetCVQRRlkUrgOuz2ASbhs/U9ccq8ONmDwlVPXHmDQ+d9keHVww+EXghoOLwANhxeAhsMLQMPhBaDh8ALQcHgBaDjOGXQGhg7hAFf566+Vls7/OfWi96USBpmD0JqD6qoge8wBlFweAkIw6vpd/AOEFShlUfUZtvwL1gfGVOzCUTW2WwlcQpWIe5YUwFb8wKEA+viBQwW5FCE0KHtc8hcYaPJ3uWfEFHsNmEtoFqDQEhtsjVjKf3YIcC2+zlrHXklBDzr40KiJtI2idXIQJrEDJTX7dNVT4ualz0NooJvTTktnbgbZXAZQdhIYOrQeWygX6azWxt2YGzikbmKQS7pVa8DUBF3SttdBgV7mNTDt4lxCqWnmLtAuweY0bF2sWxdta0G2p7tMIqvCLuJ2upSDMj2AW9dZb5YbOPYy/cpjYOxg3dINHMJUhXmYNg+AyrjnaAINDoPOwVZ+foW4fiWw4fAC0HB4AWg4vAA0HF4AGg4vAA2HF4CGQ94cGjtLHRzs/sD7CZcacNGIVotn2xvt+pRSSAUg3hjl4u69WgX0DtXSsuXcrQZMrmZTbVy7dGyhp4z/9GVoV66BMJdLQL051LyF00Wj3Vbc650I6NJycw2hz79bDeie0c5tr22Xip2WwNYD1duaXtigK28Nc3GnbtuCrdsg6mZJY8+BLh27C3d7zt0c0qs1BkXWBjm6bWN5yhzV/sRQStmsMNYprINimLIC4F4BQYm4bjkwV6HL8+17+/XPt8W2CYC9DswMtAuAWYA0AlDuLSCtgCoqiyCThjr1UPo2Pb8K0nxXnUOYnr4vosYjuNqDgOn5cUz1HMCWcuq7wbS/OZ/LkvYApgqQJzCm4pszZyqiKY1s0exmXyoW2AXQVILVnAOJ1dIpuMHE3tXk2Bu3XFJ2CHAzpwqtLiLMo2Cd2G7Vqy6H2xhc36TNlE71Q23scwAlvH+ALNrWE5NGDl4AGg6/FNxweAFoOLwANBxeABoOLwANhxeAXmOQ6uwKyNsD2GDSV7kUvV1T391v1M9dYFnsHrKyF+0BTDBpzF1WCWON3T6HDaZ61N1cZd4eHli3v9oZrItvSn1ASBeCstmye/stLjZmt0ZWO/3bdaEZTBo7W+xAGy57V6ftNG0eDZ2o7iXdFKjnADqjA7O+Kh0aqhgtiJZjN5vS+zAIcdX1BSXuqp6rer59Z/NQIn9eQFqFZU/gzg8hQYm4MdVtC7R983Z1FxImNtp6CPeUTT4CNhlpD5BVFFbJmu0kAbuyte7oGGR6EHUPIX+rQvSmFaueIPceQ8J+eQhYTTKl6sBFBy/MvdRYNdoDuGj77e4hzEhtAdQmFeaqTwchvXeROGRQkpoNUdWgpi9QawNDbQfuoizVTQJ7oWx1s1qsOtF0mUQCFgEdGua6wKuDZQxN17xZ8CuBMhrGfi8AjYcXgIbDC0DD4QWg4fAC0HAMnwC0hktbNurIC4CbLtuksgmdqLoQLbqb8io2aD8IQ4Ny7uJd3EkHTNTIT5dYSFrGcFVd1qcYoRPA60AWAPMqtXm1O27VLbpKEQiThVL13j3R9U8kIbqa+PFVNafq2d7H7aj5EUcqALK79yJSfbjOZXpAELF/Tfksc9cuuv41Jgx7Z+Onq58vWxTkU3FzH9E4xL6C0yoze7y2abJi9lcfx9ecXDnrtPU6i4DYWiGlj9AR8HWQNQkLcv9V0JsyuBlE6I3KYnrcf+hMMtQ5tLlPkFv/iB0BXwept/BslekdjNhPvXA9VkJHFyIQFuYRsSJY7ZVfzk+v3Mo3AGXeAtIq1tnk2Y5kMtEnEmoXCArziCDzdNVAZLYnkt1HeCSQzwuwWaqZzC7rnmSxlqTt8hoZON6LsYqf9SsxbAYhofYdwqMvGLaTQ333vMkYPl2Ax6bCC0DD4QWg4fAC0HCMkgDMJisNs31J/zLGor/LBl3U3kEIwKGo4jY4VDmlRy2afhtCnpCsBcoycZb55HpeGXu2lnhcxlNcyzrrXMtTShGYteZ+f0Tdr3mGnm6LCffm/sxPSLgk1gFCHuJJ4HymMoHTV7JDyf3D3KhJOl0kOspew86iYuoCSzyZYSEs8yapcudz4ec4WIIu51CVu/0cln5PcY/0e4xrWWAcWGeGRziurQH1M1ycSetP/rQdii1CpDVvK2Oy5BcLwCIAn5OCr2USLwrISXZpqvcoKEUgZDy5XlcU8atclfktC4DQBEwmtPwWsZA5SQTmmNfu39Ups8al3/kcjrHOODuAl/EhxjUCcAqAF1XcYRQSL2kHzpRsCLMA5EU8gHQhKGZ9Nx8gwpPACX7MpwzZH4u+92pDbDPEXuZJSQDyOCxt/z4s9VUAByERgTkO5nqEtAL1FbmNx5Lra5R52MFFBDzfkMu/NNDMPaBZHR8oUiknYjH7/4YPZG+nK4FdSwIn+HEhjJyFF0a6vFBhzyPwq4b0J/mq8fmPk6qMD/N4QQBSESh2/gKt3Hcxd9cZczrDP3En8G5mlPFPA09nrouYYz75bC5i9t/H82QRcF0KVrE/jxcAcBbPaUNcAKCZoNh6gFgE4DCPa8MEoJ3kXZ37zmMbH4+u3qagXkIHWABm6LCnMATkNalVt5navSTYQnyCtxbuCfYf5XnAOwGiQb+ELqDI/nwBL7Cm8UvJ1XiBZusB4LKI8Y9zGU8p6LM8xSHgcWY1fYAZv8y7k6s82uziQfYzA5xNyAzPNxiUzHFQyaRdmY8OY9hgC/EWhQBMcRjYy9FoHrXItCBUVwYV5fv51jh3Rt/jCpqtBxBMFyKgeg2bleiqXmBH7ltVRTCDaOfyELOLBci8FyxohgGB+Rpd/HrNEGqbjnsgEgHIsN8kAHOZ62KnU2T/5/gb6VcR5i7R3APMKV7zytAhHqLS73wV3QOE/ALzhVdAIRL5O51c6WyTPLgh8yliOXnLgeWKIfSIRUBi/zDZA8wCL838frJSN14XISjY38vUBQaj9t7PYZn9wyQAHgPBKOkCPCrAC0DD4QWg4fAC0HB4ARgtPJbRZzhBFoCWw8ZsPVxO3nTDrFKjPpfRZRff8g8RSn95y4YjOfoRxXOz2vL9faADfN5SP53c+kIZvDb6M2OJJZbiH9nXwBZd5oB5hW3+Bm+IVqAe5RFezJRSnfs0e4GjvJircspacH/3jXX7cvg5bonuitRuVuj7jia/9hbiu+rjxQrfQl/ocZgAWJLU3QAdDjBBF5igm39fp0UXOMr1HGEvKPdPfJ8dwDNcaqjdpWgxaZnPcV9WAAT7hTatKAIh+yzewG1rhWI/4Sd5I5/kjTzEHk0FzXKQQ0wVdHrpkavqw1ddjm//Ly7hh1zEM+zQbD6doUNIwDQLWjpgoH+ZM2zjd5T0uPqXgcmSNRhTjybq9iz9SEEJf5TrFc8/xBTL3E83trfIqoPj5dR55io5aslu6VJrDm/he2xwglOs8wNliFnm2cGNPNOHdcCnuZjvciHf5RK+pw0l1tJnjHRknbqEMxzXqmvi1jeppE5ItabbIKe2tvg1hzsAfwCcx5sBaLGWCsAT0mr6PHM8oVWb6rCGzZnzzTzEHj7D7/N5XqswLptlnsNM9YX98GL+ld/kP/gNvsFbFSqVdwGxsdS0In5MBwz0bYxpDF+WJMbn1/I7HEjSF1tkF5VPUeMa/oVXZ35/UWHS8nZgJ7CHjL1VLABXExtTiO+DfWHBLXyP/+ZLnOJLbBSoMfvnjM8ODfrwicQ9jaoH+jYv5Vv8Ot/it9JJUII2dxLr+6cVyp+UfjY/N9DTOYCMdOwV+ELJupvIlSnfQ7xGqpXXaJ+fa6DZSWDcetU2aePs50beHplzFKUzlOIWR9ii2WZQoJvYn3cBoRojYwFYU9LfzgeZ4Tbez4f5Oz4q0ScLIiGrhOrSU/bnp34pWrkhYM1A11GfQai78/QlJqOxP2fL6S4Abl76W8RDQdk5hGCwvvXHbwExVG8BE4mLGrWAyCi+p3yAvzXmrg49IDSy3z6NTkVA9QZwG+/lAa4HjnAdt/N+ibrEJA/xUybzcfNOotJ3+bI4SkhIly5hZBmsL6IudVPnP8/NmV83F/qTKUTH343KMKWgm37DPi376tOXrewXRlqiY58gMdmSsMYEaDbQ/4yPR/P+6/k4P1OE2MMky/m4rurg6RrLEx5l0IESkz93iCGqIILeHqDh8LqAhsMLQMPhBaDh8ALQcDRPAITaWPVO00lUue9ySOc85d2hOx7ehqwATCcVUP01pLp/gLpoESbbtY5rrRo+G73/HyiIwEc4wD3cwzt4B3fy3kJMUTsPRr/OA86L/gRu4mOE3MIthHyMmwrxze4r8tYMeXuGIt0WoujpQaZHSF8Dp1ngJA8Db+XcRO1ZTMR2yjb0y+p9iUlm6DDNgmJRRTz5BGMcZ7cmF/GC7A3cS3Gl8JXJ9Rm+rVgLPcFXmGKGTpSOvBxuV4fHq/ddpSLZvPaqcp/ZzYUIEkOZeYXLz5CJTIxEnZ2qgxeiVeLjnMuzhX0vw4BJYIErmQQmCwJwgt3A7oT9JxQpXBR9q7enPsUv8hPgfP5PSf8KNzLFCxKdfvl+8upo/TJEteo5y3yyq1DVhNZ4MGNFUezhhAhembku4k/5OQDfj29kh4CHgePs5gSfKF009yNlTLGVnVQCoWebzFxnMRaxPGZ/USff4nXGPPwvPwHgJ7xeQT3GFCHQjthfXNYdz/ypMa+5FvmfB+YZY5xxpUVBiz3AIYRitwizu++ALjPsYBeXcmlqMyTvDRTsH1N6CgpzV9WUPaYs2tCJWj8sK/unsUzrV7G/K9k85Nfav82ZjCOcY4X4r6YDHGAnOp3eNs6ULlOKS5LvB4E/UoT4K0DoMKYQej8ZIalYFZvPLPAD4OeczQ5u5VFxO3tewLOcG1XdBjsrmHxhDOFm8GR6QlZLr5qjfD3q/qBoFyezX8XAaf4k8+tu7jM8XSVgwjWGGDzOKF3gTEijdn6Mv0G6H3JfYQ6QVRaf4IOl5wA3QWSFsZTWbjoEzHAuz/IVDrHBTkUXmzpaV7tcz95VhQhyf2aq6gkLEfPS6yxi9ouBYEc6ygGpwdsiEwTK9tvhAXZHf0X2wwIneAh4FDHTKGKNz/B5zuNcpTnWnMXBxgVcwL1cwK9E/83YrbgXzwGuRN2gdnE2u9jFLuCmOEQ6BAj/F6ITnBnCKaDYHD1Dh2+woNgcLdj/DGORbWzeC4Bgv2nidivX8Z/AxQr2AzzCNCHrfIQuu7WWfw9pUj+YcRqxv7D/+HC0uT79fzgXYkduU3nRy0HWUkptNaXwjFBWGzjI10AzWnSTjv/77MhpzdXzbnXu1fkX84tn+WPWIsOMbfw0F3eVf+dJVrW1FBIk+wUOF7yQ/SHzkUneHP+c62MOKewXZJd9+RBFh35K/wVeHZzFHv4a+JCmFS9xHndHYtXiGK8qiFgWKgHImsXZxXFT4AWg4WieLsBDgheAhsMLQMORF4BDWn/hd/G1ZJH2a9w16Ix79AbyUvC/cTnwWq4ohPuUtD7+Cl7BDt4w6Mx71Ee2B7iDywG4nDtyoe5K2J+u0L1e2QucIow8ZqvwP1EPYl9mGsaFqFMZRdWp+skNB7IC0AImmKCoanyVMq7q7vboo8b50fcBS646CoMNWIoqf0kbzxbCRg85lZhrFFn8Is31lkYqAKL9r7FGsQ9IFz2zalq7V9s8AgKHc0HFPtm8CKSbGyc1DLSFWGKSOxjnDm0KsJ35SEj0YjxSSBeCxPg/gdhg9R1pHiB7uDT5uzzCXo1rAgGxiHpS4S65E63Tx9uk8+v2dkesIbDM/byZSWWIkDsiU6/beY82hdMJ68uc6LFlEfcAnWj870Y6q8srjsJPk/rMV6EL/EjhPyfu9HXsd8X9rHG/gSp/p3AxYZkFTnOa09CnY6kGgLgHyKpBiioR9x7ABrGHN7+5MWW7nv2D7wFOZYaF06MyCxA9QNraW5kJYHr3y8q4qrsdyxw/UBwMD9ORfY6p9S9rruW7k3QTLzxF+nu4nTFu5z0GX9vbnSgjM0OID43SUKPv23ifgvrR3B70NCV9z6BXJ9s7f7uTBVsIGz3kNHdHWrpTmjZe9SSQIYUQgFNKic52cyu0c9RV9inidDhgHL9N9gS2uMOBkRQAFyzwu8mb/zG+YDwxY5TRWAHwGEl4bWDD4QWg4fAC0HB4AWg4vAA0HF4A8ugYdQIdq8ZgiyErACEbFhVQ746EGBSe4AkjvWO0VehYLRm2HOQeYCcHrEKgRio8LW0KHTYiTUOHjYIIyeJ3REE/IqWkEkH91vI43lVcZSifO/tdrJq2BPK+ggVOsqpcktV7Ew6leCH5NX1ReQHQoc1O8WxDCkfYW6ALOwNdfLkE+tM6dFTZGbWdOiIrgmoBAPWJEzYBgNjYQ1YKpb82IuZhSUEnAPr4chq9YLGeGiq2X29RqCeBJ1k0WPXocZLFhP2LmQoKWIzu7mKRkw4p6GCLvzkYCdYLFAVAsKC8Ti6O12KDxcKZG9MELLJBi2ktE92ePF1ZCEy+BwR10Rg3Sw0NYbcU5CFAN/anIfQnCgw/zJ28QDpXKU/dkshuDLEXLHAOOYxwyfU0JqN1M3VLwquDGw6/EthweAFoOLwANBxeABoOLwANR14ATHtvPUYQqQC0+DQAF/I2ja99oWf7rIbqsSURC0CLbuJ+9HK6SibPsMgxXkfXYaE4r5A9kvMEfmST6R4axAtBx9nNl3glIZ/lWkKlO2SBFvew0+pMtuiqOP9bdpTYb7qHBkIAWnT5ERcBj3CcaX7IhYo9vCFwgru5jw12ag4wFeFUvqrHI3fq2zjDtoI/7ZBreIxrMg7X1fTHEl/8Kvo469EHhb9uDwWELuBq4JsAXAvAN3kdVxcYPMOVTHIvsJ8u79QKgBpXABcDsJ2zFHsRhXOZ7ZwFPKd4O7k4+lwBPKdIfzvwkoj+Ev924wohAE8AL8/cfXl0T0YHuJ8uN7OLE+xRpqc3k7hQ+vXRyLN9iu28LyMWRfqFvC/6mOKLMNsVdA8l4jnABjuTTdNLTCqduAgl8CGmuIGrmdL6w1YNAUfYK/3O2xv1m+6hQSwA4jyMH/FNXs6FqE8MSK0BFoEDynOuwtEymBp9ZI+N+7PIT9B3+PtRsXn1sMHbAzQcfrbccHgBaDi8ADQcXgAajlQAbOcB1KUv8MWE/kXFuX/9pve7fIOmV0T8FvCpwnm5n5bOA6hLt7mZ6ze93+UbNL0yzr4M4C7eXKBcwQt5OLquS7+NPy/QX8b5iTah3/R+l2/Q9BoQQ0Dq+T+7bepViqss8vTV5GjZVW38wBDfln4+hX7Et5Xfln9z/NPSxjRdfBM9mwt1qUsi7ypW7Qza5ko23f27AuxDvTu4bvou8e3pq9xhu8YPUG8wC0v8DjOpFOlHAdirrb/47ge5lZ7s0FJtDcsXM09HQw+jcbc4HufTCTX3zenbCxz3QLbYgVbkXFLX5c8l/RCzZ4HrjDm4iVsz7O8JzqmfRAbPZf6XR2jtEczoDYP1DcCef3tcm5rsAQPtJj7Mh+kp+3s/BCwBb6L6EFC/i9fnr5hCtS7clL4pf8XzF8rRhQhk2d+DIUBMAm3nAbjRV4BJJqOrLD17EnaouHs8Q7XRMdJR0uX8h4W7X5YoNnrV+onLF1am3yqxX/3UkhACcEzKQIxjiqss8vR2UoFtbfzQEN+Wfj6FfsS3ld+Wf1P8vPOqsnRA6vzVpS4JsQ6wxhW8LEdZzZzsU5f+ML9dOIzy07xl0+j9Lt+g6TUgBAD+kedxFpdGd4+xzF9I4erS/4EXcm5i8/d1HsiwZzPo/S7foOmV4Q1CGg6vDWw4vAA0HF4AGg4vAA2HF4CGwwtAw5FVBtlO5x12ukcFyNrA8eRqXRm6Lt1j6FAcAuqxbt2aQr2WG9ROwUNCXgBsDFxn3UiP3TPoYGOgzpd3jLCirt9Dg7wAjIORgeOMG+nCQ4ceIWaDCdOBL2A3qPAoieIQMF4hFTm2OYV67dcmQB4loT8yZvhm+f4toA8oc17AsNM9KsAvBDUcXgAaDi8ADYcXgIbDC0DD4QWg4di6AtD2C0K9gCwA9dfZQmYJme17vtusSA4gPCpCFoB90WfQsLVuwf7VQWdzFCALwArxvr5Bwta6Pft7CNceIKRd+JRDWPhTQ7BXL4Yx+/0coCeQLYJWWGVF2bYCYDX3KQc39+0x+/cZ6at+DtAryAJg6gH2JayJP+WEYL5wp3ikSzuTvip1mf1+EOgB5L2B9R29h8wxrzyvp/hmkA+TZb8qD579fYBrD1Af9iOcyrG/rQnnUQrD9BYQsBp9ilCx388BegB5CGizSnsoO9cw6vTz3x414f0DNBxbVxfg0RP8P2vBpxnlgirJAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},19394:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRABVsYyGSQAAAAd0SU1FB+gEGhAiFSquI88AABqFSURBVHja7Z17jCRHfcc/bTuxCPHZIcQ+7POdsBJsApjcrq2IRyQs5Mwm0iWAfM7cogAB59aB8BS5XZxd/+E9zM6SGD9wdGfZBFnaR+4cILYUz2KMkQknwOwdzzgkwWYPhzv4I4Tjj8hBuPNHv6q669XdMzuz0/U97c1M/6qq6/Htqur6/epXwV48moyzBp0Bj8HCE6Dh8ASQ0SakPehMbCY8AUS0WQFWmkSBXhNg8M9Pm7ByzBVgHzoKJCkPvow9hEwAcwcYpv9MsD0/+vhhfPe2Nozt3kkjVitB1PyrMQVMKY9QHyESoBcd4L4aKSRxk+ewPOrEhYCAVWCVgMCQcp0yDh2CdB0gKWLyHOgQQqF6RETpBJXiJ0+Z7v62e4c18+6asq2MWwhZD2DuAF1hegbtw0d0d1MTmlOp92yahiAx5Xr9zJAhKL0SaH6KTM9gVqlVnx17CuZn05x3cx+YpWzrZ7YUyhPAjHDgVdNmpTLBzENQkvLgy9hD9JoAWx1tVkapee3wBGg4/Epgw+EJ0HB4AjQcngANhydAw+EJ0HB4AjQc3h4gH3fQ+d9klLEHcLMIsClj2kZ7APMd7M1Txx7Arg6P8j5SJClnD+CmATNXob6B9mm+u6Zta35b6iu5T33qI2MNULQHiKBfDU9CmfRterkttos9gCl35rvb45sRxmknnyMB2R5A9V3GqlMvoA5jfz5d7AFMz59b3vT0Ca3WBmXutCVQRRlkUrgOuz2AiVy2/icpuVcHGzD4yqlrDzDo/G8yvDq44fALQQ2HJ0DD4QnQcHgCNByeAA2HJ0DD4QnQcJwz6AwMHcIBrvLXXystnf9z6kXvSyUMMgehNQfVVUH2mAMouTwEhGDU9bv4BwgrSMqi6j1s+Y+aPjCmYidH1dhuJXAJVSLuWVIAW/EDhwLo4wcOFeRShNCg7HHJX2CQyZ/l7pFI7DVgLqGZQKElNtgeYin/4hDgWnydtY69koIedPChURNpG0Xr5CBMYwdKqXh31V2Sx0ufh9AgN6edlc78GIi5DKDsJDB0eHpsoVzYWe0Zd2vcwCF1UwO5pFu1BkyPoEva9jooyMu8BmZdnEsotczcBdoZbE7D1sW6ddG2J8h2d5dJZFXYKW6XSzko0wO4dZ31ZrmBYy/TrzwGxg7WLd3AIUxVmIdp8wCojHuOJtDgMOgcbOX7V4jrVwIbDk+AhsMToOHwBGg4PAEaDk+AhsMToOGQN4cmzlIHB7s/8H7CpQZcNKLV4tn2RrvepRQyAiQbo1zcvVergN6hWlq2nLvVgMnVbKaNa5eOHekpk3/6MrQr10CYyyWg3hxq3sLpotFuK671jgK6tNxcQ+jz71YDunu0c9tr26ViZyWw9UD1tqYXNujKW8Nc3KnbtmDrNoi6WdLYc6BLx+7C3Z5zN4f0ao1BsWmDnNy2sTxrHNX+xFBK2aww1imsg2KYsgRwr4CgRFy3HJir0OX+9r39+vvbYtsIYK8DcwPaCWAmkIYA5d4CsgqoorIIhDTUqYfSp+n+VZDlu+ocwnT3fbE0GcHVHgRM909iqucAtpQz3w2m/c35XJa0BzBVgDyBMRXfnDlTEU1piEWzm32pmsBOQFMJVnMOJFZLp+AGU/OupsfeuOWSskOAmzlVaHURYR4F68R2q151OdzG4PombaZ0qh9qY58DKOH9A4hoW09MGjl4AjQcfim44fAEaDg8ARoOT4CGwxOg4fAE6DUGqc6ugLw9gA0mfZVL0ds19d39Rv3cBZbF7iEre9EewASTxtxllTDR2O1z2GCqR93NVebt4YF1+6u9gXXxTakPCNlCkJgtu7ff4mKjuDWy2unfrgvNYNLY2WIH2nDiVZ2207R5NHSSupd0U6CeA+iMDsz6qmxoqGK0ED05drMpvQ+DEFddX1Diquq+qvvbdzYPJTICyIrC8gfIRwesJ81XPn5ApsurtoE6C1PXBUW1+7qFqOPjow/ICCAqCqtw2HaSgF3ZWnd0DIQeRN1DyJ+qEL15ilV3kHuPoeknxCFgNc2UqgOPOvjI3EuNVaM9gIu23+4ewozMFkBtUmGu+mwQ0nsXSUIGJaViiKoGNX2BWhuom8aAi7JUNwnshbLVzWqx6kTTZRKJIQdb8DAZrw6WMTRd82bBrwTKaFjzewI0Hp4ADYcnQMPhCdBweAI0HMNHgNawLJI2A3kCuOmyTSqb0EmqC9GiuymvYoP2gzA0KOcu3k0VM1EjP10SkrSM4aq6rM8wQieA14FMAPMqtXm1O3mqW3SVFAjThVL13r2o659IQ3Q18ZNv1Zyqi71PeY3lCCIjgOzuvYhMH65zmR4QxM2/pryXuWuPuv41Jgx7Z5O7q+8vWxTkU3FzH9E4JL6Csyoze7y2abKS5q8+jq85uXJW7/7XO1VPjNky+QgdAV8HCQGSqjWZTIF4aIIa9Y9E0fUf8t3zeZAPQijmcEW6d0DDtoDqkXkLF6tM72DEfuqF67ESOnlEgbAwj0gUwWqv/HJ+euVWvgEo8xaQVbHOJs92JJNJPpFKu0BQ6AcC4e6qgchsTyS7j/BIIZ8XYDtwxGR2Wfcki7U0bZfXyMDxWoJV/KxfiWEzCDHPATx6jmE7OdR3z5uM4dMFeGwqPAEaDk+AhsMToOEYJQLMpisNs31J/zLG4n+XDbqovUNEgENxxW1wqHJKj1o0/TaEPCFZC5RtxFnm0+/zytiztehxGU9xLeuscy1PKSkwa839/li6X3MPvdwWE+7N/TPfIW2laB0g5CGeBM5nSgicvZIdSq8f5kZN0tki0VH2OrhzzodY4kmhCWGZN0uVO58LP8fBEnI5h6rc7eew9HuKe6TfY1zLAuPAOjM8wnFtDajv4eJMWn/yp+1Q7ChEVvO2MqZLfgkBFgH4vBR8TUi8SJCT7NJU71FQUiBkPP2+riji17hK+C0TINIETKay/BaxkDmJAnPMaz0Y6Da+jUu/8zkcY51xdgAv58OMawhwCoAXVdxhFJIsaQfOEjGEmQB5igeQLQQlTd/NB4jxJHCCn/BpQ/bH4k/94uI2Q+xlnpQIkMdhoVAhh6W+CuAgpBSY42CuR8gqUF+R23gs/X6NMg87uIiA5xty+ZcGmbkHNKvjA0Uq5SiWNP/f8EHxcrYS2LUkcIKfFMLIWXhhrMsLFfY8EX7dkP4kXzPe/3EyZfVhHi8QIKNAsfOP0Mp9FnN3nTGnM/wTdwLvYUYZ/zTwtPC9iDnm07/NRdL89/E8mQKuS8Gq5s/jBQCcxXPaEBcAaCYoth4goQAc5nFtmAC0k7yrc595bOMT8be3K6SX0AEWgBk67CkMAXlNatVtpnYvCbYQn+RthWtR8x/lecC7AOJBv4QuoNj8+QJeYE3jV9Jv4wWZrQeAy+KGf5zLeEohn+UpDgGPM6vpA8z4Vd6TfsujzS4eZD8zwNmEzPB8g0HJHAeVjbRL+NNhDBtsId6qIMAUh4G9HI3nUYtMR4LqyqAiv59vjXNn/DmukNl6gKjRIwqoXsNmJbmqF9iR+1RVEcwQPefyELOLBRDeCxY0w0CE+Rpd/HrNEGqbjnsgpgAIzW8iwJzwvdjpFJv/8/yN9KsIc5do7gHmFK95ZeSQDFHZZ76K7gFCfon5witgRIn8lU6udLZJHtwg/BWxnL7lwHLFEHokFJCaf5jsAWaBlwq/n6zUjddFCIrm72XqEQaj9t7PYbn5h4kAHgPBKOkCPCrAE6Dh8ARoODwBGg5PgNHCY4I+wwkyAVoOG7P1cDl50w2zSo36nKDLLr7lHyKU/uUtG47k5EcU9xW15fv7IAf4gqV+Orn1hTJ4XfzPjCWWWEp+iK+BLbrMAfMK2/wN3hivQD3KI7yYKaU692n2Akd5MVfllLXg/u6b6Pbl8HPcEl+NUrtZoe87mv7aW4jvqo+PVvgW+iJPwgTAkqTuBuhwgAm6wATd/Ps6LbrAUa7nCHtBuX/iB+wAnuFSQ+0uxYtJy3ye+0QCRM0fadOKFAjZl9tZU/b08Gg/4ad4E5/iTTzEHk0FzXKQQ0wVdHri1k/VHVyOb/8vLuFHXMQz7ND4OJihQ0jANAtaOWCQf4UzbON3lfKk+peByZI1mEiPpup2UX6koIQ/yvWK+x9iimXup5vYW4jq4GQ5dZ65So5axC1das3hLXyfDU5winV+qAwxyzw7uJFn+rAO+DQX8z0u5Htcwve1oaK19BmjHFmnLuEMx7XqmuTpm1RKJ6Ra022QU6/c/YbDFYA/AM7jLQC0WMsI8IS0mj7PHE9o1aY6rGFz5nwzD7GHz/L7fIHXKYzLZpnnMFN9aX54Mf/Kb/Mf/Bbf5G0Klcq7gcRYaloRP5EDBvk2xjSGL0tSw+fX8jscSNOPtsguKu+ixjX8C68Rfn9JYdLyDmAnsAfB3iohwNUkxhTR58G+NMEtfJ//5suc4stsFKRJ888Z7x0a9OETqXsaVQ/0HV7Kt/lNvs3LsklQijZ3kuj7pxXKn0x+Nr8wyLM5gIxs7I3wxZJ1N5ErU76HeK1UK6/V3j/3gIqTwOTpVdukjbOfG3lHbM5RZGcoxS2OsEWzzaAgNzW/fF5RMY8hGQHWlPJ38CFmuI0P8BH+jo9J8skCJWSVUF151vz5qV+GVm4IWDPIddJniNTdefkSk/HYn7PldCeAm5f+FslQUHYOETWw/ulP3gISqN4CJlIXNWqCyCi+p3yQvzXmro48IDQ2v30anVFA9QZwG+/jAa4HjnAdt/MBSbrEJA/xMybzcfNOorJ3+bI4SkhIly5hbBmsL6IudVPnP8/Nwq+bC/3JFFHH343LMKWQm37DPm3z1ZcvW5s/MtKKOvYJUpMtCWtMgGYD/c/5RDzvv55P8HNFiD1MspyP66oOnq6xPOFRBh0oMflzRzREFSjo7QEaDq8LaDg8ARoOT4CGwxOg4WgeASK1seqdppOqct/tkM55yqtDdzy8DSIBptMKqP4aUt0/QF20CNPtWse1Vg2fi9//DxQo8FEOcA/38E7eyZ28rxAzqp0H41/nAefF/yLcxMcJuYVbCPk4NxXim91X5K0Z8vYMRbktRNHTgyyPkb0GTrPASR4G3sa5qdqzmIjtlG3ol9X7EpPM0GGaBcWiSnTnE4xxnN2aXCQLsjdwL8WVwlel38/wHcVa6Am+yhQzdOJ05OVwuzo8Wb3vKhXJ5rVXlfvMbi5EkBrKzCtcfoZMCDFSdXamDl6IV4mPcy7PFva9DAMmgQWuZBKYLBDgBLuB3Wnzn1CkcFH8qd6e+hS/zE+B8/k/pfyr3MgUL0h1+uX7yavj9csQ1arnLPPprkLVI7TGg4IVRbGHiyh4pfC9iD/lFwD8ILkgDgEPA8fZzQk+Wbpo7kfKmGIrO6kUkZ5tUvguYixu8qT5izr5Fq835uF/+SkAP+UNCukxpgiBdtz8xWXdceGfGvOa71H+54F5xhhnXGlR0GIPcIhIsVuE2d13QJcZdrCLS7k0sxmS9wZGzT+m9BQU5r5VU/aYsmhDJ376YVnZP40JT7+q+buSzUN+rf07nBEc4RwrxH8NHeAAO9Hp9LZxpnSZMlySfj4I/JEixF8BkQ5jikjvJyMko1Xx8ZkFfgj8grPZwa08Gl3O5gAhz3JuXHUb7Kxg8oUxhJvBk+kOopZeNUf5Rtz9QdEuTm5+VQNO8yfCr7u5z3B3FcEi1xjR4HFG6QJnQhq182P8DdL1kPsKcwBRWXyCD5WeA9wEsRXGUla72RAww7k8y1c5xAY7FV1s5mhd7XJdvKoKEeT+maWqOyzEjZd9F5E0fzQQ7MhGOSAzeFtkgkD5/HZ4gN3xv2LzwwIneAh4lGimUcQan+ULnMe5SnOsOYuDjQu4gHu5gF+L/zdjt+JaMge4EvUDtYuz2cUudgE3JSGyISDyfxF1gjNDOAWMNkfP0OGbLCg2R0fN/wxjsW1s3gtA1PymidutXMd/Ahcrmh/gEaYJWeejdNmttfx7SJP6QcFpxP7C/uPD8eb67P/DuRA7cpvKi14OREsptdWUwjNCWW3gIF8DzWjRTTv+H7AjpzVXz7vVuVfnP5pfPMsfsxYbZmzjZ7m4q/w7T7KqraWQIN0vcLjghewPmY9N8ub451wfc0hhvyC77MuHKDr0U/ov8OpgEXv4a+DDmqd4ifO4O6ZVi2O8ukAxESoCiGZxdjpuCjwBGo7m6QI8JHgCNByeAA1HngCHtP7C7+Lr6SLt17lr0Bn36A3kpeB/43LgdVxRCPdpaX38lbySHbxx0Jn3qA+xB7iDywG4nDtyoe5Kmz9boXuDshc4RRh7zFbhf+IexL7MNIwLUacERdWp+skNB0QCtIAJJiiqGl+tjKu6uj3+U+P8+POAJVcdhcEGLMWVv6SNZwthk4ecSs01ik38Is33LY2MANHzv8YaxT4gW/QU1bR2r7Z5BAQO54JG+2TzFMg2N05qGtAWYolJ7mCcO7QpwHbmY5LoaTxSyBaCovF/gmiD1XeleYDs4dLk7/IIezWuCSJEi6gnFe6SO/E6fbJNOr9ub3fEGgLL3M9bmFSGCLkjNvW6nfdqUzidNn2ZEz22LJIeoBOP/91YZ3V5xVH4aTKf+Sp0gR8r/Ocknb6u+V1xP2vcb5DKnxlcTFhmgdOc5jT06ViqASDpAUQ1SFEl4t4D2BDt4c1vbsyaXd/8g+8BTgnDwulRmQVEPUD2tLeECWB29SvKuKqrHcscP1AcDA/TsX2O6elf1nyXr07STb3wFOXv5XbGuJ33Gnxtb3eSjMwMITk0SiONP2/j/Qrpx3J70LOU9D2DXp1s7/ztThZsIWzykNPcHWvpTmme8aongQwpIgKcUjJa7OZWaOekq+xTxOlwwDh+m+wJbHGHAyNJABcs8Hvpm/8xvmg8MWOU0VgCeIwkvDaw4fAEaDg8ARoOT4CGwxOg4fAEyKNj1Al0rBqDLQaRACEbFhVQ746EGBSe4AmjvGO0VehYLRm2HOQeYCcHrCRQIyNPS5tCh41Y09Bho0AhmX5HFPIjUkoqCuq3lifxruIqQ/ncm9/FqmlLIO8rOMJJVpVLsnpvwqEULyS/ph9VXgB0aLMzurchhSPsLcgjOwNdfLkE+tM6dFLZGbVdOiIrgmoCgPrECRsBIDH2kJVC2a+NuPGwpKAjgD6+nEYvmlgvDRXbr7co1JPAkywarHr0OMli2vyLQgUFLMZXd7HISYcUdLDF3xyMRNNHKBIgaoLyOrkkXosNFgtnbkwTsMgGLaa1jeh25+nKJDD5Hoiki8a4ojQ0hN1SkIcA3difhdCfKDD8MHfyEbK5SnnploS4McResMA55DDCJdfTmIzWzdItCa8Objj8SmDD4QnQcHgCNByeAA2HJ0DDkSeAae+txwgiI0CLzwBwIW/X+NqP9Gyf00g9tiQSArTopu5HL6erbOQZFjnG6+k6LBTnFbJHcp7Aj2yy3EODZCHoOLv5Mq8i5HNcS6h0hxyhxT3stDqTLboqzv+WHSX2W+6hQUSAFl1+zEXAIxxnmh9xoWIPbwic4G7uY4OdmgNMo3AqX9XjsTv1bZxhW8Gfdsg1PMY1gsN1tfyx1Be/Sj7OevyHwl+3hwKRLuBq4FsAXAvAt3g9VxcaeIYrmeReYD9d3qUlgBpXABcDsJ2zFHsRI+cy2zkLeE7xdnJx/HcF8Jwi/e3AS2L5S/zbjSsiAjwBvEK4+or4mowOcD9dbmYXJ9ijTE9vJnGh9OtjsWf7DNt5v0CLovxC3h//meJHYbYr5B5KJHOADXamm6aXmFQ6cYmUwIeY4gauZkrrD1s1BBxB1jrl7Y36LffQICFAdB7Gj/kWr+BC1CcGZNYAi8AB5TlX4WgZTI0+xGPj/iz2E/Rd/n5UbF49bPD2AA2Hny03HJ4ADYcnQMPhCdBwZASwnQdQV77Al1L5lxTn/vVb3u/yDVpeEclbwKcL5+V+RjoPoK7c5mau3/J+l2/Q8so4+2UAd/GWguQKXsjD8fe68tv484L85ZyfahP6Le93+QYtr4FoCMg8/4vbpl6t+CYiL19Nj5Zd1cYPDPFt6edT6Ed8W/lt+TfHPy1tTNPFN8nFXKhLXRJ5V7FqZ9A2V7LZ7t8VYB/q3cF103eJb09f5Q7bNX6AeoNZWOJ3KKRSlB8FYK+2/pKrH+JWerJDS7U1LF/MvByNPIzH3eJ4nE8n1Fw3p28vcNID2WIHWsq5pK7Ln0v6IWbPAtcZc3ATtwrN3xOcUz8JAc8J/5dHaO0RzOhNA+sfAHv+7XFtarIHDLKb+AgfoafN3/shYAl4M9WHgPpdvD5/xRSqdeGm9E35K56/UE4eUUBs/h4MAdEk0HYegJt8BZhkMv4mysWTsEPF1eOC1CbHKEcpl/MfFq5+RZLY5FXrJylfWFl+q9T86ruWRESAY1IGEhxTfBORl7fTCmxr44eG+Lb08yn0I76t/Lb8m+LnnVeVlQNS568udUlE6wBrXMHLc5JV4WSfuvKH+Z3CYZSf4a2bJu93+QYtr4GIAPCPPI+zuDS+eoxl/kIKV1f+D7yQc1Obv2/wgNA8myHvd/kGLa8MbxDScHhtYMPhCdBweAI0HJ4ADYcnQMPhCdBwiMog2+m8wy73qABZGziefltXhq4r9xg6FIeAek23bk2h3pMb1E7BQ0KeALYGXGfdKE/cM+hga0CdL+8EYUVdv4cGeQKMg7EBxxk3yiMPHXqEmA0mTAe+gN2gwqMkikPAeIVU5NjmFOo9vzYCeZSE/siY4Zvl+7eAPqDMeQHDLveoAL8Q1HB4AjQcngANhydAw+EJ0HB4AjQcW5cAbb8g1AvIBKi/zhYyS8hs3/PdZkVyAOFRETIB9sV/g4bt6Y6af3XQ2RwFyARYIdnXN0jYnm7f/D2Eaw8Q0i78lUNY+KdG1Lx6GibN7+cAPYFsEbTCKivKZysAVnN/5eDmvj1p/n1G+aqfA/QKMgFMPcC+tGmSv3IkmC9cKR7p0hbSV6UuN78fBHqAYeoBxOYPtHLf/D2Faw9QH/YjnMo1f1sTzqMUhuktIGA1/itC1fx+DtADyNvD26zSHsrONYw7/fynR014/wANx9bVBXj0BP8PmH2cSu3btugAAAAldEVYdGRhdGU6Y3JlYXRlADIwMjQtMDQtMjZUMTY6MzM6NDYrMDA6MDCWXdlaAAAAJXRFWHRkYXRlOm1vZGlmeQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAw5wBh5gAAACh0RVh0ZGF0ZTp0aW1lc3RhbXAAMjAyNC0wNC0yNlQxNjozNDoyMSswMDowMFEBbEkAAAAZdEVYdFNvZnR3YXJlAEFkb2JlIEltYWdlUmVhZHlxyWU8AAAAAElFTkSuQmCC"},6411:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAERUExURXd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IHd2IGH+rSgAAABadFJOUwBYR3wiMpjhvct3ZpyyiaqlWk5650BlhVOLRpGUY2FNoGhtm3O/fcC8463l6eSBjl3f3eC51tvSxNXU12LacP4Nzplp+DgqFhzFedGnyJPQ2K/wzZCIsLvHq+OLyoQAAAABYktHRACIBR1IAAAAB3RJTUUH6AQaECIVKq4jzwAAD2tJREFUeNrtXQtj27YRBslIqumYkhu5S5s4br0mczYvyV5d13Vt1KZr4zqpu6Trev//hwzgC4c7PMRSpmgbn2zJR4AA7uMBvANAWYiIiIgRIIFk203Ysv4wcgZ6Ny8Bv/4JZkBlHpYQYoGgYBJA22Okq9QEHwFgFYCnAnJ++eegJkEtkBOQ0PYY6fQKMgLo6bwCljkZkAHWfrsKnnTOoCC5/aXbMifeTBsFs2DeRHqBuYV4rzC3AE8DhrcAOymsiT4C2NnATMRTOjHB4ceANfi41LsA7ULD3wW2jpvuCEVERERERESMGJfuCW7ZD0pYtAbUeU/oGTS7EeAnrALffACbEJKlD0qJpQGMAJaBZjfDxYRVQAnwRJeq9CGDIdZ+e4s9yZYZlcRzughMAUJJwGDTAdyChc1mjWhtjfmAxCzN16O2bQFWJJ4W958P4D1kq2NAGNf9LhARERERERERsT30c/yDrmmw/N6BR88CgC+nQofcvdvHtwOwBgVKA/8Rrh5JBp7FPB1cafYKvA2wpPrrt5XgI4ils8KYBrw6IIngSGwYZeWRE8CVuEb9PFyGEAF8Agj8GoRP92QxFaxzkzkrMzst0MufNYfXhLwdSNgshDBuOd1vouEauqgX7OOWPUTgTw+USC4HBC9IoAIQ1jrdqdu+C1zy+eHbZERERERERMRNRf9tqT3djMSyG91dpM0PDS5VBarv1oC1KvDH82xt1dIAlC7w4tQaXp3K7A5OwLq8zxvJinTXb4lvqQK+ssF6URE/Ai9P8tZaNrsnXgICe8OF1cx8DHj5SyzTPYHpByOcbcLh5gBbOycWxMJhSzTOHtkQazTAnmplmJROz7fYgPt0RgBrAW+emU67WJgAewOcl3CtZBYwuwmwrq3zFXrnBWBdgHSRYBew9/LEmYMx7N0cwPNYDEyYBQi2Qh8ggAyCJJUNS6EZHFq/5Rr5k+2tcBC4TvAesACeedzzAdt+PiYiIiIiImLUuNy7OHdUyKOyljM261iEi4Nu2TvqD/wIjv6sZ2DW1lovJxrTzOAU2cqOf+GrO4DtFjd9x2pt0vN0eMDVt2QAprAwok8vIWAvsy8B7ue7yyTP9wPY5jPM9WrWXl9w0JwLrtM3TkATbroISCzhMG+6J57i6bbVaSCp4M8MG6QgsbSQhbuATRS8fdhSGp0Q8e5ZsRJAu8TGwzs9qKnJBBadmc/3W9KJYOv2mBDGT4CQEOH9Yc7osOiUPDESiF5Dm4BC8w/++aNriOuuX0RERETE9UZ6xW9kFrcDfMtV1Bv+NfqPaSnAusxiel9pcDUQUlKoVxRiVIshbOuyQPGKUjWFFAVDZnyXQmUBOr+wLoEzAsfSbYBHL3R7vdTfiM4MAqAiwYhnqYj1TWBcBFiW3zlBKZEpAfhTWGI3dCxpu9hYusAaFsDymzs2KoIcFkD3KzR0j0Z/piMbA0gO6wxNqq2EjgGWDTKjMX/dJkPCH44hH+VP7QqB5S+FAb8rswMDnI5uF4neA31IRkhAX3TRPyIiIiLiZiFTfkK2fv5bE4lbQ7VuKhs3m/pyvBPw3GCncpVcKmY0OfPzcUvkALm4RQpAZ+xKcVc4ZJoobtcgJzQqwV5RTJGzV/5tEFK6RXO++7kRF7WGC0PftsVUZitbu3V60+pJDpMJ5BOjAYIFE3SvrVWoDsxtNbZBWlEUaQVCyMwgADEAykQnusYdgwBZ9L5E60pDYwGu9e6qOF3gBCbvvnsHMAHL5dL/BIbABIgAAbsGgaBURwckIQkmpGqgSfiBgssCYAroQ1VcjwGAGmi0+KA8/UAT8O57u78xCLh79y7bHu+WyQFKgNL/fUyAaVIg9TdtDD5I1QtVeFfBaQH7SnWY7ut5gKy0/5YAVT6aYquK0wXKLnDvHu4CSyEvgXxvT8jK168kQOl/+/77bgISckAeSZL9BIUwcHh46B4DYF8yIPXHBJQ/LQHlIIgIeKDOfvCgOXBUDYJHRB10AieAPaIhCAEf4vmJ+eK2fC9cBNAK4aMSqMLj42PQJsosINufTuWb7gKl7CbguEJ9IMnhvTy/Azl+Rgh1IXngt+UL6zuhBEwIAWBYwFzr7yGgLe7jEsTkJi0B1AKy/RLNJWIyqDF2CkafzPP2LpA39edOC+AEhLoATq/GwKLN3BKQmfW1xVV+ALwjHCAWELoNVu2Zm3Mwmb51A1c4MOgtcPX8ACWgZKAQm0OWLUp08PUYh6brEs4OvaaVdjeqf0RERETEyPHwoT89Be+8NoBt6yNBpsPdR+Vt6lEj1sF2G2PPa3nenlu5Jrtry0L8jrSn8N7XZLR1QA7J2zbWP8s0AzPlRZ7kUxTsyCbPd1pHzkpFpo8/ql3xhgF5sgJZaTI9m1y5gmvL1fVoNSiUM5e29/ZUcTvH1/QxwGOiv3KUDrX+yjdvo1+6O5w5ZgJ+L197uEGZvM4Zym+sDdLYQvxBnIo/4vg2l0JuyMKUDyYHSFbtXyxcDYTa2a/lxuCQxcnGLlLtOlYzFm10xQmoZgcQAU8ePH12/wGaNsqkfWe4PV4C/gR/lq+/YAWV609kHHzI2HiSU9+3lWtnPrXX97AR0Tgwg72F5KASdpoZmx0XAfUogCxgD/4KD3WDpP5oyi5sAX8Tn4i/6ymlY2IBx8QCjokFLIzYQ/aAapBq41tS36eV9GnbwDKYx7EDqDFA6xcm4MmDDz+SL7v+taeOCUihnHVq5H/AZ/L1T7RjwujjpXyHyCi97L8SHzkIaKK71GgQsR+BYY7yMJmKQyNeJARkhGGif7sjwiQAyZ9/cnd2919f1PJ+U9zuevLCvHqCdYFaxuLjx1pWtt/Od1oJEARqj1Aq3JOSQCa5H9UN1ncBtcVIuLqE6u6kOL8siP48gE+x/uLpl3L4m3/5tCVA9v/Ucz5TdM4GUXOSlU3yEz+ATnsT2fYNMD55QfWnt0FRberSyeWKwO2iPR9YCQZycQVRdAjwDR8oIiIiImILmOKJaeXKwTHL81z/eclbC1XoAd67H/RpQQor+b7Ct+YTQK7m+/DVV19/DV+g5uwp/UvIP+7chydP4P6dJp3st2imG5r5hlamB9rgjfpNOcym0xcGA/4vFwthIcvKUbQJkoEV9cYPtef1jcK/tSu6msoCFiy4adON2JQ9ZF0HrzqPdB0zGezoxcEqQQdXyjFewQvLbtlfSYBytdAZSvfy1zQATcC33z1//t23uj1TAcUCr+xQAowtI1BORqEND6mopipS7Wtnaj4GEfBMrdXhCleKdRcBNLzk6pL0skshi1qVstY/NfNDaeu77ekvZdIMuaswIRsyzPPLdVCUAVTgKeM5gS1gPsf71fOzMxVeagKk/gJNgVHGabBgF4mJt+1vbADpX13BZgz4DHYl4GWboSiM8+HAT8CR/PNI/TTJysCmcIgsgESvz57tPzuDk7bAF6p1s80RQC3g+1JuZuVq/bWC+arEoXm6JgzSDw4ODgwC6itbfRxKfC5/yIaHlXMMODtTHQAPgi+m09kGB0EyBnxfjwE1A0r/wghH76j2HurTV3twghhQBR2hYa+ZvGn0+/jj+ocYiHMMmGZnZ2dwhhmgt8FN3wUeq4lZ3R4auq3mcz1hJUdA+ZNqBsD4aP7cbQ7Q22BpESUcYwBMFTABtmvYhwCCtLz2jxs/wLJH0BxhpbW8SNVI+bxJPX+SmF/rIspRo5YmmZrSy5oNG939gO3j6NWrIyQu9hRX6fOWMdpgtnMyIiIiohemeHf06x/UEPPD6203akBcAFy0wo/NqPvjtps1GO4pde/VwuvqjqPetQ0sYYlP+I/FmRGb23m2LPlf9i9oXVyoAOqiFt5oAt60OYjbYPMjCk0JW3qgB6gMS3VPX3rLv0TcqxS+hyqnrgdrT0oPFNooAhs3lfx28tZcnWXVDUmAHAFUCH1hVG62YY4Xxir99fJiYepv27q7SBdYv7fy7a2RYblFAormehduAgrS5QFOU5yG9bcRkBomU240nxjhtEFABsvlcjhPVyvsJoCfg/SXuhuDYm8LGHYQLA2gemim1OGVJuAVylT4C8DpvceAYaM1Oug91eJTnImcRBgw+Ol9FxBiwCFwqRWuWnDeiOdYRzoGYKnY/O7zrQbrP6lpWXj50zbbMKbZioiIiIiIiEtGAT7xsgEz4sis9YREH+zsUP3BI14+AUAoMAgo01KcoZil6s3IoELmRp5XmdzhbUF854IlQ7lCNiABJgUmAVVa2+by8kj1aAaDAJzOCaDBIp8MMDfjDkIA3gxMCSinP+pGlh8z3OY6AyZgZtEprLEhbvL/B6xFwIAWsBYBA1vAsGMAxdbHgIHvAny+Y8t3gRFgu35ARERERMTNhv85suuO9L8Cfv4c7d2UXsrJDfqeXPUcKfxcoOcZ8uKl5QGKxjeh33/QVR4dVvA/SYBAu5MVKzPGAH2yVO/X7yaPDSmcCvFzIU7x09arQxnRms/XakUmBxP5027fhgNzP7uSwZQn6jUZqXub1fvmT/QVyhegdtvvOQgovxot2W++Xw8SSBJ1oJH31Ut//55Kl0eS/ZESUFqAxCm+4mpcWBm7kxEBX1RoTbyjPDrMynvgAu15kcHoFA6nDgKu3SCYA5yenOJhv5qO0CEpbPg/XI4N+YW8PhdX8qn5iIiIiIjeoM8HhGS6iaqr3LW+vnII9PmAkEy30XWVu9bXVw5ef2jxeh2ZbqTsKnetr68cBH0+4I0uoJHPlW94XsvVVtoy/VUrA5WFM/2NTn/jrF+AN13t6CTpgrZf4OcdfABdAbRyU4ioV4PPz/HqcCg/T2f59RK5LR2vntk/wWiP+OWXX4TZHiHO1lxfA/RMr0NWvfecNBg3iOUXTCF/fkJAsD2i+XXIZ5X+myNggb6DzkKA7bOLQsH6LRbis4AzUem/NgHhLqC+fauLiYe6CIQI9HYpQfJTWTJw1uYPgj4fYBnUmkFQD2J0kAIquwdV6yBJ66eDrJne8OOSVR9o5SCGvo31vY12lcMY2pHp60h1lcMY2pXt60p3lSMiIiIiIiI8qB2HS5NHD/L/A8PyNSQA/ASUL6yg8BMg6D89HDeqryQEj0wIgubNJZN/fzd2RAu48WPATb8LRERERERERGwaydXxBIK7ICHrvtE1If8faMxIRKCtaxBAr/dV0n8TFkD1vVL6mxZQbm8vXw4C2rU3U1+DQ3X2tR0Dsgam/viKV/pfHRvoawFV/qurf18LuPL6970LOPS/tmNAAFr/q2MDQQvoAqV38xsRMXL8H46Lpn0W3YdPAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},64886:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRAB3ZOzHrQAAAAd0SU1FB+gEGhAiFSquI88AABqqSURBVHja7Z17kGVFfcc/B0goY1iIMbDCsltSiWCimJ2BSvlIlZRF7iRVm6jFkrtjRY2SHaJR0TI7I5nhD2bFuWOCLEhqlwJjUTWP7BI1UBXuiIiFcUvF2fUZ8hIcJO7qHzGuf6SIJSd/nFf3Of0659w79849/Z26c889v+4+3f379eP079e/DqbxaDLOGnQGPAYLLwANhxcAGW1C2oPOxGbCC4CINivASpNEoNcCMPj20yasHHMF2IdOBJKUB1/GHkIWAHMHGKZ/Jtjajz5+GD+9rQ1je3bCxGoliNi/GouAKeUR6iNEAehFB7ivRgpJ3KQdlkeduBAQsAqsEhAYUq5TxqFDkK4DJEVM2oEOIRSqR0SUTlApftLKdM+3PTusmXfXlG1l3ELIegBzB+gKUxu0Dx/R000sNKdSr22ahiAx5Xr9zJAhKL0SaG5FpjaYVWrVtmNPwdw2zXk394FZyrZ+ZkvhnNIxbMzTV039LtOewiqm/itwiKsbAsWUR4b9VXqA0UablVFirx1eABoOvxLYcHgBaDi8ADQcXgAaDi8ADYcXgIbDC0DD4e0B8nEHnf9NRhl7ADeLAJsypm20BzA/wc6eOvYAdnV4lPeREpJy9gBuGjBzFeoZtE9z7Zq2jf221Fdy3/rUR8YaoGgPEEG/Gp6EMunb9HRbbBd7AFPuzE+3xzcjjNNOvkcCsj2A6lrGqlMvoA5jb58u9gCm9ueWN734hFZrgzJP2hKoogxqs2JsY8NsD2ASLlv/k5Q8HCV9Ya+1gYOvHJN4usQddP43GV4d3HD4haCGwwtAw+EFoOHwAtBweAFoOLwANBxeABqO8htDRh3hAFf566+Vls7/OfWi96USBpmD0JqD6qoge8wBlFweAkIw6vpd/AOEFShlUfUZtvxHrA+MqdiFo2pstxK4hCoR9ywpgK34gUMB9PEDhwpyKUJoUPa45C8w0OTvcs9IKPYaMJfQLEChJTbYGrGUf3EIcC2+zlrHXklBDzr40KiJtI2idXIQprEDJVV8uuopSfPS5yE00M1pZ6UzNwMxlwGUnQSGDq3HFspFOqu1cTfmBg6pmxjkkm7VGjA1QZe07XVQoJd5Dcy6OJdQapq5C7RLsDkNWxfr1kXbWpDt6S6TyKqwi7idLuWgTA/g1nXWm+UGjr1Mv/IYGDtYt3QDhzBVYR6mzQOgMu45mkCDw6BzsJWfXyGuXwlsOLwANBxeABoOLwANhxeAhsMLQMPhBaDhkDeHJs5SBwe7P/B+wqUGXDSi1eLZ9ka7PqUUMgFINka5uHuvVgG9Q7W0bDl3qwGTq9lMG9cuHTvSUyZ/+jK0K9dAmMsloN4cat7C6aLRbivu9U4EdGm5uYbQ59+tBnTPaOe217ZLxc5KYOuB6m1NL2zQlbeGubhTt23B1m0QdbOksedAl47dhbs9524O6dUagyJrgxzdtrG8bfRFHEopmxXGOoV1UAxTVgDcKyAoEdctB+YqdHm+fW+//vm22DYBsNeBmYF2AWhbnFkrBaDcW0BWAVVUFoGQhjr1UPo2Pb8KsnxXnUOYnr4vpiYjuNqDgOn5SUz1HMCWcua7wbS/OZ/LkvYApgqQJzCm4pszZyqiKQ2xaHazLxUL7AJoKsFqzoFEv5zmm9i7mh5745ZLyg4BbuZUodVFhHkUrBPbrXrV5XAbg+ubtJnSqX6ojX0OoIT3DyDCLIAjCS8ADYdfCm44vAA0HF4AGg4vAA2HF4CGwwtArzFIdXYF5O0BbDDpq1yK3q6p7+436ucusCx2D1nZi/YAJpg05i6rhInGbp/DBlM96m6uMm8PD6zbX+0M1sU3pT4gZAtBYrbs3n6Li43i1shqp3+7LjSDSWNnix1ow4l3ddpO0+bR0InqXtJNgXoOoDM6MOursqGhitFC1HLsZlN6HwYhrrq+oMRd1XNVz7fvbB5KZAIgKwrLHyAfHbCesK98/IBMl1dtA3UWpq4LimrPdQtRx8dHH5AJgKgorCLDtpME7MrWuqNjIPQg6h5C/laF6E0rVj1B7j2Gpp8Qh4DVNFOqDjzq4CNzLzVWjfYALtp+u3sIMzJbALVJhbnqs0FI710kCRmUpIohqhrU9AVqbaBuGgMuylLdJLAXylY3q8WqE02XSSSGHGzBw2S8OljG0HTNmwW/EiijYez3AtB4eAFoOLwANBxeABoOLwANx/AJQGtYFkmbgbwAuOmyTSqb0ImqC9GiuymvYoP2gzA0KOcu3k0VM1EjP10SIWkZw1V1WZ9hhE4ArwNZAMyr1ObV7qRVt+gqRSBMF0rVe/eirn8iDdHVxE+uqjlVF3uf8hrLEUQmALK79yIyfbjOZXpAELN/Tfksc9cedf1rTBj2ziZPVz9ftijIp+LmPqJxSHwFZ1Vm9nht02Ql7K8+jq85uXJW7/7XO1VPjNky+ggdAV8HiQAkVWsymQLx0AQ16h+Jous/5Kfn8yAfhFDM4Yr07ICGbQHVI/MWLlaZ3sGI/dQL12MldPRIBMLCPCJRBKu98sv56ZVb+QagzFtAVsU6mzzbkUwm+kRK7QJBoR8IhKerBiKzPZHsPsIjhXxegO3AEZPZZd2TLNbStF1eIwPHewlW8bN+JfILQabOW26D/WlH5jlAHaz6lq/CsJ0c6pm0yRg+XYDHpsILQMPhBaDh8ALQcIySAMymKw2zfUn/Msbiv8sGXdTeIRKAw3HFbXC4ckqPWjT9NoQ8IVkLlGXiLPPp9bwy9mwt8biMp7iWdda5lqeUIjBrzf3+mLpf8ww93RYT7s39mZ+QcinaGBLyEE8C5zMlBM5eyQ6n949woybpbJHoGHsNO4uKqUdY4kmBhbDMW6TKnc+Fn+NgCbqcQ1Xu9nNE+j3FPdLvMa5lgXFgnRke4YS2BtTPcHEmrT/503YodhQiq3lbGdMlv0QAFgH4vBR8TUi8KCDPsEtTvcdAKQIh4+n1uqKIX+Mq4bcsAJEmYDKl5beIhcxJIjDHvNaDgW7j27j0O5/DMdYZZwfwCj7MuEYATgHwkoo7jEKSJe3AmSKGMAtAXsQDyBaCEtZ38wFiPAmc5Md82pD9sfh7rzbENkPsZZ6UBCCPI0KhQo5IfRXAQUhFYI6DuR4hq0B9RW7jsfT6GmUednARAS805PIvDDRzD2hWxweKVMqJWML+v+aD4u1sJbBrSeAkPy6EkbPw4liXFyrseSL8qiH9Sb5mfP7jZMrqIzxeEIBMBIqdf4RW7ruYu+uMOZ3hH7kTeC8zyvingaeF6yLmmE8/m4uE/ffxAlkEXJeCVezP40UAnMXz2hAXAGgmKLYeIBEBOMLj2jABaCd5V+e+89jGJ+Krdyiol9ABFoAZOuwpDAF5TWrVbaZ2Lwm2EJ/k7YV7EfuP8QLg3QDxoF9CF1Bkf76AF1jT+KX0arxAs/UAcFnM+Me5jKcU9Fme4jDwOLOaPsCMX+a96VUebXbxIPuZAc4mZIYXGgxK5jioZNIu4aPDGDbYQrxNIQBTHAH2ciyeRy0SbwuvrgwqyvcLrXHujL/HFTRbDxAxPRIB1WvYrERX9QI7ct+qKoIZonYuDzG7WADhvWBBMwxEmK/Rxa/XDKG26bgHYhEAgf0mAZgTroudTpH9n+evpV9FmLtEcw8wp3jNK0OHZIjKvvNVdA8Q8gvMF14BI5HI3+nkSmeb5MENwqeI5fQtB5YrhtAjEQGJ/cPkIGIWeLnw+8lK3XhdhKBgfy9TjzAYtfd+jsjsHyYB8BgIRkkX4FEBXgAaDi8ADYcXgIbDC8Bo4TFBn+EEWQBaDhuz9XA5edMNs0qN+pygyy6+5R8mlP7ylg1Hc/SjiueK2vL9faADfMFSP53c+kIZvD7+M2OJJZaSH+JrYIsuc8C8wjZ/gzfFK1CP8ggvZUqpzn2avcAxXspVOWUtuL/7Jrp9Ofwct8Z3o9RuUej7jqW/9hbiu+rjoxW+hb7QkzABsCSpuwE6HGCCLjBBN/++TosucIzrOcpeUO6f+D47gGe51FC7S/Fi0jKf5z5RACL2R9q0ogiE7MvtrCl7eni0n/BTvJlP8WYeYo+mgmY5yGGmCjo9ceun6gkux7f/F5fwQy7iWXZofBzM0CEkYJoFLR0w0L/CGbbxO0p6Uv3LwGTJGkyox1J1u0g/WlDCH+N6xfMPM8Uy99NN7C1EdXCynDrPXCVHLeKWLrXm8Fa+xwYnOcU6P1CGmGWeHdzIs31YB3yai/kuF/JdLuF72lDRWvqMkY6sU5dwhhNadU3S+iaV1Amp1nQb5NTWFr/mcAfg94HzeCsALdYyAXhCWk2fZ44ntGpTHdawOXO+hYfYw2f5Pb7A6xXGZbPMc4SpvrAfXsq/8Jv8B7/BN3m7QqXyHiAxllItkCZ0wEDfxpjG8GVJYnx+Lb/DgTT9aIvsIu7LtNfwz7xW+P0lhUnLO4GdwB4Ee6tEAK4mMaaIvg/2hQW38j3+my9zii+zUaAm7J8zPjs06MMnUvc0qh7oO7ycb/PrfJvfyiZBKdrcSaLvn1YofzL62fzcQM/mADKysTfCF0vW3USuTPke4nVSrbxO+/xcAxUngUnrVdukjbOfG3lnbM5RlM5QilscYYtmm0GBbmK/fF5RMY8hmQCsKenv5EPMcDsf4CP8LR+T6JMFkZBVQnXpGfvzU78MrdwQsGag66jPEqm78/QlJuOxP2fL6S4Abl76WyRDQdk5RMRgfetP3gISqN4CJlIXNWoBkVF8T/kgf2PMXR16QGhkv30anYmA6g3gdm7iAa4HjnIdd/ABibrEJA/xUybzcfNOorJ3+bI4RkhIly5hbBmsL6IudVPnP88twq9bCv3JFFHH343LMKWgm37DPi376tOXreyPjLSijn2C1GRLwhoToNlA/zM+Ec/7r+cT/EwRYg+TLOfjuqqDp2ssT3iUQQdKTP7cEQ1RBRH09gANh9cFNBxeABoOLwANhxeAhqN5AhCpjVXvNJ1Ulfseh3TOU94duuPhbRAFYDqtgOqvBtX9A9RFizDdrnVCa9Xwufj9/0BBBD7KAe7hHt7Fu7iTmwoxo9p5MP51HnBe/BfhZj5OyK3cSsjHubkQ3+y+Im/NkLdnKNJtIYqeHmR6jOw1cJoFnuFh4O2cm6o9i4nYTtmGflm9LzHJDB2mWVAsqkRPPskYJ9ityUWyIHsD91JcKXx1en2G7yjWQk/yVaaYoROnIy+H29Xhyep9V6lINq+9qtxndnMhgtRQZl7h8jNkQoiRqrMzdfBCvEp8gnN5rrDvZRgwCSxwJZPAZEEATrIb2J2y/6QihYvib/X21Kf4RX4CnM//Kelf5UameFGq0y/fT14dr1+GqFY9Z5lPdxWqmtAaDwpWFMUeLhLBK4XrIv6EnwPw/eSGOAQ8DJxgNyf5ZOmiuR8pY4qt7KRSRHq2SeFaxFjM8oT9RZ18izcY8/C//ASAn/BGBfU4U4RAO2Z/cVl3XPhTY15zHeV/HphnjHHGlRYFLfYAh4kUu0WY3X0HdJlhB7u4lEszmyF5b2DE/jGlp6Awd1VN2WPKog2duPXDsrJ/GhNav4r9XcnmIb/W/h3OCI5wjhfiv5YOcICd6HR62zhTukwZLkm/HwT+UBHiL4FIhzFFpPeTEZKJVbH5zAI/AH7O2ezgNh6NbmdzgJDnODeuug12VjD5whjCzeDJ9ARRS6+ao3wj7v6gaBcns1/FwGn+WPh1N/cZnq4SsMg1RjR4nFG6wJmQRu38GH+DdD/kvsIcQFQWn+RDpecAN0NshbGU1W42BMxwLs/xVQ6zwU5FF5s5iFa7irY5kw5yf2aq6gkLMfOyaxEJ+6OBYEc2ygGZwdsiEwTK9tvhAXbHf0X2wwIneQh4lGimUcQan+ULnMe5SnOsOYuDjQu4gHu5gF+J/5uxW3EvmQNcibpB7eJsdrGLXcDNSYhsCIj8X0Sd4MwQTgGjzdEzdPgmC4rN0RH7n2Usto3NewGI2G+auN3GdfwncLGC/QCPME3IOh+ly26t5d9DmtQPCk4j9hf2Hx+JN9dn/4/kQuzIbSovejkQLaXUVlMKzwhltYGDfA00o0U37fi/z46c1lw971bnXp3/aH7xHH/EWmyYsY2f5uKu8u88yaq2lkKCdL/AkYIXsj9gPjbJm+Ofcn3MYYX9guyyLx+i6NBP6b/Aq4NF7OGvgA9rWvES53F3LFYtjvOagoiJUAmAaBZnF8dNgReAhqN5ugAPCV4AGg4vAA1HXgAOa/2F38XX00Xar3PXoDPu0RvIS8H/yuXA67miEO7T0vr4q3gVO3jToDPvUR9iD3CIywG4nEO5UHel7M9W6N6o7AVOEcYes1X4n7gHsS8zDeNC1ClBUXWqfnLDAVEAWsAEExRVja9RxlXd3R5/1Dg//j5gyVVHYbABS3HlL2nj2ULY6CGnUnONIotforne0sgEIGr/a6xR7AOyRU9RTWv3aptHQOBwLmi0TzYvAtnmxkkNA20hlpjkEOMc0qYA25mPhUQvxiOFTABa8f+W8KsI24mhx0CzLSx5Shd4RkHppN9R/5Bft5/UXMt3l5mI3S+o6Ie4iRPcxCFNCqBz9D6ySASgE4//3VhndXnFUfhpMp/5KnSBHyn85ySdvo79rrifNe43UOXvDC4mLLPAaU5zGvp0LNUAkCwFi2qQokpE9nFbx+NttIc3v7kxY7ue/XZXzCGwzP28lUlliJBDsbHnHbxPm8LptPPPhzglDAunR2UWEPUAWWtvCZ1/dvcryriqux3LHD9QHAwP07F9jqn1L2uu5buTdFMvPEX6+7iDMe7gfQZf29udKCMzQ0gOjdJQ4+/beb+C+rHcHvQsJX3PoFcn2zt/u5MFWwgbPeQ0d8daulOaNl71JJAhRSQAp5QSLXZzK7Rz1FX2KeJ0OGAcv032BLa4w4GRFAAXLPC76Zv/cb5oPDFjlNFYAfAYSXhtYMPhBaDh8ALQcHgBaDi8ADQcXgDy6Fi8+W8xBxA2iAIQsmFRAfXuSIhB4QmeMNI7RluFjtWSYctB7gF2csAqBGpkwtPSptBhI9Y0dNgoiJAsfkcV9KNSSioR1G8tT+JdxVWG8rmz38WqaUsg7ys4wjOsKpdk9d6EQyleSH5NP6q8AOjQZmf0bEMKR9lboEdHIOjiyyXQn9aho8rOqO3UEVkRVAsAqE+csAkAEPsZkZVC2a+NmHlYUtAJgD6+nEYvWKynhort11sU6kngMywqDxyx4RkWU/YvChUUsBjf3cWi0h4on4IOtvibg5FgfYSiAEQsKK8iSOK12GCxcObGNAGLbNBiWstEtydPVxYCk++BiLpojCtSQ0PYLQV5CNCN/VkI/YkCww9zJx8hm6uUp25JiBtD7AULnEMOI1xyPY3JaN1M3ZLw6uCGw68ENhxeABoOLwANhxeAhsMLQMORFwDT3luPEYS4OfQzAFzIOzRbQyM92+e0G0c9tiASAWjRTd2PXk5XyeQZFjnOG+g6LBTnFbJHc57Aj24y3UODZCHoBLv5Mq8m5HNcS6h0hxyhxT3stDqTLboqzv+WHSX2m+6hQSQALbr8iIuARzjBND/kQsUe3hA4yd3cxwY7NQeYRuFUvqrHY3fq2zjDtoI/7ZBreIxrBIfravpjqS9+FX2c9fiDwl+3hwKRLuBq4FsAXAvAt3gDVxcYPMOVTHIvsJ8u79YKgBpXABcDsJ2zFHsRI+cy2zkLeF7xdnJx/LkCeF6R/nbgZTH9Zf7txhWRADwBvFK4+8r4nowOcD9dbmEXJ9mjTE9vJnGh9OtjsWf7DNt5vyAWRfqFvD/+mOJHYbYr6B5KJHOADXamm6aXmMyfMg8kSuDDTHEDVzOl9YetGgKOslf6nbc36jfdQ4NEAKLzMH7Et3glF6I+MSCzBlgEDijPuQpHy2Bq9CEeG/ensZ+gf+PvRsXm1cMGbw/QcPjZcsPhBaDh8ALQcHgBaDgyAbCdB1CXvsCXUvqXFOf+9Zve7/INml4RyVvApwvn5X5GOg+gLt3mZq7f9H6Xb9D0yjj7dQB38dYC5QpezMPxdV367fxZgf4Kzk+1Cf2m97t8g6bXQDQEZJ7/xW1Tr1FcicjTV9OjZVe18QNDfFv6+RT6Ed9Wflv+zfFPSxvTdPFNdDEX6lKXRN5VrNoZtM2VbLb7dwXYh3p3cN30XeLb01e5w3aNH6DeYBaW+B0KqRTpkav9vdr6S+5+iNvoyQ4t1dawfDHzdDT0MB53i+NxPp1Qc9+cvr3ASQ9kix1oRc4ldV3+XNIPMXsWuM6Yg5u5TWB/T3BO/SQEPC/8L4/Q2iOY0RsG6xuAPf/2uDY12QMG2s18hI/QU/b3fghYAt5C9SGgfhevz18xhWpduCl9U/6K5y+Uo0ciILK/B0NANAm0nQfgRl8BJpmMr0S6eBJ2qLh7QqDa6BjpKOly/sPC3a9IFBu9av0k5Qsr02+T2K9+aklEAnBcykCC44orEXl6O63AtjZ+aIhvSz+fQj/i28pvy78pft55VVk6IHX+6lKXRLQOsMYVvCJHWRVO9qlLf5jfLhxG+Rnetmn0fpdv0PQaiAQA/oEXcBaXxnePs8yfS+Hq0v+eF3NuavP3DR4Q2LMZ9H6Xb9D0yvAGIQ2H1wY2HF4AGg4vAA2HF4CGwwtAw+EFoOEQlUG203mHne5RAbI2cDy9WleGrkv3GDoUh4B6rFu3plCv5Qa1U/CQkBcAGwPXWTfSE/cMOtgYqPPlnSCsqOv30CAvAONgZOA440Z65KFDjxCzwYTpwBewG1R4lERxCBivkIoc25xCvfZrEyCPktAfGTN8s3z/FtAHlDkvYNjpHhXgF4IaDi8ADYcXgIbDC0DD4QWg4fAC0HBsXQFo+wWhXkAWgPrrbCGzhMz2Pd9tViQHEB4VIQvAvvgzaNhad8T+1UFncxQgC8AKyb6+QcLWuj37ewjXHiCkXfiUQ1j4UyNir14ME/b7OUBPIFsErbDKirJtBcBq7lMObu7bE/bvM9JX/RygV5AFwNQD7EtZk3zKCcF84U7xSJe2kL4qdZn9fhDoAYapBxDZH2jpnv09hWsPUB/2I5zKsb+tCedRCsP0FhCwGn+KULHfzwF6AHl7eJtV2kPZuYZxp5//9qgJ7x+g4di6ugCPnuD/Aeakm0Be1BDQAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},14506:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAMAAADYSUr5AAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAERUExURcwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAAMwAABa3WqsAAABadFJOUwBYR3wiMpjhvct3ZpyyiaqlWk5650BlhVOLRpGUY2FNoGhtm3O/fcC8463l6eSBjl3f3eC51tvSxNXU12LacP4Nzplp+DgqFhzFedGnyJPQ2K/wzZCIsLvHq+OLyoQAAAABYktHRACIBR1IAAAAB3RJTUUH6AQaECIVKq4jzwAAD2tJREFUeNrtXQtj27YRBslIqumYkhu5S5s4br0mczYvyV5d13Vt1KZr4zqpu6Trev//hwzgC4c7PMRSpmgbn2zJR4AA7uMBvANAWYiIiIgRIIFk203Ysv4wcgZ6Ny8Bv/4JZkBlHpYQYoGgYBJA22Okq9QEHwFgFYCnAnJ++eegJkEtkBOQ0PYY6fQKMgLo6bwCljkZkAHWfrsKnnTOoCC5/aXbMifeTBsFs2DeRHqBuYV4rzC3AE8DhrcAOymsiT4C2NnATMRTOjHB4ceANfi41LsA7ULD3wW2jpvuCEVERERERESMGJfuCW7ZD0pYtAbUeU/oGTS7EeAnrALffACbEJKlD0qJpQGMAJaBZjfDxYRVQAnwRJeq9CGDIdZ+e4s9yZYZlcRzughMAUJJwGDTAdyChc1mjWhtjfmAxCzN16O2bQFWJJ4W958P4D1kq2NAGNf9LhARERERERERsT30c/yDrmmw/N6BR88CgC+nQofcvdvHtwOwBgVKA/8Rrh5JBp7FPB1cafYKvA2wpPrrt5XgI4ils8KYBrw6IIngSGwYZeWRE8CVuEb9PFyGEAF8Agj8GoRP92QxFaxzkzkrMzst0MufNYfXhLwdSNgshDBuOd1vouEauqgX7OOWPUTgTw+USC4HBC9IoAIQ1jrdqdu+C1zy+eHbZERERERERMRNRf9tqT3djMSyG91dpM0PDS5VBarv1oC1KvDH82xt1dIAlC7w4tQaXp3K7A5OwLq8zxvJinTXb4lvqQK+ssF6URE/Ai9P8tZaNrsnXgICe8OF1cx8DHj5SyzTPYHpByOcbcLh5gBbOycWxMJhSzTOHtkQazTAnmplmJROz7fYgPt0RgBrAW+emU67WJgAewOcl3CtZBYwuwmwrq3zFXrnBWBdgHSRYBew9/LEmYMx7N0cwPNYDEyYBQi2Qh8ggAyCJJUNS6EZHFq/5Rr5k+2tcBC4TvAesACeedzzAdt+PiYiIiIiImLUuNy7OHdUyKOyljM261iEi4Nu2TvqD/wIjv6sZ2DW1lovJxrTzOAU2cqOf+GrO4DtFjd9x2pt0vN0eMDVt2QAprAwok8vIWAvsy8B7ue7yyTP9wPY5jPM9WrWXl9w0JwLrtM3TkATbroISCzhMG+6J57i6bbVaSCp4M8MG6QgsbSQhbuATRS8fdhSGp0Q8e5ZsRJAu8TGwzs9qKnJBBadmc/3W9KJYOv2mBDGT4CQEOH9Yc7osOiUPDESiF5Dm4BC8w/++aNriOuuX0RERETE9UZ6xW9kFrcDfMtV1Bv+NfqPaSnAusxiel9pcDUQUlKoVxRiVIshbOuyQPGKUjWFFAVDZnyXQmUBOr+wLoEzAsfSbYBHL3R7vdTfiM4MAqAiwYhnqYj1TWBcBFiW3zlBKZEpAfhTWGI3dCxpu9hYusAaFsDymzs2KoIcFkD3KzR0j0Z/piMbA0gO6wxNqq2EjgGWDTKjMX/dJkPCH44hH+VP7QqB5S+FAb8rswMDnI5uF4neA31IRkhAX3TRPyIiIiLiZiFTfkK2fv5bE4lbQ7VuKhs3m/pyvBPw3GCncpVcKmY0OfPzcUvkALm4RQpAZ+xKcVc4ZJoobtcgJzQqwV5RTJGzV/5tEFK6RXO++7kRF7WGC0PftsVUZitbu3V60+pJDpMJ5BOjAYIFE3SvrVWoDsxtNbZBWlEUaQVCyMwgADEAykQnusYdgwBZ9L5E60pDYwGu9e6qOF3gBCbvvnsHMAHL5dL/BIbABIgAAbsGgaBURwckIQkmpGqgSfiBgssCYAroQ1VcjwGAGmi0+KA8/UAT8O57u78xCLh79y7bHu+WyQFKgNL/fUyAaVIg9TdtDD5I1QtVeFfBaQH7SnWY7ut5gKy0/5YAVT6aYquK0wXKLnDvHu4CSyEvgXxvT8jK168kQOl/+/77bgISckAeSZL9BIUwcHh46B4DYF8yIPXHBJQ/LQHlIIgIeKDOfvCgOXBUDYJHRB10AieAPaIhCAEf4vmJ+eK2fC9cBNAK4aMSqMLj42PQJsosINufTuWb7gKl7CbguEJ9IMnhvTy/Azl+Rgh1IXngt+UL6zuhBEwIAWBYwFzr7yGgLe7jEsTkJi0B1AKy/RLNJWIyqDF2CkafzPP2LpA39edOC+AEhLoATq/GwKLN3BKQmfW1xVV+ALwjHCAWELoNVu2Zm3Mwmb51A1c4MOgtcPX8ACWgZKAQm0OWLUp08PUYh6brEs4OvaaVdjeqf0RERETEyPHwoT89Be+8NoBt6yNBpsPdR+Vt6lEj1sF2G2PPa3nenlu5Jrtry0L8jrSn8N7XZLR1QA7J2zbWP8s0AzPlRZ7kUxTsyCbPd1pHzkpFpo8/ql3xhgF5sgJZaTI9m1y5gmvL1fVoNSiUM5e29/ZUcTvH1/QxwGOiv3KUDrX+yjdvo1+6O5w5ZgJ+L197uEGZvM4Zym+sDdLYQvxBnIo/4vg2l0JuyMKUDyYHSFbtXyxcDYTa2a/lxuCQxcnGLlLtOlYzFm10xQmoZgcQAU8ePH12/wGaNsqkfWe4PV4C/gR/lq+/YAWV609kHHzI2HiSU9+3lWtnPrXX97AR0Tgwg72F5KASdpoZmx0XAfUogCxgD/4KD3WDpP5oyi5sAX8Tn4i/6ymlY2IBx8QCjokFLIzYQ/aAapBq41tS36eV9GnbwDKYx7EDqDFA6xcm4MmDDz+SL7v+taeOCUihnHVq5H/AZ/L1T7RjwujjpXyHyCi97L8SHzkIaKK71GgQsR+BYY7yMJmKQyNeJARkhGGif7sjwiQAyZ9/cnd2919f1PJ+U9zuevLCvHqCdYFaxuLjx1pWtt/Od1oJEARqj1Aq3JOSQCa5H9UN1ncBtcVIuLqE6u6kOL8siP48gE+x/uLpl3L4m3/5tCVA9v/Ucz5TdM4GUXOSlU3yEz+ATnsT2fYNMD55QfWnt0FRberSyeWKwO2iPR9YCQZycQVRdAjwDR8oIiIiImILmOKJaeXKwTHL81z/eclbC1XoAd67H/RpQQor+b7Ct+YTQK7m+/DVV19/DV+g5uwp/UvIP+7chydP4P6dJp3st2imG5r5hlamB9rgjfpNOcym0xcGA/4vFwthIcvKUbQJkoEV9cYPtef1jcK/tSu6msoCFiy4adON2JQ9ZF0HrzqPdB0zGezoxcEqQQdXyjFewQvLbtlfSYBytdAZSvfy1zQATcC33z1//t23uj1TAcUCr+xQAowtI1BORqEND6mopipS7Wtnaj4GEfBMrdXhCleKdRcBNLzk6pL0skshi1qVstY/NfNDaeu77ekvZdIMuaswIRsyzPPLdVCUAVTgKeM5gS1gPsf71fOzMxVeagKk/gJNgVHGabBgF4mJt+1vbADpX13BZgz4DHYl4GWboSiM8+HAT8CR/PNI/TTJysCmcIgsgESvz57tPzuDk7bAF6p1s80RQC3g+1JuZuVq/bWC+arEoXm6JgzSDw4ODgwC6itbfRxKfC5/yIaHlXMMODtTHQAPgi+m09kGB0EyBnxfjwE1A0r/wghH76j2HurTV3twghhQBR2hYa+ZvGn0+/jj+ocYiHMMmGZnZ2dwhhmgt8FN3wUeq4lZ3R4auq3mcz1hJUdA+ZNqBsD4aP7cbQ7Q22BpESUcYwBMFTABtmvYhwCCtLz2jxs/wLJH0BxhpbW8SNVI+bxJPX+SmF/rIspRo5YmmZrSy5oNG939gO3j6NWrIyQu9hRX6fOWMdpgtnMyIiIiohemeHf06x/UEPPD6203akBcAFy0wo/NqPvjtps1GO4pde/VwuvqjqPetQ0sYYlP+I/FmRGb23m2LPlf9i9oXVyoAOqiFt5oAt60OYjbYPMjCk0JW3qgB6gMS3VPX3rLv0TcqxS+hyqnrgdrT0oPFNooAhs3lfx28tZcnWXVDUmAHAFUCH1hVG62YY4Xxir99fJiYepv27q7SBdYv7fy7a2RYblFAormehduAgrS5QFOU5yG9bcRkBomU240nxjhtEFABsvlcjhPVyvsJoCfg/SXuhuDYm8LGHYQLA2gemim1OGVJuAVylT4C8DpvceAYaM1Oug91eJTnImcRBgw+Ol9FxBiwCFwqRWuWnDeiOdYRzoGYKnY/O7zrQbrP6lpWXj50zbbMKbZioiIiIiIiEtGAT7xsgEz4sis9YREH+zsUP3BI14+AUAoMAgo01KcoZil6s3IoELmRp5XmdzhbUF854IlQ7lCNiABJgUmAVVa2+by8kj1aAaDAJzOCaDBIp8MMDfjDkIA3gxMCSinP+pGlh8z3OY6AyZgZtEprLEhbvL/B6xFwIAWsBYBA1vAsGMAxdbHgIHvAny+Y8t3gRFgu35ARERERMTNhv85suuO9L8Cfv4c7d2UXsrJDfqeXPUcKfxcoOcZ8uKl5QGKxjeh33/QVR4dVvA/SYBAu5MVKzPGAH2yVO/X7yaPDSmcCvFzIU7x09arQxnRms/XakUmBxP5027fhgNzP7uSwZQn6jUZqXub1fvmT/QVyhegdtvvOQgovxot2W++Xw8SSBJ1oJH31Ut//55Kl0eS/ZESUFqAxCm+4mpcWBm7kxEBX1RoTbyjPDrMynvgAu15kcHoFA6nDgKu3SCYA5yenOJhv5qO0CEpbPg/XI4N+YW8PhdX8qn5iIiIiIjeoM8HhGS6iaqr3LW+vnII9PmAkEy30XWVu9bXVw5ef2jxeh2ZbqTsKnetr68cBH0+4I0uoJHPlW94XsvVVtoy/VUrA5WFM/2NTn/jrF+AN13t6CTpgrZf4OcdfABdAbRyU4ioV4PPz/HqcCg/T2f59RK5LR2vntk/wWiP+OWXX4TZHiHO1lxfA/RMr0NWvfecNBg3iOUXTCF/fkJAsD2i+XXIZ5X+myNggb6DzkKA7bOLQsH6LRbis4AzUem/NgHhLqC+fauLiYe6CIQI9HYpQfJTWTJw1uYPgj4fYBnUmkFQD2J0kAIquwdV6yBJ66eDrJne8OOSVR9o5SCGvo31vY12lcMY2pHp60h1lcMY2pXt60p3lSMiIiIiIiI8qB2HS5NHD/L/A8PyNSQA/ASUL6yg8BMg6D89HDeqryQEj0wIgubNJZN/fzd2RAu48WPATb8LRERERERERGwaydXxBIK7ICHrvtE1If8faMxIRKCtaxBAr/dV0n8TFkD1vVL6mxZQbm8vXw4C2rU3U1+DQ3X2tR0Dsgam/viKV/pfHRvoawFV/qurf18LuPL6970LOPS/tmNAAFr/q2MDQQvoAqV38xsRMXL8H46Lpn0W3YdPAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},81972:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAQAAAADwCAQAAABFnnJAAAAAIGNIUk0AAHomAACAhAAA+gAAAIDoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAACYktHRAD/h4/MvwAAAAd0SU1FB+gEGhAiFSquI88AABg6SURBVHja7V1tjF3HWX6OEykqwcF8uSZxspJ/NAEhS75LJBSEZBSha34EFZXAtSM+GqN1qtKqCMhurLs/wpp274JCUhdpXTmQPze7WheluD9YU5tUpjEW7q4DpTilatq1Q7fmT2n+kCLhlx/naz7e+Tjn3Lv37s48o91773ln5szM+5w5Z953Zk5CiAgZu0ZdgIjRIhIgcEQCyOiA0Bl1IbYSkQAiOlgCsBQSBQZNgNFfPx3Ufa5N1X8UJgrkOY++joMEiaFDRB2CIZSANU7HIoclfZ62Y4xjPzesad01sJ+/POqu4zYKehXNlfMhQMfZPOb0eVpzDi4CuM7uUwN3zu46bqNQpfmrKKFeeh8KwpF3k7L75uyq4zYKehWbKBDO69enB6l/Bfv0AG4lcy0QQA/gG+o/A9TvgP1zcD8DwJHWpN4AngEGEUbfNJ0GBLPfgjoFAUZdxwGGJPoCJHSwhKNYHnUxtg6RAIEjWgIDRyRA4IgECByRAIEjEiBwRAIEjkiAwBHnA6hpR13+rYZm7HR508hpbbcbSs2mWhl8DJcRtsl8AJcvMi/7jjIFV28ANwHcObhyt/kTbY3f8SpdXW9lXvYd6gxyN3+VJq6X2m9KittdXJee9kACAXbIbAB1PoCvx75eE7v7D9/5AB1r2ereoALvAfxDp2YT+9DLHtw5uOjpcwMJ9hlgEGH0jdN0PsCoy7/FIbqDA0c0BAWOSIDAEQkQOCIBAkckQOCIBAgckQCB4+5RF2DsQEhGeO4c9ctQsfx3N0s+lEYYZQnIWYJUSXXK6E45gprLtwCCyEKuCpkB2VnNapKqqHsOV/lT1SfWXNzkqJvarwY+sSqk3SVFcFU/8aiAOX3i0UA+VTBfoT69h60OifJZ7Ry5xN0C9hraCUSO1IDrIpbKL94CfKtPBom7kZIBdPA2Bbjvok1KQEXqhJWKZ+fOkl9e5jKQRW7Pu6yd/TIQS5kAVR8CyePqccXyYWe9a9xPuYlH7jYF+eRbtwVsl6BP3u420ORVhoFlF+cTi5fZu0A3g+15uLpYvy7adQW5zu7zEFkXboq75VIJVHdw6KOA7X3+GsPIOB8gcERLYOCIBAgckQCBIxIgcEQCBI5IgMARCRA4RAJ0QBj18miXrXC48GkBH49ovXTieo26qJ5WWhXjs3iy7vIuvxR+Oddb++O3rMy3Bfj0eYyOd6qqdehYW8C+ME4uZcoWrXncxXTFaVJ9n1huBdQtt08LmGKIqxI5Evm0rd9e7Z0GBNDWTtZt/uobRvtRoD793Fu4+6jALw9OATr05m/SA8k5kzMGTwAtjuwLILh9fQDvdFTvPUmFtH4lKOcimPzxrvPb0rvO70qt33vNpXR5/OGUcunTV94AMOx2rM7lSICqo4CyAep4rBIhDz53kj5t56+Dstz1HrLsZz+aSfMZR0crt0FSuKsTg9SWM7CcSWybXaulrHQLqHIf79TIw/UQ5tOBuktnzsfehfrdwfO47p2W6t6C7A+B9rRyKdMrreLp/U7k2iLCrsQmqas0RTUC+jxB+NOvLgF8cq6UR5wPICJ/cVx8X0BEKIim4MARCRA4IgECRyRA4IgECByRAIPGNhtWqfMBXLB5zH2q3skNUGOK5qWzrU4ax7ordjC73chmK/OxPuXnMNnsfC2NTS1xrpyphlS2xdVLP4JQGoJEZppsYTZ/lbg00pbe5onzcfPYPXKuHNIYZPDU2Ra4iue1p6+T+8jAPwMsGTp5u7+qvDUs1ZhYli7LdHWStj0MyNvXl1Q4yp2XO797ZfNYouwBUjt42YS2VficrPRGZzlXSJtL/ZZAuxdv199CwqZGVw/hn7Ntj4AtRtkDLAt+5jpFWzb6qfMGcHn73ftn2JEIPQjfQ8ifXIzBXMXcGeTeY0zUL98ClotCcR142sETbBMSbJMWjjLf9EYC7NevHUlRAn5Khb3py5uQeXeRPGZSUSrGqDuhZjio8Jxtm6whx7O9MaTZfvw+vm6qKfN5PifHKGIQMwa2NER3sIyx6Zq3CpEAgSOaggNHJEDgiAQIHJEAgSMSIHCMHwHaDe2BEZWgEsDPl21z2ZCX1BSjjdUtGYmPeh+EsUG17eJ9tpNOcKRBeVaRk6RtjVd3y/oSdTyWOxAyAexWaru1O7+q21hlKZBf8wnEpYkl0q7/SBFj1ZA+/1ZvU3Wx91lChLRBhPrfZC23zXdpE1Gb+PXzcs7EytMcTGUgawnZ9e9F6GjybWa1H64vwG91u51J6VybI7hglZt89q7ftqO6RI0nznbI6xvUGkATxClhCXQ1qTBPZfCbEGGeVKYSyDQlgy+ha/sEmeAJKKo/RfnCCLHJTAouJ0b5vHaBg89u9kdwAaQ9R+Szifhd+eXy+Lw2IgJAtVEACaMAfsaNbQDokh8ppKsAEu1Gkghn5x5W7fOJxJ0xovIF+L8wQp4VW34fNMxPEc3QwVJUvY5xmw8wLPVHGDBuBIjYYoyfLyBiSxEJEDgiAQJHJEDg2EkE6BaWhu5Q8j+AVhYOjLqqAwSBQIuZc2SDFmu7FS41dLIQXZMcNd2K6bvO1N2aOafhAIGmiYhoOvtlKwF/jqlMOmU4h1nuSgk6qwT7GQot5Y1/nnrUK4igqrE8biZIufp9xbqyyESSvqLCvkW9ehO75HIJXU3DNXWLpomoRS0imqaWpQX4c+iwtZC/RIyx4l3HIkZqByAsAAD+QeocLgjdxBdwA8CP4ERx7CYmlK4ktxKeA/Ak68qZLL6vMe6ar+DnhN+v4ilJCiQ4VsjUdcaEWcwJv2cxZ1y/a3JmTUq/1RK2sIZJ7Afws/hTTGKdySHBJgDgp1BvhVFaK24NtVkixjhXtDt3/imckX5Lbw/PVb+qRshwA8B1fA+vWYrfyj6fNMa4z5L6VdyQCKDiDERX8hmBiilOAQUFZnFKooPYgOaGvA+vF99/iS3DfrwfCe61lPL3LTLVI8nL+RdQJ0wu1SiWq//P8Ufi4dIbuOrI4Dq+p8WRi/ATmS+PmPk8KX7ckv8xfMV6/ssoXcZncFkjQEmBWZxic2grn3rpft1a0hn8LT4N4OOYYdN/F8C3hO86ZjFX/G0tcvW/jPfJFLjbMwNO/Sp+DACwC3eMMfYAAM6yMlcPkFMAOIPLxjgJYBwDPKp8qrgPf5V9e5qRPoAegHkAM+jhCe0WoHpS6y4zde+S4IrxCn5XO5aq/xzeB+CjAJDd9L0JwPUQagX3OPP4oeLbpCZz9QDAgUzxl3EAbzPyLt7GIoDL6Br6ADt+GB8vvqnoYALnMYUZAHeBMIN7LRNKZnGKVdKE8GdCCy64YvwOQ4ATOAPgSZzLnqMWMJ0K/AmgQuf3vc40n84+JxmZqwdIlZ5S4G1mJN6V5FwvsF/55JoImEF6ncu3mAnMA/hs8XvecBtIMdegi19rGIOf0/FZIKMAIKgfxTCw7RhGuYcwlyT5pcrjbNUOMNhhYD5IKj9Npeiyo20O1Ya5bnnfWHufGGIN+fzzQWBPPDo+7uAugJ8Wft+o1Y03BQE4IVzpg889xWimpkzhjHT1I84HCB47yRcQUQORAIEjEiBwRAIEjkiAnYXXBX+GF2QCtEFwLcw2gwpHRtOhRRfcpI5ZYfg6q0kXlWHvoiJfUeQrzHmnBPnUEOQA8CVH+/TQq91uh7NgRx999ItfQpu0iahLXUrX98phg1qZGeEiTdMiawa5lhkiVuiaIrd7stXQZePPCp5sIqJZ1hCSBz2925CTxpmm6Wzix+DleZzUqKNKeoVBrq2aazLtEK0Qstq1mbxvERHRLWvr5sakPh0niK+ObWdWMGIpQMLLInzsYPzycKK/yf7OGxuoS+kElK4hf9PLV10KJgL9J4FuE+gdMi0wn84k0xY5rPLD1KLDBnne/H3qV27BHCusfEVLvcKef5GI+tQuLYmiOzh3Us5httZGLeJyTt5z+Cf4NjZwHZtYw3fYGF3MYT+ewTtDsAN+C/fjm9iLb+IBfNsYK7Wlz1jlkH3qEt7FutFd089cMcdY6RGp1Uz7rPCzLX7S4wgA/AqA3fhtAEAbF1D0ANe0OXXXKvcAYgdn6gHOE9EFInqdvUK6ROzVP6ge4N8J9A0C/Su1mPN/zNED5HJY5eYeoC+VTr0F9IRSp+hVqt+XJdmXmRY8Tsf1s6un6GZE0Jt/EAR4nj5Mr9Az2V8V9cuz4kwESPcnaWf3S1X+NSL6t+zvhibP62e6h5fykw45n76896bhmYoEUN11+jOATTsi/aTjagbipyxr0SKh4FCPiWEngO6vq6J+tXp2AvDyp+kb9CHaoA/Rf9AnFPkxrXRTA5WX6ocxyCpuW+Um6a3sQVCV9ym/92/UJQAcId8jqO0Zn1ewecr2rNLA3CigXVSdJ4iZgCn+0FG6JnI41O/jcs8pwI0AXqA72YPfCt2hFxgCnKe+ntb39G6Fys+h/DOobdKyXf0qBWY1qWtat11OZH+VRVN536l+1zCwpEDbkLpcC3BWS23sgXzdwdMNzBMRVdADZI/9gJCafp5SD8f5AIEj+gICRyRA4IgECByRAIEjPAKkbmNuTNMrxkYf88hnN3uUsN2eqoUx4XQxRp52jFhdxoy6qZuENhGtZ9/XjaPli0Ud1ZHynxHRGTpDH6GPENEntJRp65zPfu0WQnrkJH2GiJ6n54noM3RSS19aQjlrh7wwn0hdiK/LXTH0hfysnUeu4AYt0iK9Z6GAS73DJEA/K9c0a1RJsZ6pny9Fbg45zpq6fr4IP0OcLXSdFrMS9BkKuex4uZeiTbwZzH6kTN025JPaGruZN4fbjV1MUTirxAgbxdXznlGJoyRAbsviz5GrvfzUc7hoURHRXtpPu2k37ae9rEIWCUTUK3z6tuuLJ4B5DxGitI/oFm2sEwDSLAqdAGmuK4VNliPAb9GxLGRy8Rng7wCs4xCu45Xa9xL9e+U7URFUpD76Y8J3ES1cBwAcAgBcZ3zybTxuLcP/4PsAgO/jg4z0Ck6AAHRwDOr2FSkmhcBjzvA9Lf8cgDm0MIlJdkZBG08AWARwnM3dvt13glXMYD8m8CAexIP5YXlxaKr+ljafDhCXNdXbKVhVaPUJJz0czNT/KvsQ18K6Vf2r0rr8BUX+NbxbLAg9gyta+l9AD8CzeAi8+oH78G7lOpV4oPg8D+BXmRh/DCBdtHoCwDuanFDSSr98ugC+A+D/cBf245O4lB4W3xfwA9yTNd0GHnLsuA+nXH8fQBUpd4ZpzBffZxgK/AsOFt/fKTkOQFU/p8Bp/Kbw6y/xsuXsHMHSrTH+FwDwLrsFzhFpnpX6govfk44TXlbk8nyh63hOmbWVbuGfTpadY7bzJ5wEsAEg9Qtk0vIWMIN78AP8MxaxgYeYLrbcaJ3fcl08ysVIlGCXcmeYz5RXfheRqz+9EezHLUmaq38BR5Cw128Pn8OhLOjqB+ZxHV8AcAnAIWaHIOAC/h5fwm7cw07HmnVssLEHe3AWe/Cj2X87DjHH0ovoIA6Cv6AmcBcmMIEJACeV23XxZOgaBo77KOAW5XNjuUeknuMM67RCK+x0KmSpiXqZy3Zdk5t/qUentBiuYSDRcS3wo4CVbK8w/SFwsQhEz+mjAL8wSgLYQ5vKCdG3SLUD6M/d5tLz5U9HF+9Rm/KJGbu1tEv0PHUsrUQEmsqCGqOVjQLS/+o2dFtgB4gB9ARdpav0hEHap/MFrdq0m6GYbRgI8tlKcstDnA8QOMLzBURIiAQIHJEAgUMlwCJrBQSA03izeHJ4E6dHXfCIwUB+CHwLDwP4Oh7R4r2m2cc/j18bdeEjmkPsAV7CwwCAh/GSEut0of7SQvdBthfYBGU7ZnP476wHcU8xH8dJ6JvC6GmzeXZjAmFM+BZR5md+Sxktrkmj2xxrzLjSbgiyj5LL0GOtdu7lVa4YLjnRZjE+32xQ/m0Uyq8vSQp+yVBxl7HD3TxtZ4x8maRMgWb7aObyF6lFLxpz8KvdDiXAW0RFD6D2AXLFbc2wQqZlYaL6NxhJr/jk1O9WDjLFtzMicPIXs28vWnLYDJMAPVIhKsCfAHznLed0m5mvl6czqd+XAKWlnpPnFnZ9d4ASZgJ0iWiTNmmTxsaQOzgCcAquQwBXyJWkqz9Vu0n949ADbArn3yTsjCAroLwFyGq4yhLgKpOhqwcwBbEH4tOP/hnATcFtGLiq6ZV8gZW+wGToahyz1Hb1ywoe3SggjTNypQ2eAJusgsUmWNKkS0Y1up4BTLK6vcfWhh1GAH938Dx+EY9l36/gH61vzNjJqPsuoDFFnA8QOKI3MHBEAgSOSIDAEQkQOCIBAkckgIoeqLZ0G0IkAGHDMRGDMKhXQowK13DNKu/h2drS7QnFSke0YbHGid4AVZKnaxtz6NFG5gjq0YYlBxCy5U2yfEXKqY67tucwNvc8UuctMP42S6/AN59JhTYCiOn0Zu4VaVLluXIwE8CU3ocANqnd0aNLd4hJ2FRJflqHiwCpCsvfshSEQnmuHEwEMKd3E6Cqis1SbvHlNg38Q+BNLOA3atxPbmIBE0gXJy8INvMEC9nRCSzgpkcOJrjSbw12kjdAY/lOfgZwheCfATYc1TITYDsE8iBIr4F0W4boDVTRw7OWLt4u3YaIBAgc0RIYOCIBAkckQOCIBAgckQCBQyUACS8WjwgAJQHa+DwAYC+eRpuNm1oOLhqkEdsSOQHaWC22H30Yq6ySZ7CAK3gcqx7vtVPNCyuKAWpli+URJmQttk5E/0Qgoi9S+nIEk/GwTRvkfqeI682j3H75w5THYAi5UoluEwj0ReoR6DaZ3k69Tscpdcq2jZnyO9W26DC1sv+HtQXaRIeJshhp4OVklbeKv9ZOs9kPK6TvC3gUwFcBAL8MAPgqHsejuKB0FjM4iGM4C2AKq/ioJrfjEQD3AwD2YRf2afJ9APZhH3YBuMOMTu7P/h4BcIfJfx+AD2TyD8TRjS9SX0Abq/gvvL84eht7cYRVcBuruIkJrOMQ6xShbKd6fbf6P5B+/wVmcWoL5REmZF3BBpWLpvvEb+KSukIXieg4LRpn3fC3APnd4vp8o2HLYzCE/Ev6roDbdJFuExke8sTJED2GAERmAsQwpqF0B0/jw9k+gV/HX4/lPn0RQ0CcDxA44tNy4IgECByRAIEjEiBwlARwvQ+gqXwebxTyN5j3/g1bPuz6jVpeF1mer5GK16TxYlO5a5u5YcuHXb9Ry2uH9OM0cThdRGsqd200OWz5sOs3anmDkN4CHis6BPGVrY8x30So8uXi1bLLxvSJJb0rfzWHYaR31d9Vfnv670ovxTWlt8nFUvC1rojUEFRagxLtlyznCiK+T3wJwFHpyODy90nvzl+MUTV9wuQFS358+jIXXX4OAPCksf3yo8/hkxjMIlUCcTv8ykf85Pl9t7wfq3JSflfNn88Nnr/d+ZM1/+btA+2zmjx/4+9zzBlrhrsHwKESd4T/dbjo6hHsEJej18khET7rpCePtLqjXMbnLLKT+BQ+hfzqHxAGfQvoA3gK9W8Bzbt4c/n0HOp14bb8beUrFU+15CkFRPUP7Bbgeh9AKRehypcodxkvKXLxpVMl1hg5OeWokf4qm56rn6v+YvmrppdvL9Xl+U1AlzceBVyR+JDjCvNNhCrvIN9DrGNMT5b0rvzVHIaR3lV/V/lt6QlyT1VVDkDq/PlaV0XGhJ1uiBm1IWrY8tqh/DpPbxSZv0HzWtSm8tP0ZiF/kzFiDFs+7PqNWl4zxAkhgSN6AwNHJEDgiAQIHJEAgSMSIHBEAgQO0RmkOx1ljLs8ogZkb+Bk8W2Njd1UHjF20G8BzVS35syh2ZWbNM4hQoJKAJcC17BmlU9iTegHdLgUKE6J4kA1ff0RBqgEmASsCpzEpFW+hkkrQQj2CROk+cRkuCZURFSEfguYrJGLnNqeQ7Pr10WgiIoQnUGjfoqPo4ARIHoDA0c0BAWOSIDAEQkQOCIBAkckQOCIBAgc25cAnWgQGgRkAjS3sxG6IHSHXu4OlnB06GcJADIBjmZ/o4br6k7VvzzqYu4EyARYyv5GC9fVHdU/QPj2AISO9lcNzKokFql6zTTM1R+fAQYCeUbQEpaxxF5bCYBl5a8aZr1i5eo/apUvx2eAgUG6KDvZnx6IOtofH69L/OtadOhxxPxhlMNy/hgarQ2kxhMuCLOYY1/WoI8M1Djl1b/ElkG++uMzwGDg2QP4BnMP4JO2ytVvihdDpaCqoOmrHpoQwBY49cebwMAJ0LwHGFbI1a1+xtAwxBlBgWP7+gIiBoL/BxnJfO3m3rs2AAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDI0LTA0LTI2VDE2OjMzOjQ2KzAwOjAwll3ZWgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAyNC0wNC0yNlQxNjozMzo0NiswMDowMOcAYeYAAAAodEVYdGRhdGU6dGltZXN0YW1wADIwMjQtMDQtMjZUMTY6MzQ6MjErMDA6MDBRAWxJAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAABJRU5ErkJggg=="},22046:t=>{"use strict";t.exports="data:image/gif;base64,R0lGODlhEAAQAPQAAP///wAAAPDw8IqKiuDg4EZGRnp6egAAAFhYWCQkJKysrL6+vhQUFJycnAQEBDY2NmhoaAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACH/C05FVFNDQVBFMi4wAwEAAAAh/hpDcmVhdGVkIHdpdGggYWpheGxvYWQuaW5mbwAh+QQJCgAAACwAAAAAEAAQAAAFdyAgAgIJIeWoAkRCCMdBkKtIHIngyMKsErPBYbADpkSCwhDmQCBethRB6Vj4kFCkQPG4IlWDgrNRIwnO4UKBXDufzQvDMaoSDBgFb886MiQadgNABAokfCwzBA8LCg0Egl8jAggGAA1kBIA1BAYzlyILczULC2UhACH5BAkKAAAALAAAAAAQABAAAAV2ICACAmlAZTmOREEIyUEQjLKKxPHADhEvqxlgcGgkGI1DYSVAIAWMx+lwSKkICJ0QsHi9RgKBwnVTiRQQgwF4I4UFDQQEwi6/3YSGWRRmjhEETAJfIgMFCnAKM0KDV4EEEAQLiF18TAYNXDaSe3x6mjidN1s3IQAh+QQJCgAAACwAAAAAEAAQAAAFeCAgAgLZDGU5jgRECEUiCI+yioSDwDJyLKsXoHFQxBSHAoAAFBhqtMJg8DgQBgfrEsJAEAg4YhZIEiwgKtHiMBgtpg3wbUZXGO7kOb1MUKRFMysCChAoggJCIg0GC2aNe4gqQldfL4l/Ag1AXySJgn5LcoE3QXI3IQAh+QQJCgAAACwAAAAAEAAQAAAFdiAgAgLZNGU5joQhCEjxIssqEo8bC9BRjy9Ag7GILQ4QEoE0gBAEBcOpcBA0DoxSK/e8LRIHn+i1cK0IyKdg0VAoljYIg+GgnRrwVS/8IAkICyosBIQpBAMoKy9dImxPhS+GKkFrkX+TigtLlIyKXUF+NjagNiEAIfkECQoAAAAsAAAAABAAEAAABWwgIAICaRhlOY4EIgjH8R7LKhKHGwsMvb4AAy3WODBIBBKCsYA9TjuhDNDKEVSERezQEL0WrhXucRUQGuik7bFlngzqVW9LMl9XWvLdjFaJtDFqZ1cEZUB0dUgvL3dgP4WJZn4jkomWNpSTIyEAIfkECQoAAAAsAAAAABAAEAAABX4gIAICuSxlOY6CIgiD8RrEKgqGOwxwUrMlAoSwIzAGpJpgoSDAGifDY5kopBYDlEpAQBwevxfBtRIUGi8xwWkDNBCIwmC9Vq0aiQQDQuK+VgQPDXV9hCJjBwcFYU5pLwwHXQcMKSmNLQcIAExlbH8JBwttaX0ABAcNbWVbKyEAIfkECQoAAAAsAAAAABAAEAAABXkgIAICSRBlOY7CIghN8zbEKsKoIjdFzZaEgUBHKChMJtRwcWpAWoWnifm6ESAMhO8lQK0EEAV3rFopIBCEcGwDKAqPh4HUrY4ICHH1dSoTFgcHUiZjBhAJB2AHDykpKAwHAwdzf19KkASIPl9cDgcnDkdtNwiMJCshACH5BAkKAAAALAAAAAAQABAAAAV3ICACAkkQZTmOAiosiyAoxCq+KPxCNVsSMRgBsiClWrLTSWFoIQZHl6pleBh6suxKMIhlvzbAwkBWfFWrBQTxNLq2RG2yhSUkDs2b63AYDAoJXAcFRwADeAkJDX0AQCsEfAQMDAIPBz0rCgcxky0JRWE1AmwpKyEAIfkECQoAAAAsAAAAABAAEAAABXkgIAICKZzkqJ4nQZxLqZKv4NqNLKK2/Q4Ek4lFXChsg5ypJjs1II3gEDUSRInEGYAw6B6zM4JhrDAtEosVkLUtHA7RHaHAGJQEjsODcEg0FBAFVgkQJQ1pAwcDDw8KcFtSInwJAowCCA6RIwqZAgkPNgVpWndjdyohACH5BAkKAAAALAAAAAAQABAAAAV5ICACAimc5KieLEuUKvm2xAKLqDCfC2GaO9eL0LABWTiBYmA06W6kHgvCqEJiAIJiu3gcvgUsscHUERm+kaCxyxa+zRPk0SgJEgfIvbAdIAQLCAYlCj4DBw0IBQsMCjIqBAcPAooCBg9pKgsJLwUFOhCZKyQDA3YqIQAh+QQJCgAAACwAAAAAEAAQAAAFdSAgAgIpnOSonmxbqiThCrJKEHFbo8JxDDOZYFFb+A41E4H4OhkOipXwBElYITDAckFEOBgMQ3arkMkUBdxIUGZpEb7kaQBRlASPg0FQQHAbEEMGDSVEAA1QBhAED1E0NgwFAooCDWljaQIQCE5qMHcNhCkjIQAh+QQJCgAAACwAAAAAEAAQAAAFeSAgAgIpnOSoLgxxvqgKLEcCC65KEAByKK8cSpA4DAiHQ/DkKhGKh4ZCtCyZGo6F6iYYPAqFgYy02xkSaLEMV34tELyRYNEsCQyHlvWkGCzsPgMCEAY7Cg04Uk48LAsDhRA8MVQPEF0GAgqYYwSRlycNcWskCkApIyEAOwAAAAAAAAAAAA=="},65653:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADwAAAAoCAYAAACiu5n/AAACLElEQVR42u3Zz0sUYRzH8bUISoyF1i5iXSooyYgOEXapZNYNojwU/aAfUAT9A4YhUgdxt1To0KFIBCMIvEcUEXntUtivpYuUhYFIdDBMmD69he/hObgsbSnb13ngdZjZhX3eO8/MDrMpSctKErwsg//HUSgU7uNYsB3hHla4CybqEoRPaMJGFCEMewxuxnsIk5iALPqg1yVdj9eQGUdjiuE1eAs+QOYztrsMJqwFk8EyHguW95klD+ZD08gsYvBFCBPYgHXBOT1UNpg3ncQpnAicRbrCCQ3j8SIf5QvYEWxvxnlb0mWDr0MIvcOaCiayC78gRKmlH+WDbaIjkJnDzgq/+VHIvMWqag3ehBkIAxXGdkAIDVRlsE24H9//4ty9hju4Hej710c5m83WYging32HMYjMnwSvx75UlQ+iOiDEaEMLZiA8dPc7TFQDnkGYxQ8Iz9Hs8k4riqIa4l5ApojVbm8tiduPL5CZRs5lMGFH8DNYxo+C5d3tMfgohJeow0qMQujxuqRb0RBsZ3DA2ZIuP5LgJDgJToKr4ZHOWjTOy+fzNa6DiezCFGReod1lMGF3IYzjMm5B5rirYIJyEJ4iHezfjW+YRr2n4EHE2LrAa1cg5DwFj2DWLlKljn67p+B+CIdKPAaOsddTcBOEKbTZvjp0Qvjo8Sp9DjJFfIVMjBsef4f34AHeYAxX0VfqMbDnfw97IXMTta6DLbobcxBa3Qdb9BPE2LZQ8G98530ecQi/2QAAAABJRU5ErkJggg=="},32095:t=>{"use strict";t.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAHgAAABQCAYAAADSm7GJAAADFElEQVR42u2dsW4TQRBAI0ERCYpDpAUdJX/hAlxQ3SekovYXIIvKEiBRIUF1lHT+BP+Br0TCCCsFLW5cmCS3jKWNNFrdZu+EOG7sd9Irkl0p8r3s7Mzs5XLinIMD5uhvAIIBwYBgaMnNNZvNyj0nkUvPQbAdtDjnCSU3zkGwEbS4iOToHATbE6wptVwEGyUhcaW/JkTbT7JcCpIse4K7SC4pk4wRXreE5ZUMUwezgh03lT0YyKKBOhjoZHUi1oCf7mkYohd9ACVFrj50HgxzmtQifKwF15L1fxC8UD9/EQxzHtxC8KiD4FHPNWMhuIACwd33h3kLuXOZ2mc4yyLRZS1kCG6H3uc2Mbl+LO9Z8FRwEaYINnpDdWKVIEdwC/QVC4l97nk6sUqwQHA3wbGEa9Sj4CCxSlIguHtZMg8Tq/4Edy/bLNXB4/G4FKJ1sJ7zTwTrhMuTU3f+NVqc84SSG+bEJR99a3BoaHERybE5HDYYFKwptVwEGyUhcRX5PufBRoiH4Tg80WFMcBfJPJNljfC6JSzzVCUrGMHswUAWDdTBQCcLOveiCdEBnCYBb9kBBAOCAcGAYEDw0XP0NwDBgGBAMCAYEAwIHvD7QzJhIlSCE2rF0o9lav4eBBt5JWHR8EfzdYATfgkFgg2g5J4LdSD1WrjyXDeIPkfwsNErV6/Y38J34aXwWHgkvBJWwi74RSgQPGD8nrtRwrbCe+G0YX9+KHzyc2rPRsgQPFzBEyVrJ7xLvNTsjvBBuFQreYLg4Qpeqv32m3BP+YxJPhUulOAKwQMl2HsnymNK8mudeCF44IK9rCcdBD8XrhBsS/BTBBOibwTPCNEGCFqSX4X7LeSeCRdK8BLBwy6TdIPjo3A3kUF/pkyy1+ioPVsv8KxB7gPhi7BVcndCpqYheKCtSt1+vBR+CG+EZ8IL4a3wU69cRYlgC4cN4UFD/LDBNVAi2NZxYa0Ixe5ikhFs58B/2SC48mOZUMYkI/jw/61diWDzgtOSEWxdcFpyhWDTgtOSEWxccCgZwfZJ9akrJXiKYEDwMfAHMSYobVemsdsAAAAASUVORK5CYII="},59699:t=>{"use strict";t.exports="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7"},34213:t=>{"use strict";t.exports="data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw=="},35548:(t,e,i)=>{"use strict";var n=i(33517),o=i(16823),r=TypeError;t.exports=function(t){if(n(t))return t;throw new r(o(t)+" is not a constructor")}},73506:(t,e,i)=>{"use strict";var n=i(13925),o=String,r=TypeError;t.exports=function(t){if(n(t))return t;throw new r("Can't set "+o(t)+" as a prototype")}},97080:(t,e,i)=>{"use strict";var n=i(94402).has;t.exports=function(t){return n(t),t}},6469:(t,e,i)=>{"use strict";var n=i(78227),o=i(2360),r=i(24913).f,s=n("unscopables"),a=Array.prototype;void 0===a[s]&&r(a,s,{configurable:!0,value:o(null)}),t.exports=function(t){a[s][t]=!0}},90679:(t,e,i)=>{"use strict";var n=i(1625),o=TypeError;t.exports=function(t,e){if(n(e,t))return t;throw new o("Incorrect invocation")}},77811:t=>{"use strict";t.exports="undefined"!=typeof ArrayBuffer&&"undefined"!=typeof DataView},67394:(t,e,i)=>{"use strict";var n=i(44576),o=i(46706),r=i(22195),s=n.ArrayBuffer,a=n.TypeError;t.exports=s&&o(s.prototype,"byteLength","get")||function(t){if("ArrayBuffer"!==r(t))throw new a("ArrayBuffer expected");return t.byteLength}},3238:(t,e,i)=>{"use strict";var n=i(44576),o=i(27476),r=i(67394),s=n.ArrayBuffer,a=s&&s.prototype,c=a&&o(a.slice);t.exports=function(t){if(0!==r(t))return!1;if(!c)return!1;try{return c(t,0,0),!1}catch(t){return!0}}},15652:(t,e,i)=>{"use strict";var n=i(79039);t.exports=n((function(){if("function"==typeof ArrayBuffer){var t=new ArrayBuffer(8);Object.isExtensible(t)&&Object.defineProperty(t,"a",{value:8})}}))},55169:(t,e,i)=>{"use strict";var n=i(3238),o=TypeError;t.exports=function(t){if(n(t))throw new o("ArrayBuffer is detached");return t}},95636:(t,e,i)=>{"use strict";var n=i(44576),o=i(79504),r=i(46706),s=i(57696),a=i(55169),c=i(67394),l=i(94483),u=i(1548),h=n.structuredClone,d=n.ArrayBuffer,p=n.DataView,A=Math.min,f=d.prototype,g=p.prototype,m=o(f.slice),C=r(f,"resizable","get"),b=r(f,"maxByteLength","get"),v=o(g.getInt8),x=o(g.setInt8);t.exports=(u||l)&&function(t,e,i){var n,o=c(t),r=void 0===e?o:s(e),f=!C||!C(t);if(a(t),u&&(t=h(t,{transfer:[t]}),o===r&&(i||f)))return t;if(o>=r&&(!i||f))n=m(t,0,r);else{var g=i&&!f&&b?{maxByteLength:b(t)}:void 0;n=new d(r,g);for(var w=new p(t),y=new p(n),k=A(r,o),B=0;B{"use strict";var n,o,r,s=i(77811),a=i(43724),c=i(44576),l=i(94901),u=i(20034),h=i(39297),d=i(36955),p=i(16823),A=i(66699),f=i(36840),g=i(62106),m=i(1625),C=i(42787),b=i(52967),v=i(78227),x=i(33392),w=i(91181),y=w.enforce,k=w.get,B=c.Int8Array,E=B&&B.prototype,_=c.Uint8ClampedArray,I=_&&_.prototype,D=B&&C(B),S=E&&C(E),T=Object.prototype,O=c.TypeError,M=v("toStringTag"),P=x("TYPED_ARRAY_TAG"),R="TypedArrayConstructor",N=s&&!!b&&"Opera"!==d(c.opera),H=!1,z={Int8Array:1,Uint8Array:1,Uint8ClampedArray:1,Int16Array:2,Uint16Array:2,Int32Array:4,Uint32Array:4,Float32Array:4,Float64Array:8},L={BigInt64Array:8,BigUint64Array:8},F=function(t){var e=C(t);if(u(e)){var i=k(e);return i&&h(i,R)?i[R]:F(e)}},j=function(t){if(!u(t))return!1;var e=d(t);return h(z,e)||h(L,e)};for(n in z)(r=(o=c[n])&&o.prototype)?y(r)[R]=o:N=!1;for(n in L)(r=(o=c[n])&&o.prototype)&&(y(r)[R]=o);if((!N||!l(D)||D===Function.prototype)&&(D=function(){throw new O("Incorrect invocation")},N))for(n in z)c[n]&&b(c[n],D);if((!N||!S||S===T)&&(S=D.prototype,N))for(n in z)c[n]&&b(c[n].prototype,S);if(N&&C(I)!==S&&b(I,S),a&&!h(S,M))for(n in H=!0,g(S,M,{configurable:!0,get:function(){return u(this)?this[P]:void 0}}),z)c[n]&&A(c[n],P,n);t.exports={NATIVE_ARRAY_BUFFER_VIEWS:N,TYPED_ARRAY_TAG:H&&P,aTypedArray:function(t){if(j(t))return t;throw new O("Target is not a typed array")},aTypedArrayConstructor:function(t){if(l(t)&&(!b||m(D,t)))return t;throw new O(p(t)+" is not a typed array constructor")},exportTypedArrayMethod:function(t,e,i,n){if(a){if(i)for(var o in z){var r=c[o];if(r&&h(r.prototype,t))try{delete r.prototype[t]}catch(i){try{r.prototype[t]=e}catch(t){}}}S[t]&&!i||f(S,t,i?e:N&&E[t]||e,n)}},exportTypedArrayStaticMethod:function(t,e,i){var n,o;if(a){if(b){if(i)for(n in z)if((o=c[n])&&h(o,t))try{delete o[t]}catch(t){}if(D[t]&&!i)return;try{return f(D,t,i?e:N&&D[t]||e)}catch(t){}}for(n in z)!(o=c[n])||o[t]&&!i||f(o,t,e)}},getTypedArrayConstructor:F,isView:function(t){if(!u(t))return!1;var e=d(t);return"DataView"===e||h(z,e)||h(L,e)},isTypedArray:j,TypedArray:D,TypedArrayPrototype:S}},66346:(t,e,i)=>{"use strict";var n=i(44576),o=i(79504),r=i(43724),s=i(77811),a=i(10350),c=i(66699),l=i(62106),u=i(56279),h=i(79039),d=i(90679),p=i(91291),A=i(18014),f=i(57696),g=i(15617),m=i(88490),C=i(42787),b=i(52967),v=i(84373),x=i(67680),w=i(23167),y=i(77740),k=i(10687),B=i(91181),E=a.PROPER,_=a.CONFIGURABLE,I="ArrayBuffer",D="DataView",S="prototype",T="Wrong index",O=B.getterFor(I),M=B.getterFor(D),P=B.set,R=n[I],N=R,H=N&&N[S],z=n[D],L=z&&z[S],F=Object.prototype,j=n.Array,U=n.RangeError,W=o(v),Y=o([].reverse),q=m.pack,Q=m.unpack,G=function(t){return[255&t]},X=function(t){return[255&t,t>>8&255]},V=function(t){return[255&t,t>>8&255,t>>16&255,t>>24&255]},K=function(t){return t[3]<<24|t[2]<<16|t[1]<<8|t[0]},J=function(t){return q(g(t),23,4)},Z=function(t){return q(t,52,8)},$=function(t,e,i){l(t[S],e,{configurable:!0,get:function(){return i(this)[e]}})},tt=function(t,e,i,n){var o=M(t),r=f(i),s=!!n;if(r+e>o.byteLength)throw new U(T);var a=o.bytes,c=r+o.byteOffset,l=x(a,c,c+e);return s?l:Y(l)},et=function(t,e,i,n,o,r){var s=M(t),a=f(i),c=n(+o),l=!!r;if(a+e>s.byteLength)throw new U(T);for(var u=s.bytes,h=a+s.byteOffset,d=0;d>24)},setUint8:function(t,e){ot(this,t,e<<24>>24)}},{unsafe:!0})}else H=(N=function(t){d(this,H);var e=f(t);P(this,{type:I,bytes:W(j(e),0),byteLength:e}),r||(this.byteLength=e,this.detached=!1)})[S],L=(z=function(t,e,i){d(this,L),d(t,H);var n=O(t),o=n.byteLength,s=p(e);if(s<0||s>o)throw new U("Wrong offset");if(s+(i=void 0===i?o-s:A(i))>o)throw new U("Wrong length");P(this,{type:D,buffer:t,byteLength:i,byteOffset:s,bytes:n.bytes}),r||(this.buffer=t,this.byteLength=i,this.byteOffset=s)})[S],r&&($(N,"byteLength",O),$(z,"buffer",M),$(z,"byteLength",M),$(z,"byteOffset",M)),u(L,{getInt8:function(t){return tt(this,1,t)[0]<<24>>24},getUint8:function(t){return tt(this,1,t)[0]},getInt16:function(t){var e=tt(this,2,t,arguments.length>1&&arguments[1]);return(e[1]<<8|e[0])<<16>>16},getUint16:function(t){var e=tt(this,2,t,arguments.length>1&&arguments[1]);return e[1]<<8|e[0]},getInt32:function(t){return K(tt(this,4,t,arguments.length>1&&arguments[1]))},getUint32:function(t){return K(tt(this,4,t,arguments.length>1&&arguments[1]))>>>0},getFloat32:function(t){return Q(tt(this,4,t,arguments.length>1&&arguments[1]),23)},getFloat64:function(t){return Q(tt(this,8,t,arguments.length>1&&arguments[1]),52)},setInt8:function(t,e){et(this,1,t,G,e)},setUint8:function(t,e){et(this,1,t,G,e)},setInt16:function(t,e){et(this,2,t,X,e,arguments.length>2&&arguments[2])},setUint16:function(t,e){et(this,2,t,X,e,arguments.length>2&&arguments[2])},setInt32:function(t,e){et(this,4,t,V,e,arguments.length>2&&arguments[2])},setUint32:function(t,e){et(this,4,t,V,e,arguments.length>2&&arguments[2])},setFloat32:function(t,e){et(this,4,t,J,e,arguments.length>2&&arguments[2])},setFloat64:function(t,e){et(this,8,t,Z,e,arguments.length>2&&arguments[2])}});k(N,I),k(z,D),t.exports={ArrayBuffer:N,DataView:z}},57029:(t,e,i)=>{"use strict";var n=i(48981),o=i(35610),r=i(26198),s=i(84606),a=Math.min;t.exports=[].copyWithin||function(t,e){var i=n(this),c=r(i),l=o(t,c),u=o(e,c),h=arguments.length>2?arguments[2]:void 0,d=a((void 0===h?c:o(h,c))-u,c-l),p=1;for(u0;)u in i?i[l]=i[u]:s(i,l),l+=p,u+=p;return i}},84373:(t,e,i)=>{"use strict";var n=i(48981),o=i(35610),r=i(26198);t.exports=function(t){for(var e=n(this),i=r(e),s=arguments.length,a=o(s>1?arguments[1]:void 0,i),c=s>2?arguments[2]:void 0,l=void 0===c?i:o(c,i);l>a;)e[a++]=t;return e}},90235:(t,e,i)=>{"use strict";var n=i(59213).forEach,o=i(34598)("forEach");t.exports=o?[].forEach:function(t){return n(this,t,arguments.length>1?arguments[1]:void 0)}},35370:(t,e,i)=>{"use strict";var n=i(26198);t.exports=function(t,e,i){for(var o=0,r=arguments.length>2?i:n(e),s=new t(r);r>o;)s[o]=e[o++];return s}},97916:(t,e,i)=>{"use strict";var n=i(76080),o=i(69565),r=i(48981),s=i(96319),a=i(44209),c=i(33517),l=i(26198),u=i(97040),h=i(70081),d=i(50851),p=Array;t.exports=function(t){var e=r(t),i=c(this),A=arguments.length,f=A>1?arguments[1]:void 0,g=void 0!==f;g&&(f=n(f,A>2?arguments[2]:void 0));var m,C,b,v,x,w,y=d(e),k=0;if(!y||this===p&&a(y))for(m=l(e),C=i?new this(m):p(m);m>k;k++)w=g?f(e[k],k):e[k],u(C,k,w);else for(C=i?new this:[],x=(v=h(e,y)).next;!(b=o(x,v)).done;k++)w=g?s(v,f,[b.value,k],!0):b.value,u(C,k,w);return C.length=k,C}},43839:(t,e,i)=>{"use strict";var n=i(76080),o=i(47055),r=i(48981),s=i(26198),a=function(t){var e=1===t;return function(i,a,c){for(var l,u=r(i),h=o(u),d=s(h),p=n(a,c);d-- >0;)if(p(l=h[d],d,u))switch(t){case 0:return l;case 1:return d}return e?-1:void 0}};t.exports={findLast:a(0),findLastIndex:a(1)}},59213:(t,e,i)=>{"use strict";var n=i(76080),o=i(79504),r=i(47055),s=i(48981),a=i(26198),c=i(1469),l=o([].push),u=function(t){var e=1===t,i=2===t,o=3===t,u=4===t,h=6===t,d=7===t,p=5===t||h;return function(A,f,g,m){for(var C,b,v=s(A),x=r(v),w=a(x),y=n(f,g),k=0,B=m||c,E=e?B(A,w):i||d?B(A,0):void 0;w>k;k++)if((p||k in x)&&(b=y(C=x[k],k,v),t))if(e)E[k]=b;else if(b)switch(t){case 3:return!0;case 5:return C;case 6:return k;case 2:l(E,C)}else switch(t){case 4:return!1;case 7:l(E,C)}return h?-1:o||u?u:E}};t.exports={forEach:u(0),map:u(1),filter:u(2),some:u(3),every:u(4),find:u(5),findIndex:u(6),filterReject:u(7)}},8379:(t,e,i)=>{"use strict";var n=i(18745),o=i(25397),r=i(91291),s=i(26198),a=i(34598),c=Math.min,l=[].lastIndexOf,u=!!l&&1/[1].lastIndexOf(1,-0)<0,h=a("lastIndexOf"),d=u||!h;t.exports=d?function(t){if(u)return n(l,this,arguments)||0;var e=o(this),i=s(e);if(0===i)return-1;var a=i-1;for(arguments.length>1&&(a=c(a,r(arguments[1]))),a<0&&(a=i+a);a>=0;a--)if(a in e&&e[a]===t)return a||0;return-1}:l},70597:(t,e,i)=>{"use strict";var n=i(79039),o=i(78227),r=i(39519),s=o("species");t.exports=function(t){return r>=51||!n((function(){var e=[];return(e.constructor={})[s]=function(){return{foo:1}},1!==e[t](Boolean).foo}))}},34598:(t,e,i)=>{"use strict";var n=i(79039);t.exports=function(t,e){var i=[][t];return!!i&&n((function(){i.call(null,e||function(){return 1},1)}))}},80926:(t,e,i)=>{"use strict";var n=i(79306),o=i(48981),r=i(47055),s=i(26198),a=TypeError,c="Reduce of empty array with no initial value",l=function(t){return function(e,i,l,u){var h=o(e),d=r(h),p=s(h);if(n(i),0===p&&l<2)throw new a(c);var A=t?p-1:0,f=t?-1:1;if(l<2)for(;;){if(A in d){u=d[A],A+=f;break}if(A+=f,t?A<0:p<=A)throw new a(c)}for(;t?A>=0:p>A;A+=f)A in d&&(u=i(u,d[A],A,h));return u}};t.exports={left:l(!1),right:l(!0)}},34527:(t,e,i)=>{"use strict";var n=i(43724),o=i(34376),r=TypeError,s=Object.getOwnPropertyDescriptor,a=n&&!function(){if(void 0!==this)return!0;try{Object.defineProperty([],"length",{writable:!1}).length=1}catch(t){return t instanceof TypeError}}();t.exports=a?function(t,e){if(o(t)&&!s(t,"length").writable)throw new r("Cannot set read only .length");return t.length=e}:function(t,e){return t.length=e}},67680:(t,e,i)=>{"use strict";var n=i(79504);t.exports=n([].slice)},74488:(t,e,i)=>{"use strict";var n=i(67680),o=Math.floor,r=function(t,e){var i=t.length;if(i<8)for(var s,a,c=1;c0;)t[a]=t[--a];a!==c++&&(t[a]=s)}else for(var l=o(i/2),u=r(n(t,0,l),e),h=r(n(t,l),e),d=u.length,p=h.length,A=0,f=0;A{"use strict";var n=i(34376),o=i(33517),r=i(20034),s=i(78227)("species"),a=Array;t.exports=function(t){var e;return n(t)&&(e=t.constructor,(o(e)&&(e===a||n(e.prototype))||r(e)&&null===(e=e[s]))&&(e=void 0)),void 0===e?a:e}},1469:(t,e,i)=>{"use strict";var n=i(87433);t.exports=function(t,e){return new(n(t))(0===e?0:e)}},37628:(t,e,i)=>{"use strict";var n=i(26198);t.exports=function(t,e){for(var i=n(t),o=new e(i),r=0;r{"use strict";var n=i(26198),o=i(91291),r=RangeError;t.exports=function(t,e,i,s){var a=n(t),c=o(i),l=c<0?a+c:c;if(l>=a||l<0)throw new r("Incorrect index");for(var u=new e(a),h=0;h{"use strict";var e="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789",i=e+"+/",n=e+"-_",o=function(t){for(var e={},i=0;i<64;i++)e[t.charAt(i)]=i;return e};t.exports={i2c:i,c2i:o(i),i2cUrl:n,c2iUrl:o(n)}},96319:(t,e,i)=>{"use strict";var n=i(28551),o=i(9539);t.exports=function(t,e,i,r){try{return r?e(n(i)[0],i[1]):e(i)}catch(e){o(t,"throw",e)}}},84428:(t,e,i)=>{"use strict";var n=i(78227)("iterator"),o=!1;try{var r=0,s={next:function(){return{done:!!r++}},return:function(){o=!0}};s[n]=function(){return this},Array.from(s,(function(){throw 2}))}catch(t){}t.exports=function(t,e){try{if(!e&&!o)return!1}catch(t){return!1}var i=!1;try{var r={};r[n]=function(){return{next:function(){return{done:i=!0}}}},t(r)}catch(t){}return i}},86938:(t,e,i)=>{"use strict";var n=i(2360),o=i(62106),r=i(56279),s=i(76080),a=i(90679),c=i(64117),l=i(72652),u=i(51088),h=i(62529),d=i(87633),p=i(43724),A=i(3451).fastKey,f=i(91181),g=f.set,m=f.getterFor;t.exports={getConstructor:function(t,e,i,u){var h=t((function(t,o){a(t,d),g(t,{type:e,index:n(null),first:null,last:null,size:0}),p||(t.size=0),c(o)||l(o,t[u],{that:t,AS_ENTRIES:i})})),d=h.prototype,f=m(e),C=function(t,e,i){var n,o,r=f(t),s=b(t,e);return s?s.value=i:(r.last=s={index:o=A(e,!0),key:e,value:i,previous:n=r.last,next:null,removed:!1},r.first||(r.first=s),n&&(n.next=s),p?r.size++:t.size++,"F"!==o&&(r.index[o]=s)),t},b=function(t,e){var i,n=f(t),o=A(e);if("F"!==o)return n.index[o];for(i=n.first;i;i=i.next)if(i.key===e)return i};return r(d,{clear:function(){for(var t=f(this),e=t.first;e;)e.removed=!0,e.previous&&(e.previous=e.previous.next=null),e=e.next;t.first=t.last=null,t.index=n(null),p?t.size=0:this.size=0},delete:function(t){var e=this,i=f(e),n=b(e,t);if(n){var o=n.next,r=n.previous;delete i.index[n.index],n.removed=!0,r&&(r.next=o),o&&(o.previous=r),i.first===n&&(i.first=o),i.last===n&&(i.last=r),p?i.size--:e.size--}return!!n},forEach:function(t){for(var e,i=f(this),n=s(t,arguments.length>1?arguments[1]:void 0);e=e?e.next:i.first;)for(n(e.value,e.key,this);e&&e.removed;)e=e.previous},has:function(t){return!!b(this,t)}}),r(d,i?{get:function(t){var e=b(this,t);return e&&e.value},set:function(t,e){return C(this,0===t?0:t,e)}}:{add:function(t){return C(this,t=0===t?0:t,t)}}),p&&o(d,"size",{configurable:!0,get:function(){return f(this).size}}),h},setStrong:function(t,e,i){var n=e+" Iterator",o=m(e),r=m(n);u(t,e,(function(t,e){g(this,{type:n,target:t,state:o(t),kind:e,last:null})}),(function(){for(var t=r(this),e=t.kind,i=t.last;i&&i.removed;)i=i.previous;return t.target&&(t.last=i=i?i.next:t.state.first)?h("keys"===e?i.key:"values"===e?i.value:[i.key,i.value],!1):(t.target=null,h(void 0,!0))}),i?"entries":"values",!i,!0),d(e)}}},91625:(t,e,i)=>{"use strict";var n=i(79504),o=i(56279),r=i(3451).getWeakData,s=i(90679),a=i(28551),c=i(64117),l=i(20034),u=i(72652),h=i(59213),d=i(39297),p=i(91181),A=p.set,f=p.getterFor,g=h.find,m=h.findIndex,C=n([].splice),b=0,v=function(t){return t.frozen||(t.frozen=new x)},x=function(){this.entries=[]},w=function(t,e){return g(t.entries,(function(t){return t[0]===e}))};x.prototype={get:function(t){var e=w(this,t);if(e)return e[1]},has:function(t){return!!w(this,t)},set:function(t,e){var i=w(this,t);i?i[1]=e:this.entries.push([t,e])},delete:function(t){var e=m(this.entries,(function(e){return e[0]===t}));return~e&&C(this.entries,e,1),!!~e}},t.exports={getConstructor:function(t,e,i,n){var h=t((function(t,o){s(t,p),A(t,{type:e,id:b++,frozen:null}),c(o)||u(o,t[n],{that:t,AS_ENTRIES:i})})),p=h.prototype,g=f(e),m=function(t,e,i){var n=g(t),o=r(a(e),!0);return!0===o?v(n).set(e,i):o[n.id]=i,t};return o(p,{delete:function(t){var e=g(this);if(!l(t))return!1;var i=r(t);return!0===i?v(e).delete(t):i&&d(i,e.id)&&delete i[e.id]},has:function(t){var e=g(this);if(!l(t))return!1;var i=r(t);return!0===i?v(e).has(t):i&&d(i,e.id)}}),o(p,i?{get:function(t){var e=g(this);if(l(t)){var i=r(t);if(!0===i)return v(e).get(t);if(i)return i[e.id]}},set:function(t,e){return m(this,t,e)}}:{add:function(t){return m(this,t,!0)}}),h}}},16468:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(79504),s=i(92796),a=i(36840),c=i(3451),l=i(72652),u=i(90679),h=i(94901),d=i(64117),p=i(20034),A=i(79039),f=i(84428),g=i(10687),m=i(23167);t.exports=function(t,e,i){var C=-1!==t.indexOf("Map"),b=-1!==t.indexOf("Weak"),v=C?"set":"add",x=o[t],w=x&&x.prototype,y=x,k={},B=function(t){var e=r(w[t]);a(w,t,"add"===t?function(t){return e(this,0===t?0:t),this}:"delete"===t?function(t){return!(b&&!p(t))&&e(this,0===t?0:t)}:"get"===t?function(t){return b&&!p(t)?void 0:e(this,0===t?0:t)}:"has"===t?function(t){return!(b&&!p(t))&&e(this,0===t?0:t)}:function(t,i){return e(this,0===t?0:t,i),this})};if(s(t,!h(x)||!(b||w.forEach&&!A((function(){(new x).entries().next()})))))y=i.getConstructor(e,t,C,v),c.enable();else if(s(t,!0)){var E=new y,_=E[v](b?{}:-0,1)!==E,I=A((function(){E.has(1)})),D=f((function(t){new x(t)})),S=!b&&A((function(){for(var t=new x,e=5;e--;)t[v](e,e);return!t.has(-0)}));D||((y=e((function(t,e){u(t,w);var i=m(new x,t,y);return d(e)||l(e,i[v],{that:i,AS_ENTRIES:C}),i}))).prototype=w,w.constructor=y),(I||S)&&(B("delete"),B("has"),C&&B("get")),(S||_)&&B(v),b&&w.clear&&delete w.clear}return k[t]=y,n({global:!0,constructor:!0,forced:y!==x},k),g(y,t),b||i.setStrong(y,t,C),y}},41436:(t,e,i)=>{"use strict";var n=i(78227)("match");t.exports=function(t){var e=/./;try{"/./"[t](e)}catch(i){try{return e[n]=!1,"/./"[t](e)}catch(t){}}return!1}},12211:(t,e,i)=>{"use strict";var n=i(79039);t.exports=!n((function(){function t(){}return t.prototype.constructor=null,Object.getPrototypeOf(new t)!==t.prototype}))},77240:(t,e,i)=>{"use strict";var n=i(79504),o=i(67750),r=i(655),s=/"/g,a=n("".replace);t.exports=function(t,e,i,n){var c=r(o(t)),l="<"+e;return""!==i&&(l+=" "+i+'="'+a(r(n),s,""")+'"'),l+">"+c+""}},62529:t=>{"use strict";t.exports=function(t,e){return{value:t,done:e}}},97040:(t,e,i)=>{"use strict";var n=i(43724),o=i(24913),r=i(6980);t.exports=function(t,e,i){n?o.f(t,e,r(0,i)):t[e]=i}},70380:(t,e,i)=>{"use strict";var n=i(79504),o=i(79039),r=i(60533).start,s=RangeError,a=isFinite,c=Math.abs,l=Date.prototype,u=l.toISOString,h=n(l.getTime),d=n(l.getUTCDate),p=n(l.getUTCFullYear),A=n(l.getUTCHours),f=n(l.getUTCMilliseconds),g=n(l.getUTCMinutes),m=n(l.getUTCMonth),C=n(l.getUTCSeconds);t.exports=o((function(){return"0385-07-25T07:06:39.999Z"!==u.call(new Date(-50000000000001))}))||!o((function(){u.call(new Date(NaN))}))?function(){if(!a(h(this)))throw new s("Invalid time value");var t=this,e=p(t),i=f(t),n=e<0?"-":e>9999?"+":"";return n+r(c(e),n?6:4,0)+"-"+r(m(t)+1,2,0)+"-"+r(d(t),2,0)+"T"+r(A(t),2,0)+":"+r(g(t),2,0)+":"+r(C(t),2,0)+"."+r(i,3,0)+"Z"}:u},53640:(t,e,i)=>{"use strict";var n=i(28551),o=i(84270),r=TypeError;t.exports=function(t){if(n(this),"string"===t||"default"===t)t="string";else if("number"!==t)throw new r("Incorrect hint");return o(this,t)}},62106:(t,e,i)=>{"use strict";var n=i(50283),o=i(24913);t.exports=function(t,e,i){return i.get&&n(i.get,e,{getter:!0}),i.set&&n(i.set,e,{setter:!0}),o.f(t,e,i)}},56279:(t,e,i)=>{"use strict";var n=i(36840);t.exports=function(t,e,i){for(var o in e)n(t,o,e[o],i);return t}},84606:(t,e,i)=>{"use strict";var n=i(16823),o=TypeError;t.exports=function(t,e){if(!delete t[e])throw new o("Cannot delete property "+n(e)+" of "+n(t))}},94483:(t,e,i)=>{"use strict";var n,o,r,s,a=i(44576),c=i(89429),l=i(1548),u=a.structuredClone,h=a.ArrayBuffer,d=a.MessageChannel,p=!1;if(l)p=function(t){u(t,{transfer:[t]})};else if(h)try{d||(n=c("worker_threads"))&&(d=n.MessageChannel),d&&(o=new d,r=new h(2),s=function(t){o.port1.postMessage(null,[t])},2===r.byteLength&&(s(r),0===r.byteLength&&(p=s)))}catch(t){}t.exports=p},96837:t=>{"use strict";var e=TypeError;t.exports=function(t){if(t>9007199254740991)throw e("Maximum allowed index exceeded");return t}},55002:t=>{"use strict";t.exports={IndexSizeError:{s:"INDEX_SIZE_ERR",c:1,m:1},DOMStringSizeError:{s:"DOMSTRING_SIZE_ERR",c:2,m:0},HierarchyRequestError:{s:"HIERARCHY_REQUEST_ERR",c:3,m:1},WrongDocumentError:{s:"WRONG_DOCUMENT_ERR",c:4,m:1},InvalidCharacterError:{s:"INVALID_CHARACTER_ERR",c:5,m:1},NoDataAllowedError:{s:"NO_DATA_ALLOWED_ERR",c:6,m:0},NoModificationAllowedError:{s:"NO_MODIFICATION_ALLOWED_ERR",c:7,m:1},NotFoundError:{s:"NOT_FOUND_ERR",c:8,m:1},NotSupportedError:{s:"NOT_SUPPORTED_ERR",c:9,m:1},InUseAttributeError:{s:"INUSE_ATTRIBUTE_ERR",c:10,m:1},InvalidStateError:{s:"INVALID_STATE_ERR",c:11,m:1},SyntaxError:{s:"SYNTAX_ERR",c:12,m:1},InvalidModificationError:{s:"INVALID_MODIFICATION_ERR",c:13,m:1},NamespaceError:{s:"NAMESPACE_ERR",c:14,m:1},InvalidAccessError:{s:"INVALID_ACCESS_ERR",c:15,m:1},ValidationError:{s:"VALIDATION_ERR",c:16,m:0},TypeMismatchError:{s:"TYPE_MISMATCH_ERR",c:17,m:1},SecurityError:{s:"SECURITY_ERR",c:18,m:1},NetworkError:{s:"NETWORK_ERR",c:19,m:1},AbortError:{s:"ABORT_ERR",c:20,m:1},URLMismatchError:{s:"URL_MISMATCH_ERR",c:21,m:1},QuotaExceededError:{s:"QUOTA_EXCEEDED_ERR",c:22,m:1},TimeoutError:{s:"TIMEOUT_ERR",c:23,m:1},InvalidNodeTypeError:{s:"INVALID_NODE_TYPE_ERR",c:24,m:1},DataCloneError:{s:"DATA_CLONE_ERR",c:25,m:1}}},67400:t=>{"use strict";t.exports={CSSRuleList:0,CSSStyleDeclaration:0,CSSValueList:0,ClientRectList:0,DOMRectList:0,DOMStringList:0,DOMTokenList:1,DataTransferItemList:0,FileList:0,HTMLAllCollection:0,HTMLCollection:0,HTMLFormElement:0,HTMLSelectElement:0,MediaList:0,MimeTypeArray:0,NamedNodeMap:0,NodeList:1,PaintRequestList:0,Plugin:0,PluginArray:0,SVGLengthList:0,SVGNumberList:0,SVGPathSegList:0,SVGPointList:0,SVGStringList:0,SVGTransformList:0,SourceBufferList:0,StyleSheetList:0,TextTrackCueList:0,TextTrackList:0,TouchList:0}},79296:(t,e,i)=>{"use strict";var n=i(4055)("span").classList,o=n&&n.constructor&&n.constructor.prototype;t.exports=o===Object.prototype?void 0:o},13709:(t,e,i)=>{"use strict";var n=i(82839).match(/firefox\/(\d+)/i);t.exports=!!n&&+n[1]},13763:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/MSIE|Trident/.test(n)},44265:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/ipad|iphone|ipod/i.test(n)&&"undefined"!=typeof Pebble},89544:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/(?:ipad|iphone|ipod).*applewebkit/i.test(n)},38574:(t,e,i)=>{"use strict";var n=i(84215);t.exports="NODE"===n},7860:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/web0s(?!.*chrome)/i.test(n)},3607:(t,e,i)=>{"use strict";var n=i(82839).match(/AppleWebKit\/(\d+)\./);t.exports=!!n&&+n[1]},84215:(t,e,i)=>{"use strict";var n=i(44576),o=i(82839),r=i(22195),s=function(t){return o.slice(0,t.length)===t};t.exports=s("Bun/")?"BUN":s("Cloudflare-Workers")?"CLOUDFLARE":s("Deno/")?"DENO":s("Node.js/")?"NODE":n.Bun&&"string"==typeof Bun.version?"BUN":n.Deno&&"object"==typeof Deno.version?"DENO":"process"===r(n.process)?"NODE":n.window&&n.document?"BROWSER":"REST"},16193:(t,e,i)=>{"use strict";var n=i(79504),o=Error,r=n("".replace),s=String(new o("zxcasd").stack),a=/\n\s*at [^:]*:[^\n]*/,c=a.test(s);t.exports=function(t,e){if(c&&"string"==typeof t&&!o.prepareStackTrace)for(;e--;)t=r(t,a,"");return t}},80747:(t,e,i)=>{"use strict";var n=i(66699),o=i(16193),r=i(24659),s=Error.captureStackTrace;t.exports=function(t,e,i,a){r&&(s?s(t,e):n(t,"stack",o(i,a)))}},24659:(t,e,i)=>{"use strict";var n=i(79039),o=i(6980);t.exports=!n((function(){var t=new Error("a");return!("stack"in t)||(Object.defineProperty(t,"stack",o(1,7)),7!==t.stack)}))},77536:(t,e,i)=>{"use strict";var n=i(43724),o=i(79039),r=i(28551),s=i(32603),a=Error.prototype.toString,c=o((function(){if(n){var t=Object.create(Object.defineProperty({},"name",{get:function(){return this===t}}));if("true"!==a.call(t))return!0}return"2: 1"!==a.call({message:1,name:2})||"Error"!==a.call({})}));t.exports=c?function(){var t=r(this),e=s(t.name,"Error"),i=s(t.message);return e?i?e+": "+i:e:i}:a},70259:(t,e,i)=>{"use strict";var n=i(34376),o=i(26198),r=i(96837),s=i(76080),a=function(t,e,i,c,l,u,h,d){for(var p,A,f=l,g=0,m=!!h&&s(h,d);g0&&n(p)?(A=o(p),f=a(t,e,p,A,f,u-1)-1):(r(f+1),t[f]=p),f++),g++;return f};t.exports=a},92744:(t,e,i)=>{"use strict";var n=i(79039);t.exports=!n((function(){return Object.isExtensible(Object.preventExtensions({}))}))},76080:(t,e,i)=>{"use strict";var n=i(27476),o=i(79306),r=i(40616),s=n(n.bind);t.exports=function(t,e){return o(t),void 0===e?t:r?s(t,e):function(){return t.apply(e,arguments)}}},30566:(t,e,i)=>{"use strict";var n=i(79504),o=i(79306),r=i(20034),s=i(39297),a=i(67680),c=i(40616),l=Function,u=n([].concat),h=n([].join),d={};t.exports=c?l.bind:function(t){var e=o(this),i=e.prototype,n=a(arguments,1),c=function(){var i=u(n,a(arguments));return this instanceof c?function(t,e,i){if(!s(d,e)){for(var n=[],o=0;o{"use strict";var n=i(79504),o=i(79306);t.exports=function(t,e,i){try{return n(o(Object.getOwnPropertyDescriptor(t,e)[i]))}catch(t){}}},27476:(t,e,i)=>{"use strict";var n=i(22195),o=i(79504);t.exports=function(t){if("Function"===n(t))return o(t)}},89429:(t,e,i)=>{"use strict";var n=i(44576),o=i(38574);t.exports=function(t){if(o){try{return n.process.getBuiltinModule(t)}catch(t){}try{return Function('return require("'+t+'")')()}catch(t){}}}},44124:(t,e,i)=>{"use strict";var n=i(44576);t.exports=function(t,e){var i=n[t],o=i&&i.prototype;return o&&o[e]}},1767:t=>{"use strict";t.exports=function(t){return{iterator:t,next:t.next,done:!1}}},50851:(t,e,i)=>{"use strict";var n=i(36955),o=i(55966),r=i(64117),s=i(26269),a=i(78227)("iterator");t.exports=function(t){if(!r(t))return o(t,a)||o(t,"@@iterator")||s[n(t)]}},70081:(t,e,i)=>{"use strict";var n=i(69565),o=i(79306),r=i(28551),s=i(16823),a=i(50851),c=TypeError;t.exports=function(t,e){var i=arguments.length<2?a(t):e;if(o(i))return r(n(i,t));throw new c(s(t)+" is not iterable")}},66933:(t,e,i)=>{"use strict";var n=i(79504),o=i(34376),r=i(94901),s=i(22195),a=i(655),c=n([].push);t.exports=function(t){if(r(t))return t;if(o(t)){for(var e=t.length,i=[],n=0;n{"use strict";var n=i(79306),o=i(28551),r=i(69565),s=i(91291),a=i(1767),c="Invalid size",l=RangeError,u=TypeError,h=Math.max,d=function(t,e){this.set=t,this.size=h(e,0),this.has=n(t.has),this.keys=n(t.keys)};d.prototype={getIterator:function(){return a(o(r(this.keys,this.set)))},includes:function(t){return r(this.has,this.set,t)}},t.exports=function(t){o(t);var e=+t.size;if(e!=e)throw new u(c);var i=s(e);if(i<0)throw new l(c);return new d(t,i)}},90757:t=>{"use strict";t.exports=function(t,e){try{1===arguments.length?console.error(t):console.error(t,e)}catch(t){}}},88490:t=>{"use strict";var e=Array,i=Math.abs,n=Math.pow,o=Math.floor,r=Math.log,s=Math.LN2;t.exports={pack:function(t,a,c){var l,u,h,d=e(c),p=8*c-a-1,A=(1<>1,g=23===a?n(2,-24)-n(2,-77):0,m=t<0||0===t&&1/t<0?1:0,C=0;for((t=i(t))!=t||t===1/0?(u=t!=t?1:0,l=A):(l=o(r(t)/s),t*(h=n(2,-l))<1&&(l--,h*=2),(t+=l+f>=1?g/h:g*n(2,1-f))*h>=2&&(l++,h/=2),l+f>=A?(u=0,l=A):l+f>=1?(u=(t*h-1)*n(2,a),l+=f):(u=t*n(2,f-1)*n(2,a),l=0));a>=8;)d[C++]=255&u,u/=256,a-=8;for(l=l<0;)d[C++]=255&l,l/=256,p-=8;return d[C-1]|=128*m,d},unpack:function(t,e){var i,o=t.length,r=8*o-e-1,s=(1<>1,c=r-7,l=o-1,u=t[l--],h=127&u;for(u>>=7;c>0;)h=256*h+t[l--],c-=8;for(i=h&(1<<-c)-1,h>>=-c,c+=e;c>0;)i=256*i+t[l--],c-=8;if(0===h)h=1-a;else{if(h===s)return i?NaN:u?-1/0:1/0;i+=n(2,e),h-=a}return(u?-1:1)*i*n(2,h-e)}}},23167:(t,e,i)=>{"use strict";var n=i(94901),o=i(20034),r=i(52967);t.exports=function(t,e,i){var s,a;return r&&n(s=e.constructor)&&s!==i&&o(a=s.prototype)&&a!==i.prototype&&r(t,a),t}},77584:(t,e,i)=>{"use strict";var n=i(20034),o=i(66699);t.exports=function(t,e){n(e)&&"cause"in e&&o(t,"cause",e.cause)}},3451:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(30421),s=i(20034),a=i(39297),c=i(24913).f,l=i(38480),u=i(10298),h=i(34124),d=i(33392),p=i(92744),A=!1,f=d("meta"),g=0,m=function(t){c(t,f,{value:{objectID:"O"+g++,weakData:{}}})},C=t.exports={enable:function(){C.enable=function(){},A=!0;var t=l.f,e=o([].splice),i={};i[f]=1,t(i).length&&(l.f=function(i){for(var n=t(i),o=0,r=n.length;o{"use strict";var n=i(78227),o=i(26269),r=n("iterator"),s=Array.prototype;t.exports=function(t){return void 0!==t&&(o.Array===t||s[r]===t)}},34376:(t,e,i)=>{"use strict";var n=i(22195);t.exports=Array.isArray||function(t){return"Array"===n(t)}},18727:(t,e,i)=>{"use strict";var n=i(36955);t.exports=function(t){var e=n(t);return"BigInt64Array"===e||"BigUint64Array"===e}},33517:(t,e,i)=>{"use strict";var n=i(79504),o=i(79039),r=i(94901),s=i(36955),a=i(97751),c=i(33706),l=function(){},u=a("Reflect","construct"),h=/^\s*(?:class|function)\b/,d=n(h.exec),p=!h.test(l),A=function(t){if(!r(t))return!1;try{return u(l,[],t),!0}catch(t){return!1}},f=function(t){if(!r(t))return!1;switch(s(t)){case"AsyncFunction":case"GeneratorFunction":case"AsyncGeneratorFunction":return!1}try{return p||!!d(h,c(t))}catch(t){return!0}};f.sham=!0,t.exports=!u||o((function(){var t;return A(A.call)||!A(Object)||!A((function(){t=!0}))||t}))?f:A},16575:(t,e,i)=>{"use strict";var n=i(39297);t.exports=function(t){return void 0!==t&&(n(t,"value")||n(t,"writable"))}},2087:(t,e,i)=>{"use strict";var n=i(20034),o=Math.floor;t.exports=Number.isInteger||function(t){return!n(t)&&isFinite(t)&&o(t)===t}},13925:(t,e,i)=>{"use strict";var n=i(20034);t.exports=function(t){return n(t)||null===t}},60788:(t,e,i)=>{"use strict";var n=i(20034),o=i(22195),r=i(78227)("match");t.exports=function(t){var e;return n(t)&&(void 0!==(e=t[r])?!!e:"RegExp"===o(t))}},40507:(t,e,i)=>{"use strict";var n=i(69565);t.exports=function(t,e,i){for(var o,r,s=i?t:t.iterator,a=t.next;!(o=n(a,s)).done;)if(void 0!==(r=e(o.value)))return r}},72652:(t,e,i)=>{"use strict";var n=i(76080),o=i(69565),r=i(28551),s=i(16823),a=i(44209),c=i(26198),l=i(1625),u=i(70081),h=i(50851),d=i(9539),p=TypeError,A=function(t,e){this.stopped=t,this.result=e},f=A.prototype;t.exports=function(t,e,i){var g,m,C,b,v,x,w,y=i&&i.that,k=!(!i||!i.AS_ENTRIES),B=!(!i||!i.IS_RECORD),E=!(!i||!i.IS_ITERATOR),_=!(!i||!i.INTERRUPTED),I=n(e,y),D=function(t){return g&&d(g,"normal",t),new A(!0,t)},S=function(t){return k?(r(t),_?I(t[0],t[1],D):I(t[0],t[1])):_?I(t,D):I(t)};if(B)g=t.iterator;else if(E)g=t;else{if(!(m=h(t)))throw new p(s(t)+" is not iterable");if(a(m)){for(C=0,b=c(t);b>C;C++)if((v=S(t[C]))&&l(f,v))return v;return new A(!1)}g=u(t,m)}for(x=B?t.next:g.next;!(w=o(x,g)).done;){try{v=S(w.value)}catch(t){d(g,"throw",t)}if("object"==typeof v&&v&&l(f,v))return v}return new A(!1)}},9539:(t,e,i)=>{"use strict";var n=i(69565),o=i(28551),r=i(55966);t.exports=function(t,e,i){var s,a;o(t);try{if(!(s=r(t,"return"))){if("throw"===e)throw i;return i}s=n(s,t)}catch(t){a=!0,s=t}if("throw"===e)throw i;if(a)throw s;return o(s),i}},33994:(t,e,i)=>{"use strict";var n=i(57657).IteratorPrototype,o=i(2360),r=i(6980),s=i(10687),a=i(26269),c=function(){return this};t.exports=function(t,e,i,l){var u=e+" Iterator";return t.prototype=o(n,{next:r(+!l,i)}),s(t,u,!1,!0),a[u]=c,t}},51088:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(96395),s=i(10350),a=i(94901),c=i(33994),l=i(42787),u=i(52967),h=i(10687),d=i(66699),p=i(36840),A=i(78227),f=i(26269),g=i(57657),m=s.PROPER,C=s.CONFIGURABLE,b=g.IteratorPrototype,v=g.BUGGY_SAFARI_ITERATORS,x=A("iterator"),w="keys",y="values",k="entries",B=function(){return this};t.exports=function(t,e,i,s,A,g,E){c(i,e,s);var _,I,D,S=function(t){if(t===A&&R)return R;if(!v&&t&&t in M)return M[t];switch(t){case w:case y:case k:return function(){return new i(this,t)}}return function(){return new i(this)}},T=e+" Iterator",O=!1,M=t.prototype,P=M[x]||M["@@iterator"]||A&&M[A],R=!v&&P||S(A),N="Array"===e&&M.entries||P;if(N&&(_=l(N.call(new t)))!==Object.prototype&&_.next&&(r||l(_)===b||(u?u(_,b):a(_[x])||p(_,x,B)),h(_,T,!0,!0),r&&(f[T]=B)),m&&A===y&&P&&P.name!==y&&(!r&&C?d(M,"name",y):(O=!0,R=function(){return o(P,this)})),A)if(I={values:S(y),keys:g?R:S(w),entries:S(k)},E)for(D in I)(v||O||!(D in M))&&p(M,D,I[D]);else n({target:e,proto:!0,forced:v||O},I);return r&&!E||M[x]===R||p(M,x,R,{name:A}),f[e]=R,I}},57657:(t,e,i)=>{"use strict";var n,o,r,s=i(79039),a=i(94901),c=i(20034),l=i(2360),u=i(42787),h=i(36840),d=i(78227),p=i(96395),A=d("iterator"),f=!1;[].keys&&("next"in(r=[].keys())?(o=u(u(r)))!==Object.prototype&&(n=o):f=!0),!c(n)||s((function(){var t={};return n[A].call(t)!==t}))?n={}:p&&(n=l(n)),a(n[A])||h(n,A,(function(){return this})),t.exports={IteratorPrototype:n,BUGGY_SAFARI_ITERATORS:f}},26269:t=>{"use strict";t.exports={}},72248:(t,e,i)=>{"use strict";var n=i(79504),o=Map.prototype;t.exports={Map,set:n(o.set),get:n(o.get),has:n(o.has),remove:n(o.delete),proto:o}},53250:t=>{"use strict";var e=Math.expm1,i=Math.exp;t.exports=!e||e(10)>22025.465794806718||e(10)<22025.465794806718||-2e-17!==e(-2e-17)?function(t){var e=+t;return 0===e?e:e>-1e-6&&e<1e-6?e+e*e/2:i(e)-1}:e},33164:(t,e,i)=>{"use strict";var n=i(77782),o=Math.abs,r=2220446049250313e-31,s=1/r;t.exports=function(t,e,i,a){var c=+t,l=o(c),u=n(c);if(li||d!=d?u*(1/0):u*d}},15617:(t,e,i)=>{"use strict";var n=i(33164);t.exports=Math.fround||function(t){return n(t,1.1920928955078125e-7,34028234663852886e22,11754943508222875e-54)}},49340:t=>{"use strict";var e=Math.log,i=Math.LOG10E;t.exports=Math.log10||function(t){return e(t)*i}},7740:t=>{"use strict";var e=Math.log;t.exports=Math.log1p||function(t){var i=+t;return i>-1e-8&&i<1e-8?i-i*i/2:e(1+i)}},77782:t=>{"use strict";t.exports=Math.sign||function(t){var e=+t;return 0===e||e!=e?e:e<0?-1:1}},91955:(t,e,i)=>{"use strict";var n,o,r,s,a,c=i(44576),l=i(93389),u=i(76080),h=i(59225).set,d=i(18265),p=i(89544),A=i(44265),f=i(7860),g=i(38574),m=c.MutationObserver||c.WebKitMutationObserver,C=c.document,b=c.process,v=c.Promise,x=l("queueMicrotask");if(!x){var w=new d,y=function(){var t,e;for(g&&(t=b.domain)&&t.exit();e=w.get();)try{e()}catch(t){throw w.head&&n(),t}t&&t.enter()};p||g||f||!m||!C?!A&&v&&v.resolve?((s=v.resolve(void 0)).constructor=v,a=u(s.then,s),n=function(){a(y)}):g?n=function(){b.nextTick(y)}:(h=u(h,c),n=function(){h(y)}):(o=!0,r=C.createTextNode(""),new m(y).observe(r,{characterData:!0}),n=function(){r.data=o=!o}),x=function(t){w.head||n(),w.add(t)}}t.exports=x},36043:(t,e,i)=>{"use strict";var n=i(79306),o=TypeError,r=function(t){var e,i;this.promise=new t((function(t,n){if(void 0!==e||void 0!==i)throw new o("Bad Promise constructor");e=t,i=n})),this.resolve=n(e),this.reject=n(i)};t.exports.f=function(t){return new r(t)}},32603:(t,e,i)=>{"use strict";var n=i(655);t.exports=function(t,e){return void 0===t?arguments.length<2?"":e:n(t)}},60511:(t,e,i)=>{"use strict";var n=i(60788),o=TypeError;t.exports=function(t){if(n(t))throw new o("The method doesn't accept regular expressions");return t}},50360:(t,e,i)=>{"use strict";var n=i(44576).isFinite;t.exports=Number.isFinite||function(t){return"number"==typeof t&&n(t)}},33904:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(79504),s=i(655),a=i(43802).trim,c=i(47452),l=r("".charAt),u=n.parseFloat,h=n.Symbol,d=h&&h.iterator,p=1/u(c+"-0")!=-1/0||d&&!o((function(){u(Object(d))}));t.exports=p?function(t){var e=a(s(t)),i=u(e);return 0===i&&"-"===l(e,0)?-0:i}:u},52703:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(79504),s=i(655),a=i(43802).trim,c=i(47452),l=n.parseInt,u=n.Symbol,h=u&&u.iterator,d=/^[+-]?0x/i,p=r(d.exec),A=8!==l(c+"08")||22!==l(c+"0x16")||h&&!o((function(){l(Object(h))}));t.exports=A?function(t,e){var i=a(s(t));return l(i,e>>>0||(p(d,i)?16:10))}:l},44213:(t,e,i)=>{"use strict";var n=i(43724),o=i(79504),r=i(69565),s=i(79039),a=i(71072),c=i(33717),l=i(48773),u=i(48981),h=i(47055),d=Object.assign,p=Object.defineProperty,A=o([].concat);t.exports=!d||s((function(){if(n&&1!==d({b:1},d(p({},"a",{enumerable:!0,get:function(){p(this,"b",{value:3,enumerable:!1})}}),{b:2})).b)return!0;var t={},e={},i=Symbol("assign detection"),o="abcdefghijklmnopqrst";return t[i]=7,o.split("").forEach((function(t){e[t]=t})),7!==d({},t)[i]||a(d({},e)).join("")!==o}))?function(t,e){for(var i=u(t),o=arguments.length,s=1,d=c.f,p=l.f;o>s;)for(var f,g=h(arguments[s++]),m=d?A(a(g),d(g)):a(g),C=m.length,b=0;C>b;)f=m[b++],n&&!r(p,g,f)||(i[f]=g[f]);return i}:d},10298:(t,e,i)=>{"use strict";var n=i(22195),o=i(25397),r=i(38480).f,s=i(67680),a="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[];t.exports.f=function(t){return a&&"Window"===n(t)?function(t){try{return r(t)}catch(t){return s(a)}}(t):r(o(t))}},42787:(t,e,i)=>{"use strict";var n=i(39297),o=i(94901),r=i(48981),s=i(66119),a=i(12211),c=s("IE_PROTO"),l=Object,u=l.prototype;t.exports=a?l.getPrototypeOf:function(t){var e=r(t);if(n(e,c))return e[c];var i=e.constructor;return o(i)&&e instanceof i?i.prototype:e instanceof l?u:null}},34124:(t,e,i)=>{"use strict";var n=i(79039),o=i(20034),r=i(22195),s=i(15652),a=Object.isExtensible,c=n((function(){a(1)}));t.exports=c||s?function(t){return!!o(t)&&(!s||"ArrayBuffer"!==r(t))&&(!a||a(t))}:a},42551:(t,e,i)=>{"use strict";var n=i(96395),o=i(44576),r=i(79039),s=i(3607);t.exports=n||!r((function(){if(!(s&&s<535)){var t=Math.random();__defineSetter__.call(null,t,(function(){})),delete o[t]}}))},52967:(t,e,i)=>{"use strict";var n=i(46706),o=i(20034),r=i(67750),s=i(73506);t.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var t,e=!1,i={};try{(t=n(Object.prototype,"__proto__","set"))(i,[]),e=i instanceof Array}catch(t){}return function(i,n){return r(i),s(n),o(i)?(e?t(i,n):i.__proto__=n,i):i}}():void 0)},32357:(t,e,i)=>{"use strict";var n=i(43724),o=i(79039),r=i(79504),s=i(42787),a=i(71072),c=i(25397),l=r(i(48773).f),u=r([].push),h=n&&o((function(){var t=Object.create(null);return t[2]=2,!l(t,2)})),d=function(t){return function(e){for(var i,o=c(e),r=a(o),d=h&&null===s(o),p=r.length,A=0,f=[];p>A;)i=r[A++],n&&!(d?i in o:l(o,i))||u(f,t?[i,o[i]]:o[i]);return f}};t.exports={entries:d(!0),values:d(!1)}},53179:(t,e,i)=>{"use strict";var n=i(92140),o=i(36955);t.exports=n?{}.toString:function(){return"[object "+o(this)+"]"}},19167:(t,e,i)=>{"use strict";var n=i(44576);t.exports=n},1103:t=>{"use strict";t.exports=function(t){try{return{error:!1,value:t()}}catch(t){return{error:!0,value:t}}}},10916:(t,e,i)=>{"use strict";var n=i(44576),o=i(80550),r=i(94901),s=i(92796),a=i(33706),c=i(78227),l=i(84215),u=i(96395),h=i(39519),d=o&&o.prototype,p=c("species"),A=!1,f=r(n.PromiseRejectionEvent),g=s("Promise",(function(){var t=a(o),e=t!==String(o);if(!e&&66===h)return!0;if(u&&(!d.catch||!d.finally))return!0;if(!h||h<51||!/native code/.test(t)){var i=new o((function(t){t(1)})),n=function(t){t((function(){}),(function(){}))};if((i.constructor={})[p]=n,!(A=i.then((function(){}))instanceof n))return!0}return!(e||"BROWSER"!==l&&"DENO"!==l||f)}));t.exports={CONSTRUCTOR:g,REJECTION_EVENT:f,SUBCLASSING:A}},80550:(t,e,i)=>{"use strict";var n=i(44576);t.exports=n.Promise},93438:(t,e,i)=>{"use strict";var n=i(28551),o=i(20034),r=i(36043);t.exports=function(t,e){if(n(t),o(e)&&e.constructor===t)return e;var i=r.f(t);return(0,i.resolve)(e),i.promise}},90537:(t,e,i)=>{"use strict";var n=i(80550),o=i(84428),r=i(10916).CONSTRUCTOR;t.exports=r||!o((function(t){n.all(t).then(void 0,(function(){}))}))},11056:(t,e,i)=>{"use strict";var n=i(24913).f;t.exports=function(t,e,i){i in t||n(t,i,{configurable:!0,get:function(){return e[i]},set:function(t){e[i]=t}})}},18265:t=>{"use strict";var e=function(){this.head=null,this.tail=null};e.prototype={add:function(t){var e={item:t,next:null},i=this.tail;i?i.next=e:this.head=e,this.tail=e},get:function(){var t=this.head;if(t)return null===(this.head=t.next)&&(this.tail=null),t.item}},t.exports=e},61034:(t,e,i)=>{"use strict";var n=i(69565),o=i(39297),r=i(1625),s=i(67979),a=RegExp.prototype;t.exports=function(t){var e=t.flags;return void 0!==e||"flags"in a||o(t,"flags")||!r(a,t)?e:n(s,t)}},93389:(t,e,i)=>{"use strict";var n=i(44576),o=i(43724),r=Object.getOwnPropertyDescriptor;t.exports=function(t){if(!o)return n[t];var e=r(n,t);return e&&e.value}},3470:t=>{"use strict";t.exports=Object.is||function(t,e){return t===e?0!==t||1/t==1/e:t!=t&&e!=e}},79472:(t,e,i)=>{"use strict";var n,o=i(44576),r=i(18745),s=i(94901),a=i(84215),c=i(82839),l=i(67680),u=i(22812),h=o.Function,d=/MSIE .\./.test(c)||"BUN"===a&&((n=o.Bun.version.split(".")).length<3||"0"===n[0]&&(n[1]<3||"3"===n[1]&&"0"===n[2]));t.exports=function(t,e){var i=e?2:1;return d?function(n,o){var a=u(arguments.length,1)>i,c=s(n)?n:h(n),d=a?l(arguments,i):[],p=a?function(){r(c,this,d)}:c;return e?t(p,o):t(p)}:t}},89286:(t,e,i)=>{"use strict";var n=i(94402),o=i(38469),r=n.Set,s=n.add;t.exports=function(t){var e=new r;return o(t,(function(t){s(e,t)})),e}},83440:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402),r=i(89286),s=i(25170),a=i(83789),c=i(38469),l=i(40507),u=o.has,h=o.remove;t.exports=function(t){var e=n(this),i=a(t),o=r(e);return s(e)<=i.size?c(e,(function(t){i.includes(t)&&h(o,t)})):l(i.getIterator(),(function(t){u(e,t)&&h(o,t)})),o}},94402:(t,e,i)=>{"use strict";var n=i(79504),o=Set.prototype;t.exports={Set,add:n(o.add),has:n(o.has),remove:n(o.delete),proto:o}},68750:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402),r=i(25170),s=i(83789),a=i(38469),c=i(40507),l=o.Set,u=o.add,h=o.has;t.exports=function(t){var e=n(this),i=s(t),o=new l;return r(e)>i.size?c(i.getIterator(),(function(t){h(e,t)&&u(o,t)})):a(e,(function(t){i.includes(t)&&u(o,t)})),o}},64449:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402).has,r=i(25170),s=i(83789),a=i(38469),c=i(40507),l=i(9539);t.exports=function(t){var e=n(this),i=s(t);if(r(e)<=i.size)return!1!==a(e,(function(t){if(i.includes(t))return!1}),!0);var u=i.getIterator();return!1!==c(u,(function(t){if(o(e,t))return l(u,"normal",!1)}))}},53838:(t,e,i)=>{"use strict";var n=i(97080),o=i(25170),r=i(38469),s=i(83789);t.exports=function(t){var e=n(this),i=s(t);return!(o(e)>i.size)&&!1!==r(e,(function(t){if(!i.includes(t))return!1}),!0)}},28527:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402).has,r=i(25170),s=i(83789),a=i(40507),c=i(9539);t.exports=function(t){var e=n(this),i=s(t);if(r(e){"use strict";var n=i(79504),o=i(40507),r=i(94402),s=r.Set,a=r.proto,c=n(a.forEach),l=n(a.keys),u=l(new s).next;t.exports=function(t,e,i){return i?o({iterator:l(t),next:u},e):c(t,e)}},84916:(t,e,i)=>{"use strict";var n=i(97751),o=function(t){return{size:t,has:function(){return!1},keys:function(){return{next:function(){return{done:!0}}}}}};t.exports=function(t){var e=n("Set");try{(new e)[t](o(0));try{return(new e)[t](o(-1)),!1}catch(t){return!0}}catch(t){return!1}}},25170:(t,e,i)=>{"use strict";var n=i(46706),o=i(94402);t.exports=n(o.proto,"size","get")||function(t){return t.size}},87633:(t,e,i)=>{"use strict";var n=i(97751),o=i(62106),r=i(78227),s=i(43724),a=r("species");t.exports=function(t){var e=n(t);s&&e&&!e[a]&&o(e,a,{configurable:!0,get:function(){return this}})}},83650:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402),r=i(89286),s=i(83789),a=i(40507),c=o.add,l=o.has,u=o.remove;t.exports=function(t){var e=n(this),i=s(t).getIterator(),o=r(e);return a(i,(function(t){l(e,t)?u(o,t):c(o,t)})),o}},10687:(t,e,i)=>{"use strict";var n=i(24913).f,o=i(39297),r=i(78227)("toStringTag");t.exports=function(t,e,i){t&&!i&&(t=t.prototype),t&&!o(t,r)&&n(t,r,{configurable:!0,value:e})}},44204:(t,e,i)=>{"use strict";var n=i(97080),o=i(94402).add,r=i(89286),s=i(83789),a=i(40507);t.exports=function(t){var e=n(this),i=s(t).getIterator(),c=r(e);return a(i,(function(t){o(c,t)})),c}},2293:(t,e,i)=>{"use strict";var n=i(28551),o=i(35548),r=i(64117),s=i(78227)("species");t.exports=function(t,e){var i,a=n(t).constructor;return void 0===a||r(i=n(a)[s])?e:o(i)}},23061:(t,e,i)=>{"use strict";var n=i(79039);t.exports=function(t){return n((function(){var e=""[t]('"');return e!==e.toLowerCase()||e.split('"').length>3}))}},83063:(t,e,i)=>{"use strict";var n=i(82839);t.exports=/Version\/10(?:\.\d+){1,2}(?: [\w./]+)?(?: Mobile\/\w+)? Safari\//.test(n)},60533:(t,e,i)=>{"use strict";var n=i(79504),o=i(18014),r=i(655),s=i(72333),a=i(67750),c=n(s),l=n("".slice),u=Math.ceil,h=function(t){return function(e,i,n){var s,h,d=r(a(e)),p=o(i),A=d.length,f=void 0===n?" ":r(n);return p<=A||""===f?d:((h=c(f,u((s=p-A)/f.length))).length>s&&(h=l(h,0,s)),t?d+h:h+d)}};t.exports={start:h(!1),end:h(!0)}},3717:(t,e,i)=>{"use strict";var n=i(79504),o=2147483647,r=/[^\0-\u007E]/,s=/[.\u3002\uFF0E\uFF61]/g,a="Overflow: input needs wider integers to process",c=RangeError,l=n(s.exec),u=Math.floor,h=String.fromCharCode,d=n("".charCodeAt),p=n([].join),A=n([].push),f=n("".replace),g=n("".split),m=n("".toLowerCase),C=function(t){return t+22+75*(t<26)},b=function(t,e,i){var n=0;for(t=i?u(t/700):t>>1,t+=u(t/e);t>455;)t=u(t/35),n+=36;return u(n+36*t/(t+38))},v=function(t){var e=[];t=function(t){for(var e=[],i=0,n=t.length;i=55296&&o<=56319&&i=s&&nu((o-l)/x))throw new c(a);for(l+=(v-s)*x,s=v,i=0;io)throw new c(a);if(n===s){for(var w=l,y=36;;){var k=y<=f?1:y>=f+26?26:y-f;if(w{"use strict";var n=i(91291),o=i(655),r=i(67750),s=RangeError;t.exports=function(t){var e=o(r(this)),i="",a=n(t);if(a<0||a===1/0)throw new s("Wrong number of repetitions");for(;a>0;(a>>>=1)&&(e+=e))1&a&&(i+=e);return i}},18866:(t,e,i)=>{"use strict";var n=i(43802).end,o=i(60706);t.exports=o("trimEnd")?function(){return n(this)}:"".trimEnd},60706:(t,e,i)=>{"use strict";var n=i(10350).PROPER,o=i(79039),r=i(47452);t.exports=function(t){return o((function(){return!!r[t]()||"​…᠎"!=="​…᠎"[t]()||n&&r[t].name!==t}))}},53487:(t,e,i)=>{"use strict";var n=i(43802).start,o=i(60706);t.exports=o("trimStart")?function(){return n(this)}:"".trimStart},43802:(t,e,i)=>{"use strict";var n=i(79504),o=i(67750),r=i(655),s=i(47452),a=n("".replace),c=RegExp("^["+s+"]+"),l=RegExp("(^|[^"+s+"])["+s+"]+$"),u=function(t){return function(e){var i=r(o(e));return 1&t&&(i=a(i,c,"")),2&t&&(i=a(i,l,"$1")),i}};t.exports={start:u(1),end:u(2),trim:u(3)}},1548:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(39519),s=i(84215),a=n.structuredClone;t.exports=!!a&&!o((function(){if("DENO"===s&&r>92||"NODE"===s&&r>94||"BROWSER"===s&&r>97)return!1;var t=new ArrayBuffer(8),e=a(t,{transfer:[t]});return 0!==t.byteLength||8!==e.byteLength}))},58242:(t,e,i)=>{"use strict";var n=i(69565),o=i(97751),r=i(78227),s=i(36840);t.exports=function(){var t=o("Symbol"),e=t&&t.prototype,i=e&&e.valueOf,a=r("toPrimitive");e&&!e[a]&&s(e,a,(function(t){return n(i,this)}),{arity:1})}},91296:(t,e,i)=>{"use strict";var n=i(4495);t.exports=n&&!!Symbol.for&&!!Symbol.keyFor},59225:(t,e,i)=>{"use strict";var n,o,r,s,a=i(44576),c=i(18745),l=i(76080),u=i(94901),h=i(39297),d=i(79039),p=i(20397),A=i(67680),f=i(4055),g=i(22812),m=i(89544),C=i(38574),b=a.setImmediate,v=a.clearImmediate,x=a.process,w=a.Dispatch,y=a.Function,k=a.MessageChannel,B=a.String,E=0,_={},I="onreadystatechange";d((function(){n=a.location}));var D=function(t){if(h(_,t)){var e=_[t];delete _[t],e()}},S=function(t){return function(){D(t)}},T=function(t){D(t.data)},O=function(t){a.postMessage(B(t),n.protocol+"//"+n.host)};b&&v||(b=function(t){g(arguments.length,1);var e=u(t)?t:y(t),i=A(arguments,1);return _[++E]=function(){c(e,void 0,i)},o(E),E},v=function(t){delete _[t]},C?o=function(t){x.nextTick(S(t))}:w&&w.now?o=function(t){w.now(S(t))}:k&&!m?(s=(r=new k).port2,r.port1.onmessage=T,o=l(s.postMessage,s)):a.addEventListener&&u(a.postMessage)&&!a.importScripts&&n&&"file:"!==n.protocol&&!d(O)?(o=O,a.addEventListener("message",T,!1)):o=I in f("script")?function(t){p.appendChild(f("script"))[I]=function(){p.removeChild(this),D(t)}}:function(t){setTimeout(S(t),0)}),t.exports={set:b,clear:v}},31240:(t,e,i)=>{"use strict";var n=i(79504);t.exports=n(1..valueOf)},75854:(t,e,i)=>{"use strict";var n=i(72777),o=TypeError;t.exports=function(t){var e=n(t,"number");if("number"==typeof e)throw new o("Can't convert number to bigint");return BigInt(e)}},57696:(t,e,i)=>{"use strict";var n=i(91291),o=i(18014),r=RangeError;t.exports=function(t){if(void 0===t)return 0;var e=n(t),i=o(e);if(e!==i)throw new r("Wrong length or index");return i}},58229:(t,e,i)=>{"use strict";var n=i(99590),o=RangeError;t.exports=function(t,e){var i=n(t);if(i%e)throw new o("Wrong offset");return i}},99590:(t,e,i)=>{"use strict";var n=i(91291),o=RangeError;t.exports=function(t){var e=n(t);if(e<0)throw new o("The argument can't be less than 0");return e}},58319:t=>{"use strict";var e=Math.round;t.exports=function(t){var i=e(t);return i<0?0:i>255?255:255&i}},15823:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(69565),s=i(43724),a=i(72805),c=i(94644),l=i(66346),u=i(90679),h=i(6980),d=i(66699),p=i(2087),A=i(18014),f=i(57696),g=i(58229),m=i(58319),C=i(56969),b=i(39297),v=i(36955),x=i(20034),w=i(10757),y=i(2360),k=i(1625),B=i(52967),E=i(38480).f,_=i(43251),I=i(59213).forEach,D=i(87633),S=i(62106),T=i(24913),O=i(77347),M=i(35370),P=i(91181),R=i(23167),N=P.get,H=P.set,z=P.enforce,L=T.f,F=O.f,j=o.RangeError,U=l.ArrayBuffer,W=U.prototype,Y=l.DataView,q=c.NATIVE_ARRAY_BUFFER_VIEWS,Q=c.TYPED_ARRAY_TAG,G=c.TypedArray,X=c.TypedArrayPrototype,V=c.isTypedArray,K="BYTES_PER_ELEMENT",J="Wrong length",Z=function(t,e){S(t,e,{configurable:!0,get:function(){return N(this)[e]}})},$=function(t){var e;return k(W,t)||"ArrayBuffer"===(e=v(t))||"SharedArrayBuffer"===e},tt=function(t,e){return V(t)&&!w(e)&&e in t&&p(+e)&&e>=0},et=function(t,e){return e=C(e),tt(t,e)?h(2,t[e]):F(t,e)},it=function(t,e,i){return e=C(e),!(tt(t,e)&&x(i)&&b(i,"value"))||b(i,"get")||b(i,"set")||i.configurable||b(i,"writable")&&!i.writable||b(i,"enumerable")&&!i.enumerable?L(t,e,i):(t[e]=i.value,t)};s?(q||(O.f=et,T.f=it,Z(X,"buffer"),Z(X,"byteOffset"),Z(X,"byteLength"),Z(X,"length")),n({target:"Object",stat:!0,forced:!q},{getOwnPropertyDescriptor:et,defineProperty:it}),t.exports=function(t,e,i){var s=t.match(/\d+/)[0]/8,c=t+(i?"Clamped":"")+"Array",l="get"+t,h="set"+t,p=o[c],C=p,b=C&&C.prototype,v={},w=function(t,e){L(t,e,{get:function(){return function(t,e){var i=N(t);return i.view[l](e*s+i.byteOffset,!0)}(this,e)},set:function(t){return function(t,e,n){var o=N(t);o.view[h](e*s+o.byteOffset,i?m(n):n,!0)}(this,e,t)},enumerable:!0})};q?a&&(C=e((function(t,e,i,n){return u(t,b),R(x(e)?$(e)?void 0!==n?new p(e,g(i,s),n):void 0!==i?new p(e,g(i,s)):new p(e):V(e)?M(C,e):r(_,C,e):new p(f(e)),t,C)})),B&&B(C,G),I(E(p),(function(t){t in C||d(C,t,p[t])})),C.prototype=b):(C=e((function(t,e,i,n){u(t,b);var o,a,c,l=0,h=0;if(x(e)){if(!$(e))return V(e)?M(C,e):r(_,C,e);o=e,h=g(i,s);var d=e.byteLength;if(void 0===n){if(d%s)throw new j(J);if((a=d-h)<0)throw new j(J)}else if((a=A(n)*s)+h>d)throw new j(J);c=a/s}else c=f(e),o=new U(a=c*s);for(H(t,{buffer:o,byteOffset:h,byteLength:a,length:c,view:new Y(o)});l{"use strict";var n=i(44576),o=i(79039),r=i(84428),s=i(94644).NATIVE_ARRAY_BUFFER_VIEWS,a=n.ArrayBuffer,c=n.Int8Array;t.exports=!s||!o((function(){c(1)}))||!o((function(){new c(-1)}))||!r((function(t){new c,new c(null),new c(1.5),new c(t)}),!0)||o((function(){return 1!==new c(new a(2),1,void 0).length}))},26357:(t,e,i)=>{"use strict";var n=i(35370),o=i(61412);t.exports=function(t,e){return n(o(t),e)}},43251:(t,e,i)=>{"use strict";var n=i(76080),o=i(69565),r=i(35548),s=i(48981),a=i(26198),c=i(70081),l=i(50851),u=i(44209),h=i(18727),d=i(94644).aTypedArrayConstructor,p=i(75854);t.exports=function(t){var e,i,A,f,g,m,C,b,v=r(this),x=s(t),w=arguments.length,y=w>1?arguments[1]:void 0,k=void 0!==y,B=l(x);if(B&&!u(B))for(b=(C=c(x,B)).next,x=[];!(m=o(b,C)).done;)x.push(m.value);for(k&&w>2&&(y=n(y,arguments[2])),i=a(x),A=new(d(v))(i),f=h(A),e=0;i>e;e++)g=k?y(x[e],e):x[e],A[e]=f?p(g):+g;return A}},61412:(t,e,i)=>{"use strict";var n=i(94644),o=i(2293),r=n.aTypedArrayConstructor,s=n.getTypedArrayConstructor;t.exports=function(t){return r(o(t,s(t)))}},67416:(t,e,i)=>{"use strict";var n=i(79039),o=i(78227),r=i(43724),s=i(96395),a=o("iterator");t.exports=!n((function(){var t=new URL("b?a=1&b=2&c=3","https://a"),e=t.searchParams,i=new URLSearchParams("a=1&a=2&b=3"),n="";return t.pathname="c%20d",e.forEach((function(t,i){e.delete("b"),n+=i+t})),i.delete("a",2),i.delete("b",void 0),s&&(!t.toJSON||!i.has("a",1)||i.has("a",2)||!i.has("a",void 0)||i.has("b"))||!e.size&&(s||!r)||!e.sort||"https://a/c%20d?a=1&c=3"!==t.href||"3"!==e.get("c")||"a=1"!==String(new URLSearchParams("?a=1"))||!e[a]||"a"!==new URL("https://a@b").username||"b"!==new URLSearchParams(new URLSearchParams("a=b")).get("a")||"xn--e1aybc"!==new URL("https://тест").host||"#%D0%B1"!==new URL("https://a#б").hash||"a1c3"!==n||"x"!==new URL("https://x",void 0).host}))},22812:t=>{"use strict";var e=TypeError;t.exports=function(t,i){if(t{"use strict";var n=i(19167),o=i(39297),r=i(1951),s=i(24913).f;t.exports=function(t){var e=n.Symbol||(n.Symbol={});o(e,t)||s(e,t,{value:r.f(t)})}},1951:(t,e,i)=>{"use strict";var n=i(78227);e.f=n},47452:t=>{"use strict";t.exports="\t\n\v\f\r                 \u2028\u2029\ufeff"},14601:(t,e,i)=>{"use strict";var n=i(97751),o=i(39297),r=i(66699),s=i(1625),a=i(52967),c=i(77740),l=i(11056),u=i(23167),h=i(32603),d=i(77584),p=i(80747),A=i(43724),f=i(96395);t.exports=function(t,e,i,g){var m="stackTraceLimit",C=g?2:1,b=t.split("."),v=b[b.length-1],x=n.apply(null,b);if(x){var w=x.prototype;if(!f&&o(w,"cause")&&delete w.cause,!i)return x;var y=n("Error"),k=e((function(t,e){var i=h(g?e:t,void 0),n=g?new x(t):new x;return void 0!==i&&r(n,"message",i),p(n,k,n.stack,2),this&&s(w,this)&&u(n,this,k),arguments.length>C&&d(n,arguments[C]),n}));if(k.prototype=w,"Error"!==v?a?a(k,y):c(k,y,{name:!0}):A&&m in x&&(l(k,x,m),l(k,x,"prepareStackTrace")),c(k,x),!f)try{w.name!==v&&r(w,"name",v),w.constructor=k}catch(t){}return k}}},4294:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(18745),s=i(79039),a=i(14601),c="AggregateError",l=o(c),u=!s((function(){return 1!==l([1]).errors[0]}))&&s((function(){return 7!==l([1],c,{cause:7}).cause}));n({global:!0,constructor:!0,arity:2,forced:u},{AggregateError:a(c,(function(t){return function(e,i){return r(t,this,arguments)}}),u,!0)})},17145:(t,e,i)=>{"use strict";var n=i(46518),o=i(1625),r=i(42787),s=i(52967),a=i(77740),c=i(2360),l=i(66699),u=i(6980),h=i(77584),d=i(80747),p=i(72652),A=i(32603),f=i(78227)("toStringTag"),g=Error,m=[].push,C=function(t,e){var i,n=o(b,this);s?i=s(new g,n?r(this):b):(i=n?this:c(b),l(i,f,"Error")),void 0!==e&&l(i,"message",A(e)),d(i,C,i.stack,1),arguments.length>2&&h(i,arguments[2]);var a=[];return p(t,m,{that:a}),l(i,"errors",a),i};s?s(C,g):a(C,g,{name:!0});var b=C.prototype=c(g.prototype,{constructor:u(1,C),message:u(1,""),name:u(1,"AggregateError")});n({global:!0,constructor:!0,arity:2},{AggregateError:C})},30067:(t,e,i)=>{"use strict";i(17145)},54743:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(66346),s=i(87633),a="ArrayBuffer",c=r[a];n({global:!0,constructor:!0,forced:o[a]!==c},{ArrayBuffer:c}),s(a)},16573:(t,e,i)=>{"use strict";var n=i(43724),o=i(62106),r=i(3238),s=ArrayBuffer.prototype;n&&!("detached"in s)&&o(s,"detached",{configurable:!0,get:function(){return r(this)}})},46761:(t,e,i)=>{"use strict";var n=i(46518),o=i(94644);n({target:"ArrayBuffer",stat:!0,forced:!o.NATIVE_ARRAY_BUFFER_VIEWS},{isView:o.isView})},11745:(t,e,i)=>{"use strict";var n=i(46518),o=i(27476),r=i(79039),s=i(66346),a=i(28551),c=i(35610),l=i(18014),u=i(2293),h=s.ArrayBuffer,d=s.DataView,p=d.prototype,A=o(h.prototype.slice),f=o(p.getUint8),g=o(p.setUint8);n({target:"ArrayBuffer",proto:!0,unsafe:!0,forced:r((function(){return!new h(2).slice(1,void 0).byteLength}))},{slice:function(t,e){if(A&&void 0===e)return A(a(this),t);for(var i=a(this).byteLength,n=c(t,i),o=c(void 0===e?i:e,i),r=new(u(this,h))(l(o-n)),s=new d(this),p=new d(r),m=0;n{"use strict";var n=i(46518),o=i(95636);o&&n({target:"ArrayBuffer",proto:!0},{transferToFixedLength:function(){return o(this,arguments.length?arguments[0]:void 0,!1)}})},78100:(t,e,i)=>{"use strict";var n=i(46518),o=i(95636);o&&n({target:"ArrayBuffer",proto:!0},{transfer:function(){return o(this,arguments.length?arguments[0]:void 0,!0)}})},18107:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(26198),s=i(91291),a=i(6469);n({target:"Array",proto:!0},{at:function(t){var e=o(this),i=r(e),n=s(t),a=n>=0?n:i+n;return a<0||a>=i?void 0:e[a]}}),a("at")},28706:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(34376),s=i(20034),a=i(48981),c=i(26198),l=i(96837),u=i(97040),h=i(1469),d=i(70597),p=i(78227),A=i(39519),f=p("isConcatSpreadable"),g=A>=51||!o((function(){var t=[];return t[f]=!1,t.concat()[0]!==t})),m=function(t){if(!s(t))return!1;var e=t[f];return void 0!==e?!!e:r(t)};n({target:"Array",proto:!0,arity:1,forced:!g||!d("concat")},{concat:function(t){var e,i,n,o,r,s=a(this),d=h(s,0),p=0;for(e=-1,n=arguments.length;e{"use strict";var n=i(46518),o=i(57029),r=i(6469);n({target:"Array",proto:!0},{copyWithin:o}),r("copyWithin")},88431:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).every;n({target:"Array",proto:!0,forced:!i(34598)("every")},{every:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},33771:(t,e,i)=>{"use strict";var n=i(46518),o=i(84373),r=i(6469);n({target:"Array",proto:!0},{fill:o}),r("fill")},2008:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).filter;n({target:"Array",proto:!0,forced:!i(70597)("filter")},{filter:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},48980:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).findIndex,r=i(6469),s="findIndex",a=!0;s in[]&&Array(1)[s]((function(){a=!1})),n({target:"Array",proto:!0,forced:a},{findIndex:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r(s)},13451:(t,e,i)=>{"use strict";var n=i(46518),o=i(43839).findLastIndex,r=i(6469);n({target:"Array",proto:!0},{findLastIndex:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r("findLastIndex")},10838:(t,e,i)=>{"use strict";var n=i(46518),o=i(43839).findLast,r=i(6469);n({target:"Array",proto:!0},{findLast:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r("findLast")},50113:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).find,r=i(6469),s="find",a=!0;s in[]&&Array(1)[s]((function(){a=!1})),n({target:"Array",proto:!0,forced:a},{find:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),r(s)},78350:(t,e,i)=>{"use strict";var n=i(46518),o=i(70259),r=i(79306),s=i(48981),a=i(26198),c=i(1469);n({target:"Array",proto:!0},{flatMap:function(t){var e,i=s(this),n=a(i);return r(t),(e=c(i,0)).length=o(e,i,i,n,0,1,t,arguments.length>1?arguments[1]:void 0),e}})},46449:(t,e,i)=>{"use strict";var n=i(46518),o=i(70259),r=i(48981),s=i(26198),a=i(91291),c=i(1469);n({target:"Array",proto:!0},{flat:function(){var t=arguments.length?arguments[0]:void 0,e=r(this),i=s(e),n=c(e,0);return n.length=o(n,e,e,i,0,void 0===t?1:a(t)),n}})},51629:(t,e,i)=>{"use strict";var n=i(46518),o=i(90235);n({target:"Array",proto:!0,forced:[].forEach!==o},{forEach:o})},23418:(t,e,i)=>{"use strict";var n=i(46518),o=i(97916);n({target:"Array",stat:!0,forced:!i(84428)((function(t){Array.from(t)}))},{from:o})},80452:(t,e,i)=>{"use strict";var n=i(46518),o=i(19617).includes,r=i(79039),s=i(6469);n({target:"Array",proto:!0,forced:r((function(){return!Array(1).includes()}))},{includes:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),s("includes")},25276:(t,e,i)=>{"use strict";var n=i(46518),o=i(27476),r=i(19617).indexOf,s=i(34598),a=o([].indexOf),c=!!a&&1/a([1],1,-0)<0;n({target:"Array",proto:!0,forced:c||!s("indexOf")},{indexOf:function(t){var e=arguments.length>1?arguments[1]:void 0;return c?a(this,t,e)||0:r(this,t,e)}})},64346:(t,e,i)=>{"use strict";i(46518)({target:"Array",stat:!0},{isArray:i(34376)})},23792:(t,e,i)=>{"use strict";var n=i(25397),o=i(6469),r=i(26269),s=i(91181),a=i(24913).f,c=i(51088),l=i(62529),u=i(96395),h=i(43724),d="Array Iterator",p=s.set,A=s.getterFor(d);t.exports=c(Array,"Array",(function(t,e){p(this,{type:d,target:n(t),index:0,kind:e})}),(function(){var t=A(this),e=t.target,i=t.index++;if(!e||i>=e.length)return t.target=null,l(void 0,!0);switch(t.kind){case"keys":return l(i,!1);case"values":return l(e[i],!1)}return l([i,e[i]],!1)}),"values");var f=r.Arguments=r.Array;if(o("keys"),o("values"),o("entries"),!u&&h&&"values"!==f.name)try{a(f,"name",{value:"values"})}catch(t){}},48598:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(47055),s=i(25397),a=i(34598),c=o([].join);n({target:"Array",proto:!0,forced:r!==Object||!a("join",",")},{join:function(t){return c(s(this),void 0===t?",":t)}})},8921:(t,e,i)=>{"use strict";var n=i(46518),o=i(8379);n({target:"Array",proto:!0,forced:o!==[].lastIndexOf},{lastIndexOf:o})},62062:(t,e,i)=>{"use strict";var n=i(46518),o=i(59213).map;n({target:"Array",proto:!0,forced:!i(70597)("map")},{map:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},31051:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(33517),s=i(97040),a=Array;n({target:"Array",stat:!0,forced:o((function(){function t(){}return!(a.of.call(t)instanceof t)}))},{of:function(){for(var t=0,e=arguments.length,i=new(r(this)?this:a)(e);e>t;)s(i,t,arguments[t++]);return i.length=e,i}})},44114:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(26198),s=i(34527),a=i(96837);n({target:"Array",proto:!0,arity:1,forced:i(79039)((function(){return 4294967297!==[].push.call({length:4294967296},1)}))||!function(){try{Object.defineProperty([],"length",{writable:!1}).push()}catch(t){return t instanceof TypeError}}()},{push:function(t){var e=o(this),i=r(e),n=arguments.length;a(i+n);for(var c=0;c{"use strict";var n=i(46518),o=i(80926).right,r=i(34598),s=i(39519);n({target:"Array",proto:!0,forced:!i(38574)&&s>79&&s<83||!r("reduceRight")},{reduceRight:function(t){return o(this,t,arguments.length,arguments.length>1?arguments[1]:void 0)}})},72712:(t,e,i)=>{"use strict";var n=i(46518),o=i(80926).left,r=i(34598),s=i(39519);n({target:"Array",proto:!0,forced:!i(38574)&&s>79&&s<83||!r("reduce")},{reduce:function(t){var e=arguments.length;return o(this,t,e,e>1?arguments[1]:void 0)}})},94490:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(34376),s=o([].reverse),a=[1,2];n({target:"Array",proto:!0,forced:String(a)===String(a.reverse())},{reverse:function(){return r(this)&&(this.length=this.length),s(this)}})},34782:(t,e,i)=>{"use strict";var n=i(46518),o=i(34376),r=i(33517),s=i(20034),a=i(35610),c=i(26198),l=i(25397),u=i(97040),h=i(78227),d=i(70597),p=i(67680),A=d("slice"),f=h("species"),g=Array,m=Math.max;n({target:"Array",proto:!0,forced:!A},{slice:function(t,e){var i,n,h,d=l(this),A=c(d),C=a(t,A),b=a(void 0===e?A:e,A);if(o(d)&&(i=d.constructor,(r(i)&&(i===g||o(i.prototype))||s(i)&&null===(i=i[f]))&&(i=void 0),i===g||void 0===i))return p(d,C,b);for(n=new(void 0===i?g:i)(m(b-C,0)),h=0;C{"use strict";var n=i(46518),o=i(59213).some;n({target:"Array",proto:!0,forced:!i(34598)("some")},{some:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},26910:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79306),s=i(48981),a=i(26198),c=i(84606),l=i(655),u=i(79039),h=i(74488),d=i(34598),p=i(13709),A=i(13763),f=i(39519),g=i(3607),m=[],C=o(m.sort),b=o(m.push),v=u((function(){m.sort(void 0)})),x=u((function(){m.sort(null)})),w=d("sort"),y=!u((function(){if(f)return f<70;if(!(p&&p>3)){if(A)return!0;if(g)return g<603;var t,e,i,n,o="";for(t=65;t<76;t++){switch(e=String.fromCharCode(t),t){case 66:case 69:case 70:case 72:i=3;break;case 68:case 71:i=4;break;default:i=2}for(n=0;n<47;n++)m.push({k:e+n,v:i})}for(m.sort((function(t,e){return e.v-t.v})),n=0;nl(i)?1:-1}}(t)),i=a(o),n=0;n{"use strict";i(87633)("Array")},54554:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(35610),s=i(91291),a=i(26198),c=i(34527),l=i(96837),u=i(1469),h=i(97040),d=i(84606),p=i(70597)("splice"),A=Math.max,f=Math.min;n({target:"Array",proto:!0,forced:!p},{splice:function(t,e){var i,n,p,g,m,C,b=o(this),v=a(b),x=r(t,v),w=arguments.length;for(0===w?i=n=0:1===w?(i=0,n=v-x):(i=w-2,n=f(A(s(e),0),v-x)),l(v+i-n),p=u(b,n),g=0;gv-n+i;g--)d(b,g-1)}else if(i>n)for(g=v-n;g>x;g--)C=g+i-1,(m=g+n-1)in b?b[C]=b[m]:d(b,C);for(g=0;g{"use strict";var n=i(46518),o=i(37628),r=i(25397),s=i(6469),a=Array;n({target:"Array",proto:!0},{toReversed:function(){return o(r(this),a)}}),s("toReversed")},57145:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79306),s=i(25397),a=i(35370),c=i(44124),l=i(6469),u=Array,h=o(c("Array","sort"));n({target:"Array",proto:!0},{toSorted:function(t){void 0!==t&&r(t);var e=s(this),i=a(u,e);return h(i,t)}}),l("toSorted")},71658:(t,e,i)=>{"use strict";var n=i(46518),o=i(6469),r=i(96837),s=i(26198),a=i(35610),c=i(25397),l=i(91291),u=Array,h=Math.max,d=Math.min;n({target:"Array",proto:!0},{toSpliced:function(t,e){var i,n,o,p,A=c(this),f=s(A),g=a(t,f),m=arguments.length,C=0;for(0===m?i=n=0:1===m?(i=0,n=f-g):(i=m-2,n=d(h(l(e),0),f-g)),o=r(f+i-n),p=u(o);C{"use strict";i(6469)("flatMap")},93514:(t,e,i)=>{"use strict";i(6469)("flat")},13609:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(26198),s=i(34527),a=i(84606),c=i(96837);n({target:"Array",proto:!0,arity:1,forced:1!==[].unshift(0)||!function(){try{Object.defineProperty([],"length",{writable:!1}).unshift()}catch(t){return t instanceof TypeError}}()},{unshift:function(t){var e=o(this),i=r(e),n=arguments.length;if(n){c(i+n);for(var l=i;l--;){var u=l+n;l in e?e[u]=e[l]:a(e,u)}for(var h=0;h{"use strict";var n=i(46518),o=i(39928),r=i(25397),s=Array;n({target:"Array",proto:!0},{with:function(t,e){return o(r(this),s,t,e)}})},24359:(t,e,i)=>{"use strict";var n=i(46518),o=i(66346);n({global:!0,constructor:!0,forced:!i(77811)},{DataView:o.DataView})},38309:(t,e,i)=>{"use strict";i(24359)},61699:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79039)((function(){return 120!==new Date(16e11).getYear()})),s=o(Date.prototype.getFullYear);n({target:"Date",proto:!0,forced:r},{getYear:function(){return s(this)-1900}})},59089:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=Date,s=o(r.prototype.getTime);n({target:"Date",stat:!0},{now:function(){return s(new r)}})},91191:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(91291),s=Date.prototype,a=o(s.getTime),c=o(s.setFullYear);n({target:"Date",proto:!0},{setYear:function(t){a(this);var e=r(t);return c(this,e>=0&&e<=99?e+1900:e)}})},93515:(t,e,i)=>{"use strict";i(46518)({target:"Date",proto:!0},{toGMTString:Date.prototype.toUTCString})},1688:(t,e,i)=>{"use strict";var n=i(46518),o=i(70380);n({target:"Date",proto:!0,forced:Date.prototype.toISOString!==o},{toISOString:o})},60739:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(48981),s=i(72777);n({target:"Date",proto:!0,arity:1,forced:o((function(){return null!==new Date(NaN).toJSON()||1!==Date.prototype.toJSON.call({toISOString:function(){return 1}})}))},{toJSON:function(t){var e=r(this),i=s(e,"number");return"number"!=typeof i||isFinite(i)?e.toISOString():null}})},89572:(t,e,i)=>{"use strict";var n=i(39297),o=i(36840),r=i(53640),s=i(78227)("toPrimitive"),a=Date.prototype;n(a,s)||o(a,s,r)},23288:(t,e,i)=>{"use strict";var n=i(79504),o=i(36840),r=Date.prototype,s="Invalid Date",a="toString",c=n(r[a]),l=n(r.getTime);String(new Date(NaN))!==s&&o(r,a,(function(){var t=l(this);return t==t?c(this):s}))},16280:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(18745),s=i(14601),a="WebAssembly",c=o[a],l=7!==new Error("e",{cause:7}).cause,u=function(t,e){var i={};i[t]=s(t,e,l),n({global:!0,constructor:!0,arity:1,forced:l},i)},h=function(t,e){if(c&&c[t]){var i={};i[t]=s(a+"."+t,e,l),n({target:a,stat:!0,constructor:!0,arity:1,forced:l},i)}};u("Error",(function(t){return function(e){return r(t,this,arguments)}})),u("EvalError",(function(t){return function(e){return r(t,this,arguments)}})),u("RangeError",(function(t){return function(e){return r(t,this,arguments)}})),u("ReferenceError",(function(t){return function(e){return r(t,this,arguments)}})),u("SyntaxError",(function(t){return function(e){return r(t,this,arguments)}})),u("TypeError",(function(t){return function(e){return r(t,this,arguments)}})),u("URIError",(function(t){return function(e){return r(t,this,arguments)}})),h("CompileError",(function(t){return function(e){return r(t,this,arguments)}})),h("LinkError",(function(t){return function(e){return r(t,this,arguments)}})),h("RuntimeError",(function(t){return function(e){return r(t,this,arguments)}}))},76918:(t,e,i)=>{"use strict";var n=i(36840),o=i(77536),r=Error.prototype;r.toString!==o&&n(r,"toString",o)},36456:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(655),s=o("".charAt),a=o("".charCodeAt),c=o(/./.exec),l=o(1..toString),u=o("".toUpperCase),h=/[\w*+\-./@]/,d=function(t,e){for(var i=l(t,16);i.length{"use strict";var n=i(46518),o=i(30566);n({target:"Function",proto:!0,forced:Function.bind!==o},{bind:o})},48957:(t,e,i)=>{"use strict";var n=i(94901),o=i(20034),r=i(24913),s=i(1625),a=i(78227),c=i(50283),l=a("hasInstance"),u=Function.prototype;l in u||r.f(u,l,{value:c((function(t){if(!n(this)||!o(t))return!1;var e=this.prototype;return o(e)?s(e,t):t instanceof this}),l)})},62010:(t,e,i)=>{"use strict";var n=i(43724),o=i(10350).EXISTS,r=i(79504),s=i(62106),a=Function.prototype,c=r(a.toString),l=/function\b(?:\s|\/\*[\S\s]*?\*\/|\/\/[^\n\r]*[\n\r]+)*([^\s(/]*)/,u=r(l.exec);n&&!o&&s(a,"name",{configurable:!0,get:function(){try{return u(l,c(this))[1]}catch(t){return""}}})},55081:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576);n({global:!0,forced:o.globalThis!==o},{globalThis:o})},33110:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(18745),s=i(69565),a=i(79504),c=i(79039),l=i(94901),u=i(10757),h=i(67680),d=i(66933),p=i(4495),A=String,f=o("JSON","stringify"),g=a(/./.exec),m=a("".charAt),C=a("".charCodeAt),b=a("".replace),v=a(1..toString),x=/[\uD800-\uDFFF]/g,w=/^[\uD800-\uDBFF]$/,y=/^[\uDC00-\uDFFF]$/,k=!p||c((function(){var t=o("Symbol")("stringify detection");return"[null]"!==f([t])||"{}"!==f({a:t})||"{}"!==f(Object(t))})),B=c((function(){return'"\\udf06\\ud834"'!==f("\udf06\ud834")||'"\\udead"'!==f("\udead")})),E=function(t,e){var i=h(arguments),n=d(e);if(l(n)||void 0!==t&&!u(t))return i[1]=function(t,e){if(l(n)&&(e=s(n,this,A(t),e)),!u(e))return e},r(f,null,i)},_=function(t,e,i){var n=m(i,e-1),o=m(i,e+1);return g(w,t)&&!g(y,o)||g(y,t)&&!g(w,n)?"\\u"+v(C(t,0),16):t};f&&n({target:"JSON",stat:!0,arity:3,forced:k||B},{stringify:function(t,e,i){var n=h(arguments),o=r(k?E:f,null,n);return B&&"string"==typeof o?b(o,x,_):o}})},4731:(t,e,i)=>{"use strict";var n=i(44576);i(10687)(n.JSON,"JSON",!0)},48523:(t,e,i)=>{"use strict";i(16468)("Map",(function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}}),i(86938))},47072:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79306),s=i(67750),a=i(72652),c=i(72248),l=i(96395),u=i(79039),h=c.Map,d=c.has,p=c.get,A=c.set,f=o([].push),g=l||u((function(){return 1!==h.groupBy("ab",(function(t){return t})).get("a").length}));n({target:"Map",stat:!0,forced:l||g},{groupBy:function(t,e){s(t),r(e);var i=new h,n=0;return a(t,(function(t){var o=e(t,n++);d(i,o)?f(p(i,o),t):A(i,o,[t])})),i}})},36033:(t,e,i)=>{"use strict";i(48523)},93153:(t,e,i)=>{"use strict";var n=i(46518),o=i(7740),r=Math.acosh,s=Math.log,a=Math.sqrt,c=Math.LN2;n({target:"Math",stat:!0,forced:!r||710!==Math.floor(r(Number.MAX_VALUE))||r(1/0)!==1/0},{acosh:function(t){var e=+t;return e<1?NaN:e>94906265.62425156?s(e)+c:o(e-1+a(e-1)*a(e+1))}})},82326:(t,e,i)=>{"use strict";var n=i(46518),o=Math.asinh,r=Math.log,s=Math.sqrt;n({target:"Math",stat:!0,forced:!(o&&1/o(0)>0)},{asinh:function t(e){var i=+e;return isFinite(i)&&0!==i?i<0?-t(-i):r(i+s(i*i+1)):i}})},36389:(t,e,i)=>{"use strict";var n=i(46518),o=Math.atanh,r=Math.log;n({target:"Math",stat:!0,forced:!(o&&1/o(-0)<0)},{atanh:function(t){var e=+t;return 0===e?e:r((1+e)/(1-e))/2}})},64444:(t,e,i)=>{"use strict";var n=i(46518),o=i(77782),r=Math.abs,s=Math.pow;n({target:"Math",stat:!0},{cbrt:function(t){var e=+t;return o(e)*s(r(e),1/3)}})},8085:(t,e,i)=>{"use strict";var n=i(46518),o=Math.floor,r=Math.log,s=Math.LOG2E;n({target:"Math",stat:!0},{clz32:function(t){var e=t>>>0;return e?31-o(r(e+.5)*s):32}})},77762:(t,e,i)=>{"use strict";var n=i(46518),o=i(53250),r=Math.cosh,s=Math.abs,a=Math.E;n({target:"Math",stat:!0,forced:!r||r(710)===1/0},{cosh:function(t){var e=o(s(t)-1)+1;return(e+1/(e*a*a))*(a/2)}})},65070:(t,e,i)=>{"use strict";var n=i(46518),o=i(53250);n({target:"Math",stat:!0,forced:o!==Math.expm1},{expm1:o})},60605:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{fround:i(15617)})},39469:(t,e,i)=>{"use strict";var n=i(46518),o=Math.hypot,r=Math.abs,s=Math.sqrt;n({target:"Math",stat:!0,arity:2,forced:!!o&&o(1/0,NaN)!==1/0},{hypot:function(t,e){for(var i,n,o=0,a=0,c=arguments.length,l=0;a0?(n=i/l)*n:i;return l===1/0?1/0:l*s(o)}})},72152:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=Math.imul;n({target:"Math",stat:!0,forced:o((function(){return-5!==r(4294967295,5)||2!==r.length}))},{imul:function(t,e){var i=65535,n=+t,o=+e,r=i&n,s=i&o;return 0|r*s+((i&n>>>16)*s+r*(i&o>>>16)<<16>>>0)}})},75376:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{log10:i(49340)})},56624:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{log1p:i(7740)})},11367:(t,e,i)=>{"use strict";var n=i(46518),o=Math.log,r=Math.LN2;n({target:"Math",stat:!0},{log2:function(t){return o(t)/r}})},5914:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{sign:i(77782)})},78553:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(53250),s=Math.abs,a=Math.exp,c=Math.E;n({target:"Math",stat:!0,forced:o((function(){return-2e-17!==Math.sinh(-2e-17)}))},{sinh:function(t){var e=+t;return s(e)<1?(r(e)-r(-e))/2:(a(e-1)-a(-e-1))*(c/2)}})},98690:(t,e,i)=>{"use strict";var n=i(46518),o=i(53250),r=Math.exp;n({target:"Math",stat:!0},{tanh:function(t){var e=+t,i=o(e),n=o(-e);return i===1/0?1:n===1/0?-1:(i-n)/(r(e)+r(-e))}})},60479:(t,e,i)=>{"use strict";i(10687)(Math,"Math",!0)},70761:(t,e,i)=>{"use strict";i(46518)({target:"Math",stat:!0},{trunc:i(80741)})},2892:(t,e,i)=>{"use strict";var n=i(46518),o=i(96395),r=i(43724),s=i(44576),a=i(19167),c=i(79504),l=i(92796),u=i(39297),h=i(23167),d=i(1625),p=i(10757),A=i(72777),f=i(79039),g=i(38480).f,m=i(77347).f,C=i(24913).f,b=i(31240),v=i(43802).trim,x="Number",w=s[x],y=a[x],k=w.prototype,B=s.TypeError,E=c("".slice),_=c("".charCodeAt),I=l(x,!w(" 0o1")||!w("0b1")||w("+0x1")),D=function(t){var e,i=arguments.length<1?0:w(function(t){var e=A(t,"number");return"bigint"==typeof e?e:function(t){var e,i,n,o,r,s,a,c,l=A(t,"number");if(p(l))throw new B("Cannot convert a Symbol value to a number");if("string"==typeof l&&l.length>2)if(l=v(l),43===(e=_(l,0))||45===e){if(88===(i=_(l,2))||120===i)return NaN}else if(48===e){switch(_(l,1)){case 66:case 98:n=2,o=49;break;case 79:case 111:n=8,o=55;break;default:return+l}for(s=(r=E(l,2)).length,a=0;ao)return NaN;return parseInt(r,n)}return+l}(e)}(t));return d(k,e=this)&&f((function(){b(e)}))?h(Object(i),this,D):i};D.prototype=k,I&&!o&&(k.constructor=D),n({global:!0,constructor:!0,wrap:!0,forced:I},{Number:D});var S=function(t,e){for(var i,n=r?g(e):"MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,EPSILON,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,isFinite,isInteger,isNaN,isSafeInteger,parseFloat,parseInt,fromString,range".split(","),o=0;n.length>o;o++)u(e,i=n[o])&&!u(t,i)&&C(t,i,m(e,i))};o&&y&&S(a[x],y),(I||o)&&S(a[x],w)},45374:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0,nonConfigurable:!0,nonWritable:!0},{EPSILON:Math.pow(2,-52)})},25428:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0},{isFinite:i(50360)})},32637:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0},{isInteger:i(2087)})},40150:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0},{isNaN:function(t){return t!=t}})},59149:(t,e,i)=>{"use strict";var n=i(46518),o=i(2087),r=Math.abs;n({target:"Number",stat:!0},{isSafeInteger:function(t){return o(t)&&r(t)<=9007199254740991}})},64601:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0,nonConfigurable:!0,nonWritable:!0},{MAX_SAFE_INTEGER:9007199254740991})},44435:(t,e,i)=>{"use strict";i(46518)({target:"Number",stat:!0,nonConfigurable:!0,nonWritable:!0},{MIN_SAFE_INTEGER:-9007199254740991})},87220:(t,e,i)=>{"use strict";var n=i(46518),o=i(33904);n({target:"Number",stat:!0,forced:Number.parseFloat!==o},{parseFloat:o})},25843:(t,e,i)=>{"use strict";var n=i(46518),o=i(52703);n({target:"Number",stat:!0,forced:Number.parseInt!==o},{parseInt:o})},62337:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(91291),s=i(31240),a=i(72333),c=i(49340),l=i(79039),u=RangeError,h=String,d=isFinite,p=Math.abs,A=Math.floor,f=Math.pow,g=Math.round,m=o(1..toExponential),C=o(a),b=o("".slice),v="-6.9000e-11"===m(-69e-12,4)&&"1.25e+0"===m(1.255,2)&&"1.235e+4"===m(12345,3)&&"3e+1"===m(25,0);n({target:"Number",proto:!0,forced:!v||!(l((function(){m(1,1/0)}))&&l((function(){m(1,-1/0)})))||!!l((function(){m(1/0,1/0),m(NaN,1/0)}))},{toExponential:function(t){var e=s(this);if(void 0===t)return m(e);var i=r(t);if(!d(e))return String(e);if(i<0||i>20)throw new u("Incorrect fraction digits");if(v)return m(e,i);var n,o,a,l,x="";if(e<0&&(x="-",e=-e),0===e)o=0,n=C("0",i+1);else{var w=c(e);o=A(w);var y=f(10,o-i),k=g(e/y);2*e>=(2*k+1)*y&&(k+=1),k>=f(10,i+1)&&(k/=10,o+=1),n=h(k)}return 0!==i&&(n=b(n,0,1)+"."+b(n,1)),0===o?(a="+",l="0"):(a=o>0?"+":"-",l=h(p(o))),x+(n+"e")+a+l}})},9868:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(91291),s=i(31240),a=i(72333),c=i(79039),l=RangeError,u=String,h=Math.floor,d=o(a),p=o("".slice),A=o(1..toFixed),f=function(t,e,i){return 0===e?i:e%2==1?f(t,e-1,i*t):f(t*t,e/2,i)},g=function(t,e,i){for(var n=-1,o=i;++n<6;)o+=e*t[n],t[n]=o%1e7,o=h(o/1e7)},m=function(t,e){for(var i=6,n=0;--i>=0;)n+=t[i],t[i]=h(n/e),n=n%e*1e7},C=function(t){for(var e=6,i="";--e>=0;)if(""!==i||0===e||0!==t[e]){var n=u(t[e]);i=""===i?n:i+d("0",7-n.length)+n}return i};n({target:"Number",proto:!0,forced:c((function(){return"0.000"!==A(8e-5,3)||"1"!==A(.9,0)||"1.25"!==A(1.255,2)||"1000000000000000128"!==A(0xde0b6b3a7640080,0)}))||!c((function(){A({})}))},{toFixed:function(t){var e,i,n,o,a=s(this),c=r(t),h=[0,0,0,0,0,0],A="",b="0";if(c<0||c>20)throw new l("Incorrect fraction digits");if(a!=a)return"NaN";if(a<=-1e21||a>=1e21)return u(a);if(a<0&&(A="-",a=-a),a>1e-21)if(i=(e=function(t){for(var e=0,i=t;i>=4096;)e+=12,i/=4096;for(;i>=2;)e+=1,i/=2;return e}(a*f(2,69,1))-69)<0?a*f(2,-e,1):a/f(2,e,1),i*=4503599627370496,(e=52-e)>0){for(g(h,0,i),n=c;n>=7;)g(h,1e7,0),n-=7;for(g(h,f(10,n,1),0),n=e-1;n>=23;)m(h,1<<23),n-=23;m(h,1<0?A+((o=b.length)<=c?"0."+d("0",c-o)+b:p(b,0,o-c)+"."+p(b,o-c)):A+b}})},80630:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(79039),s=i(31240),a=o(1..toPrecision);n({target:"Number",proto:!0,forced:r((function(){return"1"!==a(1,void 0)}))||!r((function(){a({})}))},{toPrecision:function(t){return void 0===t?a(s(this)):a(s(this),t)}})},69085:(t,e,i)=>{"use strict";var n=i(46518),o=i(44213);n({target:"Object",stat:!0,arity:2,forced:Object.assign!==o},{assign:o})},59904:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0,sham:!i(43724)},{create:i(2360)})},17427:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(79306),a=i(48981),c=i(24913);o&&n({target:"Object",proto:!0,forced:r},{__defineGetter__:function(t,e){c.f(a(this),t,{get:s(e),enumerable:!0,configurable:!0})}})},67945:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(96801).f;n({target:"Object",stat:!0,forced:Object.defineProperties!==r,sham:!o},{defineProperties:r})},84185:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(24913).f;n({target:"Object",stat:!0,forced:Object.defineProperty!==r,sham:!o},{defineProperty:r})},87607:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(79306),a=i(48981),c=i(24913);o&&n({target:"Object",proto:!0,forced:r},{__defineSetter__:function(t,e){c.f(a(this),t,{set:s(e),enumerable:!0,configurable:!0})}})},5506:(t,e,i)=>{"use strict";var n=i(46518),o=i(32357).entries;n({target:"Object",stat:!0},{entries:function(t){return o(t)}})},52811:(t,e,i)=>{"use strict";var n=i(46518),o=i(92744),r=i(79039),s=i(20034),a=i(3451).onFreeze,c=Object.freeze;n({target:"Object",stat:!0,forced:r((function(){c(1)})),sham:!o},{freeze:function(t){return c&&s(t)?c(a(t)):t}})},53921:(t,e,i)=>{"use strict";var n=i(46518),o=i(72652),r=i(97040);n({target:"Object",stat:!0},{fromEntries:function(t){var e={};return o(t,(function(t,i){r(e,t,i)}),{AS_ENTRIES:!0}),e}})},83851:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(25397),s=i(77347).f,a=i(43724);n({target:"Object",stat:!0,forced:!a||o((function(){s(1)})),sham:!a},{getOwnPropertyDescriptor:function(t,e){return s(r(t),e)}})},81278:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(35031),s=i(25397),a=i(77347),c=i(97040);n({target:"Object",stat:!0,sham:!o},{getOwnPropertyDescriptors:function(t){for(var e,i,n=s(t),o=a.f,l=r(n),u={},h=0;l.length>h;)void 0!==(i=o(n,e=l[h++]))&&c(u,e,i);return u}})},1480:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(10298).f;n({target:"Object",stat:!0,forced:o((function(){return!Object.getOwnPropertyNames(1)}))},{getOwnPropertyNames:r})},49773:(t,e,i)=>{"use strict";var n=i(46518),o=i(4495),r=i(79039),s=i(33717),a=i(48981);n({target:"Object",stat:!0,forced:!o||r((function(){s.f(1)}))},{getOwnPropertySymbols:function(t){var e=s.f;return e?e(a(t)):[]}})},40875:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(48981),s=i(42787),a=i(12211);n({target:"Object",stat:!0,forced:o((function(){s(1)})),sham:!a},{getPrototypeOf:function(t){return s(r(t))}})},77691:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(79504),s=i(79306),a=i(67750),c=i(56969),l=i(72652),u=i(79039),h=Object.groupBy,d=o("Object","create"),p=r([].push);n({target:"Object",stat:!0,forced:!h||u((function(){return 1!==h("ab",(function(t){return t})).a.length}))},{groupBy:function(t,e){a(t),s(e);var i=d(null),n=0;return l(t,(function(t){var o=c(e(t,n++));o in i?p(i[o],t):i[o]=[t]})),i}})},78347:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0},{hasOwn:i(39297)})},94052:(t,e,i)=>{"use strict";var n=i(46518),o=i(34124);n({target:"Object",stat:!0,forced:Object.isExtensible!==o},{isExtensible:o})},94003:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(20034),s=i(22195),a=i(15652),c=Object.isFrozen;n({target:"Object",stat:!0,forced:a||o((function(){c(1)}))},{isFrozen:function(t){return!r(t)||!(!a||"ArrayBuffer"!==s(t))||!!c&&c(t)}})},221:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(20034),s=i(22195),a=i(15652),c=Object.isSealed;n({target:"Object",stat:!0,forced:a||o((function(){c(1)}))},{isSealed:function(t){return!r(t)||!(!a||"ArrayBuffer"!==s(t))||!!c&&c(t)}})},29908:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0},{is:i(3470)})},79432:(t,e,i)=>{"use strict";var n=i(46518),o=i(48981),r=i(71072);n({target:"Object",stat:!0,forced:i(79039)((function(){r(1)}))},{keys:function(t){return r(o(t))}})},9220:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(48981),a=i(56969),c=i(42787),l=i(77347).f;o&&n({target:"Object",proto:!0,forced:r},{__lookupGetter__:function(t){var e,i=s(this),n=a(t);do{if(e=l(i,n))return e.get}while(i=c(i))}})},7904:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(42551),s=i(48981),a=i(56969),c=i(42787),l=i(77347).f;o&&n({target:"Object",proto:!0,forced:r},{__lookupSetter__:function(t){var e,i=s(this),n=a(t);do{if(e=l(i,n))return e.set}while(i=c(i))}})},16348:(t,e,i)=>{"use strict";var n=i(46518),o=i(20034),r=i(3451).onFreeze,s=i(92744),a=i(79039),c=Object.preventExtensions;n({target:"Object",stat:!0,forced:a((function(){c(1)})),sham:!s},{preventExtensions:function(t){return c&&o(t)?c(r(t)):t}})},63548:(t,e,i)=>{"use strict";var n=i(43724),o=i(62106),r=i(20034),s=i(13925),a=i(48981),c=i(67750),l=Object.getPrototypeOf,u=Object.setPrototypeOf,h=Object.prototype,d="__proto__";if(n&&l&&u&&!(d in h))try{o(h,d,{configurable:!0,get:function(){return l(a(this))},set:function(t){var e=c(this);s(t)&&r(e)&&u(e,t)}})}catch(t){}},93941:(t,e,i)=>{"use strict";var n=i(46518),o=i(20034),r=i(3451).onFreeze,s=i(92744),a=i(79039),c=Object.seal;n({target:"Object",stat:!0,forced:a((function(){c(1)})),sham:!s},{seal:function(t){return c&&o(t)?c(r(t)):t}})},10287:(t,e,i)=>{"use strict";i(46518)({target:"Object",stat:!0},{setPrototypeOf:i(52967)})},26099:(t,e,i)=>{"use strict";var n=i(92140),o=i(36840),r=i(53179);n||o(Object.prototype,"toString",r,{unsafe:!0})},16034:(t,e,i)=>{"use strict";var n=i(46518),o=i(32357).values;n({target:"Object",stat:!0},{values:function(t){return o(t)}})},78459:(t,e,i)=>{"use strict";var n=i(46518),o=i(33904);n({global:!0,forced:parseFloat!==o},{parseFloat:o})},58940:(t,e,i)=>{"use strict";var n=i(46518),o=i(52703);n({global:!0,forced:parseInt!==o},{parseInt:o})},96167:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(36043),a=i(1103),c=i(72652);n({target:"Promise",stat:!0,forced:i(90537)},{allSettled:function(t){var e=this,i=s.f(e),n=i.resolve,l=i.reject,u=a((function(){var i=r(e.resolve),s=[],a=0,l=1;c(t,(function(t){var r=a++,c=!1;l++,o(i,e,t).then((function(t){c||(c=!0,s[r]={status:"fulfilled",value:t},--l||n(s))}),(function(t){c||(c=!0,s[r]={status:"rejected",reason:t},--l||n(s))}))})),--l||n(s)}));return u.error&&l(u.value),i.promise}})},16499:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(36043),a=i(1103),c=i(72652);n({target:"Promise",stat:!0,forced:i(90537)},{all:function(t){var e=this,i=s.f(e),n=i.resolve,l=i.reject,u=a((function(){var i=r(e.resolve),s=[],a=0,u=1;c(t,(function(t){var r=a++,c=!1;u++,o(i,e,t).then((function(t){c||(c=!0,s[r]=t,--u||n(s))}),l)})),--u||n(s)}));return u.error&&l(u.value),i.promise}})},93518:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(97751),a=i(36043),c=i(1103),l=i(72652),u=i(90537),h="No one promise resolved";n({target:"Promise",stat:!0,forced:u},{any:function(t){var e=this,i=s("AggregateError"),n=a.f(e),u=n.resolve,d=n.reject,p=c((function(){var n=r(e.resolve),s=[],a=0,c=1,p=!1;l(t,(function(t){var r=a++,l=!1;c++,o(n,e,t).then((function(t){l||p||(p=!0,u(t))}),(function(t){l||p||(l=!0,s[r]=t,--c||d(new i(s,h)))}))})),--c||d(new i(s,h))}));return p.error&&d(p.value),n.promise}})},82003:(t,e,i)=>{"use strict";var n=i(46518),o=i(96395),r=i(10916).CONSTRUCTOR,s=i(80550),a=i(97751),c=i(94901),l=i(36840),u=s&&s.prototype;if(n({target:"Promise",proto:!0,forced:r,real:!0},{catch:function(t){return this.then(void 0,t)}}),!o&&c(s)){var h=a("Promise").prototype.catch;u.catch!==h&&l(u,"catch",h,{unsafe:!0})}},10436:(t,e,i)=>{"use strict";var n,o,r,s=i(46518),a=i(96395),c=i(38574),l=i(44576),u=i(69565),h=i(36840),d=i(52967),p=i(10687),A=i(87633),f=i(79306),g=i(94901),m=i(20034),C=i(90679),b=i(2293),v=i(59225).set,x=i(91955),w=i(90757),y=i(1103),k=i(18265),B=i(91181),E=i(80550),_=i(10916),I=i(36043),D="Promise",S=_.CONSTRUCTOR,T=_.REJECTION_EVENT,O=_.SUBCLASSING,M=B.getterFor(D),P=B.set,R=E&&E.prototype,N=E,H=R,z=l.TypeError,L=l.document,F=l.process,j=I.f,U=j,W=!!(L&&L.createEvent&&l.dispatchEvent),Y="unhandledrejection",q=function(t){var e;return!(!m(t)||!g(e=t.then))&&e},Q=function(t,e){var i,n,o,r=e.value,s=1===e.state,a=s?t.ok:t.fail,c=t.resolve,l=t.reject,h=t.domain;try{a?(s||(2===e.rejection&&J(e),e.rejection=1),!0===a?i=r:(h&&h.enter(),i=a(r),h&&(h.exit(),o=!0)),i===t.promise?l(new z("Promise-chain cycle")):(n=q(i))?u(n,i,c,l):c(i)):l(r)}catch(t){h&&!o&&h.exit(),l(t)}},G=function(t,e){t.notified||(t.notified=!0,x((function(){for(var i,n=t.reactions;i=n.get();)Q(i,t);t.notified=!1,e&&!t.rejection&&V(t)})))},X=function(t,e,i){var n,o;W?((n=L.createEvent("Event")).promise=e,n.reason=i,n.initEvent(t,!1,!0),l.dispatchEvent(n)):n={promise:e,reason:i},!T&&(o=l["on"+t])?o(n):t===Y&&w("Unhandled promise rejection",i)},V=function(t){u(v,l,(function(){var e,i=t.facade,n=t.value;if(K(t)&&(e=y((function(){c?F.emit("unhandledRejection",n,i):X(Y,i,n)})),t.rejection=c||K(t)?2:1,e.error))throw e.value}))},K=function(t){return 1!==t.rejection&&!t.parent},J=function(t){u(v,l,(function(){var e=t.facade;c?F.emit("rejectionHandled",e):X("rejectionhandled",e,t.value)}))},Z=function(t,e,i){return function(n){t(e,n,i)}},$=function(t,e,i){t.done||(t.done=!0,i&&(t=i),t.value=e,t.state=2,G(t,!0))},tt=function(t,e,i){if(!t.done){t.done=!0,i&&(t=i);try{if(t.facade===e)throw new z("Promise can't be resolved itself");var n=q(e);n?x((function(){var i={done:!1};try{u(n,e,Z(tt,i,t),Z($,i,t))}catch(e){$(i,e,t)}})):(t.value=e,t.state=1,G(t,!1))}catch(e){$({done:!1},e,t)}}};if(S&&(H=(N=function(t){C(this,H),f(t),u(n,this);var e=M(this);try{t(Z(tt,e),Z($,e))}catch(t){$(e,t)}}).prototype,(n=function(t){P(this,{type:D,done:!1,notified:!1,parent:!1,reactions:new k,rejection:!1,state:0,value:null})}).prototype=h(H,"then",(function(t,e){var i=M(this),n=j(b(this,N));return i.parent=!0,n.ok=!g(t)||t,n.fail=g(e)&&e,n.domain=c?F.domain:void 0,0===i.state?i.reactions.add(n):x((function(){Q(n,i)})),n.promise})),o=function(){var t=new n,e=M(t);this.promise=t,this.resolve=Z(tt,e),this.reject=Z($,e)},I.f=j=function(t){return t===N||void 0===t?new o(t):U(t)},!a&&g(E)&&R!==Object.prototype)){r=R.then,O||h(R,"then",(function(t,e){var i=this;return new N((function(t,e){u(r,i,t,e)})).then(t,e)}),{unsafe:!0});try{delete R.constructor}catch(t){}d&&d(R,H)}s({global:!0,constructor:!0,wrap:!0,forced:S},{Promise:N}),p(N,D,!1,!0),A(D)},9391:(t,e,i)=>{"use strict";var n=i(46518),o=i(96395),r=i(80550),s=i(79039),a=i(97751),c=i(94901),l=i(2293),u=i(93438),h=i(36840),d=r&&r.prototype;if(n({target:"Promise",proto:!0,real:!0,forced:!!r&&s((function(){d.finally.call({then:function(){}},(function(){}))}))},{finally:function(t){var e=l(this,a("Promise")),i=c(t);return this.then(i?function(i){return u(e,t()).then((function(){return i}))}:t,i?function(i){return u(e,t()).then((function(){throw i}))}:t)}}),!o&&c(r)){var p=a("Promise").prototype.finally;d.finally!==p&&h(d,"finally",p,{unsafe:!0})}},3362:(t,e,i)=>{"use strict";i(10436),i(16499),i(82003),i(7743),i(51481),i(40280)},7743:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79306),s=i(36043),a=i(1103),c=i(72652);n({target:"Promise",stat:!0,forced:i(90537)},{race:function(t){var e=this,i=s.f(e),n=i.reject,l=a((function(){var s=r(e.resolve);c(t,(function(t){o(s,e,t).then(i.resolve,n)}))}));return l.error&&n(l.value),i.promise}})},51481:(t,e,i)=>{"use strict";var n=i(46518),o=i(36043);n({target:"Promise",stat:!0,forced:i(10916).CONSTRUCTOR},{reject:function(t){var e=o.f(this);return(0,e.reject)(t),e.promise}})},40280:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(96395),s=i(80550),a=i(10916).CONSTRUCTOR,c=i(93438),l=o("Promise"),u=r&&!a;n({target:"Promise",stat:!0,forced:r||a},{resolve:function(t){return c(u&&this===l?s:this,t)}})},14628:(t,e,i)=>{"use strict";var n=i(46518),o=i(36043);n({target:"Promise",stat:!0},{withResolvers:function(){var t=o.f(this);return{promise:t.promise,resolve:t.resolve,reject:t.reject}}})},39796:(t,e,i)=>{"use strict";var n=i(46518),o=i(18745),r=i(79306),s=i(28551);n({target:"Reflect",stat:!0,forced:!i(79039)((function(){Reflect.apply((function(){}))}))},{apply:function(t,e,i){return o(r(t),e,s(i))}})},60825:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(18745),s=i(30566),a=i(35548),c=i(28551),l=i(20034),u=i(2360),h=i(79039),d=o("Reflect","construct"),p=Object.prototype,A=[].push,f=h((function(){function t(){}return!(d((function(){}),[],t)instanceof t)})),g=!h((function(){d((function(){}))})),m=f||g;n({target:"Reflect",stat:!0,forced:m,sham:m},{construct:function(t,e){a(t),c(e);var i=arguments.length<3?t:a(arguments[2]);if(g&&!f)return d(t,e,i);if(t===i){switch(e.length){case 0:return new t;case 1:return new t(e[0]);case 2:return new t(e[0],e[1]);case 3:return new t(e[0],e[1],e[2]);case 4:return new t(e[0],e[1],e[2],e[3])}var n=[null];return r(A,n,e),new(r(s,t,n))}var o=i.prototype,h=u(l(o)?o:p),m=r(t,h,e);return l(m)?m:h}})},87411:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(28551),s=i(56969),a=i(24913);n({target:"Reflect",stat:!0,forced:i(79039)((function(){Reflect.defineProperty(a.f({},1,{value:1}),1,{value:2})})),sham:!o},{defineProperty:function(t,e,i){r(t);var n=s(e);r(i);try{return a.f(t,n,i),!0}catch(t){return!1}}})},21211:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(77347).f;n({target:"Reflect",stat:!0},{deleteProperty:function(t,e){var i=r(o(t),e);return!(i&&!i.configurable)&&delete t[e]}})},9065:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(28551),s=i(77347);n({target:"Reflect",stat:!0,sham:!o},{getOwnPropertyDescriptor:function(t,e){return s.f(r(t),e)}})},86565:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(42787);n({target:"Reflect",stat:!0,sham:!i(12211)},{getPrototypeOf:function(t){return r(o(t))}})},40888:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(20034),s=i(28551),a=i(16575),c=i(77347),l=i(42787);n({target:"Reflect",stat:!0},{get:function t(e,i){var n,u,h=arguments.length<3?e:arguments[2];return s(e)===h?e[i]:(n=c.f(e,i))?a(n)?n.value:void 0===n.get?void 0:o(n.get,h):r(u=l(e))?t(u,i,h):void 0}})},32812:(t,e,i)=>{"use strict";i(46518)({target:"Reflect",stat:!0},{has:function(t,e){return e in t}})},84634:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(34124);n({target:"Reflect",stat:!0},{isExtensible:function(t){return o(t),r(t)}})},71137:(t,e,i)=>{"use strict";i(46518)({target:"Reflect",stat:!0},{ownKeys:i(35031)})},30985:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(28551);n({target:"Reflect",stat:!0,sham:!i(92744)},{preventExtensions:function(t){r(t);try{var e=o("Object","preventExtensions");return e&&e(t),!0}catch(t){return!1}}})},34873:(t,e,i)=>{"use strict";var n=i(46518),o=i(28551),r=i(73506),s=i(52967);s&&n({target:"Reflect",stat:!0},{setPrototypeOf:function(t,e){o(t),r(e);try{return s(t,e),!0}catch(t){return!1}}})},34268:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(28551),s=i(20034),a=i(16575),c=i(79039),l=i(24913),u=i(77347),h=i(42787),d=i(6980);n({target:"Reflect",stat:!0,forced:c((function(){var t=function(){},e=l.f(new t,"a",{configurable:!0});return!1!==Reflect.set(t.prototype,"a",1,e)}))},{set:function t(e,i,n){var c,p,A,f=arguments.length<4?e:arguments[3],g=u.f(r(e),i);if(!g){if(s(p=h(e)))return t(p,i,n,f);g=d(0)}if(a(g)){if(!1===g.writable||!s(f))return!1;if(c=u.f(f,i)){if(c.get||c.set||!1===c.writable)return!1;c.value=n,l.f(f,i,c)}else l.f(f,i,d(0,n))}else{if(void 0===(A=g.set))return!1;o(A,f,n)}return!0}})},15472:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(10687);n({global:!0},{Reflect:{}}),r(o.Reflect,"Reflect",!0)},84864:(t,e,i)=>{"use strict";var n=i(43724),o=i(44576),r=i(79504),s=i(92796),a=i(23167),c=i(66699),l=i(2360),u=i(38480).f,h=i(1625),d=i(60788),p=i(655),A=i(61034),f=i(58429),g=i(11056),m=i(36840),C=i(79039),b=i(39297),v=i(91181).enforce,x=i(87633),w=i(78227),y=i(83635),k=i(18814),B=w("match"),E=o.RegExp,_=E.prototype,I=o.SyntaxError,D=r(_.exec),S=r("".charAt),T=r("".replace),O=r("".indexOf),M=r("".slice),P=/^\?<[^\s\d!#%&*+<=>@^][^\s!#%&*+<=>@^]*>/,R=/a/g,N=/a/g,H=new E(R)!==R,z=f.MISSED_STICKY,L=f.UNSUPPORTED_Y;if(s("RegExp",n&&(!H||z||y||k||C((function(){return N[B]=!1,E(R)!==R||E(N)===N||"/a/i"!==String(E(R,"i"))}))))){for(var F=function(t,e){var i,n,o,r,s,u,f=h(_,this),g=d(t),m=void 0===e,C=[],x=t;if(!f&&g&&m&&t.constructor===F)return t;if((g||h(_,t))&&(t=t.source,m&&(e=A(x))),t=void 0===t?"":p(t),e=void 0===e?"":p(e),x=t,y&&"dotAll"in R&&(n=!!e&&O(e,"s")>-1)&&(e=T(e,/s/g,"")),i=e,z&&"sticky"in R&&(o=!!e&&O(e,"y")>-1)&&L&&(e=T(e,/y/g,"")),k&&(r=function(t){for(var e,i=t.length,n=0,o="",r=[],s=l(null),a=!1,c=!1,u=0,h="";n<=i;n++){if("\\"===(e=S(t,n)))e+=S(t,++n);else if("]"===e)a=!1;else if(!a)switch(!0){case"["===e:a=!0;break;case"("===e:if(o+=e,"?:"===M(t,n+1,n+3))continue;D(P,M(t,n+1))&&(n+=2,c=!0),u++;continue;case">"===e&&c:if(""===h||b(s,h))throw new I("Invalid capture group name");s[h]=!0,r[r.length]=[h,u],c=!1,h="";continue}c?h+=e:o+=e}return[o,r]}(t),t=r[0],C=r[1]),s=a(E(t,e),f?this:_,F),(n||o||C.length)&&(u=v(s),n&&(u.dotAll=!0,u.raw=F(function(t){for(var e,i=t.length,n=0,o="",r=!1;n<=i;n++)"\\"!==(e=S(t,n))?r||"."!==e?("["===e?r=!0:"]"===e&&(r=!1),o+=e):o+="[\\s\\S]":o+=e+S(t,++n);return o}(t),i)),o&&(u.sticky=!0),C.length&&(u.groups=C)),t!==x)try{c(s,"source",""===x?"(?:)":x)}catch(t){}return s},j=u(E),U=0;j.length>U;)g(F,E,j[U++]);_.constructor=F,F.prototype=_,m(o,"RegExp",F,{constructor:!0})}x("RegExp")},57465:(t,e,i)=>{"use strict";var n=i(43724),o=i(83635),r=i(22195),s=i(62106),a=i(91181).get,c=RegExp.prototype,l=TypeError;n&&o&&s(c,"dotAll",{configurable:!0,get:function(){if(this!==c){if("RegExp"===r(this))return!!a(this).dotAll;throw new l("Incompatible receiver, RegExp required")}}})},69479:(t,e,i)=>{"use strict";var n=i(44576),o=i(43724),r=i(62106),s=i(67979),a=i(79039),c=n.RegExp,l=c.prototype;o&&a((function(){var t=!0;try{c(".","d")}catch(e){t=!1}var e={},i="",n=t?"dgimsy":"gimsy",o=function(t,n){Object.defineProperty(e,t,{get:function(){return i+=n,!0}})},r={dotAll:"s",global:"g",ignoreCase:"i",multiline:"m",sticky:"y"};for(var s in t&&(r.hasIndices="d"),r)o(s,r[s]);return Object.getOwnPropertyDescriptor(l,"flags").get.call(e)!==n||i!==n}))&&r(l,"flags",{configurable:!0,get:s})},87745:(t,e,i)=>{"use strict";var n=i(43724),o=i(58429).MISSED_STICKY,r=i(22195),s=i(62106),a=i(91181).get,c=RegExp.prototype,l=TypeError;n&&o&&s(c,"sticky",{configurable:!0,get:function(){if(this!==c){if("RegExp"===r(this))return!!a(this).sticky;throw new l("Incompatible receiver, RegExp required")}}})},90906:(t,e,i)=>{"use strict";i(27495);var n,o,r=i(46518),s=i(69565),a=i(94901),c=i(28551),l=i(655),u=(n=!1,(o=/[ac]/).exec=function(){return n=!0,/./.exec.apply(this,arguments)},!0===o.test("abc")&&n),h=/./.test;r({target:"RegExp",proto:!0,forced:!u},{test:function(t){var e=c(this),i=l(t),n=e.exec;if(!a(n))return s(h,e,i);var o=s(n,e,i);return null!==o&&(c(o),!0)}})},38781:(t,e,i)=>{"use strict";var n=i(10350).PROPER,o=i(36840),r=i(28551),s=i(655),a=i(79039),c=i(61034),l="toString",u=RegExp.prototype,h=u[l],d=a((function(){return"/a/b"!==h.call({source:"a",flags:"b"})})),p=n&&h.name!==l;(d||p)&&o(u,l,(function(){var t=r(this);return"/"+s(t.source)+"/"+s(c(t))}),{unsafe:!0})},92405:(t,e,i)=>{"use strict";i(16468)("Set",(function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}}),i(86938))},17642:(t,e,i)=>{"use strict";var n=i(46518),o=i(83440);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("difference")},{difference:o})},58004:(t,e,i)=>{"use strict";var n=i(46518),o=i(79039),r=i(68750);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("intersection")||o((function(){return"3,2"!==String(Array.from(new Set([1,2,3]).intersection(new Set([3,2]))))}))},{intersection:r})},33853:(t,e,i)=>{"use strict";var n=i(46518),o=i(64449);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("isDisjointFrom")},{isDisjointFrom:o})},45876:(t,e,i)=>{"use strict";var n=i(46518),o=i(53838);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("isSubsetOf")},{isSubsetOf:o})},32475:(t,e,i)=>{"use strict";var n=i(46518),o=i(28527);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("isSupersetOf")},{isSupersetOf:o})},31415:(t,e,i)=>{"use strict";i(92405)},15024:(t,e,i)=>{"use strict";var n=i(46518),o=i(83650);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("symmetricDifference")},{symmetricDifference:o})},31698:(t,e,i)=>{"use strict";var n=i(46518),o=i(44204);n({target:"Set",proto:!0,real:!0,forced:!i(84916)("union")},{union:o})},89907:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("anchor")},{anchor:function(t){return o(this,"a","name",t)}})},67357:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(67750),s=i(91291),a=i(655),c=i(79039),l=o("".charAt);n({target:"String",proto:!0,forced:c((function(){return"\ud842"!=="𠮷".at(-2)}))},{at:function(t){var e=a(r(this)),i=e.length,n=s(t),o=n>=0?n:i+n;return o<0||o>=i?void 0:l(e,o)}})},11898:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("big")},{big:function(){return o(this,"big","","")}})},35490:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("blink")},{blink:function(){return o(this,"blink","","")}})},5745:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("bold")},{bold:function(){return o(this,"b","","")}})},23860:(t,e,i)=>{"use strict";var n=i(46518),o=i(68183).codeAt;n({target:"String",proto:!0},{codePointAt:function(t){return o(this,t)}})},21830:(t,e,i)=>{"use strict";var n,o=i(46518),r=i(27476),s=i(77347).f,a=i(18014),c=i(655),l=i(60511),u=i(67750),h=i(41436),d=i(96395),p=r("".slice),A=Math.min,f=h("endsWith");o({target:"String",proto:!0,forced:!(!d&&!f&&(n=s(String.prototype,"endsWith"),n&&!n.writable)||f)},{endsWith:function(t){var e=c(u(this));l(t);var i=arguments.length>1?arguments[1]:void 0,n=e.length,o=void 0===i?n:A(a(i),n),r=c(t);return p(e,o-r.length,o)===r}})},94298:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("fixed")},{fixed:function(){return o(this,"tt","","")}})},60268:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("fontcolor")},{fontcolor:function(t){return o(this,"font","color",t)}})},69546:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("fontsize")},{fontsize:function(t){return o(this,"font","size",t)}})},27337:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(35610),s=RangeError,a=String.fromCharCode,c=String.fromCodePoint,l=o([].join);n({target:"String",stat:!0,arity:1,forced:!!c&&1!==c.length},{fromCodePoint:function(t){for(var e,i=[],n=arguments.length,o=0;n>o;){if(e=+arguments[o++],r(e,1114111)!==e)throw new s(e+" is not a valid code point");i[o]=e<65536?a(e):a(55296+((e-=65536)>>10),e%1024+56320)}return l(i,"")}})},21699:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(60511),s=i(67750),a=i(655),c=i(41436),l=o("".indexOf);n({target:"String",proto:!0,forced:!c("includes")},{includes:function(t){return!!~l(a(s(this)),a(r(t)),arguments.length>1?arguments[1]:void 0)}})},42043:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(67750),s=i(655),a=o("".charCodeAt);n({target:"String",proto:!0},{isWellFormed:function(){for(var t=s(r(this)),e=t.length,i=0;i=56320||++i>=e||56320!=(64512&a(t,i))))return!1}return!0}})},20781:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("italics")},{italics:function(){return o(this,"i","","")}})},47764:(t,e,i)=>{"use strict";var n=i(68183).charAt,o=i(655),r=i(91181),s=i(51088),a=i(62529),c="String Iterator",l=r.set,u=r.getterFor(c);s(String,"String",(function(t){l(this,{type:c,string:o(t),index:0})}),(function(){var t,e=u(this),i=e.string,o=e.index;return o>=i.length?a(void 0,!0):(t=n(i,o),e.index+=t.length,a(t,!1))}))},50778:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("link")},{link:function(t){return o(this,"a","href",t)}})},28543:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(27476),s=i(33994),a=i(62529),c=i(67750),l=i(18014),u=i(655),h=i(28551),d=i(64117),p=i(22195),A=i(60788),f=i(61034),g=i(55966),m=i(36840),C=i(79039),b=i(78227),v=i(2293),x=i(57829),w=i(56682),y=i(91181),k=i(96395),B=b("matchAll"),E="RegExp String",_=E+" Iterator",I=y.set,D=y.getterFor(_),S=RegExp.prototype,T=TypeError,O=r("".indexOf),M=r("".matchAll),P=!!M&&!C((function(){M("a",/./)})),R=s((function(t,e,i,n){I(this,{type:_,regexp:t,string:e,global:i,unicode:n,done:!1})}),E,(function(){var t=D(this);if(t.done)return a(void 0,!0);var e=t.regexp,i=t.string,n=w(e,i);return null===n?(t.done=!0,a(void 0,!0)):t.global?(""===u(n[0])&&(e.lastIndex=x(i,l(e.lastIndex),t.unicode)),a(n,!1)):(t.done=!0,a(n,!1))})),N=function(t){var e,i,n,o=h(this),r=u(t),s=v(o,RegExp),a=u(f(o));return e=new s(s===RegExp?o.source:o,a),i=!!~O(a,"g"),n=!!~O(a,"u"),e.lastIndex=l(o.lastIndex),new R(e,r,i,n)};n({target:"String",proto:!0,forced:P},{matchAll:function(t){var e,i,n,r,s=c(this);if(d(t)){if(P)return M(s,t)}else{if(A(t)&&(e=u(c(f(t))),!~O(e,"g")))throw new T("`.matchAll` does not allow non-global regexes");if(P)return M(s,t);if(void 0===(n=g(t,B))&&k&&"RegExp"===p(t)&&(n=N),n)return o(n,t,s)}return i=u(s),r=new RegExp(t,"g"),k?o(N,r,i):r[B](i)}}),k||B in S||m(S,B,N)},71761:(t,e,i)=>{"use strict";var n=i(69565),o=i(89228),r=i(28551),s=i(64117),a=i(18014),c=i(655),l=i(67750),u=i(55966),h=i(57829),d=i(56682);o("match",(function(t,e,i){return[function(e){var i=l(this),o=s(e)?void 0:u(e,t);return o?n(o,e,i):new RegExp(e)[t](c(i))},function(t){var n=r(this),o=c(t),s=i(e,n,o);if(s.done)return s.value;if(!n.global)return d(n,o);var l=n.unicode;n.lastIndex=0;for(var u,p=[],A=0;null!==(u=d(n,o));){var f=c(u[0]);p[A]=f,""===f&&(n.lastIndex=h(o,a(n.lastIndex),l)),A++}return 0===A?null:p}]}))},35701:(t,e,i)=>{"use strict";var n=i(46518),o=i(60533).end;n({target:"String",proto:!0,forced:i(83063)},{padEnd:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},68156:(t,e,i)=>{"use strict";var n=i(46518),o=i(60533).start;n({target:"String",proto:!0,forced:i(83063)},{padStart:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}})},85906:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(25397),s=i(48981),a=i(655),c=i(26198),l=o([].push),u=o([].join);n({target:"String",stat:!0},{raw:function(t){var e=r(s(t).raw),i=c(e);if(!i)return"";for(var n=arguments.length,o=[],h=0;;){if(l(o,a(e[h++])),h===i)return u(o,"");h{"use strict";i(46518)({target:"String",proto:!0},{repeat:i(72333)})},79978:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79504),s=i(67750),a=i(94901),c=i(64117),l=i(60788),u=i(655),h=i(55966),d=i(61034),p=i(2478),A=i(78227),f=i(96395),g=A("replace"),m=TypeError,C=r("".indexOf),b=r("".replace),v=r("".slice),x=Math.max;n({target:"String",proto:!0},{replaceAll:function(t,e){var i,n,r,A,w,y,k,B,E,_,I=s(this),D=0,S="";if(!c(t)){if((i=l(t))&&(n=u(s(d(t))),!~C(n,"g")))throw new m("`.replaceAll` does not allow non-global regexes");if(r=h(t,g))return o(r,t,I,e);if(f&&i)return b(u(I),t,e)}for(A=u(I),w=u(t),(y=a(e))||(e=u(e)),k=w.length,B=x(1,k),E=C(A,w);-1!==E;)_=y?u(e(w,E,A)):p(w,A,E,[],void 0,e),S+=v(A,D,E)+_,D=E+k,E=E+B>A.length?-1:C(A,w,E+B);return D{"use strict";var n=i(69565),o=i(89228),r=i(28551),s=i(64117),a=i(67750),c=i(3470),l=i(655),u=i(55966),h=i(56682);o("search",(function(t,e,i){return[function(e){var i=a(this),o=s(e)?void 0:u(e,t);return o?n(o,e,i):new RegExp(e)[t](l(i))},function(t){var n=r(this),o=l(t),s=i(e,n,o);if(s.done)return s.value;var a=n.lastIndex;c(a,0)||(n.lastIndex=0);var u=h(n,o);return c(n.lastIndex,a)||(n.lastIndex=a),null===u?-1:u.index}]}))},89195:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("small")},{small:function(){return o(this,"small","","")}})},90744:(t,e,i)=>{"use strict";var n=i(69565),o=i(79504),r=i(89228),s=i(28551),a=i(64117),c=i(67750),l=i(2293),u=i(57829),h=i(18014),d=i(655),p=i(55966),A=i(56682),f=i(58429),g=i(79039),m=f.UNSUPPORTED_Y,C=Math.min,b=o([].push),v=o("".slice),x=!g((function(){var t=/(?:)/,e=t.exec;t.exec=function(){return e.apply(this,arguments)};var i="ab".split(t);return 2!==i.length||"a"!==i[0]||"b"!==i[1]})),w="c"==="abbc".split(/(b)*/)[1]||4!=="test".split(/(?:)/,-1).length||2!=="ab".split(/(?:ab)*/).length||4!==".".split(/(.?)(.?)/).length||".".split(/()()/).length>1||"".split(/.?/).length;r("split",(function(t,e,i){var o="0".split(void 0,0).length?function(t,i){return void 0===t&&0===i?[]:n(e,this,t,i)}:e;return[function(e,i){var r=c(this),s=a(e)?void 0:p(e,t);return s?n(s,e,r,i):n(o,d(r),e,i)},function(t,n){var r=s(this),a=d(t);if(!w){var c=i(o,r,a,n,o!==e);if(c.done)return c.value}var p=l(r,RegExp),f=r.unicode,g=(r.ignoreCase?"i":"")+(r.multiline?"m":"")+(r.unicode?"u":"")+(m?"g":"y"),x=new p(m?"^(?:"+r.source+")":r,g),y=void 0===n?4294967295:n>>>0;if(0===y)return[];if(0===a.length)return null===A(x,a)?[a]:[];for(var k=0,B=0,E=[];B{"use strict";var n,o=i(46518),r=i(27476),s=i(77347).f,a=i(18014),c=i(655),l=i(60511),u=i(67750),h=i(41436),d=i(96395),p=r("".slice),A=Math.min,f=h("startsWith");o({target:"String",proto:!0,forced:!(!d&&!f&&(n=s(String.prototype,"startsWith"),n&&!n.writable)||f)},{startsWith:function(t){var e=c(u(this));l(t);var i=a(A(arguments.length>1?arguments[1]:void 0,e.length)),n=c(t);return p(e,i,i+n.length)===n}})},46276:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("strike")},{strike:function(){return o(this,"strike","","")}})},48718:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("sub")},{sub:function(){return o(this,"sub","","")}})},50375:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(67750),s=i(91291),a=i(655),c=o("".slice),l=Math.max,u=Math.min;n({target:"String",proto:!0,forced:!"".substr||"b"!=="ab".substr(-1)},{substr:function(t,e){var i,n,o=a(r(this)),h=o.length,d=s(t);return d===1/0&&(d=0),d<0&&(d=l(h+d,0)),(i=void 0===e?h:s(e))<=0||i===1/0||d>=(n=u(d+i,h))?"":c(o,d,n)}})},16308:(t,e,i)=>{"use strict";var n=i(46518),o=i(77240);n({target:"String",proto:!0,forced:i(23061)("sup")},{sup:function(){return o(this,"sup","","")}})},67438:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565),r=i(79504),s=i(67750),a=i(655),c=i(79039),l=Array,u=r("".charAt),h=r("".charCodeAt),d=r([].join),p="".toWellFormed,A=p&&c((function(){return"1"!==o(p,1)}));n({target:"String",proto:!0,forced:A},{toWellFormed:function(){var t=a(s(this));if(A)return o(p,t);for(var e=t.length,i=l(e),n=0;n=56320||n+1>=e||56320!=(64512&h(t,n+1))?i[n]="�":(i[n]=u(t,n),i[++n]=u(t,n))}return d(i,"")}})},39202:(t,e,i)=>{"use strict";i(33313);var n=i(46518),o=i(18866);n({target:"String",proto:!0,name:"trimEnd",forced:"".trimEnd!==o},{trimEnd:o})},58934:(t,e,i)=>{"use strict";var n=i(46518),o=i(53487);n({target:"String",proto:!0,name:"trimStart",forced:"".trimLeft!==o},{trimLeft:o})},33313:(t,e,i)=>{"use strict";var n=i(46518),o=i(18866);n({target:"String",proto:!0,name:"trimEnd",forced:"".trimRight!==o},{trimRight:o})},43359:(t,e,i)=>{"use strict";i(58934);var n=i(46518),o=i(53487);n({target:"String",proto:!0,name:"trimStart",forced:"".trimStart!==o},{trimStart:o})},42762:(t,e,i)=>{"use strict";var n=i(46518),o=i(43802).trim;n({target:"String",proto:!0,forced:i(60706)("trim")},{trim:function(){return o(this)}})},66412:(t,e,i)=>{"use strict";i(70511)("asyncIterator")},6761:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(69565),s=i(79504),a=i(96395),c=i(43724),l=i(4495),u=i(79039),h=i(39297),d=i(1625),p=i(28551),A=i(25397),f=i(56969),g=i(655),m=i(6980),C=i(2360),b=i(71072),v=i(38480),x=i(10298),w=i(33717),y=i(77347),k=i(24913),B=i(96801),E=i(48773),_=i(36840),I=i(62106),D=i(25745),S=i(66119),T=i(30421),O=i(33392),M=i(78227),P=i(1951),R=i(70511),N=i(58242),H=i(10687),z=i(91181),L=i(59213).forEach,F=S("hidden"),j="Symbol",U="prototype",W=z.set,Y=z.getterFor(j),q=Object[U],Q=o.Symbol,G=Q&&Q[U],X=o.RangeError,V=o.TypeError,K=o.QObject,J=y.f,Z=k.f,$=x.f,tt=E.f,et=s([].push),it=D("symbols"),nt=D("op-symbols"),ot=D("wks"),rt=!K||!K[U]||!K[U].findChild,st=function(t,e,i){var n=J(q,e);n&&delete q[e],Z(t,e,i),n&&t!==q&&Z(q,e,n)},at=c&&u((function(){return 7!==C(Z({},"a",{get:function(){return Z(this,"a",{value:7}).a}})).a}))?st:Z,ct=function(t,e){var i=it[t]=C(G);return W(i,{type:j,tag:t,description:e}),c||(i.description=e),i},lt=function(t,e,i){t===q&<(nt,e,i),p(t);var n=f(e);return p(i),h(it,n)?(i.enumerable?(h(t,F)&&t[F][n]&&(t[F][n]=!1),i=C(i,{enumerable:m(0,!1)})):(h(t,F)||Z(t,F,m(1,C(null))),t[F][n]=!0),at(t,n,i)):Z(t,n,i)},ut=function(t,e){p(t);var i=A(e),n=b(i).concat(At(i));return L(n,(function(e){c&&!r(ht,i,e)||lt(t,e,i[e])})),t},ht=function(t){var e=f(t),i=r(tt,this,e);return!(this===q&&h(it,e)&&!h(nt,e))&&(!(i||!h(this,e)||!h(it,e)||h(this,F)&&this[F][e])||i)},dt=function(t,e){var i=A(t),n=f(e);if(i!==q||!h(it,n)||h(nt,n)){var o=J(i,n);return!o||!h(it,n)||h(i,F)&&i[F][n]||(o.enumerable=!0),o}},pt=function(t){var e=$(A(t)),i=[];return L(e,(function(t){h(it,t)||h(T,t)||et(i,t)})),i},At=function(t){var e=t===q,i=$(e?nt:A(t)),n=[];return L(i,(function(t){!h(it,t)||e&&!h(q,t)||et(n,it[t])})),n};l||(_(G=(Q=function(){if(d(G,this))throw new V("Symbol is not a constructor");var t=arguments.length&&void 0!==arguments[0]?g(arguments[0]):void 0,e=O(t),i=function(t){var n=void 0===this?o:this;n===q&&r(i,nt,t),h(n,F)&&h(n[F],e)&&(n[F][e]=!1);var s=m(1,t);try{at(n,e,s)}catch(t){if(!(t instanceof X))throw t;st(n,e,s)}};return c&&rt&&at(q,e,{configurable:!0,set:i}),ct(e,t)})[U],"toString",(function(){return Y(this).tag})),_(Q,"withoutSetter",(function(t){return ct(O(t),t)})),E.f=ht,k.f=lt,B.f=ut,y.f=dt,v.f=x.f=pt,w.f=At,P.f=function(t){return ct(M(t),t)},c&&(I(G,"description",{configurable:!0,get:function(){return Y(this).description}}),a||_(q,"propertyIsEnumerable",ht,{unsafe:!0}))),n({global:!0,constructor:!0,wrap:!0,forced:!l,sham:!l},{Symbol:Q}),L(b(ot),(function(t){R(t)})),n({target:j,stat:!0,forced:!l},{useSetter:function(){rt=!0},useSimple:function(){rt=!1}}),n({target:"Object",stat:!0,forced:!l,sham:!c},{create:function(t,e){return void 0===e?C(t):ut(C(t),e)},defineProperty:lt,defineProperties:ut,getOwnPropertyDescriptor:dt}),n({target:"Object",stat:!0,forced:!l},{getOwnPropertyNames:pt}),N(),H(Q,j),T[F]=!0},89463:(t,e,i)=>{"use strict";var n=i(46518),o=i(43724),r=i(44576),s=i(79504),a=i(39297),c=i(94901),l=i(1625),u=i(655),h=i(62106),d=i(77740),p=r.Symbol,A=p&&p.prototype;if(o&&c(p)&&(!("description"in A)||void 0!==p().description)){var f={},g=function(){var t=arguments.length<1||void 0===arguments[0]?void 0:u(arguments[0]),e=l(A,this)?new p(t):void 0===t?p():p(t);return""===t&&(f[e]=!0),e};d(g,p),g.prototype=A,A.constructor=g;var m="Symbol(description detection)"===String(p("description detection")),C=s(A.valueOf),b=s(A.toString),v=/^Symbol\((.*)\)[^)]+$/,x=s("".replace),w=s("".slice);h(A,"description",{configurable:!0,get:function(){var t=C(this);if(a(f,t))return"";var e=b(t),i=m?w(e,7,-1):x(e,v,"$1");return""===i?void 0:i}}),n({global:!0,constructor:!0,forced:!0},{Symbol:g})}},81510:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(39297),s=i(655),a=i(25745),c=i(91296),l=a("string-to-symbol-registry"),u=a("symbol-to-string-registry");n({target:"Symbol",stat:!0,forced:!c},{for:function(t){var e=s(t);if(r(l,e))return l[e];var i=o("Symbol")(e);return l[e]=i,u[i]=e,i}})},60193:(t,e,i)=>{"use strict";i(70511)("hasInstance")},92168:(t,e,i)=>{"use strict";i(70511)("isConcatSpreadable")},2259:(t,e,i)=>{"use strict";i(70511)("iterator")},52675:(t,e,i)=>{"use strict";i(6761),i(81510),i(97812),i(33110),i(49773)},97812:(t,e,i)=>{"use strict";var n=i(46518),o=i(39297),r=i(10757),s=i(16823),a=i(25745),c=i(91296),l=a("symbol-to-string-registry");n({target:"Symbol",stat:!0,forced:!c},{keyFor:function(t){if(!r(t))throw new TypeError(s(t)+" is not a symbol");if(o(l,t))return l[t]}})},83142:(t,e,i)=>{"use strict";i(70511)("matchAll")},86964:(t,e,i)=>{"use strict";i(70511)("match")},83237:(t,e,i)=>{"use strict";i(70511)("replace")},61833:(t,e,i)=>{"use strict";i(70511)("search")},67947:(t,e,i)=>{"use strict";i(70511)("species")},31073:(t,e,i)=>{"use strict";i(70511)("split")},45700:(t,e,i)=>{"use strict";var n=i(70511),o=i(58242);n("toPrimitive"),o()},78125:(t,e,i)=>{"use strict";var n=i(97751),o=i(70511),r=i(10687);o("toStringTag"),r(n("Symbol"),"Symbol")},20326:(t,e,i)=>{"use strict";i(70511)("unscopables")},48140:(t,e,i)=>{"use strict";var n=i(94644),o=i(26198),r=i(91291),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("at",(function(t){var e=s(this),i=o(e),n=r(t),a=n>=0?n:i+n;return a<0||a>=i?void 0:e[a]}))},81630:(t,e,i)=>{"use strict";var n=i(79504),o=i(94644),r=n(i(57029)),s=o.aTypedArray;(0,o.exportTypedArrayMethod)("copyWithin",(function(t,e){return r(s(this),t,e,arguments.length>2?arguments[2]:void 0)}))},72170:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).every,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("every",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},75044:(t,e,i)=>{"use strict";var n=i(94644),o=i(84373),r=i(75854),s=i(36955),a=i(69565),c=i(79504),l=i(79039),u=n.aTypedArray,h=n.exportTypedArrayMethod,d=c("".slice);h("fill",(function(t){var e=arguments.length;u(this);var i="Big"===d(s(this),0,3)?r(t):+t;return a(o,this,i,e>1?arguments[1]:void 0,e>2?arguments[2]:void 0)}),l((function(){var t=0;return new Int8Array(2).fill({valueOf:function(){return t++}}),1!==t})))},69539:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).filter,r=i(26357),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("filter",(function(t){var e=o(s(this),t,arguments.length>1?arguments[1]:void 0);return r(this,e)}))},89955:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).findIndex,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("findIndex",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},91134:(t,e,i)=>{"use strict";var n=i(94644),o=i(43839).findLastIndex,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("findLastIndex",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},21903:(t,e,i)=>{"use strict";var n=i(94644),o=i(43839).findLast,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("findLast",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},31694:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).find,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("find",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},34594:(t,e,i)=>{"use strict";i(15823)("Float32",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},29833:(t,e,i)=>{"use strict";i(15823)("Float64",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},33206:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).forEach,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("forEach",(function(t){o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},48345:(t,e,i)=>{"use strict";var n=i(72805);(0,i(94644).exportTypedArrayStaticMethod)("from",i(43251),n)},44496:(t,e,i)=>{"use strict";var n=i(94644),o=i(19617).includes,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("includes",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},66651:(t,e,i)=>{"use strict";var n=i(94644),o=i(19617).indexOf,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("indexOf",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},72107:(t,e,i)=>{"use strict";i(15823)("Int16",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},95477:(t,e,i)=>{"use strict";i(15823)("Int32",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},46594:(t,e,i)=>{"use strict";i(15823)("Int8",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},12887:(t,e,i)=>{"use strict";var n=i(44576),o=i(79039),r=i(79504),s=i(94644),a=i(23792),c=i(78227)("iterator"),l=n.Uint8Array,u=r(a.values),h=r(a.keys),d=r(a.entries),p=s.aTypedArray,A=s.exportTypedArrayMethod,f=l&&l.prototype,g=!o((function(){f[c].call([1])})),m=!!f&&f.values&&f[c]===f.values&&"values"===f.values.name,C=function(){return u(p(this))};A("entries",(function(){return d(p(this))}),g),A("keys",(function(){return h(p(this))}),g),A("values",C,g||!m,{name:"values"}),A(c,C,g||!m,{name:"values"})},19369:(t,e,i)=>{"use strict";var n=i(94644),o=i(79504),r=n.aTypedArray,s=n.exportTypedArrayMethod,a=o([].join);s("join",(function(t){return a(r(this),t)}))},66812:(t,e,i)=>{"use strict";var n=i(94644),o=i(18745),r=i(8379),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("lastIndexOf",(function(t){var e=arguments.length;return o(r,s(this),e>1?[t,arguments[1]]:[t])}))},8995:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).map,r=i(61412),s=n.aTypedArray;(0,n.exportTypedArrayMethod)("map",(function(t){return o(s(this),t,arguments.length>1?arguments[1]:void 0,(function(t,e){return new(r(t))(e)}))}))},52568:(t,e,i)=>{"use strict";var n=i(94644),o=i(72805),r=n.aTypedArrayConstructor;(0,n.exportTypedArrayStaticMethod)("of",(function(){for(var t=0,e=arguments.length,i=new(r(this))(e);e>t;)i[t]=arguments[t++];return i}),o)},36072:(t,e,i)=>{"use strict";var n=i(94644),o=i(80926).right,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("reduceRight",(function(t){var e=arguments.length;return o(r(this),t,e,e>1?arguments[1]:void 0)}))},31575:(t,e,i)=>{"use strict";var n=i(94644),o=i(80926).left,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("reduce",(function(t){var e=arguments.length;return o(r(this),t,e,e>1?arguments[1]:void 0)}))},88747:(t,e,i)=>{"use strict";var n=i(94644),o=n.aTypedArray,r=n.exportTypedArrayMethod,s=Math.floor;r("reverse",(function(){for(var t,e=this,i=o(e).length,n=s(i/2),r=0;r{"use strict";var n=i(44576),o=i(69565),r=i(94644),s=i(26198),a=i(58229),c=i(48981),l=i(79039),u=n.RangeError,h=n.Int8Array,d=h&&h.prototype,p=d&&d.set,A=r.aTypedArray,f=r.exportTypedArrayMethod,g=!l((function(){var t=new Uint8ClampedArray(2);return o(p,t,{length:1,0:3},1),3!==t[1]})),m=g&&r.NATIVE_ARRAY_BUFFER_VIEWS&&l((function(){var t=new h(2);return t.set(1),t.set("2",1),0!==t[0]||2!==t[1]}));f("set",(function(t){A(this);var e=a(arguments.length>1?arguments[1]:void 0,1),i=c(t);if(g)return o(p,this,i,e);var n=this.length,r=s(i),l=0;if(r+e>n)throw new u("Wrong length");for(;l{"use strict";var n=i(94644),o=i(61412),r=i(79039),s=i(67680),a=n.aTypedArray;(0,n.exportTypedArrayMethod)("slice",(function(t,e){for(var i=s(a(this),t,e),n=o(this),r=0,c=i.length,l=new n(c);c>r;)l[r]=i[r++];return l}),r((function(){new Int8Array(1).slice()})))},57301:(t,e,i)=>{"use strict";var n=i(94644),o=i(59213).some,r=n.aTypedArray;(0,n.exportTypedArrayMethod)("some",(function(t){return o(r(this),t,arguments.length>1?arguments[1]:void 0)}))},373:(t,e,i)=>{"use strict";var n=i(44576),o=i(27476),r=i(79039),s=i(79306),a=i(74488),c=i(94644),l=i(13709),u=i(13763),h=i(39519),d=i(3607),p=c.aTypedArray,A=c.exportTypedArrayMethod,f=n.Uint16Array,g=f&&o(f.prototype.sort),m=!(!g||r((function(){g(new f(2),null)}))&&r((function(){g(new f(2),{})}))),C=!!g&&!r((function(){if(h)return h<74;if(l)return l<67;if(u)return!0;if(d)return d<602;var t,e,i=new f(516),n=Array(516);for(t=0;t<516;t++)e=t%4,i[t]=515-t,n[t]=t-2*e+3;for(g(i,(function(t,e){return(t/4|0)-(e/4|0)})),t=0;t<516;t++)if(i[t]!==n[t])return!0}));A("sort",(function(t){return void 0!==t&&s(t),C?g(this,t):a(p(this),function(t){return function(e,i){return void 0!==t?+t(e,i)||0:i!=i?-1:e!=e?1:0===e&&0===i?1/e>0&&1/i<0?1:-1:e>i}}(t))}),!C||m)},86614:(t,e,i)=>{"use strict";var n=i(94644),o=i(18014),r=i(35610),s=i(61412),a=n.aTypedArray;(0,n.exportTypedArrayMethod)("subarray",(function(t,e){var i=a(this),n=i.length,c=r(t,n);return new(s(i))(i.buffer,i.byteOffset+c*i.BYTES_PER_ELEMENT,o((void 0===e?n:r(e,n))-c))}))},41405:(t,e,i)=>{"use strict";var n=i(44576),o=i(18745),r=i(94644),s=i(79039),a=i(67680),c=n.Int8Array,l=r.aTypedArray,u=r.exportTypedArrayMethod,h=[].toLocaleString,d=!!c&&s((function(){h.call(new c(1))}));u("toLocaleString",(function(){return o(h,d?a(l(this)):l(this),a(arguments))}),s((function(){return[1,2].toLocaleString()!==new c([1,2]).toLocaleString()}))||!s((function(){c.prototype.toLocaleString.call([1,2])})))},37467:(t,e,i)=>{"use strict";var n=i(37628),o=i(94644),r=o.aTypedArray,s=o.exportTypedArrayMethod,a=o.getTypedArrayConstructor;s("toReversed",(function(){return n(r(this),a(this))}))},44732:(t,e,i)=>{"use strict";var n=i(94644),o=i(79504),r=i(79306),s=i(35370),a=n.aTypedArray,c=n.getTypedArrayConstructor,l=n.exportTypedArrayMethod,u=o(n.TypedArrayPrototype.sort);l("toSorted",(function(t){void 0!==t&&r(t);var e=a(this),i=s(c(e),e);return u(i,t)}))},33684:(t,e,i)=>{"use strict";var n=i(94644).exportTypedArrayMethod,o=i(79039),r=i(44576),s=i(79504),a=r.Uint8Array,c=a&&a.prototype||{},l=[].toString,u=s([].join);o((function(){l.call({})}))&&(l=function(){return u(this)});var h=c.toString!==l;n("toString",l,h)},3690:(t,e,i)=>{"use strict";i(15823)("Uint16",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},61740:(t,e,i)=>{"use strict";i(15823)("Uint32",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},21489:(t,e,i)=>{"use strict";i(15823)("Uint8",(function(t){return function(e,i,n){return t(this,e,i,n)}}))},22134:(t,e,i)=>{"use strict";i(15823)("Uint8",(function(t){return function(e,i,n){return t(this,e,i,n)}}),!0)},79577:(t,e,i)=>{"use strict";var n=i(39928),o=i(94644),r=i(18727),s=i(91291),a=i(75854),c=o.aTypedArray,l=o.getTypedArrayConstructor,u=o.exportTypedArrayMethod,h=!!function(){try{new Int8Array(1).with(2,{valueOf:function(){throw 8}})}catch(t){return 8===t}}();u("with",{with:function(t,e){var i=c(this),o=s(t),u=r(i)?a(e):+e;return n(i,l(i),o,u)}}.with,!h)},88267:(t,e,i)=>{"use strict";var n=i(46518),o=i(79504),r=i(655),s=String.fromCharCode,a=o("".charAt),c=o(/./.exec),l=o("".slice),u=/^[\da-f]{2}$/i,h=/^[\da-f]{4}$/i;n({global:!0},{unescape:function(t){for(var e,i,n=r(t),o="",d=n.length,p=0;p{"use strict";var n,o=i(92744),r=i(44576),s=i(79504),a=i(56279),c=i(3451),l=i(16468),u=i(91625),h=i(20034),d=i(91181).enforce,p=i(79039),A=i(58622),f=Object,g=Array.isArray,m=f.isExtensible,C=f.isFrozen,b=f.isSealed,v=f.freeze,x=f.seal,w=!r.ActiveXObject&&"ActiveXObject"in r,y=function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}},k=l("WeakMap",y,u),B=k.prototype,E=s(B.set);if(A)if(w){n=u.getConstructor(y,"WeakMap",!0),c.enable();var _=s(B.delete),I=s(B.has),D=s(B.get);a(B,{delete:function(t){if(h(t)&&!m(t)){var e=d(this);return e.frozen||(e.frozen=new n),_(this,t)||e.frozen.delete(t)}return _(this,t)},has:function(t){if(h(t)&&!m(t)){var e=d(this);return e.frozen||(e.frozen=new n),I(this,t)||e.frozen.has(t)}return I(this,t)},get:function(t){if(h(t)&&!m(t)){var e=d(this);return e.frozen||(e.frozen=new n),I(this,t)?D(this,t):e.frozen.get(t)}return D(this,t)},set:function(t,e){if(h(t)&&!m(t)){var i=d(this);i.frozen||(i.frozen=new n),I(this,t)?E(this,t,e):i.frozen.set(t,e)}else E(this,t,e);return this}})}else o&&p((function(){var t=v([]);return E(new k,t,1),!C(t)}))&&a(B,{set:function(t,e){var i;return g(t)&&(C(t)?i=v:b(t)&&(i=x)),E(this,t,e),i&&i(t),this}})},73772:(t,e,i)=>{"use strict";i(65746)},5240:(t,e,i)=>{"use strict";i(16468)("WeakSet",(function(t){return function(){return t(this,arguments.length?arguments[0]:void 0)}}),i(91625))},30958:(t,e,i)=>{"use strict";i(5240)},2945:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(97751),s=i(79504),a=i(69565),c=i(79039),l=i(655),u=i(22812),h=i(92804).c2i,d=/[^\d+/a-z]/i,p=/[\t\n\f\r ]+/g,A=/[=]{1,2}$/,f=r("atob"),g=String.fromCharCode,m=s("".charAt),C=s("".replace),b=s(d.exec),v=!!f&&!c((function(){return"hi"!==f("aGk=")})),x=v&&c((function(){return""!==f(" ")})),w=v&&!c((function(){f("a")})),y=v&&!c((function(){f()})),k=v&&1!==f.length;n({global:!0,bind:!0,enumerable:!0,forced:!v||x||w||y||k},{atob:function(t){if(u(arguments.length,1),v&&!x&&!w)return a(f,o,t);var e,i,n,s=C(l(t),p,""),c="",y=0,k=0;if(s.length%4==0&&(s=C(s,A,"")),(e=s.length)%4==1||b(d,s))throw new(r("DOMException"))("The string is not correctly encoded","InvalidCharacterError");for(;y>(-2*k&6)));return c}})},42207:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(97751),s=i(79504),a=i(69565),c=i(79039),l=i(655),u=i(22812),h=i(92804).i2c,d=r("btoa"),p=s("".charAt),A=s("".charCodeAt),f=!!d&&!c((function(){return"aGk="!==d("hi")})),g=f&&!c((function(){d()})),m=f&&c((function(){return"bnVsbA=="!==d(null)})),C=f&&1!==d.length;n({global:!0,bind:!0,enumerable:!0,forced:!f||g||m||C},{btoa:function(t){if(u(arguments.length,1),f)return a(d,o,l(t));for(var e,i,n=l(t),s="",c=0,g=h;p(n,c)||(g="=",c%1);){if((i=A(n,c+=3/4))>255)throw new(r("DOMException"))("The string contains characters outside of the Latin1 range","InvalidCharacterError");s+=p(g,63&(e=e<<8|i)>>8-c%1*8)}return s}})},86368:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(59225).clear;n({global:!0,bind:!0,enumerable:!0,forced:o.clearImmediate!==r},{clearImmediate:r})},23500:(t,e,i)=>{"use strict";var n=i(44576),o=i(67400),r=i(79296),s=i(90235),a=i(66699),c=function(t){if(t&&t.forEach!==s)try{a(t,"forEach",s)}catch(e){t.forEach=s}};for(var l in o)o[l]&&c(n[l]&&n[l].prototype);c(r)},62953:(t,e,i)=>{"use strict";var n=i(44576),o=i(67400),r=i(79296),s=i(23792),a=i(66699),c=i(10687),l=i(78227)("iterator"),u=s.values,h=function(t,e){if(t){if(t[l]!==u)try{a(t,l,u)}catch(e){t[l]=u}if(c(t,e,!0),o[e])for(var i in s)if(t[i]!==s[i])try{a(t,i,s[i])}catch(e){t[i]=s[i]}}};for(var d in o)h(n[d]&&n[d].prototype,d);h(r,"DOMTokenList")},55815:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(89429),s=i(79039),a=i(2360),c=i(6980),l=i(24913).f,u=i(36840),h=i(62106),d=i(39297),p=i(90679),A=i(28551),f=i(77536),g=i(32603),m=i(55002),C=i(16193),b=i(91181),v=i(43724),x=i(96395),w="DOMException",y="DATA_CLONE_ERR",k=o("Error"),B=o(w)||function(){try{(new(o("MessageChannel")||r("worker_threads").MessageChannel)).port1.postMessage(new WeakMap)}catch(t){if(t.name===y&&25===t.code)return t.constructor}}(),E=B&&B.prototype,_=k.prototype,I=b.set,D=b.getterFor(w),S="stack"in new k(w),T=function(t){return d(m,t)&&m[t].m?m[t].c:0},O=function(){p(this,M);var t=arguments.length,e=g(t<1?void 0:arguments[0]),i=g(t<2?void 0:arguments[1],"Error"),n=T(i);if(I(this,{type:w,name:i,message:e,code:n}),v||(this.name=i,this.message=e,this.code=n),S){var o=new k(e);o.name=w,l(this,"stack",c(1,C(o.stack,1)))}},M=O.prototype=a(_),P=function(t){return{enumerable:!0,configurable:!0,get:t}},R=function(t){return P((function(){return D(this)[t]}))};v&&(h(M,"code",R("code")),h(M,"message",R("message")),h(M,"name",R("name"))),l(M,"constructor",c(1,O));var N=s((function(){return!(new B instanceof k)})),H=N||s((function(){return _.toString!==f||"2: 1"!==String(new B(1,2))})),z=N||s((function(){return 25!==new B(1,"DataCloneError").code})),L=N||25!==B[y]||25!==E[y],F=x?H||z||L:N;n({global:!0,constructor:!0,forced:F},{DOMException:F?O:B});var j=o(w),U=j.prototype;for(var W in H&&(x||B===j)&&u(U,"toString",f),z&&v&&B===j&&h(U,"code",P((function(){return T(A(this).name)}))),m)if(d(m,W)){var Y=m[W],q=Y.s,Q=c(6,Y.c);d(j,q)||l(j,q,Q),d(U,q)||l(U,q,Q)}},64979:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(97751),s=i(6980),a=i(24913).f,c=i(39297),l=i(90679),u=i(23167),h=i(32603),d=i(55002),p=i(16193),A=i(43724),f=i(96395),g="DOMException",m=r("Error"),C=r(g),b=function(){l(this,v);var t=arguments.length,e=h(t<1?void 0:arguments[0]),i=h(t<2?void 0:arguments[1],"Error"),n=new C(e,i),o=new m(e);return o.name=g,a(n,"stack",s(1,p(o.stack,1))),u(n,this,b),n},v=b.prototype=C.prototype,x="stack"in new m(g),w="stack"in new C(1,2),y=C&&A&&Object.getOwnPropertyDescriptor(o,g),k=!(!y||y.writable&&y.configurable),B=x&&!k&&!w;n({global:!0,constructor:!0,forced:f||B},{DOMException:B?b:C});var E=r(g),_=E.prototype;if(_.constructor!==E)for(var I in f||a(_,"constructor",s(1,E)),d)if(c(d,I)){var D=d[I],S=D.s;c(E,S)||a(E,S,s(6,D.c))}},79739:(t,e,i)=>{"use strict";var n=i(97751),o="DOMException";i(10687)(n(o),o)},59848:(t,e,i)=>{"use strict";i(86368),i(29309)},122:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(91955),s=i(79306),a=i(22812),c=i(79039),l=i(43724);n({global:!0,enumerable:!0,dontCallGetSet:!0,forced:c((function(){return l&&1!==Object.getOwnPropertyDescriptor(o,"queueMicrotask").value.length}))},{queueMicrotask:function(t){a(arguments.length,1),r(s(t))}})},13611:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(62106),s=i(43724),a=TypeError,c=Object.defineProperty,l=o.self!==o;try{if(s){var u=Object.getOwnPropertyDescriptor(o,"self");!l&&u&&u.get&&u.enumerable||r(o,"self",{get:function(){return o},set:function(t){if(this!==o)throw new a("Illegal invocation");c(o,"self",{value:t,writable:!0,configurable:!0,enumerable:!0})},configurable:!0,enumerable:!0})}else n({global:!0,simple:!0,forced:l},{self:o})}catch(t){}},29309:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(59225).set,s=i(79472),a=o.setImmediate?s(r,!1):r;n({global:!0,bind:!0,enumerable:!0,forced:o.setImmediate!==a},{setImmediate:a})},15575:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(79472)(o.setInterval,!0);n({global:!0,bind:!0,forced:o.setInterval!==r},{setInterval:r})},24599:(t,e,i)=>{"use strict";var n=i(46518),o=i(44576),r=i(79472)(o.setTimeout,!0);n({global:!0,bind:!0,forced:o.setTimeout!==r},{setTimeout:r})},71678:(t,e,i)=>{"use strict";var n,o=i(96395),r=i(46518),s=i(44576),a=i(97751),c=i(79504),l=i(79039),u=i(33392),h=i(94901),d=i(33517),p=i(64117),A=i(20034),f=i(10757),g=i(72652),m=i(28551),C=i(36955),b=i(39297),v=i(97040),x=i(66699),w=i(26198),y=i(22812),k=i(61034),B=i(72248),E=i(94402),_=i(38469),I=i(94483),D=i(24659),S=i(1548),T=s.Object,O=s.Array,M=s.Date,P=s.Error,R=s.TypeError,N=s.PerformanceMark,H=a("DOMException"),z=B.Map,L=B.has,F=B.get,j=B.set,U=E.Set,W=E.add,Y=E.has,q=a("Object","keys"),Q=c([].push),G=c((!0).valueOf),X=c(1..valueOf),V=c("".valueOf),K=c(M.prototype.getTime),J=u("structuredClone"),Z="DataCloneError",$="Transferring",tt=function(t){return!l((function(){var e=new s.Set([7]),i=t(e),n=t(T(7));return i===e||!i.has(7)||!A(n)||7!=+n}))&&t},et=function(t,e){return!l((function(){var i=new e,n=t({a:i,b:i});return!(n&&n.a===n.b&&n.a instanceof e&&n.a.stack===i.stack)}))},it=s.structuredClone,nt=o||!et(it,P)||!et(it,H)||(n=it,!!l((function(){var t=n(new s.AggregateError([1],J,{cause:3}));return"AggregateError"!==t.name||1!==t.errors[0]||t.message!==J||3!==t.cause}))),ot=!it&&tt((function(t){return new N(J,{detail:t}).detail})),rt=tt(it)||ot,st=function(t){throw new H("Uncloneable type: "+t,Z)},at=function(t,e){throw new H((e||"Cloning")+" of "+t+" cannot be properly polyfilled in this engine",Z)},ct=function(t,e){return rt||at(e),rt(t)},lt=function(t,e,i){if(L(e,t))return F(e,t);var n,o,r,a,c,l;if("SharedArrayBuffer"===(i||C(t)))n=rt?rt(t):t;else{var u=s.DataView;u||h(t.slice)||at("ArrayBuffer");try{if(h(t.slice)&&!t.resizable)n=t.slice(0);else{o=t.byteLength,r="maxByteLength"in t?{maxByteLength:t.maxByteLength}:void 0,n=new ArrayBuffer(o,r),a=new u(t),c=new u(n);for(l=0;l1&&!p(arguments[1])?m(arguments[1]):void 0,o=n?n.transfer:void 0;void 0!==o&&(i=function(t,e){if(!A(t))throw new R("Transfer option cannot be converted to a sequence");var i=[];g(t,(function(t){Q(i,m(t))}));for(var n,o,r,a,c,l=0,u=w(i),p=new U;l{"use strict";i(15575),i(24599)},98406:(t,e,i)=>{"use strict";i(23792),i(27337);var n=i(46518),o=i(44576),r=i(93389),s=i(97751),a=i(69565),c=i(79504),l=i(43724),u=i(67416),h=i(36840),d=i(62106),p=i(56279),A=i(10687),f=i(33994),g=i(91181),m=i(90679),C=i(94901),b=i(39297),v=i(76080),x=i(36955),w=i(28551),y=i(20034),k=i(655),B=i(2360),E=i(6980),_=i(70081),I=i(50851),D=i(62529),S=i(22812),T=i(78227),O=i(74488),M=T("iterator"),P="URLSearchParams",R=P+"Iterator",N=g.set,H=g.getterFor(P),z=g.getterFor(R),L=r("fetch"),F=r("Request"),j=r("Headers"),U=F&&F.prototype,W=j&&j.prototype,Y=o.TypeError,q=o.encodeURIComponent,Q=String.fromCharCode,G=s("String","fromCodePoint"),X=parseInt,V=c("".charAt),K=c([].join),J=c([].push),Z=c("".replace),$=c([].shift),tt=c([].splice),et=c("".split),it=c("".slice),nt=c(/./.exec),ot=/\+/g,rt=/^[0-9a-f]+$/i,st=function(t,e){var i=it(t,e,e+2);return nt(rt,i)?X(i,16):NaN},at=function(t){for(var e=0,i=128;i>0&&t&i;i>>=1)e++;return e},ct=function(t){var e=null;switch(t.length){case 1:e=t[0];break;case 2:e=(31&t[0])<<6|63&t[1];break;case 3:e=(15&t[0])<<12|(63&t[1])<<6|63&t[2];break;case 4:e=(7&t[0])<<18|(63&t[1])<<12|(63&t[2])<<6|63&t[3]}return e>1114111?null:e},lt=function(t){for(var e=(t=Z(t,ot," ")).length,i="",n=0;ne){i+="%",n++;continue}var r=st(t,n+1);if(r!=r){i+=o,n++;continue}n+=2;var s=at(r);if(0===s)o=Q(r);else{if(1===s||s>4){i+="�",n++;continue}for(var a=[r],c=1;ce||"%"!==V(t,n));){var l=st(t,n+1);if(l!=l){n+=3;break}if(l>191||l<128)break;J(a,l),n+=2,c++}if(a.length!==s){i+="�";continue}var u=ct(a);null===u?i+="�":o=G(u)}}i+=o,n++}return i},ut=/[!'()~]|%20/g,ht={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+"},dt=function(t){return ht[t]},pt=function(t){return Z(q(t),ut,dt)},At=f((function(t,e){N(this,{type:R,target:H(t).entries,index:0,kind:e})}),P,(function(){var t=z(this),e=t.target,i=t.index++;if(!e||i>=e.length)return t.target=null,D(void 0,!0);var n=e[i];switch(t.kind){case"keys":return D(n.key,!1);case"values":return D(n.value,!1)}return D([n.key,n.value],!1)}),!0),ft=function(t){this.entries=[],this.url=null,void 0!==t&&(y(t)?this.parseObject(t):this.parseQuery("string"==typeof t?"?"===V(t,0)?it(t,1):t:k(t)))};ft.prototype={type:P,bindURL:function(t){this.url=t,this.update()},parseObject:function(t){var e,i,n,o,r,s,c,l=this.entries,u=I(t);if(u)for(i=(e=_(t,u)).next;!(n=a(i,e)).done;){if(r=(o=_(w(n.value))).next,(s=a(r,o)).done||(c=a(r,o)).done||!a(r,o).done)throw new Y("Expected sequence with length 2");J(l,{key:k(s.value),value:k(c.value)})}else for(var h in t)b(t,h)&&J(l,{key:h,value:k(t[h])})},parseQuery:function(t){if(t)for(var e,i,n=this.entries,o=et(t,"&"),r=0;r0?arguments[0]:void 0));l||(this.size=t.entries.length)},mt=gt.prototype;if(p(mt,{append:function(t,e){var i=H(this);S(arguments.length,2),J(i.entries,{key:k(t),value:k(e)}),l||this.length++,i.updateURL()},delete:function(t){for(var e=H(this),i=S(arguments.length,1),n=e.entries,o=k(t),r=i<2?void 0:arguments[1],s=void 0===r?r:k(r),a=0;ae.key?1:-1})),t.updateURL()},forEach:function(t){for(var e,i=H(this).entries,n=v(t,arguments.length>1?arguments[1]:void 0),o=0;o1?vt(arguments[1]):{})}}),C(F)){var xt=function(t){return m(this,U),new F(t,arguments.length>1?vt(arguments[1]):{})};U.constructor=xt,xt.prototype=U,n({global:!0,constructor:!0,dontCallGetSet:!0,forced:!0},{Request:xt})}}t.exports={URLSearchParams:gt,getState:H}},14603:(t,e,i)=>{"use strict";var n=i(36840),o=i(79504),r=i(655),s=i(22812),a=URLSearchParams,c=a.prototype,l=o(c.append),u=o(c.delete),h=o(c.forEach),d=o([].push),p=new a("a=1&a=2&b=3");p.delete("a",1),p.delete("b",void 0),p+""!="a=2"&&n(c,"delete",(function(t){var e=arguments.length,i=e<2?void 0:arguments[1];if(e&&void 0===i)return u(this,t);var n=[];h(this,(function(t,e){d(n,{key:e,value:t})})),s(e,1);for(var o,a=r(t),c=r(i),p=0,A=0,f=!1,g=n.length;p{"use strict";var n=i(36840),o=i(79504),r=i(655),s=i(22812),a=URLSearchParams,c=a.prototype,l=o(c.getAll),u=o(c.has),h=new a("a=1");!h.has("a",2)&&h.has("a",void 0)||n(c,"has",(function(t){var e=arguments.length,i=e<2?void 0:arguments[1];if(e&&void 0===i)return u(this,t);var n=l(this,t);s(e,1);for(var o=r(i),a=0;a{"use strict";i(98406)},98721:(t,e,i)=>{"use strict";var n=i(43724),o=i(79504),r=i(62106),s=URLSearchParams.prototype,a=o(s.forEach);n&&!("size"in s)&&r(s,"size",{get:function(){var t=0;return a(this,(function(){t++})),t},configurable:!0,enumerable:!0})},2222:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(79039),s=i(22812),a=i(655),c=i(67416),l=o("URL"),u=c&&r((function(){l.canParse()})),h=r((function(){return 1!==l.canParse.length}));n({target:"URL",stat:!0,forced:!u||h},{canParse:function(t){var e=s(arguments.length,1),i=a(t),n=e<2||void 0===arguments[1]?void 0:a(arguments[1]);try{return!!new l(i,n)}catch(t){return!1}}})},45806:(t,e,i)=>{"use strict";i(47764);var n,o=i(46518),r=i(43724),s=i(67416),a=i(44576),c=i(76080),l=i(79504),u=i(36840),h=i(62106),d=i(90679),p=i(39297),A=i(44213),f=i(97916),g=i(67680),m=i(68183).codeAt,C=i(3717),b=i(655),v=i(10687),x=i(22812),w=i(98406),y=i(91181),k=y.set,B=y.getterFor("URL"),E=w.URLSearchParams,_=w.getState,I=a.URL,D=a.TypeError,S=a.parseInt,T=Math.floor,O=Math.pow,M=l("".charAt),P=l(/./.exec),R=l([].join),N=l(1..toString),H=l([].pop),z=l([].push),L=l("".replace),F=l([].shift),j=l("".split),U=l("".slice),W=l("".toLowerCase),Y=l([].unshift),q="Invalid scheme",Q="Invalid host",G="Invalid port",X=/[a-z]/i,V=/[\d+-.a-z]/i,K=/\d/,J=/^0x/i,Z=/^[0-7]+$/,$=/^\d+$/,tt=/^[\da-f]+$/i,et=/[\0\t\n\r #%/:<>?@[\\\]^|]/,it=/[\0\t\n\r #/:<>?@[\\\]^|]/,nt=/^[\u0000-\u0020]+/,ot=/(^|[^\u0000-\u0020])[\u0000-\u0020]+$/,rt=/[\t\n\r]/g,st=function(t){var e,i,n,o;if("number"==typeof t){for(e=[],i=0;i<4;i++)Y(e,t%256),t=T(t/256);return R(e,".")}if("object"==typeof t){for(e="",n=function(t){for(var e=null,i=1,n=null,o=0,r=0;r<8;r++)0!==t[r]?(o>i&&(e=n,i=o),n=null,o=0):(null===n&&(n=r),++o);return o>i?n:e}(t),i=0;i<8;i++)o&&0===t[i]||(o&&(o=!1),n===i?(e+=i?":":"::",o=!0):(e+=N(t[i],16),i<7&&(e+=":")));return"["+e+"]"}return t},at={},ct=A({},at,{" ":1,'"':1,"<":1,">":1,"`":1}),lt=A({},ct,{"#":1,"?":1,"{":1,"}":1}),ut=A({},lt,{"/":1,":":1,";":1,"=":1,"@":1,"[":1,"\\":1,"]":1,"^":1,"|":1}),ht=function(t,e){var i=m(t,0);return i>32&&i<127&&!p(e,t)?t:encodeURIComponent(t)},dt={ftp:21,file:null,http:80,https:443,ws:80,wss:443},pt=function(t,e){var i;return 2===t.length&&P(X,M(t,0))&&(":"===(i=M(t,1))||!e&&"|"===i)},At=function(t){var e;return t.length>1&&pt(U(t,0,2))&&(2===t.length||"/"===(e=M(t,2))||"\\"===e||"?"===e||"#"===e)},ft=function(t){return"."===t||"%2e"===W(t)},gt={},mt={},Ct={},bt={},vt={},xt={},wt={},yt={},kt={},Bt={},Et={},_t={},It={},Dt={},St={},Tt={},Ot={},Mt={},Pt={},Rt={},Nt={},Ht=function(t,e,i){var n,o,r,s=b(t);if(e){if(o=this.parse(s))throw new D(o);this.searchParams=null}else{if(void 0!==i&&(n=new Ht(i,!0)),o=this.parse(s,null,n))throw new D(o);(r=_(new E)).bindURL(this),this.searchParams=r}};Ht.prototype={type:"URL",parse:function(t,e,i){var o,r,s,a,c,l=this,u=e||gt,h=0,d="",A=!1,m=!1,C=!1;for(t=b(t),e||(l.scheme="",l.username="",l.password="",l.host=null,l.port=null,l.path=[],l.query=null,l.fragment=null,l.cannotBeABaseURL=!1,t=L(t,nt,""),t=L(t,ot,"$1")),t=L(t,rt,""),o=f(t);h<=o.length;){switch(r=o[h],u){case gt:if(!r||!P(X,r)){if(e)return q;u=Ct;continue}d+=W(r),u=mt;break;case mt:if(r&&(P(V,r)||"+"===r||"-"===r||"."===r))d+=W(r);else{if(":"!==r){if(e)return q;d="",u=Ct,h=0;continue}if(e&&(l.isSpecial()!==p(dt,d)||"file"===d&&(l.includesCredentials()||null!==l.port)||"file"===l.scheme&&!l.host))return;if(l.scheme=d,e)return void(l.isSpecial()&&dt[l.scheme]===l.port&&(l.port=null));d="","file"===l.scheme?u=Dt:l.isSpecial()&&i&&i.scheme===l.scheme?u=bt:l.isSpecial()?u=yt:"/"===o[h+1]?(u=vt,h++):(l.cannotBeABaseURL=!0,z(l.path,""),u=Pt)}break;case Ct:if(!i||i.cannotBeABaseURL&&"#"!==r)return q;if(i.cannotBeABaseURL&&"#"===r){l.scheme=i.scheme,l.path=g(i.path),l.query=i.query,l.fragment="",l.cannotBeABaseURL=!0,u=Nt;break}u="file"===i.scheme?Dt:xt;continue;case bt:if("/"!==r||"/"!==o[h+1]){u=xt;continue}u=kt,h++;break;case vt:if("/"===r){u=Bt;break}u=Mt;continue;case xt:if(l.scheme=i.scheme,r===n)l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.query=i.query;else if("/"===r||"\\"===r&&l.isSpecial())u=wt;else if("?"===r)l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.query="",u=Rt;else{if("#"!==r){l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.path.length--,u=Mt;continue}l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,l.path=g(i.path),l.query=i.query,l.fragment="",u=Nt}break;case wt:if(!l.isSpecial()||"/"!==r&&"\\"!==r){if("/"!==r){l.username=i.username,l.password=i.password,l.host=i.host,l.port=i.port,u=Mt;continue}u=Bt}else u=kt;break;case yt:if(u=kt,"/"!==r||"/"!==M(d,h+1))continue;h++;break;case kt:if("/"!==r&&"\\"!==r){u=Bt;continue}break;case Bt:if("@"===r){A&&(d="%40"+d),A=!0,s=f(d);for(var v=0;v65535)return G;l.port=l.isSpecial()&&y===dt[l.scheme]?null:y,d=""}if(e)return;u=Ot;continue}return G}d+=r;break;case Dt:if(l.scheme="file","/"===r||"\\"===r)u=St;else{if(!i||"file"!==i.scheme){u=Mt;continue}switch(r){case n:l.host=i.host,l.path=g(i.path),l.query=i.query;break;case"?":l.host=i.host,l.path=g(i.path),l.query="",u=Rt;break;case"#":l.host=i.host,l.path=g(i.path),l.query=i.query,l.fragment="",u=Nt;break;default:At(R(g(o,h),""))||(l.host=i.host,l.path=g(i.path),l.shortenPath()),u=Mt;continue}}break;case St:if("/"===r||"\\"===r){u=Tt;break}i&&"file"===i.scheme&&!At(R(g(o,h),""))&&(pt(i.path[0],!0)?z(l.path,i.path[0]):l.host=i.host),u=Mt;continue;case Tt:if(r===n||"/"===r||"\\"===r||"?"===r||"#"===r){if(!e&&pt(d))u=Mt;else if(""===d){if(l.host="",e)return;u=Ot}else{if(a=l.parseHost(d))return a;if("localhost"===l.host&&(l.host=""),e)return;d="",u=Ot}continue}d+=r;break;case Ot:if(l.isSpecial()){if(u=Mt,"/"!==r&&"\\"!==r)continue}else if(e||"?"!==r)if(e||"#"!==r){if(r!==n&&(u=Mt,"/"!==r))continue}else l.fragment="",u=Nt;else l.query="",u=Rt;break;case Mt:if(r===n||"/"===r||"\\"===r&&l.isSpecial()||!e&&("?"===r||"#"===r)){if(".."===(c=W(c=d))||"%2e."===c||".%2e"===c||"%2e%2e"===c?(l.shortenPath(),"/"===r||"\\"===r&&l.isSpecial()||z(l.path,"")):ft(d)?"/"===r||"\\"===r&&l.isSpecial()||z(l.path,""):("file"===l.scheme&&!l.path.length&&pt(d)&&(l.host&&(l.host=""),d=M(d,0)+":"),z(l.path,d)),d="","file"===l.scheme&&(r===n||"?"===r||"#"===r))for(;l.path.length>1&&""===l.path[0];)F(l.path);"?"===r?(l.query="",u=Rt):"#"===r&&(l.fragment="",u=Nt)}else d+=ht(r,lt);break;case Pt:"?"===r?(l.query="",u=Rt):"#"===r?(l.fragment="",u=Nt):r!==n&&(l.path[0]+=ht(r,at));break;case Rt:e||"#"!==r?r!==n&&("'"===r&&l.isSpecial()?l.query+="%27":l.query+="#"===r?"%23":ht(r,at)):(l.fragment="",u=Nt);break;case Nt:r!==n&&(l.fragment+=ht(r,ct))}h++}},parseHost:function(t){var e,i,n;if("["===M(t,0)){if("]"!==M(t,t.length-1))return Q;if(e=function(t){var e,i,n,o,r,s,a,c=[0,0,0,0,0,0,0,0],l=0,u=null,h=0,d=function(){return M(t,h)};if(":"===d()){if(":"!==M(t,1))return;h+=2,u=++l}for(;d();){if(8===l)return;if(":"!==d()){for(e=i=0;i<4&&P(tt,d());)e=16*e+S(d(),16),h++,i++;if("."===d()){if(0===i)return;if(h-=i,l>6)return;for(n=0;d();){if(o=null,n>0){if(!("."===d()&&n<4))return;h++}if(!P(K,d()))return;for(;P(K,d());){if(r=S(d(),10),null===o)o=r;else{if(0===o)return;o=10*o+r}if(o>255)return;h++}c[l]=256*c[l]+o,2!=++n&&4!==n||l++}if(4!==n)return;break}if(":"===d()){if(h++,!d())return}else if(d())return;c[l++]=e}else{if(null!==u)return;h++,u=++l}}if(null!==u)for(s=l-u,l=7;0!==l&&s>0;)a=c[l],c[l--]=c[u+s-1],c[u+--s]=a;else if(8!==l)return;return c}(U(t,1,-1)),!e)return Q;this.host=e}else if(this.isSpecial()){if(t=C(t),P(et,t))return Q;if(e=function(t){var e,i,n,o,r,s,a,c=j(t,".");if(c.length&&""===c[c.length-1]&&c.length--,(e=c.length)>4)return t;for(i=[],n=0;n1&&"0"===M(o,0)&&(r=P(J,o)?16:8,o=U(o,8===r?1:2)),""===o)s=0;else{if(!P(10===r?$:8===r?Z:tt,o))return t;s=S(o,r)}z(i,s)}for(n=0;n=O(256,5-e))return null}else if(s>255)return null;for(a=H(i),n=0;n1?arguments[1]:void 0,n=k(e,new Ht(t,!1,i));r||(e.href=n.serialize(),e.origin=n.getOrigin(),e.protocol=n.getProtocol(),e.username=n.getUsername(),e.password=n.getPassword(),e.host=n.getHost(),e.hostname=n.getHostname(),e.port=n.getPort(),e.pathname=n.getPathname(),e.search=n.getSearch(),e.searchParams=n.getSearchParams(),e.hash=n.getHash())},Lt=zt.prototype,Ft=function(t,e){return{get:function(){return B(this)[t]()},set:e&&function(t){return B(this)[e](t)},configurable:!0,enumerable:!0}};if(r&&(h(Lt,"href",Ft("serialize","setHref")),h(Lt,"origin",Ft("getOrigin")),h(Lt,"protocol",Ft("getProtocol","setProtocol")),h(Lt,"username",Ft("getUsername","setUsername")),h(Lt,"password",Ft("getPassword","setPassword")),h(Lt,"host",Ft("getHost","setHost")),h(Lt,"hostname",Ft("getHostname","setHostname")),h(Lt,"port",Ft("getPort","setPort")),h(Lt,"pathname",Ft("getPathname","setPathname")),h(Lt,"search",Ft("getSearch","setSearch")),h(Lt,"searchParams",Ft("getSearchParams")),h(Lt,"hash",Ft("getHash","setHash"))),u(Lt,"toJSON",(function(){return B(this).serialize()}),{enumerable:!0}),u(Lt,"toString",(function(){return B(this).serialize()}),{enumerable:!0}),I){var jt=I.createObjectURL,Ut=I.revokeObjectURL;jt&&u(zt,"createObjectURL",c(jt,I)),Ut&&u(zt,"revokeObjectURL",c(Ut,I))}v(zt,"URL"),o({global:!0,constructor:!0,forced:!s,sham:!r},{URL:zt})},3296:(t,e,i)=>{"use strict";i(45806)},45781:(t,e,i)=>{"use strict";var n=i(46518),o=i(97751),r=i(22812),s=i(655),a=i(67416),c=o("URL");n({target:"URL",stat:!0,forced:!a},{parse:function(t){var e=r(arguments.length,1),i=s(t),n=e<2||void 0===arguments[1]?void 0:s(arguments[1]);try{return new c(i,n)}catch(t){return null}}})},27208:(t,e,i)=>{"use strict";var n=i(46518),o=i(69565);n({target:"URL",proto:!0,enumerable:!0},{toJSON:function(){return o(URL.prototype.toString,this)}})},84315:(t,e,i)=>{"use strict";i(52675),i(89463),i(66412),i(60193),i(92168),i(2259),i(86964),i(83142),i(83237),i(61833),i(67947),i(31073),i(45700),i(78125),i(20326),i(16280),i(76918),i(30067),i(4294),i(18107),i(28706),i(26835),i(88431),i(33771),i(2008),i(50113),i(48980),i(10838),i(13451),i(46449),i(78350),i(51629),i(23418),i(80452),i(25276),i(64346),i(23792),i(48598),i(8921),i(62062),i(31051),i(44114),i(72712),i(18863),i(94490),i(34782),i(15086),i(26910),i(87478),i(54554),i(9678),i(57145),i(71658),i(93514),i(30237),i(13609),i(11558),i(54743),i(46761),i(11745),i(38309),i(16573),i(78100),i(77936),i(61699),i(59089),i(91191),i(93515),i(1688),i(60739),i(89572),i(23288),i(36456),i(94170),i(48957),i(62010),i(55081),i(33110),i(4731),i(36033),i(47072),i(93153),i(82326),i(36389),i(64444),i(8085),i(77762),i(65070),i(60605),i(39469),i(72152),i(75376),i(56624),i(11367),i(5914),i(78553),i(98690),i(60479),i(70761),i(2892),i(45374),i(25428),i(32637),i(40150),i(59149),i(64601),i(44435),i(87220),i(25843),i(62337),i(9868),i(80630),i(69085),i(59904),i(17427),i(67945),i(84185),i(87607),i(5506),i(52811),i(53921),i(83851),i(81278),i(1480),i(40875),i(77691),i(78347),i(29908),i(94052),i(94003),i(221),i(79432),i(9220),i(7904),i(16348),i(63548),i(93941),i(10287),i(26099),i(16034),i(78459),i(58940),i(3362),i(96167),i(93518),i(9391),i(14628),i(39796),i(60825),i(87411),i(21211),i(40888),i(9065),i(86565),i(32812),i(84634),i(71137),i(30985),i(34268),i(34873),i(15472),i(84864),i(57465),i(27495),i(69479),i(87745),i(90906),i(38781),i(31415),i(17642),i(58004),i(33853),i(45876),i(32475),i(15024),i(31698),i(67357),i(23860),i(21830),i(27337),i(21699),i(42043),i(47764),i(71761),i(28543),i(35701),i(68156),i(85906),i(42781),i(25440),i(79978),i(5746),i(90744),i(11392),i(50375),i(67438),i(42762),i(39202),i(43359),i(89907),i(11898),i(35490),i(5745),i(94298),i(60268),i(69546),i(20781),i(50778),i(89195),i(46276),i(48718),i(16308),i(34594),i(29833),i(46594),i(72107),i(95477),i(21489),i(22134),i(3690),i(61740),i(48140),i(81630),i(72170),i(75044),i(69539),i(31694),i(89955),i(21903),i(91134),i(33206),i(48345),i(44496),i(66651),i(12887),i(19369),i(66812),i(8995),i(52568),i(31575),i(36072),i(88747),i(28845),i(29423),i(57301),i(373),i(86614),i(41405),i(37467),i(44732),i(33684),i(79577),i(88267),i(73772),i(30958),i(2945),i(42207),i(23500),i(62953),i(55815),i(64979),i(79739),i(59848),i(122),i(13611),i(71678),i(76031),i(3296),i(2222),i(45781),i(27208),i(48408),i(14603),i(47566),i(98721),i(19167)},35810:(t,e,i)=>{"use strict";i.d(e,{Al:()=>n.r,H4:()=>n.c,Q$:()=>n.e,R3:()=>n.n,VL:()=>n.l,lJ:()=>n.d,pt:()=>n.F,ur:()=>h,v7:()=>l});var n=i(68251),o=(i(43627),i(53334)),r=i(380),s=i(65606);Error;const a=["B","KB","MB","GB","TB","PB"],c=["B","KiB","MiB","GiB","TiB","PiB"];function l(t,e=!1,i=!1,n=!1){i=i&&!n,"string"==typeof t&&(t=Number(t));let r=t>0?Math.floor(Math.log(t)/Math.log(n?1e3:1024)):0;r=Math.min((i?c.length:a.length)-1,r);const s=i?c[r]:a[r];let l=(t/Math.pow(n?1e3:1024,r)).toFixed(1);return!0===e&&0===r?("0.0"!==l?"< 1 ":"0 ")+(i?c[1]:a[1]):(l=r<2?parseFloat(l).toFixed(0):parseFloat(l).toLocaleString((0,o.lO)()),l+" "+s)}function u(t){return t instanceof Date?t.toISOString():String(t)}function h(t,e={}){const i={sortingMode:"basename",sortingOrder:"asc",...e};return function(t,e,i){i=i??[];const n=(e=e??[t=>t]).map(((t,e)=>"asc"===(i[e]??"asc")?1:-1)),r=Intl.Collator([(0,o.Z0)(),(0,o.lO)()],{numeric:!0,usage:"sort"});return[...t].sort(((t,i)=>{for(const[o,s]of e.entries()){const e=r.compare(u(s(t)),u(s(i)));if(0!==e)return e*n[o]}return 0}))}(t,[...i.sortFavoritesFirst?[t=>1!==t.attributes?.favorite]:[],...i.sortFoldersFirst?[t=>"folder"!==t.type]:[],..."basename"!==i.sortingMode?[t=>t[i.sortingMode]]:[],t=>{return(e=t.displayname||t.attributes?.displayname||t.basename).lastIndexOf(".")>0?e.slice(0,e.lastIndexOf(".")):e;var e},t=>t.basename],[...i.sortFavoritesFirst?["asc"]:[],...i.sortFoldersFirst?["asc"]:[],..."mtime"===i.sortingMode?["asc"===i.sortingOrder?"desc":"asc"]:[],..."mtime"!==i.sortingMode&&"basename"!==i.sortingMode?[i.sortingOrder]:[],i.sortingOrder,i.sortingOrder])}var d={};!function(t){const e=":A-Za-z_\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD",i="["+e+"]["+e+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",n=new RegExp("^"+i+"$");t.isExist=function(t){return void 0!==t},t.isEmptyObject=function(t){return 0===Object.keys(t).length},t.merge=function(t,e,i){if(e){const n=Object.keys(e),o=n.length;for(let r=0;r!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(t,e,i){return t}};p.buildOptions=function(t){return Object.assign({},A,t)},p.defaultOptions=A,!Number.parseInt&&window.parseInt&&(Number.parseInt=window.parseInt),!Number.parseFloat&&window.parseFloat&&(Number.parseFloat=window.parseFloat);new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");var f={};function g(t,e,i){let n;const o={};for(let r=0;r0&&(o[e.textNodeName]=n):void 0!==n&&(o[e.textNodeName]=n),o}function m(t){const e=Object.keys(t);for(let t=0;t`,r=!1;continue}if(c===e.commentPropName){o+=n+`\x3c!--${a[c][0][e.textNodeName]}--\x3e`,r=!0;continue}if("?"===c[0]){const t=k(a[":@"],e),i="?xml"===c?"":n;let s=a[c][0][e.textNodeName];s=0!==s.length?" "+s:"",o+=i+`<${c}${s}${t}?>`,r=!0;continue}let u=n;""!==u&&(u+=e.indentBy);const h=n+`<${c}${k(a[":@"],e)}`,d=w(a[c],e,l,u);-1!==e.unpairedTags.indexOf(c)?e.suppressUnpairedNode?o+=h+">":o+=h+"/>":d&&0!==d.length||!e.suppressEmptyNode?d&&d.endsWith(">")?o+=h+`>${d}${n}`:(o+=h+">",d&&""!==n&&(d.includes("/>")||d.includes("`):o+=h+"/>",r=!0}return o}function y(t){const e=Object.keys(t);for(let i=0;i0&&e.processEntities)for(let i=0;i0&&(i="\n"),w(t,e,"",i)},I=function(t){return"function"==typeof t?t:Array.isArray(t)?e=>{for(const i of t){if("string"==typeof i&&e===i)return!0;if(i instanceof RegExp&&i.test(e))return!0}}:()=>!1},D={attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,cdataPropName:!1,format:!1,indentBy:" ",suppressEmptyNode:!1,suppressUnpairedNode:!0,suppressBooleanAttributes:!0,tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},preserveOrder:!1,commentPropName:!1,unpairedTags:[],entities:[{regex:new RegExp("&","g"),val:"&"},{regex:new RegExp(">","g"),val:">"},{regex:new RegExp("<","g"),val:"<"},{regex:new RegExp("'","g"),val:"'"},{regex:new RegExp('"',"g"),val:"""}],processEntities:!0,stopNodes:[],oneListGroup:!1};function S(t){this.options=Object.assign({},D,t),!0===this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.ignoreAttributesFn=I(this.options.ignoreAttributes),this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=M),this.processTextOrObjNode=T,this.options.format?(this.indentate=O,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function T(t,e,i,n){const o=this.j2x(t,i+1,n.concat(e));return void 0!==t[this.options.textNodeName]&&1===Object.keys(t).length?this.buildTextValNode(t[this.options.textNodeName],e,o.attrStr,i):this.buildObjectNode(o.val,e,o.attrStr,i)}function O(t){return this.options.indentBy.repeat(t)}function M(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}S.prototype.build=function(t){return this.options.preserveOrder?_(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0,[]).val)},S.prototype.j2x=function(t,e,i){let n="",o="";const r=i.join(".");for(let s in t)if(Object.prototype.hasOwnProperty.call(t,s))if(void 0===t[s])this.isAttribute(s)&&(o+="");else if(null===t[s])this.isAttribute(s)?o+="":"?"===s[0]?o+=this.indentate(e)+"<"+s+"?"+this.tagEndChar:o+=this.indentate(e)+"<"+s+"/"+this.tagEndChar;else if(t[s]instanceof Date)o+=this.buildTextValNode(t[s],s,"",e);else if("object"!=typeof t[s]){const i=this.isAttribute(s);if(i&&!this.ignoreAttributesFn(i,r))n+=this.buildAttrPairStr(i,""+t[s]);else if(!i)if(s===this.options.textNodeName){let e=this.options.tagValueProcessor(s,""+t[s]);o+=this.replaceEntitiesValue(e)}else o+=this.buildTextValNode(t[s],s,"",e)}else if(Array.isArray(t[s])){const n=t[s].length;let r="",a="";for(let c=0;c"+t+o}},S.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`>`+this.newLine;if(!1!==this.options.commentPropName&&e===this.options.commentPropName)return this.indentate(n)+`\x3c!--${t}--\x3e`+this.newLine;if("?"===e[0])return this.indentate(n)+"<"+e+i+"?"+this.tagEndChar;{let o=this.options.tagValueProcessor(e,t);return o=this.replaceEntitiesValue(o),""===o?this.indentate(n)+"<"+e+i+this.closeTag(e)+this.tagEndChar:this.indentate(n)+"<"+e+i+">"+o+"0&&this.options.processEntities)for(let e=0;econsole.error("SEMVER",...t):()=>{},R={MAX_LENGTH:256,MAX_SAFE_COMPONENT_LENGTH:16,MAX_SAFE_BUILD_LENGTH:250,MAX_SAFE_INTEGER:Number.MAX_SAFE_INTEGER||9007199254740991,RELEASE_TYPES:["major","premajor","minor","preminor","patch","prepatch","prerelease"],SEMVER_SPEC_VERSION:"2.0.0",FLAG_INCLUDE_PRERELEASE:1,FLAG_LOOSE:2},N={exports:{}};!function(t,e){const{MAX_SAFE_COMPONENT_LENGTH:i,MAX_SAFE_BUILD_LENGTH:n,MAX_LENGTH:o}=R,r=P,s=(e=t.exports={}).re=[],a=e.safeRe=[],c=e.src=[],l=e.t={};let u=0;const h="[a-zA-Z0-9-]",d=[["\\s",1],["\\d",o],[h,n]],p=(t,e,i)=>{const n=(t=>{for(const[e,i]of d)t=t.split(`${e}*`).join(`${e}{0,${i}}`).split(`${e}+`).join(`${e}{1,${i}}`);return t})(e),o=u++;r(t,o,e),l[t]=o,c[o]=e,s[o]=new RegExp(e,i?"g":void 0),a[o]=new RegExp(n,i?"g":void 0)};p("NUMERICIDENTIFIER","0|[1-9]\\d*"),p("NUMERICIDENTIFIERLOOSE","\\d+"),p("NONNUMERICIDENTIFIER",`\\d*[a-zA-Z-]${h}*`),p("MAINVERSION",`(${c[l.NUMERICIDENTIFIER]})\\.(${c[l.NUMERICIDENTIFIER]})\\.(${c[l.NUMERICIDENTIFIER]})`),p("MAINVERSIONLOOSE",`(${c[l.NUMERICIDENTIFIERLOOSE]})\\.(${c[l.NUMERICIDENTIFIERLOOSE]})\\.(${c[l.NUMERICIDENTIFIERLOOSE]})`),p("PRERELEASEIDENTIFIER",`(?:${c[l.NUMERICIDENTIFIER]}|${c[l.NONNUMERICIDENTIFIER]})`),p("PRERELEASEIDENTIFIERLOOSE",`(?:${c[l.NUMERICIDENTIFIERLOOSE]}|${c[l.NONNUMERICIDENTIFIER]})`),p("PRERELEASE",`(?:-(${c[l.PRERELEASEIDENTIFIER]}(?:\\.${c[l.PRERELEASEIDENTIFIER]})*))`),p("PRERELEASELOOSE",`(?:-?(${c[l.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${c[l.PRERELEASEIDENTIFIERLOOSE]})*))`),p("BUILDIDENTIFIER",`${h}+`),p("BUILD",`(?:\\+(${c[l.BUILDIDENTIFIER]}(?:\\.${c[l.BUILDIDENTIFIER]})*))`),p("FULLPLAIN",`v?${c[l.MAINVERSION]}${c[l.PRERELEASE]}?${c[l.BUILD]}?`),p("FULL",`^${c[l.FULLPLAIN]}$`),p("LOOSEPLAIN",`[v=\\s]*${c[l.MAINVERSIONLOOSE]}${c[l.PRERELEASELOOSE]}?${c[l.BUILD]}?`),p("LOOSE",`^${c[l.LOOSEPLAIN]}$`),p("GTLT","((?:<|>)?=?)"),p("XRANGEIDENTIFIERLOOSE",`${c[l.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`),p("XRANGEIDENTIFIER",`${c[l.NUMERICIDENTIFIER]}|x|X|\\*`),p("XRANGEPLAIN",`[v=\\s]*(${c[l.XRANGEIDENTIFIER]})(?:\\.(${c[l.XRANGEIDENTIFIER]})(?:\\.(${c[l.XRANGEIDENTIFIER]})(?:${c[l.PRERELEASE]})?${c[l.BUILD]}?)?)?`),p("XRANGEPLAINLOOSE",`[v=\\s]*(${c[l.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[l.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[l.XRANGEIDENTIFIERLOOSE]})(?:${c[l.PRERELEASELOOSE]})?${c[l.BUILD]}?)?)?`),p("XRANGE",`^${c[l.GTLT]}\\s*${c[l.XRANGEPLAIN]}$`),p("XRANGELOOSE",`^${c[l.GTLT]}\\s*${c[l.XRANGEPLAINLOOSE]}$`),p("COERCEPLAIN",`(^|[^\\d])(\\d{1,${i}})(?:\\.(\\d{1,${i}}))?(?:\\.(\\d{1,${i}}))?`),p("COERCE",`${c[l.COERCEPLAIN]}(?:$|[^\\d])`),p("COERCEFULL",c[l.COERCEPLAIN]+`(?:${c[l.PRERELEASE]})?(?:${c[l.BUILD]})?(?:$|[^\\d])`),p("COERCERTL",c[l.COERCE],!0),p("COERCERTLFULL",c[l.COERCEFULL],!0),p("LONETILDE","(?:~>?)"),p("TILDETRIM",`(\\s*)${c[l.LONETILDE]}\\s+`,!0),e.tildeTrimReplace="$1~",p("TILDE",`^${c[l.LONETILDE]}${c[l.XRANGEPLAIN]}$`),p("TILDELOOSE",`^${c[l.LONETILDE]}${c[l.XRANGEPLAINLOOSE]}$`),p("LONECARET","(?:\\^)"),p("CARETTRIM",`(\\s*)${c[l.LONECARET]}\\s+`,!0),e.caretTrimReplace="$1^",p("CARET",`^${c[l.LONECARET]}${c[l.XRANGEPLAIN]}$`),p("CARETLOOSE",`^${c[l.LONECARET]}${c[l.XRANGEPLAINLOOSE]}$`),p("COMPARATORLOOSE",`^${c[l.GTLT]}\\s*(${c[l.LOOSEPLAIN]})$|^$`),p("COMPARATOR",`^${c[l.GTLT]}\\s*(${c[l.FULLPLAIN]})$|^$`),p("COMPARATORTRIM",`(\\s*)${c[l.GTLT]}\\s*(${c[l.LOOSEPLAIN]}|${c[l.XRANGEPLAIN]})`,!0),e.comparatorTrimReplace="$1$2$3",p("HYPHENRANGE",`^\\s*(${c[l.XRANGEPLAIN]})\\s+-\\s+(${c[l.XRANGEPLAIN]})\\s*$`),p("HYPHENRANGELOOSE",`^\\s*(${c[l.XRANGEPLAINLOOSE]})\\s+-\\s+(${c[l.XRANGEPLAINLOOSE]})\\s*$`),p("STAR","(<|>)?=?\\s*\\*"),p("GTE0","^\\s*>=\\s*0\\.0\\.0\\s*$"),p("GTE0PRE","^\\s*>=\\s*0\\.0\\.0-0\\s*$")}(N,N.exports);var H=N.exports;Object.freeze({loose:!0}),Object.freeze({});const z=/^[0-9]+$/,L=(t,e)=>{const i=z.test(t),n=z.test(e);return i&&n&&(t=+t,e=+e),t===e?0:i&&!n?-1:n&&!i?1:tL(e,t)};const{MAX_LENGTH:j,MAX_SAFE_INTEGER:U}=R,{safeRe:W,t:Y}=H,{compareIdentifiers:q}=F;r.m},4523:(t,e,i)=>{"use strict";i.r(e),i.d(e,{VERSION:()=>o,after:()=>Pe,all:()=>ti,allKeys:()=>gt,any:()=>ei,assign:()=>Pt,before:()=>Re,bind:()=>we,bindAll:()=>Be,chain:()=>Ce,chunk:()=>Hi,clone:()=>zt,collect:()=>Xe,compact:()=>Ei,compose:()=>Me,constant:()=>Z,contains:()=>ii,countBy:()=>gi,create:()=>Ht,debounce:()=>Se,default:()=>Ui,defaults:()=>Rt,defer:()=>Ie,delay:()=>_e,detect:()=>qe,difference:()=>Ii,drop:()=>ki,each:()=>Ge,escape:()=>se,every:()=>ti,extend:()=>Mt,extendOwn:()=>Pt,filter:()=>Ze,find:()=>qe,findIndex:()=>Le,findKey:()=>He,findLastIndex:()=>Fe,findWhere:()=>Qe,first:()=>yi,flatten:()=>_i,foldl:()=>Ke,foldr:()=>Je,forEach:()=>Ge,functions:()=>Tt,get:()=>Wt,groupBy:()=>Ai,has:()=>Yt,head:()=>yi,identity:()=>qt,include:()=>ii,includes:()=>ii,indexBy:()=>fi,indexOf:()=>We,initial:()=>wi,inject:()=>Ke,intersection:()=>Oi,invert:()=>St,invoke:()=>ni,isArguments:()=>V,isArray:()=>Q,isArrayBuffer:()=>H,isBoolean:()=>I,isDataView:()=>q,isDate:()=>M,isElement:()=>D,isEmpty:()=>ct,isEqual:()=>ft,isError:()=>R,isFinite:()=>K,isFunction:()=>F,isMap:()=>kt,isMatch:()=>lt,isNaN:()=>J,isNull:()=>E,isNumber:()=>O,isObject:()=>B,isRegExp:()=>P,isSet:()=>Et,isString:()=>T,isSymbol:()=>N,isTypedArray:()=>ot,isUndefined:()=>_,isWeakMap:()=>Bt,isWeakSet:()=>_t,iteratee:()=>Kt,keys:()=>at,last:()=>Bi,lastIndexOf:()=>Ye,map:()=>Xe,mapObject:()=>Zt,matcher:()=>Qt,matches:()=>Qt,max:()=>si,memoize:()=>Ee,methods:()=>Tt,min:()=>ai,mixin:()=>Li,negate:()=>Oe,noop:()=>$t,now:()=>ne,object:()=>Ri,omit:()=>xi,once:()=>Ne,pairs:()=>Dt,partial:()=>xe,partition:()=>mi,pick:()=>vi,pluck:()=>oi,property:()=>Gt,propertyOf:()=>te,random:()=>ie,range:()=>Ni,reduce:()=>Ke,reduceRight:()=>Je,reject:()=>$e,rest:()=>ki,restArguments:()=>k,result:()=>fe,sample:()=>ui,select:()=>Ze,shuffle:()=>hi,size:()=>Ci,some:()=>ei,sortBy:()=>di,sortedIndex:()=>je,tail:()=>ki,take:()=>yi,tap:()=>Lt,template:()=>Ae,templateSettings:()=>ce,throttle:()=>De,times:()=>ee,toArray:()=>li,toPath:()=>Ft,transpose:()=>Mi,unescape:()=>ae,union:()=>Ti,uniq:()=>Si,unique:()=>Si,uniqueId:()=>me,unzip:()=>Mi,values:()=>It,where:()=>ri,without:()=>Di,wrap:()=>Te,zip:()=>Pi});var n={};i.r(n),i.d(n,{VERSION:()=>o,after:()=>Pe,all:()=>ti,allKeys:()=>gt,any:()=>ei,assign:()=>Pt,before:()=>Re,bind:()=>we,bindAll:()=>Be,chain:()=>Ce,chunk:()=>Hi,clone:()=>zt,collect:()=>Xe,compact:()=>Ei,compose:()=>Me,constant:()=>Z,contains:()=>ii,countBy:()=>gi,create:()=>Ht,debounce:()=>Se,default:()=>Fi,defaults:()=>Rt,defer:()=>Ie,delay:()=>_e,detect:()=>qe,difference:()=>Ii,drop:()=>ki,each:()=>Ge,escape:()=>se,every:()=>ti,extend:()=>Mt,extendOwn:()=>Pt,filter:()=>Ze,find:()=>qe,findIndex:()=>Le,findKey:()=>He,findLastIndex:()=>Fe,findWhere:()=>Qe,first:()=>yi,flatten:()=>_i,foldl:()=>Ke,foldr:()=>Je,forEach:()=>Ge,functions:()=>Tt,get:()=>Wt,groupBy:()=>Ai,has:()=>Yt,head:()=>yi,identity:()=>qt,include:()=>ii,includes:()=>ii,indexBy:()=>fi,indexOf:()=>We,initial:()=>wi,inject:()=>Ke,intersection:()=>Oi,invert:()=>St,invoke:()=>ni,isArguments:()=>V,isArray:()=>Q,isArrayBuffer:()=>H,isBoolean:()=>I,isDataView:()=>q,isDate:()=>M,isElement:()=>D,isEmpty:()=>ct,isEqual:()=>ft,isError:()=>R,isFinite:()=>K,isFunction:()=>F,isMap:()=>kt,isMatch:()=>lt,isNaN:()=>J,isNull:()=>E,isNumber:()=>O,isObject:()=>B,isRegExp:()=>P,isSet:()=>Et,isString:()=>T,isSymbol:()=>N,isTypedArray:()=>ot,isUndefined:()=>_,isWeakMap:()=>Bt,isWeakSet:()=>_t,iteratee:()=>Kt,keys:()=>at,last:()=>Bi,lastIndexOf:()=>Ye,map:()=>Xe,mapObject:()=>Zt,matcher:()=>Qt,matches:()=>Qt,max:()=>si,memoize:()=>Ee,methods:()=>Tt,min:()=>ai,mixin:()=>Li,negate:()=>Oe,noop:()=>$t,now:()=>ne,object:()=>Ri,omit:()=>xi,once:()=>Ne,pairs:()=>Dt,partial:()=>xe,partition:()=>mi,pick:()=>vi,pluck:()=>oi,property:()=>Gt,propertyOf:()=>te,random:()=>ie,range:()=>Ni,reduce:()=>Ke,reduceRight:()=>Je,reject:()=>$e,rest:()=>ki,restArguments:()=>k,result:()=>fe,sample:()=>ui,select:()=>Ze,shuffle:()=>hi,size:()=>Ci,some:()=>ei,sortBy:()=>di,sortedIndex:()=>je,tail:()=>ki,take:()=>yi,tap:()=>Lt,template:()=>Ae,templateSettings:()=>ce,throttle:()=>De,times:()=>ee,toArray:()=>li,toPath:()=>Ft,transpose:()=>Mi,unescape:()=>ae,union:()=>Ti,uniq:()=>Si,unique:()=>Si,uniqueId:()=>me,unzip:()=>Mi,values:()=>It,where:()=>ri,without:()=>Di,wrap:()=>Te,zip:()=>Pi});var o="1.13.7",r="object"==typeof self&&self.self===self&&self||"object"==typeof global&&global.global===global&&global||Function("return this")()||{},s=Array.prototype,a=Object.prototype,c="undefined"!=typeof Symbol?Symbol.prototype:null,l=s.push,u=s.slice,h=a.toString,d=a.hasOwnProperty,p="undefined"!=typeof ArrayBuffer,A="undefined"!=typeof DataView,f=Array.isArray,g=Object.keys,m=Object.create,C=p&&ArrayBuffer.isView,b=isNaN,v=isFinite,x=!{toString:null}.propertyIsEnumerable("toString"),w=["valueOf","isPrototypeOf","toString","propertyIsEnumerable","hasOwnProperty","toLocaleString"],y=Math.pow(2,53)-1;function k(t,e){return e=null==e?t.length-1:+e,function(){for(var i=Math.max(arguments.length-e,0),n=Array(i),o=0;o=0&&i<=y}}function tt(t){return function(e){return null==e?void 0:e[t]}}const et=tt("byteLength"),it=$(et);var nt=/\[object ((I|Ui)nt(8|16|32)|Float(32|64)|Uint8Clamped|Big(I|Ui)nt64)Array\]/;const ot=p?function(t){return C?C(t)&&!q(t):it(t)&&nt.test(h.call(t))}:Z(!1),rt=tt("length");function st(t,e){e=function(t){for(var e={},i=t.length,n=0;n":">",'"':""","'":"'","`":"`"},se=oe(re),ae=oe(St(re)),ce=ut.templateSettings={evaluate:/<%([\s\S]+?)%>/g,interpolate:/<%=([\s\S]+?)%>/g,escape:/<%-([\s\S]+?)%>/g};var le=/(.)^/,ue={"'":"'","\\":"\\","\r":"r","\n":"n","\u2028":"u2028","\u2029":"u2029"},he=/\\|'|\r|\n|\u2028|\u2029/g;function de(t){return"\\"+ue[t]}var pe=/^\s*(\w|\$)+\s*$/;function Ae(t,e,i){!e&&i&&(e=i),e=Rt({},e,ut.templateSettings);var n=RegExp([(e.escape||le).source,(e.interpolate||le).source,(e.evaluate||le).source].join("|")+"|$","g"),o=0,r="__p+='";t.replace(n,(function(e,i,n,s,a){return r+=t.slice(o,a).replace(he,de),o=a+e.length,i?r+="'+\n((__t=("+i+"))==null?'':_.escape(__t))+\n'":n?r+="'+\n((__t=("+n+"))==null?'':__t)+\n'":s&&(r+="';\n"+s+"\n__p+='"),e})),r+="';\n";var s,a=e.variable;if(a){if(!pe.test(a))throw new Error("variable is not a bare identifier: "+a)}else r="with(obj||{}){\n"+r+"}\n",a="obj";r="var __t,__p='',__j=Array.prototype.join,print=function(){__p+=__j.call(arguments,'');};\n"+r+"return __p;\n";try{s=new Function(a,"_",r)}catch(t){throw t.source=r,t}var c=function(t){return s.call(this,t,ut)};return c.source="function("+a+"){\n"+r+"}",c}function fe(t,e,i){var n=(e=jt(e)).length;if(!n)return F(i)?i.call(t):i;for(var o=0;o1)ke(a,e-1,i,n),o=n.length;else for(var c=0,l=a.length;ce?(n&&(clearTimeout(n),n=null),a=l,s=t.apply(o,r),n||(o=r=null)):n||!1===i.trailing||(n=setTimeout(c,u)),s};return l.cancel=function(){clearTimeout(n),a=0,n=o=r=null},l}function Se(t,e,i){var n,o,r,s,a,c=function(){var l=ne()-o;e>l?n=setTimeout(c,e-l):(n=null,i||(s=t.apply(a,r)),n||(r=a=null))},l=k((function(l){return a=this,r=l,o=ne(),n||(n=setTimeout(c,e),i&&(s=t.apply(a,r))),s}));return l.cancel=function(){clearTimeout(n),n=r=a=null},l}function Te(t,e){return xe(e,t)}function Oe(t){return function(){return!t.apply(this,arguments)}}function Me(){var t=arguments,e=t.length-1;return function(){for(var i=e,n=t[e].apply(this,arguments);i--;)n=t[i].call(this,n);return n}}function Pe(t,e){return function(){if(--t<1)return e.apply(this,arguments)}}function Re(t,e){var i;return function(){return--t>0&&(i=e.apply(this,arguments)),t<=1&&(e=null),i}}const Ne=xe(Re,2);function He(t,e,i){e=Jt(e,i);for(var n,o=at(t),r=0,s=o.length;r0?0:o-1;r>=0&&r0?s=r>=0?r:Math.max(r+a,s):a=r>=0?Math.min(r+1,a):r+a+1;else if(i&&r&&a)return n[r=i(n,o)]===o?r:-1;if(o!=o)return(r=e(u.call(n,s,a),J))>=0?r+s:-1;for(r=t>0?s:a-1;r>=0&&r=3;return function(e,i,n,o){var r=!ye(e)&&at(e),s=(r||e).length,a=t>0?0:s-1;for(o||(n=e[r?r[a]:a],a+=t);a>=0&&a=0}const ni=k((function(t,e,i){var n,o;return F(e)?o=e:(e=jt(e),n=e.slice(0,-1),e=e[e.length-1]),Xe(t,(function(t){var r=o;if(!r){if(n&&n.length&&(t=Ut(t,n)),null==t)return;r=t[e]}return null==r?r:r.apply(t,i)}))}));function oi(t,e){return Xe(t,Gt(e))}function ri(t,e){return Ze(t,Qt(e))}function si(t,e,i){var n,o,r=-1/0,s=-1/0;if(null==e||"number"==typeof e&&"object"!=typeof t[0]&&null!=t)for(var a=0,c=(t=ye(t)?t:It(t)).length;ar&&(r=n);else e=Jt(e,i),Ge(t,(function(t,i,n){((o=e(t,i,n))>s||o===-1/0&&r===-1/0)&&(r=t,s=o)}));return r}function ai(t,e,i){var n,o,r=1/0,s=1/0;if(null==e||"number"==typeof e&&"object"!=typeof t[0]&&null!=t)for(var a=0,c=(t=ye(t)?t:It(t)).length;an||void 0===i)return 1;if(i1&&(n=Xt(n,e[1])),e=gt(t)):(n=bi,e=ke(e,!1,!1),t=Object(t));for(var o=0,r=e.length;o1&&(i=e[1])):(e=Xe(ke(e,!1,!1),String),n=function(t,i){return!ii(e,i)}),vi(t,n,i)}));function wi(t,e,i){return u.call(t,0,Math.max(0,t.length-(null==e||i?1:e)))}function yi(t,e,i){return null==t||t.length<1?null==e||i?void 0:[]:null==e||i?t[0]:wi(t,t.length-e)}function ki(t,e,i){return u.call(t,null==e||i?1:e)}function Bi(t,e,i){return null==t||t.length<1?null==e||i?void 0:[]:null==e||i?t[t.length-1]:ki(t,Math.max(0,t.length-e))}function Ei(t){return Ze(t,Boolean)}function _i(t,e){return ke(t,e,!1)}const Ii=k((function(t,e){return e=ke(e,!0,!0),Ze(t,(function(t){return!ii(e,t)}))})),Di=k((function(t,e){return Ii(t,e)}));function Si(t,e,i,n){I(e)||(n=i,i=e,e=!1),null!=i&&(i=Jt(i,n));for(var o=[],r=[],s=0,a=rt(t);s{if(!i){var r=1/0;for(u=0;u=o)&&Object.keys(a.O).every((t=>a.O[t](i[c])))?i.splice(c--,1):(s=!1,o0&&e[u-1][2]>o;u--)e[u]=e[u-1];e[u]=[i,n,o]},a.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return a.d(e,{a:e}),e},a.d=(t,e)=>{for(var i in e)a.o(e,i)&&!a.o(t,i)&&Object.defineProperty(t,i,{enumerable:!0,get:e[i]})},a.f={},a.e=t=>Promise.all(Object.keys(a.f).reduce(((e,i)=>(a.f[i](t,e),e)),[])),a.u=t=>t+"-"+t+".js?v="+{1642:"2dfd15a0b222de21b9ae",5706:"3153330af47fc26a725a",6127:"40fbb3532bb7846b7035"}[t],a.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),a.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),i={},o="nextcloud:",a.l=(t,e,n,r)=>{if(i[t])i[t].push(e);else{var s,c;if(void 0!==n)for(var l=document.getElementsByTagName("script"),u=0;u{s.onerror=s.onload=null,clearTimeout(p);var o=i[t];if(delete i[t],s.parentNode&&s.parentNode.removeChild(s),o&&o.forEach((t=>t(n))),e)return e(n)},p=setTimeout(d.bind(null,void 0,{type:"timeout",target:s}),12e4);s.onerror=d.bind(null,s.onerror),s.onload=d.bind(null,s.onload),c&&document.head.appendChild(s)}},a.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},a.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),a.j=2228,(()=>{var t;a.g.importScripts&&(t=a.g.location+"");var e=a.g.document;if(!t&&e&&(e.currentScript&&"SCRIPT"===e.currentScript.tagName.toUpperCase()&&(t=e.currentScript.src),!t)){var i=e.getElementsByTagName("script");if(i.length)for(var n=i.length-1;n>-1&&(!t||!/^http(s?):/.test(t));)t=i[n--].src}if(!t)throw new Error("Automatic publicPath is not supported in this browser");t=t.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),a.p=t})(),(()=>{a.b=document.baseURI||self.location.href;var t={2228:0};a.f.j=(e,i)=>{var n=a.o(t,e)?t[e]:void 0;if(0!==n)if(n)i.push(n[2]);else{var o=new Promise(((i,o)=>n=t[e]=[i,o]));i.push(n[2]=o);var r=a.p+a.u(e),s=new Error;a.l(r,(i=>{if(a.o(t,e)&&(0!==(n=t[e])&&(t[e]=void 0),n)){var o=i&&("load"===i.type?"missing":i.type),r=i&&i.target&&i.target.src;s.message="Loading chunk "+e+" failed.\n("+o+": "+r+")",s.name="ChunkLoadError",s.type=o,s.request=r,n[1](s)}}),"chunk-"+e,e)}},a.O.j=e=>0===t[e];var e=(e,i)=>{var n,o,r=i[0],s=i[1],c=i[2],l=0;if(r.some((e=>0!==t[e]))){for(n in s)a.o(s,n)&&(a.m[n]=s[n]);if(c)var u=c(a)}for(e&&e(i);la(72443)));c=a.O(c)})(); +//# sourceMappingURL=core-main.js.map?v=48aeedd41018795d5e2c \ No newline at end of file diff --git a/dist/core-main.js.map b/dist/core-main.js.map index 3911107cdbce5..4647e139f49f1 100644 --- a/dist/core-main.js.map +++ b/dist/core-main.js.map @@ -1 +1 @@ -{"version":3,"file":"core-main.js?v=6b7d2210455ca0c3a49e","mappings":"UAAIA,ECAAC,EACAC,E,+WCcJ,SAECC,sBAAuB,KAEvBC,+BAAgC,KAMhCC,UAAAA,CAAWC,GACVC,KAAKH,+BAAiCE,CACvC,EAYAE,IAAAA,CAAKC,EAAMH,GACNI,EAAAA,QAAAA,WAAaD,KAEhBH,EAAWG,EACXA,OAAOE,GAGHF,GAMLA,EAAKG,MAAK,WACLC,IAAEN,MAAM,GAAGO,SACdD,IAAEN,MAAM,GAAGO,SAASC,YAEpBC,QAAQC,MAAM,+CAEXV,OAASA,KAAKJ,wBACjBI,KAAKJ,sBAAwB,KAE/B,IACIG,GACHA,EAASY,OAENX,KAAKH,gCACRG,KAAKH,kCAnBLY,QAAQC,MAAM,yHAqBhB,EAcAE,QAAAA,CAASC,EAAMC,IACdA,EAAUA,GAAW,CAAC,GACdC,QAAS,EACjBD,EAAQE,QAAYF,EAAQE,QAAqCF,EAAQE,QAAlCC,EAAAA,GACvC,MAAMC,GAAQC,EAAAA,EAAAA,IAAYN,EAAMC,GAEhC,OADAI,EAAME,aAAab,SAAWW,EACvBZ,IAAEY,EAAME,aAChB,EAYAC,IAAAA,CAAKC,EAAMR,IAUVA,EAAUA,GAAW,CAAC,GACdE,QAAYF,EAAQE,QAAqCF,EAAQE,QAAlCC,EAAAA,GACvC,MAAMC,GAAQC,EAAAA,EAAAA,IAXK,SAASG,GAC3B,OAAOA,EAAKC,WACVC,MAAM,KAAKC,KAAK,SAChBD,MAAM,KAAKC,KAAK,QAChBD,MAAM,KAAKC,KAAK,QAChBD,MAAM,KAAKC,KAAK,UAChBD,MAAM,KAAMC,KAAK,SACpB,CAI0BC,CAAWJ,GAAOR,GAE5C,OADAI,EAAME,aAAab,SAAWW,EACvBZ,IAAEY,EAAME,aAChB,EASAO,UAAAA,CAAWL,GAMV,OALItB,KAAKJ,uBACRI,KAAKJ,sBAAsBY,YAE5BR,KAAKJ,uBAAwBuB,EAAAA,EAAAA,IAAYG,EAAM,CAAEN,QAASC,EAAAA,KAC1DjB,KAAKJ,sBAAsBwB,aAAab,SAAWP,KAAKJ,sBACjDU,IAAEN,KAAKJ,sBAAsBwB,aACrC,EAcAQ,aAAAA,CAAcN,EAAMR,IACnBA,EAAUA,GAAW,CAAC,GACdE,QAAUF,EAAQE,SAAWa,EAAAA,GACrC,MAAMX,GAAQC,EAAAA,EAAAA,IAAYG,EAAMR,GAEhC,OADAI,EAAME,aAAab,SAAWW,EACvBZ,IAAEY,EAAME,aAChB,EAQAU,SAAQA,KACCxB,IAAE,YAAYyB,KAAK,aAAaC,Q,eC7InC,MAAMC,EAA4B9B,EAAAA,QAAAA,UAAW,MACnD+B,EAAAA,EAAAA,IAAYC,EAAE,OAAQ,6BAA6B,GACjD,IAAU,CAAEC,UAAU,ICdzB,IAAIC,GAA4B,EAEhC,MA6GA,EA7Ga,CACZC,wBAAAA,GACCD,GAA4B,CAC7B,EAQDE,eAAsB,SAASC,IACVA,GAAOlC,IAAE,iBACjBmC,YAAY,aAAapB,OACrCf,IAAE,gBAAgBoC,QAAQ,IAAIpC,IAAAA,OAAQ,cACvC,EAQAiC,eAAsB,SAASC,IACVA,GAAOlC,IAAE,iBACjBL,OAAO0C,SAAS,aAC5BrC,IAAE,gBAAgBoC,QAAQ,IAAIpC,IAAAA,OAAQ,cACvC,G,eClBA,SAASK,EAAKiC,EAAQC,EAAU/B,GACf,SAAX8B,GAAgC,WAAXA,IAAwBE,GAAGC,qBAAqBC,gCAK1ElC,EAAUA,GAAW,CAAC,EACtBR,IAAAA,KAAO,CACN2C,KAAML,EAAOM,cACbC,KAAKC,EAAAA,EAAAA,IAAe,4CAA8CP,EAClEQ,KAAMvC,EAAQuC,MAAQ,CAAC,EACvBC,QAASxC,EAAQwC,QACjB5C,MAAOI,EAAQJ,SAVfoC,GAAGC,qBAAqBQ,4BAA4BpD,EAAEqD,KAAK7C,EAAMX,KAAM4C,EAAQC,EAAU/B,GAY3F,CAOO,SAAS2C,EAAQ3C,GACvBH,EAAK,MAAO,GAAIG,EACjB,CASO,SAAS4C,EAAQC,EAAK7C,GAC5BH,EAAK,MAAO,IAAMgD,EAAK7C,EACxB,CAWO,SAAS8C,EAASD,EAAKE,EAAKC,EAAchD,IAChDA,EAAUA,GAAW,CAAC,GACduC,KAAO,CACdS,gBAGDnD,EAAK,MAAO,IAAMgD,EAAM,IAAME,EAAK/C,EACpC,CAWO,SAASiD,EAASJ,EAAKE,EAAKG,EAAOlD,IACzCA,EAAUA,GAAW,CAAC,GACduC,KAAO,CACdW,SAGDrD,EAAK,OAAQ,IAAMgD,EAAM,IAAME,EAAK/C,EACrC,CAUO,SAASmD,EAAUN,EAAKE,EAAK/C,GACnCH,EAAK,SAAU,IAAMgD,EAAM,IAAME,EAAK/C,EACvC,CC5FO,MAAMoD,EAAYC,OAAOC,cAAgB,CAAC,EAMpCC,EAAY,CAIxBT,SAAU,SAASD,EAAKE,EAAKC,EAAc/D,GAC1C6D,EAASD,EAAKE,EAAKC,EAAc,CAChCR,QAASvD,GAEX,EAKAgE,SAAU,SAASJ,EAAKE,EAAKG,GAC5BD,EAASJ,EAAKE,EAAKG,EACpB,EAKAP,QAAS,SAAS1D,GACjB0D,EAAQ,CACPH,QAASvD,GAEX,EAKA2D,QAAS,SAASC,EAAK5D,GACtB2D,EAAQC,EAAK,CACZL,QAASvD,GAEX,EAKAkE,UAAW,SAASN,EAAKE,GACxBI,EAAUN,EAAKE,EAChB,GChDD,OAFkDzD,IAA5B+D,OAAOG,kBAAkCH,OAAOG,iB,mCCItE,MAAMC,EAAY,CACjBC,OAAQ,OACRC,OAAQ,YACRC,MAAO,YACPC,OAAQ,SACRC,KAAM,YAcP,SAASC,EAAoBC,EAAQC,GACpC,GAAI5E,EAAAA,QAAAA,QAAU2E,GACb,OAAO3E,EAAAA,QAAAA,IAAM2E,GAAQ,SAASE,GAC7B,OAAOH,EAAoBG,EAAWD,EACvC,IAED,IAAIE,EAAQ,CACXC,KAAMJ,EAAOI,MAsBd,OAnBA/E,EAAAA,QAAAA,KAAO2E,EAAOK,UAAU,SAASA,GAChC,GAAwB,oBAApBA,EAASC,OAIb,IAAK,IAAIvB,KAAOsB,EAASE,WAAY,CACpC,IAAIC,EAAUzB,EACVA,KAAOkB,IACVO,EAAUP,EAAclB,IAEzBoB,EAAMK,GAAWH,EAASE,WAAWxB,EACtC,CACD,IAEKoB,EAAMM,KAEVN,EAAMM,GAAKC,EAAoBP,EAAMC,OAG/BD,CACR,CAQA,SAASO,EAAoBrC,GAC5B,IAAIsC,EAAWtC,EAAIuC,QAAQ,KACvBD,EAAW,IACdtC,EAAMA,EAAIwC,OAAO,EAAGF,IAGrB,IACIX,EADAc,EAAQzC,EAAI3B,MAAM,KAEtB,GACCsD,EAASc,EAAMA,EAAM5D,OAAS,GAC9B4D,EAAMC,aAGGf,GAAUc,EAAM5D,OAAS,GAEnC,OAAO8C,CACR,CAEA,SAASgB,EAAgBV,GACxB,OAAOA,GAAU,KAAOA,GAAU,GACnC,CA8CA,SAASW,EAAcC,EAAQlF,EAASmF,EAAOC,GAC9C,OAAOF,EAAOG,UACbrF,EAAQqC,IA9CV,SAA+CiD,EAAOrB,GACrD,IACIlB,EADAoB,EAAQ,CAAC,EAEb,IAAKpB,KAAOuC,EAAO,CAClB,IAAIC,EAActB,EAAclB,GAC5BG,EAAQoC,EAAMvC,GACbwC,IACJ5F,QAAQ6F,KAAK,0CAA4CzC,GACzDwC,EAAcxC,IAEX1D,EAAAA,QAAAA,UAAY6D,IAAU7D,EAAAA,QAAAA,SAAW6D,MAEpCA,EAAQ,GAAKA,GAEdiB,EAAMoB,GAAerC,CACtB,CACA,OAAOiB,CACR,CA8BEsB,CAAsCN,EAAMO,QAAS1F,EAAQiE,eAC7DmB,GACCO,MAAK,SAAS3B,GACXgB,EAAgBhB,EAAOM,QACtBjF,EAAAA,QAAAA,WAAaW,EAAQwC,UAGxBxC,EAAQwC,QAAQ2C,EAAMS,UAEbvG,EAAAA,QAAAA,WAAaW,EAAQJ,QAC/BI,EAAQJ,MAAMoE,EAEhB,GAED,CA2DO,MCxMD6B,EAAWC,IAAAA,aAGjBC,OAAOC,OAAOH,EAAU,CACvBI,QDoMsBA,CAACjG,EAASmF,KAChC,IAAID,EAAS,IAAIgB,EAAAA,IAAIC,OAAO,CAC3BC,QAASpG,EAAQqC,IACjBgE,cAAehH,EAAAA,QAAAA,OAAS,CACvB,OAAQ,IACR,yBAA0B,MACxBW,EAAQqG,eAAiB,CAAC,KAE9BnB,EAAOoB,WAAa,WACnB,OAAOtG,EAAQqC,GAChB,EACA,IAAI+C,EAAU/F,EAAAA,QAAAA,OAAS,CACtB,mBAAoB,iBACpB,aAAgB2C,GAAGuE,cACjBvG,EAAQoF,SACX,MAAqB,aAAjBpF,EAAQmC,KApHb,SAAsB+C,EAAQlF,EAASmF,EAAOC,GAC7C,OAAOF,EAAOsB,SACbxG,EAAQqC,IACRhD,EAAAA,QAAAA,OAASW,EAAQiE,gBAAkB,GACnCjE,EAAQyG,MACRrB,GACCO,MAAK,SAASe,GACf,GAAI1B,EAAgB0B,EAASpC,SAC5B,GAAIjF,EAAAA,QAAAA,WAAaW,EAAQwC,SAAU,CAClC,IAAImE,EAAetH,EAAAA,QAAAA,OAASW,EAAQiE,eAChC2C,EAAU7C,EAAoB2C,EAASG,KAAMF,GAC7C3G,EAAQyG,MAAQ,GAEnBG,EAAQE,QAGT9G,EAAQwC,QAAQoE,EAEjB,OACUvH,EAAAA,QAAAA,WAAaW,EAAQJ,QAC/BI,EAAQJ,MAAM8G,EAEhB,GACD,CA8FSK,CAAa7B,EAAQlF,EAASmF,EAAOC,GACjB,cAAjBpF,EAAQmC,KACX8C,EAAcC,EAAQlF,EAASmF,EAAOC,GAClB,UAAjBpF,EAAQmC,KA5EpB,SAAmB+C,EAAQlF,EAASmF,EAAOC,GAE1C,OAAOF,EAAO8B,QACbhH,EAAQmC,KACRnC,EAAQqC,IACR+C,EACA,MACCO,MAAK,SAAS3B,GACVgB,EAAgBhB,EAAOM,QAO5BW,EAAcC,EAAQlF,EAASmF,EAAOC,GANjC/F,EAAAA,QAAAA,WAAaW,EAAQJ,QACxBI,EAAQJ,MAAMoE,EAMjB,GACD,CA4DSiD,CAAU/B,EAAQlF,EAASmF,EAAOC,GA1D3C,SAAoBF,EAAQlF,EAASmF,EAAOC,GAE3C,OADAA,EAAQ,gBAAkB,mBACnBF,EAAO8B,QACbhH,EAAQmC,KACRnC,EAAQqC,IACR+C,EACApF,EAAQuC,MACPoD,MAAK,SAAS3B,GACf,GAAKgB,EAAgBhB,EAAOM,SAO5B,GAAIjF,EAAAA,QAAAA,WAAaW,EAAQwC,SAAU,CAClC,GAAqB,QAAjBxC,EAAQmC,MAAmC,SAAjBnC,EAAQmC,MAAoC,UAAjBnC,EAAQmC,KAAkB,CAGlF,IAAI+E,EAAelD,EAAO6C,MAAQ1B,EAAMS,SACpCuB,EAAiBnD,EAAOoD,IAAIC,kBAAkB,oBAKlD,MAJqB,SAAjBrH,EAAQmC,MAAmBgF,IAC9BD,EAAazC,GAAKC,EAAoByC,SAEvCnH,EAAQwC,QAAQ0E,EAEjB,CAEA,GAAsB,MAAlBlD,EAAOM,OAAgB,CAC1B,IAAIqC,EAAetH,EAAAA,QAAAA,OAASW,EAAQiE,eACpCjE,EAAQwC,QAAQuB,EAAoBC,EAAO6C,KAAMF,GAClD,MACC3G,EAAQwC,QAAQwB,EAAO6C,KAEzB,OAzBKxH,EAAAA,QAAAA,WAAaW,EAAQJ,QACxBI,EAAQJ,MAAMoE,EAyBjB,GACD,CAwBSsD,CAAWpC,EAAQlF,EAASmF,EAAOC,EAC3C,EC1NAmC,QDgOsB1B,IAAY,CAAC/D,EAAQqD,EAAOnF,KAClD,IAAIwH,EAAS,CAAErF,KAAMsB,EAAU3B,IAAWA,GACtC2F,EAAgBtC,aAAiBU,EAAS6B,WA6B9C,GA3Be,WAAX5F,IAGCqD,EAAMwC,mBAETH,EAAOrF,KAAO,SACJgD,EAAMyC,QAAWzC,EAAM0C,YAAc1C,EAAM0C,WAAWD,UAEhEJ,EAAOrF,KAAO,QAKXnC,EAAQqC,MACZmF,EAAOnF,IAAMhD,EAAAA,QAAAA,OAAS8F,EAAO,QA7O/B,WACC,MAAM,IAAI2C,MAAM,iDACjB,CA2OyCC,IAIpB,MAAhB/H,EAAQuC,OAAgB4C,GAAqB,WAAXrD,GAAkC,WAAXA,GAAkC,UAAXA,IACnF0F,EAAOjF,KAAOyF,KAAKC,UAAUjI,EAAQsF,OAASH,EAAMS,OAAO5F,KAIxC,aAAhBwH,EAAOrF,OACVqF,EAAOU,aAAc,GAGF,aAAhBV,EAAOrF,MAAuC,cAAhBqF,EAAOrF,KAAsB,CAC9D,IAAI8B,EAAgBkB,EAAMlB,eACrBA,GAAiBkB,EAAMA,QAE3BlB,EAAgBkB,EAAMA,MAAMgD,UAAUlE,eAEnCA,IACC5E,EAAAA,QAAAA,WAAa4E,GAChBuD,EAAOvD,cAAgBA,EAAcpE,KAAKsF,GAE1CqC,EAAOvD,cAAgBA,GAIzBuD,EAAOvD,cAAgB5E,EAAAA,QAAAA,OAASmI,EAAOvD,eAAiB,CAAC,EAAGjE,EAAQiE,eAEhE5E,EAAAA,QAAAA,YAAcW,EAAQyG,SAExBzG,EAAQyG,MADLgB,EACa,EAEA,EAGnB,CAGA,IAAI7H,EAAQI,EAAQJ,MACpBI,EAAQJ,MAAQ,SAASwH,EAAKgB,EAAYC,GACzCrI,EAAQoI,WAAaA,EACrBpI,EAAQqI,YAAcA,EAClBzI,GACHA,EAAMC,KAAKG,EAAQsI,QAASlB,EAAKgB,EAAYC,EAE/C,EAGA,IAAIjB,EAAMpH,EAAQoH,IAAMvB,EAASI,QAAQ5G,EAAAA,QAAAA,OAASmI,EAAQxH,GAAUmF,GAEpE,OADAA,EAAMvD,QAAQ,UAAWuD,EAAOiC,EAAKpH,GAC9BoH,CAAG,ECrSDG,CAAQ1B,KAGlB,U,eCHO,MCNP,EAFexC,OAAOkF,YAAc,CAAC,ECA/BC,EAASC,SACbC,qBAAqB,QAAQ,GAC7BC,aAAa,aACTC,EAAcH,SAClBC,qBAAqB,QAAQ,GAC7BC,aAAa,yBAEFE,OAAyBvJ,IAAXkJ,GAAuBA,E,2DCUlD,MAAMM,EAAU,CAGfC,eAAgB,GAEhBC,WAAY,GAGZC,uBAAwB,EAExBC,qBAAsB,EAEtBC,qBAAsB,EAEtBC,0BAA2B,EAE3BC,uBAAwB,EAWxBC,MAAO,SAAS9I,EAAM+I,EAAOtK,EAAUuK,GACtCtK,KAAKuK,QACJjJ,EACA+I,EACA,QACAT,EAAQY,UACRzK,EACAuK,EAEF,EAWAG,KAAM,SAASnJ,EAAM+I,EAAOtK,EAAUuK,GACrCtK,KAAKuK,QAAQjJ,EAAM+I,EAAO,OAAQT,EAAQY,UAAWzK,EAAUuK,EAChE,EAYAI,QAAS,SAASpJ,EAAM+I,EAAOtK,EAAUuK,GACxC,OAAOtK,KAAKuK,QACXjJ,EACA+I,EACA,SACAT,EAAQC,eACR9J,EACAuK,EAEF,EAYAK,mBAAoB,SAASrJ,EAAM+I,GAAiE,IAA1DO,EAAOC,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,GAAAA,UAAA,GAAGjB,EAAQE,WAAY/J,EAAQ8K,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,GAAAA,UAAA,GAAG,OAClF,OAAQ,IAAIC,EAAAA,IACVC,QAAQV,GACRW,QAAQ1J,GACR2J,WACAL,IAAYhB,EAAQE,WAClB,CACD,CACCoB,OAAO/I,EAAAA,EAAAA,IAAE,OAAQ,OACjBc,KAAM,QACNlD,SAAUA,KACTA,EAASoL,SAAU,EACnBpL,GAAS,EAAK,IAIf6J,EAAQwB,kBAAkBR,EAAS7K,IAErCsL,QACAhK,OACAoF,MAAK,KACA1G,EAASoL,SACbpL,GAAS,EACV,GAEH,EAWAuL,YAAa,SAAShK,EAAM+I,EAAOtK,EAAUuK,GAC5C,OAAQ,IAAIQ,EAAAA,IACVC,QAAQV,GACRW,QAAQ,IACRC,WAAW,CACX,CACCC,OAAO/I,EAAAA,EAAAA,IAAE,OAAQ,MACjBpC,SAAUA,QAEX,CACCmL,OAAO/I,EAAAA,EAAAA,IAAE,OAAQ,OACjBc,KAAM,UACNlD,SAAUA,KACTA,EAASoL,SAAU,EACnBpL,GAAS,EAAK,KAIhBsL,QACAE,QAAQjK,GACRD,OACAoF,MAAK,KACA1G,EAASoL,SACbpL,GAAS,EACV,GAEH,EAaAyL,OAAQ,SAASlK,EAAM+I,EAAOtK,EAAUuK,EAAOmB,EAAMC,GACpD,OAAO,IAAIC,SAASC,KACnBC,EAAAA,EAAAA,KACCC,EAAAA,EAAAA,KAAqB,IAAM,kCAC3B,CACCxK,OACAmK,KAAMpB,EACNtK,WACAgM,UAAWN,EACXO,aAAcN,IAEf,WACC3L,KAAS8K,WACTe,GACD,GACA,GAEH,EA0BAK,UAAAA,CAAW5B,EAAOtK,GAA8I,IAApImM,EAAWrB,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,IAAAA,UAAA,GAAUsB,EAAQtB,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,GAAAA,UAAA,QAAGzK,EAA+B6C,EAAI4H,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,GAAAA,UAAA,GAAGuB,EAAAA,GAAeC,OAAQC,EAAIzB,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,GAAAA,UAAA,QAAGzK,EAAWU,EAAO+J,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,GAAAA,UAAA,QAAGzK,EAOpJ,MAAMmM,EAAiBA,CAACC,EAAIvJ,KAC3B,MAAMwJ,EAAWC,IAChB,MAAMC,EAAOD,GAAMC,MAAQ,GAC3B,IAAIL,EAAOI,GAAMJ,MAAQ,GAKzB,OAHIA,EAAKM,WAAWD,KACnBL,EAAOA,EAAKO,MAAMF,EAAK3K,SAAW,KAE5BsK,CAAI,EAGZ,OAAIJ,EACKY,GAAUN,EAAGM,EAAMC,IAAIN,GAAUxJ,GAEjC6J,GAAUN,EAAGC,EAAQK,EAAM,IAAK7J,EACzC,EAsBK+J,GAAUC,EAAAA,EAAAA,IAAqB5C,GAGjCpH,IAASjD,KAAKmK,wBAChBrJ,EAAQ8J,SAAW,IAAIsC,SAASC,IAChCH,EAAQI,UAAU,CACjBrN,SAAUwM,EAAexM,EAAUoN,EAAOlK,MAC1CiI,MAAOiC,EAAO7L,KACd2B,KAAMkK,EAAOE,cAAgB,UAAY,aACxC,IAGHL,EAAQM,kBAAiB,CAACR,EAAOR,KAChC,MAAM1B,EAAU,GACV8B,EAAOI,IAAQ,IAAIS,YAAY7D,aAAeoD,IAAQ,IAAIU,SAC1DC,EAASf,IAAQc,EAAAA,EAAAA,UAASlB,GAyBhC,OAvBIrJ,IAASmJ,EAAAA,GAAeC,QAC3BzB,EAAQ8C,KAAK,CACZ3N,SAAUwM,EAAexM,EAAUqM,EAAAA,GAAeC,QAClDnB,MAAOwB,IAAS1M,KAAK2N,aAAcxL,EAAAA,EAAAA,IAAE,OAAQ,gBAAiB,CAAEyL,KAAMlB,KAAUvK,EAAAA,EAAAA,IAAE,OAAQ,UAC1Fc,KAAM,YAGJA,IAASmJ,EAAAA,GAAeyB,UAAY5K,IAASmJ,EAAAA,GAAe0B,MAC/DlD,EAAQ8C,KAAK,CACZ3N,SAAUwM,EAAexM,EAAUqM,EAAAA,GAAe0B,MAClD5C,MAAOuC,GAAStL,EAAAA,EAAAA,IAAE,OAAQ,mBAAoB,CAAEsL,YAAYtL,EAAAA,EAAAA,IAAE,OAAQ,QACtEc,KAAM,UACN8K,KAAMC,IAGJ/K,IAASmJ,EAAAA,GAAe6B,MAAQhL,IAASmJ,EAAAA,GAAeyB,UAC3DjD,EAAQ8C,KAAK,CACZ3N,SAAUwM,EAAexM,EAAUqM,EAAAA,GAAe6B,MAClD/C,MAAOuC,GAAStL,EAAAA,EAAAA,IAAE,OAAQ,mBAAoB,CAAEsL,YAAYtL,EAAAA,EAAAA,IAAE,OAAQ,QACtEc,KAAMA,IAASmJ,EAAAA,GAAe6B,KAAO,UAAY,YACjDF,KAAMG,IAGDtD,CAAO,IAIZuB,GACHa,EAAQmB,kBAAsC,iBAAbhC,EAAwB,CAACA,GAAaA,GAAY,IAErD,mBAApBrL,GAASsN,QACnBpB,EAAQqB,WAAW3B,GAAS5L,EAAQsN,OA/DX1B,KAAI,CAC7BnH,GAAImH,EAAK4B,QAAU,KACnBhC,KAAMI,EAAKJ,KACXH,SAAUO,EAAK6B,MAAQ,KACvBC,MAAO9B,EAAK8B,OAAOC,WAAa,KAChCC,YAAahC,EAAKgC,YAClBjD,KAAMiB,EAAKa,YAAY7D,aAAegD,EAAKc,SAC3CmB,KAAMjC,EAAKa,YAAYoB,MAAQ,KAC/BC,WAAYlC,EAAKa,YAAYqB,YAAc,KAC3CC,UAAWnC,EAAKa,YAAYsB,WAAa,KACzCC,oBAAqBpC,EAAKa,YAAYuB,qBAAuB,KAC7Df,KAAM,KACNgB,iBAAkB,OAmDyBC,CAAiBtC,MAE7DM,EAAQiC,kBAAoD,IAAnCnO,GAASoO,uBAAkC/C,GAAUgD,SAAS,0BAA2B,GAChHC,eAAelD,GACfmD,QAAQ/C,GACRjB,QACAiE,MACH,EAQA/E,QAAS,SAASgF,EAASlF,EAAOmF,EAAY5E,GAAgD,IAAvC7K,EAAQ8K,UAAA7I,OAAA,QAAA5B,IAAAyK,UAAA,GAAAA,UAAA,GAAG,OAAiB4E,EAAS5E,UAAA7I,OAAA,EAAA6I,UAAA,QAAAzK,EAC3F,MAAM4M,GAAW,IAAIlC,EAAAA,IACnBC,QAAQV,GACRW,QAAQyE,EAAY,GAAKF,GACzBtE,WAAWrB,EAAQwB,kBAAkBR,EAAS7K,IAEhD,OAAQyP,GACP,IAAK,QACJxC,EAAQ0C,YAAY,WACpB,MACD,IAAK,SACJ1C,EAAQ0C,YAAY,QAMtB,MAAMC,EAAS3C,EAAQ3B,QAMvB,OAJIoE,GACHE,EAAOpE,QAAQgE,GAGTI,EAAOtO,OAAOoF,MAAK,KACrB1G,EAAS6P,UACZ7P,GAAS,EACV,GAEF,EAMAqL,iBAAAA,CAAkBR,EAAS7K,GAC1B,MAAM8P,EAAa,GAEnB,OAA2B,iBAAZjF,EAAuBA,EAAQ3H,KAAO2H,GACpD,KAAKhB,EAAQC,eACZgG,EAAWnC,KAAK,CACfxC,MAAON,GAASkF,SAAU3N,EAAAA,EAAAA,IAAE,OAAQ,MACpCpC,SAAUA,KACTA,EAAS6P,UAAW,EACpB7P,GAAS,EAAM,IAGjB8P,EAAWnC,KAAK,CACfxC,MAAON,GAASF,UAAWvI,EAAAA,EAAAA,IAAE,OAAQ,OACrCc,KAAM,UACNlD,SAAUA,KACTA,EAAS6P,UAAW,EACpB7P,GAAS,EAAK,IAGhB,MACD,KAAK6J,EAAQE,WACZ+F,EAAWnC,KAAK,CACfxC,MAAON,GAASF,UAAWvI,EAAAA,EAAAA,IAAE,OAAQ,MACrCc,KAAM,UACNlD,SAAUA,KACTA,EAAS6P,UAAW,EACpB7P,GAAS,EAAK,IAGhB,MACD,QACCU,QAAQC,MAAM,8BAGhB,OAAOmP,CACR,EAEAE,kBAAkB,EAWlBC,WAAY,SAAS3M,EAAM4M,EAAUC,EAAaC,GACjD,IAAIC,EAAOpQ,KACPqQ,EAAiB,IAAI/P,IAAAA,UAkErBgQ,EAAkB,SAASC,EAAQC,EAAGC,EAAGC,EAAIC,GAChDD,EAAKE,KAAKC,MAAMH,GAChBC,EAAKC,KAAKC,MAAMF,GAUhB,IATA,IAAIG,EAAMP,EAAOQ,WAAW,MAAMC,aAAa,EAAG,EAAGR,EAAGC,GACpDQ,EAAOV,EAAOQ,WAAW,MAAMC,aAAa,EAAG,EAAGN,EAAIC,GACtDtN,EAAOyN,EAAIzN,KACX6N,EAAQD,EAAK5N,KACb8N,EAAUX,EAAIE,EACdU,EAAUX,EAAIE,EACdU,EAAeT,KAAKU,KAAKH,EAAU,GACnCI,EAAeX,KAAKU,KAAKF,EAAU,GAE9BI,EAAI,EAAGA,EAAIb,EAAIa,IACvB,IAAK,IAAIC,EAAI,EAAGA,EAAIf,EAAIe,IAAK,CAU5B,IATA,IAAIC,EAAoB,GAAdD,EAAID,EAAId,GACdiB,EAAS,EACTC,EAAU,EACVC,EAAgB,EAChBC,EAAO,EACPC,EAAO,EACPC,EAAO,EACPC,EAAO,EACPC,GAAYV,EAAI,IAAOJ,EAClBe,EAAKvB,KAAKwB,MAAMZ,EAAIJ,GAAUe,GAAMX,EAAI,GAAKJ,EAASe,IAI9D,IAHA,IAAIE,EAAKzB,KAAK0B,IAAIJ,GAAYC,EAAK,KAAQZ,EACvCgB,GAAYd,EAAI,IAAON,EACvBqB,EAAKH,EAAKA,EACLI,EAAK7B,KAAKwB,MAAMX,EAAIN,GAAUsB,GAAMhB,EAAI,GAAKN,EAASsB,IAAM,CACpE,IAAIC,EAAK9B,KAAK0B,IAAIC,GAAYE,EAAK,KAAQpB,EACvCsB,EAAI/B,KAAKgC,KAAKJ,EAAKE,EAAKA,GACxBC,IAAM,GAAKA,GAAK,IAEnBhB,EAAS,EAAIgB,EAAIA,EAAIA,EAAI,EAAIA,EAAIA,EAAI,GACxB,IAGZV,GAAQN,EAAStO,EAAU,GAF3BqP,EAAK,GAAKD,EAAKN,EAAK3B,KAGpBqB,GAAiBF,EAEbtO,EAAKqP,EAAK,GAAK,MAAOf,EAASA,EAAStO,EAAKqP,EAAK,GAAK,KAC3DZ,GAAQH,EAAStO,EAAKqP,GACtBX,GAAQJ,EAAStO,EAAKqP,EAAK,GAC3BV,GAAQL,EAAStO,EAAKqP,EAAK,GAC3Bd,GAAWD,EAGd,CAEDT,EAAMQ,GAAMI,EAAOF,EACnBV,EAAMQ,EAAK,GAAKK,EAAOH,EACvBV,EAAMQ,EAAK,GAAKM,EAAOJ,EACvBV,EAAMQ,EAAK,GAAKO,EAAOJ,CACxB,CAEDtB,EAAOQ,WAAW,MAAM8B,UAAU,EAAG,EAAGjC,KAAKkC,IAAItC,EAAGE,GAAKE,KAAKkC,IAAIrC,EAAGE,IACrEJ,EAAOwC,MAAQrC,EACfH,EAAOyC,OAASrC,EAChBJ,EAAOQ,WAAW,MAAMkC,aAAahC,EAAM,EAAG,EAC/C,EAEIiC,EAAc,SAASC,EAAYlD,EAAUC,GAEhD,IAAIkD,EAAYD,EAAWpR,KAAK,aAAasR,QAAQ5Q,YAAY,YAAYE,SAAS,YAClF2Q,EAAeF,EAAUrR,KAAK,aAC9BwR,EAAkBH,EAAUrR,KAAK,gBAErCqR,EAAU/P,KAAK,OAAQA,GAEvB+P,EAAUrR,KAAK,aAAaT,KAAK2O,EAASxE,MAC1C6H,EAAavR,KAAK,SAAST,KAAKwB,GAAG0Q,KAAKC,cAAcxD,EAASyD,OAC/DJ,EAAavR,KAAK,UAAUT,KAAKwB,GAAG0Q,KAAKG,WAAW1D,EAASzB,QAEzD0B,EAAYwD,MAAQxD,EAAY0D,eACnCL,EAAgBxR,KAAK,SAAST,KAAKwB,GAAG0Q,KAAKC,cAAcvD,EAAYwD,OACrEH,EAAgBxR,KAAK,UAAUT,KAAKwB,GAAG0Q,KAAKG,WAAWzD,EAAY0D,gBAEpE,IAAItH,EAAO2D,EAAS4D,UAAY,IAAM5D,EAASxE,KAC3CqI,EAAU,CACblG,KAAMtB,EACNyH,EAAG,GACHC,EAAG,GACHC,EAAGhE,EAAStB,KACZuF,UAAW,GAERC,EAAcC,MAAMC,mBAAmBP,GAE3CK,EAAcA,EAAYG,QAAQ,KAAM,OACxChB,EAAavR,KAAK,SAASwS,IAAI,CAAE,mBAAoB,QAAUJ,EAAc,OAvJtD,SAASvG,GAChC,IAAInO,EAAW,IAAIa,IAAAA,UAEf2C,EAAO2K,EAAK3K,MAAQ2K,EAAK3K,KAAKzB,MAAM,KAAKoG,QAC7C,GAAIzD,OAAOqQ,YAAuB,UAATvR,EAAkB,CAC1C,IAAIwR,EAAS,IAAID,WACjBC,EAAOC,OAAS,SAASC,GACxB,IAAIC,EAAO,IAAIC,KAAK,CAACF,EAAElH,OAAO3I,SAC9BX,OAAO2Q,IAAM3Q,OAAO2Q,KAAO3Q,OAAO4Q,UAClC,IAAIC,EAAc7Q,OAAO2Q,IAAIG,gBAAgBL,GACzCM,EAAQ,IAAIC,MAChBD,EAAME,IAAMJ,EACZE,EAAMR,OAAS,WACd,IAWgB5D,EAKfiD,EAAOC,EAAON,EAJdnD,EAEAwC,EACAC,EAfG7P,GAWY2N,EAXDoE,EAYd3E,EAAShH,SAAS8L,cAAc,UAEhCtC,EAAQjC,EAAIiC,MACZC,EAASlC,EAAIkC,OAIbD,EAAQC,GACXgB,EAAI,EACJD,GAAKhB,EAAQC,GAAU,IAEvBgB,GAAKhB,EAASD,GAAS,EACvBgB,EAAI,GAELL,EAAO9C,KAAK0E,IAAIvC,EAAOC,GAGvBzC,EAAOwC,MAAQW,EACfnD,EAAOyC,OAASU,EACNnD,EAAOQ,WAAW,MACxBwE,UAAUzE,EAAKiD,EAAGC,EAAGN,EAAMA,EAAM,EAAG,EAAGA,EAAMA,GAGjDpD,EAAgBC,EAAQmD,EAAMA,EAtBb,OAwBVnD,EAAOiF,UAAU,YAAa,KApClC/V,EAASmM,QAAQzI,EAClB,CACD,EACAsR,EAAOgB,kBAAkB7H,EAC1B,MACCnO,EAASiW,SAEV,OAAOjW,CACR,CAkICkW,CAAkBzF,GAAazJ,MAC9B,SAAS6F,GACRiH,EAAgBxR,KAAK,SAASwS,IAAI,mBAAoB,OAASjI,EAAO,IACvE,IAAG,WACFA,EAAOxJ,GAAG8S,SAASC,WAAW3F,EAAYjN,MAC1CsQ,EAAgBxR,KAAK,SAASwS,IAAI,mBAAoB,OAASjI,EAAO,IACvE,IAGD,IAAIwJ,EAAa3C,EAAWpR,KAAK,aAAaC,OAC9CsR,EAAavR,KAAK,kBAAkBgU,KAAK,KAAM,qBAAuBD,GACtEvC,EAAgBxR,KAAK,kBAAkBgU,KAAK,KAAM,wBAA0BD,GAE5E3C,EAAW6C,OAAO5C,GAIdlD,EAAY0D,aAAe3D,EAASzB,MACvC+E,EAAgBxR,KAAK,UAAUwS,IAAI,cAAe,QACxCrE,EAAY0D,aAAe3D,EAASzB,OAC9C8E,EAAavR,KAAK,UAAUwS,IAAI,cAAe,QAM5CrE,EAAYwD,MAAQxD,EAAYwD,KAAOzD,EAASyD,KACnDH,EAAgBxR,KAAK,SAASwS,IAAI,cAAe,QACvCrE,EAAYwD,MAAQxD,EAAYwD,KAAOzD,EAASyD,MAC1DJ,EAAavR,KAAK,SAASwS,IAAI,cAAe,QASvB,aAApBtE,EAAS7K,SACZkO,EACE3Q,SAAS,YACTZ,KAAK,0BACLkU,KAAK,WAAW,GAChBA,KAAK,YAAY,GACnB3C,EAAavR,KAAK,YAChBT,MAAKa,EAAAA,EAAAA,IAAE,OAAQ,cAEnB,EAKI+T,EAAa,+BACbC,EAAW,IAAMD,EACrB,GAAIlW,KAAK+P,iBAAkB,CAG1B,IAAIoD,EAAa7S,IAAE6V,EAAW,eAC9BjD,EAAYC,EAAYlD,EAAUC,GAElC,IAAIkG,EAAQ9V,IAAE6V,EAAW,cAAcnU,OACnCqI,EAAQgM,EAAE,OACb,wBACA,yBACAD,EACA,CAAEA,MAAOA,IAEV9V,IAAE6V,GAAUG,SAASC,SAAS,oBAAoBjV,KAAK+I,GAGvD/J,IAAE6D,QAAQzB,QAAQ,UAClB2N,EAAezE,SAChB,MAEC5L,KAAK+P,kBAAmB,EACxBzP,IAAAA,KAAON,KAAKwW,0BAA0B/P,MAAK,SAASgQ,GACnD,IAAIpM,GAAQlI,EAAAA,EAAAA,IAAE,OAAQ,qBAClBuU,EAAOD,EAAME,WAAW,CAC3BC,YAAaV,EACb7L,MAAOA,EACPpH,KAAM,aAEN4T,aAAa1U,EAAAA,EAAAA,IAAE,OAAQ,aACvB2U,kBAAkB3U,EAAAA,EAAAA,IAAE,OAAQ,0BAE5B4U,KAAK5U,EAAAA,EAAAA,IAAE,OAAQ,oCACf6U,MAAM7U,EAAAA,EAAAA,IAAE,OAAQ,wFAIjB,GAFA7B,IAAE,QAAQ0V,OAAOU,GAEbzG,GAAYC,EAAa,CAC5B,IAAIiD,EAAauD,EAAK3U,KAAK,cAC3BmR,EAAYC,EAAYlD,EAAUC,EACnC,CAEA,IAAI+G,EAAa,CAAC,CACjB3V,MAAMa,EAAAA,EAAAA,IAAE,OAAQ,UAChB+U,QAAS,SACTC,MAAO,gBAC6B,IAAxBhH,EAAWiH,UACrBjH,EAAWiH,SAAS/T,GAErB/C,IAAE6V,GAAUkB,SAAS,QACtB,GAED,CACC/V,MAAMa,EAAAA,EAAAA,IAAE,OAAQ,YAChB+U,QAAS,WACTC,MAAO,gBAC+B,IAA1BhH,EAAWmH,YACrBnH,EAAWmH,WAAWhX,IAAE6V,EAAW,eAEpC7V,IAAE6V,GAAUkB,SAAS,QACtB,IAGD/W,IAAE6V,GAAUkB,SAAS,CACpBtE,MAAO,IACPwE,eAAe,EACfjN,OAAO,EACPM,QAASqM,EACTO,YAAa,KACbC,MAAO,WACNrH,EAAKL,kBAAmB,EACxB,IACCzP,IAAEN,MAAMqX,SAAS,WAAWK,QAC7B,CAAE,MAAO/C,GACR,CAEF,IAGDrU,IAAE6V,GAAU5B,IAAI,SAAU,QAE1B,IAAIoD,EAAiBjB,EAAKkB,QAAQ,cAAc7V,KAAK,mBAGrD,SAAS8V,IACR,IAAIC,EAAepB,EAAK3U,KAAK,gCAAgCC,OAC7D2V,EAAe1B,KAAK,WAA6B,IAAjB6B,EACjC,CALAH,EAAe1B,KAAK,YAAY,GAQhC3V,IAAE6V,GAAUpU,KAAK,gBAAgBgW,GAAG,SAAS,WAC1BzX,IAAE6V,GAAUpU,KAAK,iDACvBkU,KAAK,UAAW3V,IAAEN,MAAMiW,KAAK,WAC1C,IACA3V,IAAE6V,GAAUpU,KAAK,qBAAqBgW,GAAG,SAAS,WAC/BzX,IAAE6V,GAAUpU,KAAK,6DACvBkU,KAAK,UAAW3V,IAAEN,MAAMiW,KAAK,WAC1C,IACA3V,IAAE6V,GAAUpU,KAAK,cAAcgW,GAAG,QAAS,yCAAyC,WACnF,IAAIC,EAAY1X,IAAEN,MAAM+B,KAAK,0BAC7BiW,EAAU/B,KAAK,WAAY+B,EAAU/B,KAAK,WAC3C,IACA3V,IAAE6V,GAAUpU,KAAK,cAAcgW,GAAG,QAAS,uFAAuF,WACjI,IAAIC,EAAY1X,IAAEN,MAClBgY,EAAU/B,KAAK,WAAY+B,EAAU/B,KAAK,WAC3C,IAGA3V,IAAE6V,GAAU4B,GAAG,QAAS,6BAA6B,WACpD,IAAI3B,EAAQ9V,IAAE6V,GAAUpU,KAAK,yDAAyDC,OAClFoU,IAAU9V,IAAE6V,EAAW,cAAcnU,QACxC1B,IAAE6V,GAAUpU,KAAK,gBAAgBkU,KAAK,WAAW,GACjD3V,IAAE6V,GAAUpU,KAAK,yBAAyBT,MAAKa,EAAAA,EAAAA,IAAE,OAAQ,oBAC/CiU,EAAQ,GAClB9V,IAAE6V,GAAUpU,KAAK,gBAAgBkU,KAAK,WAAW,GACjD3V,IAAE6V,GAAUpU,KAAK,yBAAyBT,MAAKa,EAAAA,EAAAA,IAAE,OAAQ,qBAAsB,CAAEiU,MAAOA,OAExF9V,IAAE6V,GAAUpU,KAAK,gBAAgBkU,KAAK,WAAW,GACjD3V,IAAE6V,GAAUpU,KAAK,yBAAyBT,KAAK,KAEhDuW,GACD,IACAvX,IAAE6V,GAAU4B,GAAG,QAAS,+BAA+B,WACtD,IAAI3B,EAAQ9V,IAAE6V,GAAUpU,KAAK,sDAAsDC,OAC/EoU,IAAU9V,IAAE6V,EAAW,cAAcnU,QACxC1B,IAAE6V,GAAUpU,KAAK,qBAAqBkU,KAAK,WAAW,GACtD3V,IAAE6V,GAAUpU,KAAK,8BAA8BT,MAAKa,EAAAA,EAAAA,IAAE,OAAQ,oBACpDiU,EAAQ,GAClB9V,IAAE6V,GAAUpU,KAAK,qBAAqBkU,KAAK,WAAW,GACtD3V,IAAE6V,GAAUpU,KAAK,8BACfT,MAAKa,EAAAA,EAAAA,IAAE,OAAQ,qBAAsB,CAAEiU,MAAOA,OAEhD9V,IAAE6V,GAAUpU,KAAK,qBAAqBkU,KAAK,WAAW,GACtD3V,IAAE6V,GAAUpU,KAAK,8BAA8BT,KAAK,KAErDuW,GACD,IAEAxH,EAAezE,SAChB,IACEqM,MAAK,WACL5H,EAAeqF,SACftL,OAAMjI,EAAAA,EAAAA,IAAE,OAAQ,sCACjB,IAGF,OAAOkO,EAAe6H,SACvB,EAEA1B,uBAAwB,WACvB,IAAI2B,EAAQ7X,IAAAA,WACZ,GAAKN,KAAKoY,oBAUTD,EAAMvM,QAAQ5L,KAAKoY,yBAVW,CAC9B,IAAIhI,EAAOpQ,KACXM,IAAAA,IAAMwC,GAAGuV,SAAS,OAAQ,mBAAoB,oBAAoB,SAASC,GAC1ElI,EAAKgI,oBAAsB9X,IAAEgY,GAC7BH,EAAMvM,QAAQwE,EAAKgI,oBACpB,IACEH,MAAK,WACLE,EAAMzC,QACP,GACF,CAGA,OAAOyC,EAAMD,SACd,GAGD,ICxvBMK,EAfqBC,EAACC,EAAQC,KACnC,IAAIC,EAAQF,EAAOjP,qBAAqB,QAAQ,GAAGC,aAAa,qBAEhE,MAAO,CACNmP,SAAUA,IAAMD,EAChBE,SAAUC,IACTH,EAAQG,EAERJ,EAAK,oBAAqB,CACzBC,SACC,EAEH,EAGyBH,CAAYjP,SAAUmP,EAAAA,IAKpCE,EAAWL,EAAmBK,SAK9BC,EAAWN,EAAmBM,SCpBrCE,GAAgB,SAAS3D,EAAK/R,GACnC,IACIoI,EACAuN,EAFAC,EAAU,GAMd,GAHAjZ,KAAKkZ,kBAAoB,GACzBlZ,KAAKmZ,QAAS,EACdnZ,KAAKoZ,UAAY,CAAC,EACd/V,EACH,IAAKoI,KAAQpI,EACZ4V,GAAWxN,EAAO,IAAM4N,mBAAmBhW,EAAKoI,IAAS,IAI3D,GADAwN,GAAW,gBAAkBI,mBAAmBT,KAC3C5Y,KAAKsZ,aAAsC,oBAAhBC,YAWzB,CACN,IAAIC,EAAW,yBAA2BT,GAAcU,YACxDV,GAAcW,gBAAgBX,GAAcU,aAAezZ,KAC3DA,KAAK2Z,OAASrZ,IAAE,qBAChBN,KAAK2Z,OAAO5D,KAAK,KAAMyD,GACvBxZ,KAAK2Z,OAAO1Z,OAEZ+Y,EAAW,KACe,IAAtB5D,EAAI1P,QAAQ,OACfsT,EAAW,KAEZhZ,KAAK2Z,OAAO5D,KAAK,MAAOX,EAAM4D,EAAW,6BAA+BD,GAAcU,YAAc,IAAMR,GAC1G3Y,IAAE,QAAQ0V,OAAOhW,KAAK2Z,QACtB3Z,KAAKsZ,aAAc,EACnBP,GAAcU,aACf,MAzBCT,EAAW,KACe,IAAtB5D,EAAI1P,QAAQ,OACfsT,EAAW,KAEZhZ,KAAK4Z,OAAS,IAAIL,YAAYnE,EAAM4D,EAAWC,GAC/CjZ,KAAK4Z,OAAOC,UAAY,SAASlF,GAChC,IAAK,IAAIlD,EAAI,EAAGA,EAAIzR,KAAKkZ,kBAAkBlX,OAAQyP,IAClDzR,KAAKkZ,kBAAkBzH,GAAG3I,KAAKgR,MAAMnF,EAAEtR,MAEzC,EAAEG,KAAKxD,MAkBRA,KAAK+Z,OAAO,eAAgB,SAAS1W,GACvB,UAATA,GACHrD,KAAKyX,OAEP,EAAEjU,KAAKxD,MACR,EACA+Y,GAAcW,gBAAkB,GAChCX,GAAcU,YAAc,EAC5BV,GAAciB,iBAAmB,SAASzU,EAAItC,EAAMI,GACnD0V,GAAcW,gBAAgBnU,GAAIyU,iBAAiB/W,EAAMI,EAC1D,EACA0V,GAAc9P,UAAY,CACzBiQ,kBAAmB,GACnBS,OAAQ,KACRP,UAAW,CAAC,EACZE,aAAa,EAWbU,iBAAkB,SAAS/W,EAAMI,GAChC,IAAIoO,EAEJ,IAAIzR,KAAKmZ,OAGT,GAAIlW,GACH,QAAmC,IAAxBjD,KAAKoZ,UAAUa,KACzB,IAAKxI,EAAI,EAAGA,EAAIzR,KAAKoZ,UAAUnW,GAAMjB,OAAQyP,IAC5CzR,KAAKoZ,UAAUnW,GAAMwO,GAAGpO,QAI1B,IAAKoO,EAAI,EAAGA,EAAIzR,KAAKkZ,kBAAkBlX,OAAQyP,IAC9CzR,KAAKkZ,kBAAkBzH,GAAGpO,EAG7B,EACA6W,WAAY,EAOZH,OAAQ,SAAS9W,EAAMlD,GAClBA,GAAYA,EAASY,OAEpBsC,EACCjD,KAAKsZ,aACHtZ,KAAKoZ,UAAUnW,KACnBjD,KAAKoZ,UAAUnW,GAAQ,IAExBjD,KAAKoZ,UAAUnW,GAAMyK,KAAK3N,IAE1BC,KAAK4Z,OAAOO,iBAAiBlX,GAAM,SAAS0R,QACrB,IAAXA,EAAEtR,KACZtD,EAAS+I,KAAKgR,MAAMnF,EAAEtR,OAEtBtD,EAAS,GAEX,IAAG,GAGJC,KAAKkZ,kBAAkBxL,KAAK3N,GAG/B,EAIA0X,MAAO,WACNzX,KAAKmZ,QAAS,OACa,IAAhBnZ,KAAK4Z,QACf5Z,KAAK4Z,OAAOnC,OAEd,GAGD,Y,gBCrIO,IAAI2C,GAAc,KACdC,GAAoB,KAWxB,MAyDMC,GAAY,SAASC,GACjC,GAAIH,GAAa,CAChB,MAAMI,EAAWJ,GACjBA,GAAY1X,QAAQ,IAAIpC,IAAAA,OAAQ,eAChC8Z,GAAYK,QC9EW,ID8EQ,WAC9BD,EAAS9X,QAAQ,IAAIpC,IAAAA,OAAQ,cACzBia,GACHA,EAASG,MAAM1a,KAAM6K,UAEvB,GACD,CAGAvK,IAAE,eAAeyV,KAAK,iBAAiB,GACnCsE,IACHA,GAAkBtE,KAAK,iBAAiB,GAGzCzV,IAAE,eAAemC,YAAY,cAC7B2X,GAAc,KACdC,GAAoB,IACrB,EEhGMM,KAAYxW,OAAOyW,Y,2BCiBzB,MA+DA,GA/Da,CAYZC,KAAMC,EAAAA,GAUNC,SAAQ,KAMRC,YAAaC,EAAAA,GAgBbC,UAAS,KAgBTC,gBAAeA,EAAAA,IAKhBC,KAAAA,eAA0B,KAAK,SAASzX,EAAKrC,GAC5C,OAAO4Z,EAAAA,EAAAA,IAAUvX,EAAKrC,EACvB,IC1EO,MCDP,IAMC+Z,WAAAA,CAAYC,GACXtb,KAAKub,YAAYD,EAAUnZ,EAAE,OAAQ,YACtC,EAQAoZ,WAAAA,CAAYD,EAAU/Q,GACrBjK,IAAEgb,GAAUha,KAAKiJ,GACf9H,YAAY,WACZA,YAAY,SACZ+Y,MAAK,GAAM,GACXna,MACH,EAYAoa,cAAAA,CAAeH,EAAU9T,GACxBxH,KAAK0b,eAAeJ,EAAU9T,EAC/B,EAYAkU,cAAAA,CAAeJ,EAAU9T,GACA,YAApBA,EAASpC,OACZpF,KAAK2b,gBAAgBL,EAAU9T,EAASnE,KAAKkH,SAE7CvK,KAAK4b,cAAcN,EAAU9T,EAASnE,KAAKkH,QAE7C,EAQAoR,eAAAA,CAAgBL,EAAU/Q,GACzBjK,IAAEgb,GAAUha,KAAKiJ,GACf5H,SAAS,WACTF,YAAY,SACZ+Y,MAAK,GAAM,GACXK,MAAM,KACNC,QAAQ,KACRza,MACH,EAQAua,aAAAA,CAAcN,EAAU/Q,GACvBjK,IAAEgb,GAAUha,KAAKiJ,GACf5H,SAAS,SACTF,YAAY,WACZpB,MACH,G,yBCtFD,UAEC2B,6BAA4BA,KACpB+Y,EAAAA,GAAAA,MAQRxY,2BAAAA,CAA4BxD,EAAUe,EAASkb,IAC9CC,EAAAA,GAAAA,MAAkBxV,KAAK1G,EAAUic,EAClC,GCnBD,IAKCE,SAAU,CAAC,EAQXnB,QAAAA,CAASoB,EAAYC,GACpB,IAAIC,EAAUrc,KAAKkc,SAASC,GACvBE,IACJA,EAAUrc,KAAKkc,SAASC,GAAc,IAEvCE,EAAQ3O,KAAK0O,EACd,EASAE,UAAAA,CAAWH,GACV,OAAOnc,KAAKkc,SAASC,IAAe,EACrC,EASAI,MAAAA,CAAOJ,EAAYK,EAAc1b,GAChC,MAAMub,EAAUrc,KAAKsc,WAAWH,GAChC,IAAK,IAAI1K,EAAI,EAAGA,EAAI4K,EAAQra,OAAQyP,IAC/B4K,EAAQ5K,GAAG8K,QACdF,EAAQ5K,GAAG8K,OAAOC,EAAc1b,EAGnC,EASA2b,MAAAA,CAAON,EAAYK,EAAc1b,GAChC,MAAMub,EAAUrc,KAAKsc,WAAWH,GAChC,IAAK,IAAI1K,EAAI,EAAGA,EAAI4K,EAAQra,OAAQyP,IAC/B4K,EAAQ5K,GAAGgL,QACdJ,EAAQ5K,GAAGgL,OAAOD,EAAc1b,EAGnC,GC9DY4b,GAAQvY,OAAOwY,QAAU,CAAC,E,2BCUvC,UAECC,UAAW,GAcXC,UAAAA,CAAWvU,EAAQnF,EAAKmR,GACvB,IAAIwI,EAOJ,GALCA,EADuB,iBAAZxU,EACCA,EAEAxF,GAAGia,iBAAiBzU,GAG7BnE,OAAO6Y,QAAQC,UAAW,CAK7B,GAJA9Z,EAAMA,GAAO+Z,SAASC,SAAW,IAAML,EAGrBM,UAAUC,UAAUC,cAAc5X,QAAQ,YAAc,GACzD6X,SAASH,UAAUC,UAAU7b,MAAM,KAAKqE,OAAS,GAAI,CACrE,MAAM2X,EAAWjU,SAASkU,iBAAiB,+DAC3C,IAAK,IAAiCC,EAA7BjM,EAAI,EAAGkM,EAAKH,EAASxb,OAAiByP,EAAIkM,EAAIlM,IACtDiM,EAAUF,EAAS/L,GAEnBiM,EAAQE,MAAMC,KAAOH,EAAQE,MAAMC,KAEnCH,EAAQE,MAAME,OAASJ,EAAQE,MAAME,OACrCJ,EAAQK,gBAAgB,UACxBL,EAAQM,aAAa,SAAU,eAEjC,CACI1J,EACHnQ,OAAO6Y,QAAQiB,aAAa3V,EAAQ,GAAInF,GAExCgB,OAAO6Y,QAAQC,UAAU3U,EAAQ,GAAInF,EAEvC,MAECgB,OAAO+Y,SAASgB,KAAO,IAAMpB,EAG7B9c,KAAKme,YAAa,CAEpB,EAWAlB,SAAAA,CAAU3U,EAAQnF,GACjBnD,KAAK6c,WAAWvU,EAAQnF,GAAK,EAC9B,EAaA8a,YAAAA,CAAa3V,EAAQnF,GACpBnD,KAAK6c,WAAWvU,EAAQnF,GAAK,EAC9B,EAOAib,oBAAAA,CAAqBC,GACpBre,KAAK4c,UAAUlP,KAAK2Q,EACrB,EAQAC,eAAAA,GACC,MAAMJ,EAAO/Z,OAAO+Y,SAASgB,KACvBK,EAAML,EAAKxY,QAAQ,KACzB,OAAI6Y,GAAO,EACHL,EAAKvY,OAAO4Y,EAAM,GAEtBL,EAAKlc,OAEDkc,EAAKvY,OAAO,GAEb,EACR,EAEA6Y,aAAaC,GACLA,EAAMnK,QAAQ,MAAO,KAS7BoK,aAAAA,GACC,MAAMD,EAAQze,KAAKse,kBACnB,IAAIhW,EAOJ,OALImW,IACHnW,EAASxF,GAAG6b,iBAAiB3e,KAAKwe,aAAaC,KAGhDnW,EAASnI,EAAAA,QAAAA,OAASmI,GAAU,CAAC,EAAGxF,GAAG6b,iBAAiB3e,KAAKwe,aAAatB,SAAS0B,UACxEtW,GAAU,CAAC,CACnB,EAEAuW,WAAAA,CAAYlK,GACX,GAAI3U,KAAKme,WAER,YADAne,KAAKme,YAAa,GAGnB,IAAI7V,EACJ,GAAKtI,KAAK4c,UAAU5a,OAApB,CAGAsG,EAAUqM,GAAKA,EAAEmK,MACb3e,EAAAA,QAAAA,SAAWmI,GACdA,EAASxF,GAAG6b,iBAAiBrW,GAClBA,IACXA,EAAStI,KAAK0e,iBAAmB,CAAC,GAEnC,IAAK,IAAIjN,EAAI,EAAGA,EAAIzR,KAAK4c,UAAU5a,OAAQyP,IAC1CzR,KAAK4c,UAAUnL,GAAGnJ,EARnB,CAUD,GCxJD,SAASyW,GAAS5c,GAEjB,MAAM6c,EAAK,GACX,IAGI/K,EAHAF,EAAI,EACJC,GAAK,EACLqC,EAAI,EAGR,KAAOtC,EAAI5R,EAAEH,QAAQ,CACpBiS,EAAI9R,EAAE8c,OAAOlL,GAEb,MAAMmL,GAAO7I,GAAW,MAANpC,GAAeA,GAAK,KAAOA,GAAK,IAC9CiL,IAAM7I,IAETrC,IACAgL,EAAGhL,GAAK,GACRqC,EAAI6I,GAELF,EAAGhL,IAAMC,EACTF,GACD,CACA,OAAOiL,CACR,CAOA,UAECG,QAAO,GAKP1L,c,SAAa,GAYb2L,gBAAAA,CAAiBC,GAChB,GAAsB,iBAAXA,EACV,OAAO,KAGR,MAAMC,EAAID,EAAO/B,cAAciC,OAC/B,IAAIC,EAAQ,KAEZ,MAcMC,EAAUH,EAAEI,MAAM,mDACxB,OAAgB,OAAZD,EAMI,MALPD,EAAQG,WAAWL,GACdM,SAASJ,IAMXC,EAAQ,KACXD,GAxBkB,CAClBK,EAAG,EACHC,EAAG,KACHC,GAAI,KACJC,GAAI,QACJd,EAAG,QACHe,GAAI,WACJC,EAAG,WACHC,GAAI,cACJhe,EAAG,cACHie,GAAI,gBACJC,EAAG,iBAawBZ,EAAQ,KAGpCD,EAAQ5O,KAAKC,MAAM2O,GACZA,GAVE,KAWV,EAOA7L,WAAUA,CAAC2M,EAAWC,UACEngB,IAAnB+D,OAAOqc,SACV1d,GAAG2d,OAAShgB,QAAQ6F,KAAK,+FAE1Bia,EAASA,GAAU,MACZG,KAAOJ,GAAWC,OAAOA,IAOjCI,oBAAAA,CAAqBL,QACGlgB,IAAnB+D,OAAOqc,SACV1d,GAAG2d,OAAShgB,QAAQ6F,KAAK,yGAE1B,MAAMsa,EAAOF,OAASE,KAAKF,KAAOJ,IAClC,OAAIM,GAAQ,GAAKA,EAAO,KAChBze,EAAE,OAAQ,eAEXue,KAAOJ,GAAWO,SAC1B,EAOAC,iBAAAA,GACC,GAAI9gB,KAAK+gB,gBACR,OAAO/gB,KAAK+gB,gBAGb,MAAMC,EAAQzX,SAAS8L,cAAc,KACrC2L,EAAMpD,MAAM7K,MAAQ,OACpBiO,EAAMpD,MAAM5K,OAAS,QAErB,MAAMiO,EAAQ1X,SAAS8L,cAAc,OACrC4L,EAAMrD,MAAMsD,SAAW,WACvBD,EAAMrD,MAAMuD,IAAM,MAClBF,EAAMrD,MAAMwD,KAAO,MACnBH,EAAMrD,MAAMyD,WAAa,SACzBJ,EAAMrD,MAAM7K,MAAQ,QACpBkO,EAAMrD,MAAM5K,OAAS,QACrBiO,EAAMrD,MAAM0D,SAAW,SACvBL,EAAMM,YAAYP,GAElBzX,SAAS5B,KAAK4Z,YAAYN,GAC1B,MAAMO,EAAKR,EAAMS,YACjBR,EAAMrD,MAAM0D,SAAW,SACvB,IAAII,EAAKV,EAAMS,YASf,OARID,IAAOE,IACVA,EAAKT,EAAMU,aAGZpY,SAAS5B,KAAKia,YAAYX,GAE1BjhB,KAAK+gB,gBAAmBS,EAAKE,EAEtB1hB,KAAK+gB,eACb,EAQAc,UAAUC,GAGF,IAAIC,KAAKD,EAAKE,cAAeF,EAAKG,WAAYH,EAAKI,WAW3DC,kBAAAA,CAAmBC,EAAGvC,GACrB,IAAI9L,EACJ,MAAMsO,EAAKtD,GAASqD,GACdE,EAAKvD,GAASc,GAEpB,IAAK9L,EAAI,EAAGsO,EAAGtO,IAAMuO,EAAGvO,GAAIA,IAC3B,GAAIsO,EAAGtO,KAAOuO,EAAGvO,GAAI,CACpB,MAAMwO,EAAOC,OAAOH,EAAGtO,IAAW0O,EAAOD,OAAOF,EAAGvO,IAGnD,OAAIwO,GAAQF,EAAGtO,IAAM0O,GAAQH,EAAGvO,GACxBwO,EAAOE,EAIPJ,EAAGtO,GAAG2O,cAAcJ,EAAGvO,GAAIjR,GAAG6f,cAEvC,CAED,OAAON,EAAGrgB,OAASsgB,EAAGtgB,MACvB,EAQA4gB,OAAAA,CAAQ7iB,EAAU8iB,GACjB,MAAMC,EAAmB,YACL,IAAf/iB,KACHgjB,WAAWD,EAAkBD,EAE/B,EAEAC,GACD,EASAE,kBAAAA,CAAmBvX,EAAMzH,GACxB,MAAMif,EAAU1Z,SAAS2Z,OAAO1hB,MAAM,KACtC,IAAK,IAAIiQ,EAAI,EAAGA,EAAIwR,EAAQjhB,OAAQyP,IAAK,CACxC,MAAMyR,EAASD,EAAQxR,GAAGjQ,MAAM,KAChC,GAAI0hB,EAAO,GAAG3D,SAAW9T,GAAQyX,EAAO,GAAG3D,SAAWvb,EACrD,OAAO,CAET,CACA,OAAO,CACR,GC3OYyc,GAFAtc,OAAOgf,UCApB,IAAIC,GAAUjf,OAAOkf,YAErB,QAAuB,IAAZD,GAAyB,CACnCA,GAAUlG,SAASC,SACnB,MAAMoB,EAAM6E,GAAQ1d,QAAQ,eAE3B0d,IADY,IAAT7E,EACO6E,GAAQzd,OAAO,EAAG4Y,GAElB6E,GAAQzd,OAAO,EAAGyd,GAAQE,YAAY,KAElD,CAEA,YC2EA,IAICC,SZ3FuB,CAAC,GAAI,QAAS,MAAO,cAAe,OAAQ,YY4FnEC,UZ3FwB,GY4FxBC,eZrF6B,GYsF7BC,kBZ3FgC,EY4FhCC,kBZzFgC,EY0FhCC,gBZ9F8B,EY+F9BC,gBZ7F8B,EY8F9BC,iBZ3F+B,GY4F/BC,kBZ9FgC,EY+FhCC,aZ3F2B,mBYuG3BC,kBAAmBrW,KAAWA,EAAK8R,MAAMwE,EAAOC,uBAChD5hB,KAAI,EACJ8B,UAAS,EACTH,UAAS,EACTkgB,aAAY,EACZzd,SAAQ,EACR0d,OAAQH,EAORva,YAAW,EACX2a,QAAS1a,EACT2P,YAAW,GAQXgL,ejB9H6BA,KACtB,CACNC,IAAK7a,EACLD,gBiB4HD+a,YXhI0BA,IAAM9J,GWiIhC+J,KAAI,GAOJC,2BAA4B1iB,EAC5B2iB,kB1BxH+B1c,KAIZ,IAAfA,EAAI9C,QAAoC,UAAnB8C,EAAI2c,YAA6C,YAAnB3c,EAAI2c,aAA4B/hB,GAAGgiB,iBAItF,CAAC,IAAK,IAAK,IAAK,KAAK3V,SAASjH,EAAI9C,UAAWmf,EAAAA,EAAAA,MAEhDxB,YAAW,WACV,IAAKjgB,GAAGiiB,wBAA0BjiB,GAAGgiB,cAAe,CACnD,IAAIE,EAAQ,EACZ,MAAMC,EAAU,EACVpC,EAAWqC,aAAY,WAC5BC,EAAaxjB,WAAW0U,EAAE,OAAQ,+CAAgD,gDAAiD4O,EAAUD,IACzIA,GAASC,IACZG,cAAcvC,GACd/f,GAAGuiB,UAEJL,GACD,GAAG,KAIHliB,GAAGgiB,eAAgB,CACpB,CACD,GAAG,KACsB,IAAf5c,EAAI9C,QAEd2d,YAAW,WACLjgB,GAAGiiB,uBAA0BjiB,GAAGgiB,eAEpChiB,GAAG6hB,4BAEL,GAAG,KACJ,E0BqFAW,8B1B1E4Cpd,IAmBxCA,EAAIiS,mBACPjS,EAAIiS,iBAAiB,QAnBDoL,KACG,IAAnBrd,EAAIsd,aAIHtd,EAAI9C,QAAU,KAAO8C,EAAI9C,OAAS,KAAuB,MAAf8C,EAAI9C,QAKnD9E,IAAEiJ,UAAU7G,QAAQ,IAAIpC,IAAAA,OAAQ,aAAc4H,GAAI,IAUlDA,EAAIiS,iBAAiB,SAPAsL,KAErBnlB,IAAEiJ,UAAU7G,QAAQ,IAAIpC,IAAAA,OAAQ,aAAc4H,EAAI,IAMnD,E0B4DAwd,gBCjJ8BA,KAC9B5iB,GAAG2d,OAAShgB,QAAQ6F,KAAK,sGAClBqf,EAAAA,GAAAA,MDoJPrL,UAAS,GACTsL,ab9I2B,SAASC,EAASC,EAASC,EAAQC,GAC9DF,EAAQnjB,SAAS,QACjB,MAAMsjB,EAAiD,MAA5BJ,EAAQ5P,KAAK,YAAkD,WAA5B4P,EAAQ5P,KAAK,WAI3E4P,EAAQ9N,GAAGkO,EAAqB,aAAe,yBAAyB,SAASC,GAEhFA,EAAMC,iBAGFD,EAAMriB,KAAqB,UAAdqiB,EAAMriB,MAInBiiB,EAAQM,GAAGhM,IACdE,MAEUF,IAGVE,MAGkB,IAAf0L,GACHF,EAAQxP,SAAS3T,SAAS,cAI3BkjB,EAAQ9P,KAAK,iBAAiB,GAE9B+P,EAAQO,YChDe,GDgDQN,GAC/B3L,GAAc0L,EACdzL,GAAoBwL,GACrB,GACD,Ea4GCS,SbxDuBA,CAACT,EAASC,EAASvL,KACtCuL,EAAQM,GAAGhM,MAGfE,KACAF,GAAc0L,EACdzL,GAAoBwL,EACpBC,EAAQpjB,QAAQ,IAAIpC,IAAAA,OAAQ,eAC5BwlB,EAAQzkB,OACRykB,EAAQpjB,QAAQ,IAAIpC,IAAAA,OAAQ,cAExBH,EAAAA,QAAAA,WAAaoa,IAChBA,IACD,Ea4CAgM,ebrG6BA,CAACV,EAASC,KAEnCA,EAAQM,GAAGhM,KACdE,KAEDuL,EAAQW,IAAI,cAAc/jB,YAAY,cACtCqjB,EAAQrjB,YAAY,OAAO,EauG3B+K,SAAQ,KAIRiZ,WAAU,KAIVC,QAAO,KAIPC,WAAU,KAIVC,UAAS,KAKTC,QE/KsBA,IAAM1iB,OAAO+Y,SAAS4J,KFgL5CC,YEtK0BA,IAAM5iB,OAAO+Y,SAAS8J,SFuKhDC,QE7JsBA,IAAM9iB,OAAO+Y,SAASgK,KF8J5CC,YElM0BA,IAAMhjB,OAAO+Y,SAASkK,SAAS5lB,MAAM,KAAK,GFuMpE6lB,mBAAkB,KAIlBC,UAAS,KAIT3E,YAAW,KAKX5F,iBnB1JoBzU,GACfA,EAGEhI,IAAAA,IAAMgI,GAAQ,SAAStE,EAAOH,GACpC,IAAIyb,EAAIjG,mBAAmBxV,GAI3B,OAHIG,UACHsb,GAAK,IAAMjG,mBAAmBrV,IAExBsb,CACR,IAAG7d,KAAK,KARA,GmByJRkd,iBnB7MoB4I,IACpB,IAAIhJ,EACAiJ,EACJ,MAAM1iB,EAAS,CAAC,EAChB,IAAIjB,EACJ,IAAK0jB,EACJ,OAAO,KAERhJ,EAAMgJ,EAAY7hB,QAAQ,KACtB6Y,GAAO,IACVgJ,EAAcA,EAAY5hB,OAAO4Y,EAAM,IAExC,MAAM3Y,EAAQ2hB,EAAYjT,QAAQ,MAAO,OAAO9S,MAAM,KACtD,IAAK,IAAIiQ,EAAI,EAAGA,EAAI7L,EAAM5D,OAAQyP,IAAK,CAEtC,MAAMgW,EAAO7hB,EAAM6L,GACnB8M,EAAMkJ,EAAK/hB,QAAQ,KAElB8hB,EADGjJ,GAAO,EACG,CACZkJ,EAAK9hB,OAAO,EAAG4Y,GACfkJ,EAAK9hB,OAAO4Y,EAAM,IAIN,CAACkJ,GAEVD,EAAWxlB,SAGhB6B,EAAM6jB,mBAAmBF,EAAW,IAC/B3jB,IAKJiB,EAAOjB,GADJ2jB,EAAWxlB,OAAS,EACT0lB,mBAAmBF,EAAW,IAG9B,MAEhB,CACA,OAAO1iB,CAAM,EmBsKb6iB,IAAG,GACHxC,aAAY,EAIZpiB,qBAAoB,GACpB6kB,QAAO,GACPlL,MAAK,GACLlJ,KAAI,GACJiN,MAAK,GAILpI,SAAUwP,EAAAA,GAIVC,YAAW,KAIXC,KG5OkB3e,GH4OTjF,OG5OoBsH,IAC7B,MAAMuc,EAAavc,EAAKjK,MAAM,KACxBymB,EAAOD,EAAWniB,MAExB,IAAK,IAAI4L,EAAI,EAAGA,EAAIuW,EAAWhmB,OAAQyP,IAEtC,KADArI,GAAUA,GAAQ4e,EAAWvW,KAE5B,OAAO,EAGT,OAAOrI,GAAQ6e,EAAK,GHsOpBC,IG5NkB9e,IAAW,CAACqC,EAAMzH,KACpC,MAAMgkB,EAAavc,EAAKjK,MAAM,KACxBymB,EAAOD,EAAWniB,MAExB,IAAK,IAAI4L,EAAI,EAAGA,EAAIuW,EAAWhmB,OAAQyP,IACjCrI,EAAQ4e,EAAWvW,MACvBrI,EAAQ4e,EAAWvW,IAAM,CAAC,GAE3BrI,EAAUA,EAAQ4e,EAAWvW,IAG9B,OADArI,EAAQ6e,GAAQjkB,EACTA,CAAK,EHiNPkkB,CAAI/jB,QAITgkB,YAAaC,EAAAA,GAIbC,UAAS,KACTC,SIzPuBC,IAAepkB,OAAO+Y,SAAWqL,CAAS,EJ0PjElD,OInPqBA,KAAQlhB,OAAO+Y,SAASmI,QAAQ,EJoPrDhe,aAAcmhB,IAIdC,OAAM,KAONC,UAAWA,CAACC,EAASC,KACbxlB,EAAAA,EAAAA,IAAeulB,EAAS,CAAC,EAAG,CAClCE,WAAYD,GAAW,IACnB,IAKNE,aAAcC,EAAAA,GACdC,iBTrQ+BL,IACxBM,EAAAA,EAAAA,MAAmB,eAAiBN,ES8Q3CvF,QAAOA,IGzRWha,QH6RnB8f,EAAAA,EAAAA,IAAU,qBAAqBvU,IAC9B7R,GAAGuE,aAAesN,EAAEgE,MAGpBlY,QAAQgK,KAAK,0BAA2BkK,EAAEgE,MAAM,I,gBKxRjD,IAAI0L,GAAS,KAKb,MAmDM8E,GAAOC,UACZ,IACC,MAAMzQ,OAbSyQ,WAChB,MAAMjmB,GAAM2kB,EAAAA,EAAAA,IAAY,cAOxB,aAFmBxnB,IAAAA,IAAM6C,IAEbwV,KAAK,EAKIC,GACpByQ,EAAgB1Q,EACjB,CAAE,MAAOhE,GACRlU,QAAQC,MAAM,2BAA4BiU,EAC3C,GAGK2U,GAAeA,KACpB,MAAMzG,EAAWqC,YAAYiE,GAAsB,IArChCI,MACnB,IAAI1G,EAAW2G,IAMf,OALInF,GAAOoF,mBACV5G,EAAWjS,KAAKwB,MAAMiS,GAAOoF,iBAAmB,IAI1C7Y,KAAK0E,IACX,MACA1E,KAAKkC,IACJ,GACA4W,MAAM7G,GAAY,IAAMA,GAEzB,EAwBkC0G,IAInC,OAFA9oB,QAAQgK,KAAK,qCAENoY,CAAQ,ECpFhB,I,YCoBA,MCpB2G,GDoB3G,CACEpX,KAAM,eACNke,MAAO,CAAC,SACR1kB,MAAO,CACLoF,MAAO,CACLpH,KAAM2mB,QAERC,UAAW,CACT5mB,KAAM2mB,OACNE,QAAS,gBAEXpW,KAAM,CACJzQ,KAAMuf,OACNsH,QAAS,M,gBEff,UAXgB,QACd,ICRW,WAAkB,IAAIC,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,qCAAqC/jB,MAAM,CAAC,cAAc2jB,EAAI1f,MAAQ,KAAO,OAAO,aAAa0f,EAAI1f,MAAM,KAAO,OAAO0N,GAAG,CAAC,MAAQ,SAASqS,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4B/jB,MAAM,CAAC,KAAO2jB,EAAIF,UAAU,MAAQE,EAAIrW,KAAK,OAASqW,EAAIrW,KAAK,QAAU,cAAc,CAACsW,EAAG,OAAO,CAAC5jB,MAAM,CAAC,EAAI,wRAAwR,CAAE2jB,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIS,GAAGT,EAAI1f,UAAU0f,EAAIU,UACvyB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,Q,sIEgChC,MClDmL,GDkDnL,CACAhf,KAAA,UACA+b,WAAA,CACAkD,aAAA,KACAC,aAAA,KACAC,UAAA,KACAC,SAAAA,GAAAA,GAEA5lB,MAAA,CACA6lB,QAAA,CACAC,UAAA,EACA9nB,KAAA4D,SAGAmkB,SAAA,CACAC,OAAAA,GACA,YAAAH,QAAAI,UACA,MAAAJ,QAAAI,aAAA,KAAAJ,QAAAG,SAEA,KAAAH,QAAAG,OACA,EACAE,mBAAAA,GACA,QAAAL,QAAA1lB,OACA,OACAA,OAAA,KAAA0lB,QAAA1lB,OACAmF,QAAA,KAAAugB,QAAAM,cACArd,KAAA,KAAA+c,QAAAO,WAIA,I,0JErEIvqB,GAAU,CAAC,EAEfA,GAAQwqB,kBAAoB,KAC5BxqB,GAAQyqB,cAAgB,KACxBzqB,GAAQ0qB,OAAS,UAAc,KAAM,QACrC1qB,GAAQ2qB,OAAS,KACjB3qB,GAAQ4qB,mBAAqB,KAEhB,KAAI,KAAS5qB,IAKJ,MAAW,KAAQ6qB,QAAS,KAAQA,OCL1D,UAXgB,QACd,ICTW,WAAkB,IAAI5B,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,KAAK,CAACG,YAAY,WAAW,CAACH,EAAG,WAAW,CAACG,YAAY,kBAAkB/jB,MAAM,CAAC,KAAO,GAAG,KAAO2jB,EAAIe,QAAQc,OAAS7B,EAAIe,QAAQtG,SAAMpkB,EAAU,cAAc2pB,EAAIe,QAAQc,OAAO,gBAAe,EAAK,eAAe7B,EAAIe,QAAQe,YAAY,wBAAwB9B,EAAIoB,uBAAuBpB,EAAIQ,GAAG,KAAKP,EAAG,IAAI,CAACG,YAAY,gBAAgB/jB,MAAM,CAAC,KAAO2jB,EAAIe,QAAQgB,YAAc/B,EAAIe,QAAQI,WAAWa,YAAY,CAAC/B,EAAG,MAAM,CAACG,YAAY,4BAA4B,CAACJ,EAAIQ,GAAGR,EAAIS,GAAGT,EAAIe,QAAQkB,aAAajC,EAAIQ,GAAG,KAAMR,EAAIe,QAAQmB,YAAajC,EAAG,MAAM,CAACG,YAAY,+BAA+B,CAACJ,EAAIQ,GAAGR,EAAIS,GAAGT,EAAIe,QAAQmB,gBAAgBlC,EAAIU,KAAKV,EAAIQ,GAAG,KAAMR,EAAIe,QAAQM,cAAepB,EAAG,MAAM,CAACG,YAAY,iCAAiC,CAACJ,EAAIQ,GAAGR,EAAIS,GAAGT,EAAIe,QAAQM,kBAAkBpB,EAAG,MAAM,CAACG,YAAY,gCAAgC,CAACJ,EAAIQ,GAAGR,EAAIS,GAAGT,EAAIe,QAAQoB,eAAe,SAASnC,EAAIQ,GAAG,KAAMR,EAAIkB,QAAQjpB,OAAQgoB,EAAG,YAAY,CAAC5jB,MAAM,CAAC,OAAS2jB,EAAIe,QAAQI,UAAY,EAAI,IAAI,CAACnB,EAAIoC,GAAIpC,EAAIkB,SAAS,SAASmB,EAAOC,GAAK,MAAO,CAAuB,MAArBD,EAAOL,UAAmB/B,EAAG,eAAe,CAACnmB,IAAIwoB,EAAIlC,YAAY,gBAAgB/jB,MAAM,CAAC,KAAOgmB,EAAOL,WAAWO,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,OAAO2I,GAAG,WAAW,MAAO,CAACwd,EAAG,MAAM,CAACG,YAAY,wBAAwB/jB,MAAM,CAAC,cAAc,OAAO,IAAMgmB,EAAOre,QAAQ,EAAEye,OAAM,IAAO,MAAK,IAAO,CAACzC,EAAIQ,GAAG,aAAaR,EAAIS,GAAG4B,EAAO/hB,OAAO,cAAc2f,EAAG,eAAe,CAACnmB,IAAIwoB,EAAIlC,YAAY,gBAAgBmC,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,OAAO2I,GAAG,WAAW,MAAO,CAACwd,EAAG,MAAM,CAACG,YAAY,wBAAwB/jB,MAAM,CAAC,cAAc,OAAO,IAAMgmB,EAAOre,QAAQ,EAAEye,OAAM,IAAO,MAAK,IAAO,CAACzC,EAAIQ,GAAG,aAAaR,EAAIS,GAAG4B,EAAO/hB,OAAO,cAAc,KAAI,GAAG0f,EAAIU,MAAM,EACjuD,GACsB,IDUpB,EACA,KACA,WACA,MAI8B,Q,gBEXhC,MAYA,GAXc,QADIgC,IAYOlI,EAAAA,EAAAA,QAVhBmI,EAAAA,GAAAA,MACLC,OAAO,QACPthB,SAEIqhB,EAAAA,GAAAA,MACLC,OAAO,QACPC,OAAOH,GAAKjI,KACZnZ,QATeohB,QAciBC,EAAAA,GAAAA,MACjCC,OAAO,kBACPE,aACAxhB,QAHK,MCdP,IACChI,KAAIA,KACI,CACNP,GAAEA,KAGJgqB,QAAS,CACR3qB,EAAG4qB,GAAK7R,UAAU1X,KAAKupB,IACvB1W,EAAG0W,GAAK5R,gBAAgB3X,KAAKupB,M,gBCiE/B,UACAthB,KAAA,eAEA+b,WAAA,CACAwF,QAAA,GACAC,SAAA,GACAC,QAAA,KACAC,SAAA,KACAC,eAAA,KACAC,aAAA,KACAC,cAAA,KACAC,YAAAA,GAAAA,GAGAC,OAAA,CAAAC,IAEApqB,IAAAA,GACA,MAAAopB,GAAAlI,EAAAA,EAAAA,MACA,OACAmJ,oBAAA,EACAC,gBAAA7F,EAAAA,EAAAA,IAAA,kBACA8F,oBAAA9F,EAAAA,EAAAA,IAAA,kCACA+F,cAAApB,EAAA9R,QACAmT,SAAA,GACAC,iBAAA3tB,EACAM,OAAA,EACAstB,WAAA,GAEA,EAEAlB,QAAA,CACA,gBAAAmB,SACA,KAAAC,YAAA,GACA,EACA,iBAAAA,CAAAF,GAEA,KAAAD,YADA,KAAAC,GACA7rB,EAAAA,EAAAA,IAAA,mCAEAA,EAAAA,EAAAA,IAAA,+BACAgsB,KAAAH,IAKA,KAAAttB,OAAA,EAEA,IACA,MAAA2C,MAAA,SAAAyqB,EAAA,mBAAAJ,UAAAU,GAAAA,GAAAC,MAAAvG,EAAAA,EAAAA,IAAA,2BACA1Z,OAAA4f,IAEA,KAAAF,SAAAA,EACA,KAAAJ,mBAAAA,EACA,KAAAK,iBAAA3tB,CACA,OAAAM,GACA4tB,GAAA5tB,MAAA,2BACAA,QACAstB,eAEA,KAAAttB,OAAA,CACA,CACA,EACA6tB,iBAAAC,MAAA,WACA,KAAAN,YAAA,KAAAF,WACA,QAKAS,OAAAA,GACA,KAAAT,WAAA,GACA,KAAAF,SAAA,GACA,KAAAY,YACA,EAKAA,UAAAA,GACA,KAAAC,WAAA,KACA,KAAAC,MAAAC,kBAAAC,QACA,KAAAF,MAAAC,kBAAAE,QAAA,GAEA,ICnKkL,M,gBCW9K,GAAU,CAAC,EAEf,GAAQzD,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCL1D,UAXgB,QACd,IfTW,WAAkB,IAAI5B,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,eAAe,CAACG,YAAY,eAAe/jB,MAAM,CAAC,GAAK,eAAe,aAAa2jB,EAAI5nB,EAAE,OAAQ,oBAAoB4V,GAAG,CAAC,KAAOgS,EAAIkE,YAAY3B,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,UAAU2I,GAAG,WAAW,MAAO,CAACwd,EAAG,WAAW,CAACG,YAAY,6BAA6B/jB,MAAM,CAAC,KAAO,MAAM,EAAEomB,OAAM,MAAS,CAACzC,EAAIQ,GAAG,KAAKP,EAAG,MAAM,CAACG,YAAY,sBAAsB,CAACH,EAAG,MAAM,CAACG,YAAY,qCAAqC,CAACH,EAAG,cAAc,CAACgF,IAAI,oBAAoB7E,YAAY,6BAA6B/jB,MAAM,CAAC,GAAK,6BAA6B,MAAQ2jB,EAAIiE,WAAW,uBAAuB,QAAQ,MAAQjE,EAAI5nB,EAAE,OAAQ,mBAAmB,wBAAwB4nB,EAAI5nB,EAAE,OAAO,gBAAgB,uBAA0C,KAAnB4nB,EAAIiE,WAAkB,YAAcjE,EAAI5nB,EAAE,OAAQ,sBAAsB4V,GAAG,CAAC,eAAe,SAASqS,GAAQL,EAAIiE,WAAW5D,CAAM,EAAE,MAAQL,EAAIwE,iBAAiB,wBAAwBxE,EAAI0E,YAAY,GAAG1E,EAAIQ,GAAG,KAAMR,EAAIrpB,MAAOspB,EAAG,iBAAiB,CAAC5jB,MAAM,CAAC,KAAO2jB,EAAI5nB,EAAE,OAAQ,iCAAiCmqB,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,OAAO2I,GAAG,WAAW,MAAO,CAACwd,EAAG,WAAW,EAAEwC,OAAM,IAAO,MAAK,EAAM,aAAczC,EAAIgE,YAAa/D,EAAG,iBAAiB,CAAC5jB,MAAM,CAAC,KAAO2jB,EAAIgE,aAAazB,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,OAAO2I,GAAG,WAAW,MAAO,CAACwd,EAAG,iBAAiB,EAAEwC,OAAM,OAAmC,IAAxBzC,EAAI+D,SAAS9rB,OAAcgoB,EAAG,iBAAiB,CAAC5jB,MAAM,CAAC,KAAO2jB,EAAI5nB,EAAE,OAAQ,sBAAsBmqB,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,OAAO2I,GAAG,WAAW,MAAO,CAACwd,EAAG,WAAW,EAAEwC,OAAM,OAAUxC,EAAG,MAAM,CAACG,YAAY,+BAA+B,CAACH,EAAG,MAAM,CAAC5jB,MAAM,CAAC,GAAK,0BAA0B,CAAC4jB,EAAG,KAAKD,EAAIoC,GAAIpC,EAAI+D,UAAU,SAAShD,GAAS,OAAOd,EAAG,UAAU,CAACnmB,IAAIinB,EAAQvlB,GAAGa,MAAM,CAAC,QAAU0kB,IAAU,IAAG,KAAKf,EAAIQ,GAAG,KAAMR,EAAI2D,mBAAoB1D,EAAG,MAAM,CAACG,YAAY,uCAAuC,CAACH,EAAG,WAAW,CAAC5jB,MAAM,CAAC,KAAO,WAAW,KAAO2jB,EAAI4D,iBAAiB,CAAC5D,EAAIQ,GAAG,eAAeR,EAAIS,GAAGT,EAAI5nB,EAAE,OAAQ,sBAAsB,iBAAiB,GAAI4nB,EAAI8D,cAAe7D,EAAG,MAAM,CAACG,YAAY,uCAAuC,CAACH,EAAG,WAAW,CAAC5jB,MAAM,CAAC,KAAO,WAAW,KAAO2jB,EAAI6D,qBAAqB,CAAC7D,EAAIQ,GAAG,eAAeR,EAAIS,GAAGT,EAAI5nB,EAAE,OAAQ,6BAA6B,iBAAiB,GAAG4nB,EAAIU,QAAQ,IACluE,GACsB,IeUpB,EACA,KACA,WACA,MAI8B,QCnBhC,I,YCoBA,MCpByG,GDoBzG,CACEhf,KAAM,aACNke,MAAO,CAAC,SACR1kB,MAAO,CACLoF,MAAO,CACLpH,KAAM2mB,QAERC,UAAW,CACT5mB,KAAM2mB,OACNE,QAAS,gBAEXpW,KAAM,CACJzQ,KAAMuf,OACNsH,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIC,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,mCAAmC/jB,MAAM,CAAC,cAAc2jB,EAAI1f,MAAQ,KAAO,OAAO,aAAa0f,EAAI1f,MAAM,KAAO,OAAO0N,GAAG,CAAC,MAAQ,SAASqS,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4B/jB,MAAM,CAAC,KAAO2jB,EAAIF,UAAU,MAAQE,EAAIrW,KAAK,OAASqW,EAAIrW,KAAK,QAAU,cAAc,CAACsW,EAAG,OAAO,CAAC5jB,MAAM,CAAC,EAAI,iFAAiF,CAAE2jB,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIS,GAAGT,EAAI1f,UAAU0f,EAAIU,UAC9lB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB6N,ICIhOwE,EAAAA,EAAAA,IAAiB,CAC1CC,OAAQ,cACRjqB,MAAO,CACHtB,IAAK,MAETwrB,KAAAA,CAAMC,GACF,MAAMnqB,EAAQmqB,EACRC,GAAarE,EAAAA,EAAAA,KAAS,IAAMpB,OAAO3kB,EAAMtB,IAAI2rB,OAAS,KACtDC,GAAYvE,EAAAA,EAAAA,KAAS,IACE,SAArBqE,EAAWrrB,MACJ,GAEJiB,EAAMtB,IAAI8H,MACVxG,EAAMtB,IAAI2rB,OAAS,EAAI,MAAKjZ,EAAAA,EAAAA,GAAE,OAAQ,uBAAwB,wBAAyBpR,EAAMtB,IAAI2rB,OAAQ,CAAElZ,MAAOnR,EAAMtB,IAAI2rB,YAAe,MAEtJ,MAAO,CAAEE,OAAO,EAAMvqB,QAAOoqB,aAAYE,YAAWE,QAAOA,GAC/D,I,gBCTA,GAAU,CAAC,EAEf,GAAQnE,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCL1D,UAXgB,QACd,IFTW,WAAkB,IAAI5B,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAG0F,EAAO3F,EAAIE,MAAM0F,YAAY,OAAO3F,EAAG,OAAO,CAACG,YAAY,gBAAgB/jB,MAAM,CAAC,KAAO,MAAM,cAAcspB,EAAOL,WAAW,aAAaK,EAAOH,YAAY,CAACvF,EAAG,MAAM,CAACG,YAAY,sBAAsB/jB,MAAM,CAAC,IAAM2jB,EAAIpmB,IAAIoK,KAAK,IAAM,MAAMgc,EAAIQ,GAAG,KAAMR,EAAIpmB,IAAI2rB,OAAQtF,EAAG0F,EAAOD,QAAQ,CAACtF,YAAY,wBAAwB/jB,MAAM,CAAC,KAAO,MAAM2jB,EAAIU,MAAM,EACha,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnB8N,ICGjOwE,EAAAA,EAAAA,IAAiB,CAC1CC,OAAQ,eACRjqB,MAAO,CACHtB,IAAK,MAETwrB,KAAAA,CAAMC,GACF,MAAMnqB,EAAQmqB,EACRQ,GAAmBZ,EAAAA,EAAAA,MACnBa,GAAeb,EAAAA,EAAAA,MACfc,GAAad,EAAAA,EAAAA,KAAI,GAEvB,SAASe,IACL,MAAMC,EAAWJ,EAAiB5rB,MAAM2d,YAExCmO,EAAW9rB,MAASgsB,EAAmC,GAAxB/qB,EAAMtB,IAAI8H,KAAKzJ,OAAiB6tB,EAAa7rB,MAAMisB,WACtF,CAIA,OAFAC,EAAAA,EAAAA,IAAUH,IACVI,EAAAA,EAAAA,KAAM,IAAMlrB,EAAMtB,IAAI8H,MAAMskB,GACrB,CAAEP,OAAO,EAAMvqB,QAAO2qB,mBAAkBC,eAAcC,aAAYC,gBAAeK,YAAWA,GACvG,I,gBCZA,GAAU,CAAC,EAEf,GAAQ9E,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,O,gBCbtD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCJ1D,UAXgB,QACd,IHVW,WAAkB,IAAI5B,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAG0F,EAAO3F,EAAIE,MAAM0F,YAAY,OAAO3F,EAAG,KAAK,CAACgF,IAAI,mBAAmB7E,YAAY,iBAAiBkG,MAAM,CACjK,yBAA0BtG,EAAIpmB,IAAI2sB,OAClC,4BAA6BZ,EAAOI,aAClC,CAAC9F,EAAG,IAAI,CAACG,YAAY,uBAAuB/jB,MAAM,CAAC,KAAO2jB,EAAIpmB,IAAIuB,KAAK,MAAQ6kB,EAAIpmB,IAAI8H,KAAK,iBAAese,EAAIpmB,IAAI2sB,QAAS,OAAe,OAASvG,EAAIpmB,IAAI8J,OAAS,cAAWrN,EAAU,IAAM2pB,EAAIpmB,IAAI8J,OAAS,2BAAwBrN,IAAY,CAAC4pB,EAAG0F,EAAOU,YAAY,CAACjG,YAAY,uBAAuB/jB,MAAM,CAAC,IAAM2jB,EAAIpmB,OAAOomB,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACgF,IAAI,eAAe7E,YAAY,yBAAyB,CAACJ,EAAIQ,GAAG,WAAWR,EAAIS,GAAGT,EAAIpmB,IAAI8H,MAAM,aAAa,IAChd,GACsB,IGQpB,EACA,KACA,WACA,MAI8B,QbXhC,IAAe8kB,EAAAA,EAAAA,IAAgB,CAC3B9kB,KAAM,UACN+b,WAAY,CACRgJ,aAAY,GACZ5F,UAAS,KACTF,aAAYA,GAAAA,GAEhByE,KAAAA,GACI,MAAMsB,GAAUzB,EAAAA,EAAAA,OACRjc,MAAO2d,IAAiBC,EAAAA,GAAAA,KAAeF,GAC/C,MAAO,CACHtuB,EAAC,IACDkU,EAAC,IACDoa,UACAC,eAER,EACArtB,KAAIA,KAEO,CACHutB,SAFYC,EAAAA,GAAAA,GAAU,OAAQ,OAAQ,MAK9C7F,SAAU,CACN8F,QAAAA,GACI,MAAMC,EAAUngB,KAAKwB,MAAM,KAAKse,aAAe,IAC/C,OAAIK,EAAU,KAAKH,QAAQ5uB,OAEhB4O,KAAKkC,IAAIie,EAAU,EAAG,GAE1BA,CACX,EACAC,WAAAA,GACI,OAAO,KAAKJ,QAAQ/jB,MAAM,EAAG,KAAKikB,SACtC,EACAG,cAAAA,GACI,OAAO,KAAKL,QAAQ/jB,MAAM,KAAKikB,SACnC,GAEJI,OAAAA,IACIhI,EAAAA,EAAAA,IAAU,6BAA8B,KAAKiI,QACjD,EACAC,aAAAA,IACIC,EAAAA,EAAAA,IAAY,6BAA8B,KAAKF,QACnD,EACArE,QAAS,CACLwE,oBAAAA,CAAqB/rB,EAAIgsB,GACrB,MAAM5tB,EAAM,KAAKitB,QAAQ7uB,MAAKyvB,IAAA,IAAC,IAAE7tB,GAAK6tB,EAAA,OAAK7tB,IAAQ4B,CAAE,IACjD5B,EACA,KAAK8tB,KAAK9tB,EAAK,SAAU4tB,GAGzBjD,GAAOhoB,KAAK,uBAAuBf,kCAE3C,EACA4rB,OAAAA,CAAOO,GAAW,IAAV,KAAEC,GAAMD,EACZ,KAAKd,QAAUe,CACnB,KclEsO,M,gBCW1O,GAAU,CAAC,EAEf,GAAQrG,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCL1D,UAXgB,QACd,IhBTW,WAAkB,IAAI5B,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAM0F,YAAmB3F,EAAG,MAAM,CAACgF,IAAI,UAAU7E,YAAY,WAAW/jB,MAAM,CAAC,aAAa2jB,EAAI5nB,EAAE,OAAQ,uBAAuB,CAAC6nB,EAAG,KAAK,CAACG,YAAY,iBAAiB/jB,MAAM,CAAC,aAAa2jB,EAAI5nB,EAAE,OAAQ,UAAU4nB,EAAIoC,GAAIpC,EAAIiH,aAAa,SAASrtB,GAAK,OAAOqmB,EAAG,eAAe,CAACnmB,IAAIF,EAAI4B,GAAGa,MAAM,CAAC,IAAMzC,IAAM,IAAG,GAAGomB,EAAIQ,GAAG,KAAKP,EAAG,YAAY,CAACG,YAAY,qBAAqB/jB,MAAM,CAAC,aAAa2jB,EAAI5nB,EAAE,OAAQ,eAAe4nB,EAAIoC,GAAIpC,EAAIkH,gBAAgB,SAASttB,GAAK,OAAOqmB,EAAG,eAAe,CAACnmB,IAAIF,EAAI4B,GAAG4kB,YAAY,2BAA2B/jB,MAAM,CAAC,iBAAezC,EAAI2sB,QAAS,OAAe,KAAO3sB,EAAIuB,KAAK,KAAOvB,EAAIoK,OAAO,CAACgc,EAAIQ,GAAG,WAAWR,EAAIS,GAAG7mB,EAAI8H,MAAM,WAAW,IAAG,IAAI,EAC9uB,GACsB,IgBUpB,EACA,KACA,WACA,MAI8B,QCnBhC,I,WAMA,MAAM,eAAEmmB,KAAmBf,EAAAA,GAAAA,GAAU,cAAe,iBAAkB,CAAEe,gBAAgB,IACxF,IAAerB,EAAAA,EAAAA,IAAgB,CAC3B9kB,KAAM,0BACN+b,WAAY,CACRqK,WAAU,KACVvE,cAAaA,GAAAA,GAEjBroB,MAAO,CACHM,GAAI,CACAtC,KAAM2mB,OACNmB,UAAU,GAEdtf,KAAM,CACFxI,KAAM2mB,OACNmB,UAAU,GAEd7lB,KAAM,CACFjC,KAAM2mB,OACNmB,UAAU,GAEduF,OAAQ,CACJrtB,KAAM6uB,QACN/G,UAAU,IAGlBoE,MAAKA,KACM,CACHyC,kBACAloB,aAAa6a,EAAAA,EAAAA,MAAiB7a,cAGtCrG,KAAIA,KACO,CACH0uB,SAAS,IAGjBb,OAAAA,IACIhI,EAAAA,EAAAA,IAAU,mCAAoC,KAAK8I,6BACnD9I,EAAAA,EAAAA,IAAU,gCAAiC,KAAK+I,wBACpD,EACAb,aAAAA,IACIC,EAAAA,EAAAA,IAAY,mCAAoC,KAAKW,6BACrDX,EAAAA,EAAAA,IAAY,gCAAiC,KAAKY,wBACtD,EACAnF,QAAS,CACLoF,WAAAA,GACQ,KAAKN,iBACL,KAAKG,SAAU,EAEvB,EACAC,0BAAAA,CAA2BJ,GACvB,KAAKA,eAAiBA,CAC1B,EACAK,uBAAAA,CAAwBvoB,GACpB,KAAKA,YAAcA,CACvB,KC7D+P,MCkBvQ,IAXgB,QACd,IFRW,WAAkB,IAAIqgB,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAM0F,YAAmB3F,EAAG,aAAa,CAAC5jB,MAAM,CAAC,GAAK2jB,EAAI6H,oBAAiBxxB,EAAY2pB,EAAIxkB,GAAG,YAAYwkB,EAAIxkB,GAAG,OAASwkB,EAAIuG,OAAO,QAAU,GAAG,KAAOvG,EAAI6H,eAAiB7H,EAAI7kB,UAAO9E,EAAU,KAAO2pB,EAAIrgB,YAAY,OAAS,SAAS4iB,YAAYvC,EAAIwC,GAAG,CAAExC,EAAI6H,eAAgB,CAAC/tB,IAAI,UAAU2I,GAAG,WAAW,MAAO,CAACud,EAAIQ,GAAG,SAASR,EAAIS,GAAGT,EAAIte,MAAM,QAAQ,EAAE+gB,OAAM,GAAM,KAAMzC,EAAIgI,QAAS,CAACluB,IAAI,YAAY2I,GAAG,WAAW,MAAO,CAACwd,EAAG,iBAAiB,EAAEwC,OAAM,GAAM,MAAM,MAAK,IAC/hB,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QCchC2F,IAAAtB,EAAAA,GAAAA,GAAA,yBChC4L,GDkC5L,CACAplB,KAAA,mBAEA+b,WAAA,CACAqK,WAAA,KACAvE,cAAAA,GAAAA,GAGAroB,MAAA,CACAM,GAAA,CACAtC,KAAA2mB,OACAmB,UAAA,GAEAtf,KAAA,CACAxI,KAAA2mB,OACAmB,UAAA,GAEA7lB,KAAA,CACAjC,KAAA2mB,OACAmB,UAAA,GAEAuF,OAAA,CACArtB,KAAA6uB,QACA/G,UAAA,GAEAhd,KAAA,CACA9K,KAAA2mB,OACAmB,UAAA,IAIA1nB,KAAAA,KACA,CACA0uB,SAAA,IAIA/G,SAAA,CACAoH,UAAAA,GACA,cAAArkB,UAAAokB,IACA,GAGArF,QAAA,CACAoF,WAAAA,GACA,KAAAH,SAAA,CACA,I,gBErEI,GAAU,CAAC,EAEf,GAAQzG,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCL1D,UAXgB,QACd,ICTW,WAAkB,IAAI5B,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,aAAa,CAACG,YAAY,qBAAqB/jB,MAAM,CAAC,GAAK2jB,EAAI7kB,UAAO9E,EAAY2pB,EAAIxkB,GAAG,YAAYwkB,EAAIxkB,GAAG,OAASwkB,EAAIuG,OAAO,QAAU,GAAG,KAAOvG,EAAI7kB,KAAK,KAAO6kB,EAAIte,KAAK,OAAS,SAAS6gB,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,OAAO2I,GAAG,WAAW,MAAO,CAACwd,EAAG,MAAM,CAACG,YAAY,2BAA2BkG,MAAM,CAAE,mCAAoCtG,EAAIuG,QAASlqB,MAAM,CAAC,IAAM2jB,EAAIqI,WAAW,IAAM,MAAM,EAAE5F,OAAM,GAAOzC,EAAIgI,QAAS,CAACluB,IAAI,YAAY2I,GAAG,WAAW,MAAO,CAACwd,EAAG,iBAAiB,EAAEwC,OAAM,GAAM,MAAM,MAAK,IAC7jB,GACsB,IDUpB,EACA,KACA,WACA,MAI8B,QEL1B6F,GCDE,CAAC,CACPpvB,KAAM,SACNiI,OAAO/I,EAAAA,EAAAA,IAAE,cAAe,WACtB,CACFc,KAAM,OACNiI,OAAO/I,EAAAA,EAAAA,IAAE,cAAe,SACtB,CACFc,KAAM,MACNiI,OAAO/I,EAAAA,EAAAA,IAAE,cAAe,kBACxBmwB,SAASnwB,EAAAA,EAAAA,IAAE,cAAe,2BACxB,CACFc,KAAM,YACNiI,OAAO/I,EAAAA,EAAAA,IAAE,cAAe,aACxBmwB,SAASnwB,EAAAA,EAAAA,IAAE,cAAe,oBC1BsN,IFenOouB,EAAAA,EAAAA,IAAgB,CAC3B9kB,KAAM,cACN+b,WAAY,CACR+K,iBAAgB,GAChBC,wBAAuB,GACvB3H,SAAQ,KACRwC,aAAYA,GAAAA,GAEhB8B,KAAAA,GACI,MAAMsD,GAAqB5B,EAAAA,GAAAA,GAAU,OAAQ,qBAAsB,CAAC,IAC5D6B,QAASC,KAAiBC,GAAiBH,EACnD,MAAO,CACHI,oBAAoBtO,EAAAA,EAAAA,OAAkB7a,cAAe6a,EAAAA,EAAAA,MAAiBC,IACtEsO,eAAevO,EAAAA,EAAAA,MAAiBC,IAChCmO,eACAC,eACAzwB,EAACA,EAAAA,EAET,EACAkB,KAAIA,KACO,CACH0vB,gBAAgB,EAChBC,WAAY,CACR5tB,OAAQ,KACR2I,KAAM,KACNxD,QAAS,QAIrBygB,SAAU,CACNiI,oBAAAA,GACI,MAAO,IACA,KAAKD,WACR5tB,OAAQ,KAAK8tB,gBAAgB,KAAKF,WAAW5tB,QAErD,EACA+tB,iBAAAA,GAKI,MAJoB,EAChBhxB,EAAAA,EAAAA,GAAE,OAAQ,0BAA2B,CAAEuH,YAAa,KAAKmpB,wBACtDhsB,OAAOusB,OAAO,KAAKH,sBAAsB7kB,OAAO0jB,UACrDrwB,KAAK,MAEX,GAEJ,aAAM4xB,GACF,KAAK3N,EAAAA,GAAAA,MAAmB4N,aAAaC,QACjC,OAEJ,MAAMpwB,GAAMC,EAAAA,EAAAA,IAAe,wCAC3B,IACI,MAAMoE,QAAiB4mB,GAAAA,GAAMrG,IAAI5kB,IAC3B,OAAEiC,EAAM,KAAE2I,EAAI,QAAExD,GAAY/C,EAASnE,KAAKmwB,IAAInwB,KACpD,KAAK2vB,WAAa,CAAE5tB,SAAQ2I,OAAMxD,UACtC,CACA,MAAOoK,GACH2Z,GAAO5tB,MAAM,6BACjB,CACA,KAAKqyB,gBAAiB,CAC1B,EACA7B,OAAAA,IACIhI,EAAAA,EAAAA,IAAU,6BAA8B,KAAKuK,0BAC7C/a,EAAAA,EAAAA,IAAK,yBACT,EACAoU,QAAS,CACL2G,uBAAAA,CAAwB3U,GAChB,KAAKgU,gBAAkBhU,EAAM4U,SAC7B,KAAKV,WAAa,CACd5tB,OAAQ0Z,EAAM1Z,OACd2I,KAAM+Q,EAAM/Q,KACZxD,QAASuU,EAAMvU,SAG3B,EACA2oB,eAAAA,CAAgB9tB,GACZ,MAAMuuB,EAAY9sB,OAAO+sB,YAAYvB,GAAwBtlB,KAAIykB,IAAA,IAAC,KAAEvuB,EAAI,MAAEiI,GAAOsmB,EAAA,MAAK,CAACvuB,EAAMiI,EAAM,KACnG,OAAIyoB,EAAUvuB,GACHuuB,EAAUvuB,GAEdA,CACX,K,gBGnFJ,GAAU,CAAC,EAEf,GAAQkmB,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCL1D,UAXgB,QACd,IJTW,WAAkB,IAAI5B,EAAI/pB,KAAKgqB,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAM0F,YAAmB3F,EAAG,eAAe,CAACG,YAAY,eAAe/jB,MAAM,CAAC,GAAK,YAAY,SAAS,GAAG,aAAa2jB,EAAI5nB,EAAE,OAAQ,iBAAiB,YAAc4nB,EAAIoJ,mBAAmB7G,YAAYvC,EAAIwC,GAAG,CAAC,CAAC1oB,IAAI,UAAU2I,GAAG,WAAW,MAAO,CAACwd,EAAG,WAAW,CAACnmB,IAAI+lB,OAAOG,EAAIgJ,gBAAgB5I,YAAY,uBAAuB/jB,MAAM,CAAC,eAAe,GAAG,kBAAkB,GAAG,mBAAmB2jB,EAAIgJ,eAAe,KAAOhJ,EAAI+I,cAAc,wBAAwB/I,EAAIiJ,cAAc,EAAExG,OAAM,MAAS,CAACzC,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,sBAAsB,CAACH,EAAG,0BAA0B,CAAC5jB,MAAM,CAAC,GAAK2jB,EAAI4I,aAAaptB,GAAG,KAAOwkB,EAAI4I,aAAalnB,KAAK,KAAOse,EAAI4I,aAAaztB,KAAK,OAAS6kB,EAAI4I,aAAarC,UAAUvG,EAAIQ,GAAG,KAAKR,EAAIoC,GAAIpC,EAAI6I,cAAc,SAASiB,GAAO,OAAO7J,EAAG,mBAAmB,CAACnmB,IAAIgwB,EAAMtuB,GAAGa,MAAM,CAAC,GAAKytB,EAAMtuB,GAAG,KAAOsuB,EAAMpoB,KAAK,KAAOooB,EAAM3uB,KAAK,OAAS2uB,EAAMvD,OAAO,KAAOuD,EAAM9lB,OAAO,KAAI,IACl9B,GACsB,IIUpB,EACA,KACA,WACA,MAI8B,QCC1B+lB,GAAkB3wB,IACvB,MAAM4wB,EAAmB5vB,OAAO+Y,SAASkK,SAAW,KAAOjjB,OAAO+Y,SAAS4J,MAAOsB,EAAAA,EAAAA,MAGlF,OAAOjlB,EAAIyJ,WAAWmnB,IAZA5wB,KACdA,EAAIyJ,WAAW,cAAgBzJ,EAAIyJ,WAAW,WAYjDonB,CAAc7wB,IAAQA,EAAIyJ,YAAWwb,EAAAA,EAAAA,MAAc,EAQ5C6L,GAAoBA,KACC,IAASC,EASjBC,EATzBC,eAAenrB,UAAUirB,MAAiBA,EAOvCE,eAAenrB,UAAUirB,KANpB,SAAStxB,EAAQO,EAAKimB,GAC5B8K,EAAKxZ,MAAM1a,KAAM6K,WACbipB,GAAe3wB,KAASnD,KAAKmI,kBAAkB,qBAClDnI,KAAKq0B,iBAAiB,mBAAoB,iBAE5C,GAGDlwB,OAAOgwB,OAAkBA,EAqBtBhwB,OAAOgwB,MApBF,CAACG,EAAUxzB,IAEZgzB,GAAeQ,EAASnxB,KAAOmxB,EAAS/yB,aAGxCT,IACJA,EAAU,CAAC,GAEPA,EAAQoF,UACZpF,EAAQoF,QAAU,IAAIquB,SAGnBzzB,EAAQoF,mBAAmBquB,UAAYzzB,EAAQoF,QAAQsuB,IAAI,oBAC9D1zB,EAAQoF,QAAQ8P,OAAO,mBAAoB,kBACjClV,EAAQoF,mBAAmBW,SAAW/F,EAAQoF,QAAQ,sBAChEpF,EAAQoF,QAAQ,oBAAsB,kBAGhCiuB,EAAMG,EAAUxzB,IAffqzB,EAAMG,EAAUxzB,GAiBV,ECvDjB,SAAS2zB,GAAyBnzB,GAC9B,MAAMozB,EAAWnrB,SAAS8L,cAAc,YAClCsf,EAAkBprB,SAASqrB,eAAetzB,GAChDozB,EAASnT,YAAYoT,GACrBprB,SAAS5B,KAAK4Z,YAAYmT,GAC1BA,EAAS5F,MAAM,CAAE+F,eAAe,IAChCH,EAAS3F,SACT,IAGIxlB,SAASurB,YAAY,OACzB,CACA,MAAOC,GACH5wB,OAAOqH,QAAOrJ,EAAAA,EAAAA,GAAE,OAAQ,iDAAkDb,GAC1Eb,QAAQC,MAAM,mDAAoDq0B,EACtE,CACAxrB,SAAS5B,KAAKia,YAAY8S,EAC9B,CCPA,MAEMM,GAAqBA,KAE1B9P,aAAY,KACX5kB,IAAE,4BAA4BD,MAAK,WAClC,MAAMigB,EAAY/C,SAASjd,IAAEN,MAAM+V,KAAK,kBAAmB,IAC3DzV,IAAEN,MAAMsB,KAAKof,KAAOJ,GAAWO,UAChC,GAAE,GACA,IAAU,EAMRoU,GAAgB,CACrBC,GAAI,QACJC,QAAS,QACTC,WAAY,QACZC,WAAY,QACZC,WAAY,QACZC,WAAY,QACZC,QAAS,QACTC,WAAY,QACZC,WAAY,QACZC,WAAY,SAEb,IAAIC,GAAS9yB,GAAGwkB,YACZzgB,OAAOoC,UAAU4sB,eAAel1B,KAAKs0B,GAAeW,MACvDA,GAASX,GAAcW,KAMxBlV,KAAAA,OAAckV,IAKP,MAAME,GAAWA,KAqDvB,GApDA7B,KD7BQ9vB,OAAOiZ,WAAW2Y,WAAWC,YAC9Bv1B,QAAQgK,KAAK,4DACb5D,OAAOovB,eAAe9xB,OAAOiZ,UAAW,YAAa,CACjDpZ,MAAO,CACHgyB,UAAWvB,IAEfyB,UAAU,KC0BrB51B,IAAE6D,QAAQ4T,GAAG,eAAe,KAAQjV,GAAGqzB,eAAgB,CAAI,IAC3D71B,IAAE6D,QAAQ4T,GAAG,qBAAqB,KAOjCgL,YAAW,KACVjgB,GAAGiiB,uBAAwB,EAK3BhC,YAAW,KACLjgB,GAAGqzB,gBACPrzB,GAAGiiB,uBAAwB,EAC5B,GACE,IAAM,GACP,EAAE,IAENzkB,IAAEiJ,UAAUwO,GAAG,kBAAkB,SAASmO,EAAOpe,EAASsuB,GACrDA,GAAYA,EAASC,iBAGzBvzB,GAAG8hB,kBAAkB9c,EACtB,IjDsCmCwuB,MAKnC,GAjHkBC,MAClB,IACClS,IAASwM,EAAAA,GAAAA,GAAU,OAAQ,SAC5B,CAAE,MAAOlc,GAER0P,GAASvhB,GAAGuhB,MACb,GAuGAkS,GAzC0BC,MAC1B,IAAKnS,GAAOoS,eAAgBlS,EAAAA,EAAAA,MAC3B,OAGD,IAAImS,EAAa3U,KAAK4U,MACtBxyB,OAAOgW,iBAAiB,aAAaxF,IACpC+hB,EAAa3U,KAAK4U,MAClBC,aAAaC,QAAQ,aAAcH,EAAW,IAG/CvyB,OAAOgW,iBAAiB,cAAcxF,IACrC+hB,EAAa3U,KAAK4U,MAClBC,aAAaC,QAAQ,aAAcH,EAAW,IAG/CvyB,OAAOgW,iBAAiB,WAAWxF,IACpB,eAAVA,EAAE9Q,MAGN6yB,EAAa/hB,EAAEmiB,SAAQ,IAGxB,IAAIC,EAAa,EAUjBA,EAAa7R,aATO8R,KACnB,MAAMh2B,EAAU+gB,KAAK4U,MAAkC,IAA1BtS,GAAOoF,iBACpC,GAAIiN,EAAa11B,EAAS,CACzBi2B,aAAaF,GACbt2B,QAAQgK,KAAK,0CACb,MAAMysB,GAAYpP,EAAAA,EAAAA,IAAY,WAAa,iBAAmBzO,mBAAmBmP,KACjFrkB,OAAO+Y,SAAWga,CACnB,IAEqC,IAAK,EAU3CV,QAhGoCp2B,IAA7BikB,GAAO8S,oBACR9S,GAAO8S,kBAmGZ,YADA12B,QAAQgK,KAAK,8BAGd,IAAIoY,EAAWyG,KAEfnlB,OAAOgW,iBAAiB,UAAUiP,UACjC3oB,QAAQgK,KAAK,+CACboY,EAAWyG,KACX,UACOH,KACN1oB,QAAQgK,KAAK,8DAGbiO,EAAAA,EAAAA,IAAK,gBAAiB,CACrBpV,SAAS,GAEX,CAAE,MAAOqR,GACRlU,QAAQC,MAAM,wDAAyDiU,IAGvE+D,EAAAA,EAAAA,IAAK,gBAAiB,CACrBpV,SAAS,GAEX,KAEDa,OAAOgW,iBAAiB,WAAW,KAClC1Z,QAAQgK,KAAK,2CAGbiO,EAAAA,EAAAA,IAAK,iBAAkB,CAAC,GAExB0M,cAAcvC,GACdpiB,QAAQgK,KAAK,oCAAoC,GAChD,EiD3EF6rB,GAEAxzB,GAAG8iB,aAAatlB,IAAE,WAAYA,IAAE,eAAe,GAAO,GAGtDA,IAAEiJ,UAAUwO,GAAG,sBAAsBmO,IACpC,MAAM1jB,EAAMlC,IAAE4lB,EAAMzY,QACpB,GAAIjL,EAAIoV,QAAQ,SAAS5V,QAAUQ,EAAIoV,QAAQ,eAAe5V,OAE7D,OAAO,EAGRc,GAAGwX,WAAW,IC7FK8c,MAEpBC,EAAAA,GAAIC,MAAM,CACTxK,QAAS,CACR3qB,EAAC,KACDkU,EAACA,EAAAA,MAIH,MAAMkhB,EAAYhuB,SAASiuB,eAAe,yBAC1C,IAAKD,EAEJ,OAED,MACM9G,EAAU,IADG4G,EAAAA,GAAII,OAAOC,IACd,CAAe,CAAC,GAAGC,OAAOJ,GAE1C1wB,OAAOC,OAAOhE,GAAI,CACjBwuB,oBAAAA,CAAqB/rB,EAAIgsB,GACxBd,EAAQa,qBAAqB/rB,EAAIgsB,EAClC,GACC,ED2EFqG,GEjGoBR,MACpB,MAAMS,EAAatuB,SAASiuB,eAAe,aACvCK,GAEH,IAAIR,EAAAA,GAAI,CACP5rB,KAAM,kBACNqsB,GAAID,EACJE,OAAQC,GAAKA,EAAEC,KAEjB,EFyFAC,GG/FoBd,MACpB,MAAMS,EAAatuB,SAASiuB,eAAe,gBACvCK,GAEH,IAAIR,EAAAA,GAAI,CACP5rB,KAAM,mBACNqsB,GAAID,EACJE,OAAQC,GAAKA,EAAEG,KAEjB,EHuFAC,GAII93B,IAAE,mBAAmB0B,SAAW1B,IAAE,QAAQ+3B,SAAS,UAClD/3B,IAAE,gBAAgB+3B,SAAS,cAAe,CAG9C,MAAMC,EAAU,IAAIC,KAAK,CACxBC,QAASjvB,SAASiuB,eAAe,eACjCiB,QAAS,QACTC,YAAa,IACbC,gBAAiB,MAGlBr4B,IAAE,gBAAgBs4B,QAAQ,8FAK1B,IAAIC,GAAY,EAChBP,EAAQvgB,GAAG,aAAa,KAGvB8gB,GAAY,CAAI,IAEjBP,EAAQvgB,GAAG,YAAY,KACtB8gB,GAAY,CAAK,IAElBP,EAAQvgB,GAAG,SAAS,KAEnB8gB,GAAY,CAAI,IAEjBP,EAAQvgB,GAAG,OAAO,KAEjB8gB,GAAY,CAAK,IAElBP,EAAQvgB,GAAG,QAAQ,KAClB+gB,EAAe/iB,KAAK,cAAe,QAAQ,IAE5CuiB,EAAQvgB,GAAG,SAAS,KACnB+gB,EAAe/iB,KAAK,cAAe,OAAO,IAS3C,MAAMgjB,EAAiBT,EAAQpE,KACzB8E,EAAkBV,EAAQ7gB,MAC1BwhB,EAAeA,KAChBJ,GAAuC,WAA1BP,EAAQxZ,QAAQA,OAGjCia,EAAe,OAAO,EAGjBG,EAAgBA,KACjBL,GAAuC,WAA1BP,EAAQxZ,QAAQA,OAGjCka,GAAiB,EAQb70B,OAAOqc,UACX8X,EAAQpE,KAAO,KACd/zB,EAAAA,QAAAA,MAAQ84B,EAAa,EAEtBX,EAAQ7gB,MAAQ,KACftX,EAAAA,QAAAA,MAAQ+4B,EAAc,GAIxB54B,IAAE,0BAA0B6W,OAAOxC,IAEJ,SAA1B2jB,EAAQxZ,QAAQA,OACnBwZ,EAAQpE,MACT,IAED5zB,IAAE,0BAA0B64B,UAASxkB,IACN,SAA1B2jB,EAAQxZ,QAAQA,MACnBwZ,EAAQ7gB,QAER6gB,EAAQpE,MACT,IAID,MAAM4E,EAAiBx4B,IAAE,mBACzBw4B,EAAe/iB,KAAK,cAAe,QACnC+iB,EAAeM,SAAS,aAAc,SAASlT,IAC9C,MAAMmT,EAAU/4B,IAAE4lB,EAAMzY,QAEpB4rB,EAAQjT,GAAG,4BACXiT,EAAQzhB,QAAQ,2BAA2B5V,QAG3Cq3B,EAAQjT,GAAG,4CACXiT,EAAQzhB,QAAQ,2CAA2C5V,QAG3Dq3B,EAAQjT,GAAG,aACXiT,EAAQzhB,QAAQ,YAAY5V,QAG5Bq3B,EAAQjT,GAAG,kBACXiT,EAAQzhB,QAAQ,iBAAiB5V,QAGrCs2B,EAAQ7gB,OAAO,IAGhB,IAAI6hB,GAAmC,EACnCC,GAAmC,EACnCC,GAAyC,EAE7C12B,GAAG22B,+BAAiC,KACnCF,GAAmC,EAE/BC,IACHlB,EAAQoB,SAERJ,GAAmC,EACnCE,GAAyC,EAC1C,EAGD12B,GAAG62B,kCAAoC,KAGtC,GAFAJ,GAAmC,EAE/BD,EAAkC,CACrC,MAAMM,GAAiB,EACvBtB,EAAQG,QAAQmB,GAEhBN,GAAmC,EACnCE,GAAyC,CAC1C,GAGD,MAAMK,EAAsBA,KACvBv5B,IAAE6D,QAAQ4O,QA5Oa,MA6O1B+lB,EAAe/iB,KAAK,cAAe,SACnCuiB,EAAQ7gB,QACR6gB,EAAQG,UAERa,GAAmC,EACnCE,GAAyC,GAC/BD,GACVjB,EAAQoB,SAERJ,GAAmC,EACnCE,GAAyC,GAEzCA,GAAyC,CAC1C,EAGDl5B,IAAE6D,QAAQ21B,OAAO35B,EAAAA,QAAAA,SAAW05B,EAAqB,MAGjDA,GAED,CAEA7E,IAAoB,E,wBI5QjB,GAAU,CAAC,EAEf,GAAQ1J,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,O,gBCbtD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,O,yECbtD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,O,kCCbtD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OAAnD,MCNDoO,GAAW,2FAKV,SAASC,GAAYzqB,GAC3B,OAAOvP,KAAKi6B,gBAAgB1qB,EAC7B,CAKO,SAAS2qB,GAAY3qB,GAC3B,OAAOvP,KAAKm6B,iBAAiB5qB,EAC9B,CAKO,SAAS0qB,GAAgB1qB,GAC/B,OAAOA,EAAQ+E,QAAQylB,IAAU,SAAS55B,EAAGi6B,EAAchT,EAAUjkB,EAAKk3B,GACzE,IAAIC,EAAWn3B,EAOf,OANKikB,EAEmB,YAAbA,IACVkT,EAAWlT,EAAWjkB,GAFtBikB,EAAW,WAKLgT,EAAe,uEAAyEhT,EAAWjkB,EAAM,KAAOm3B,EAAW,OAASD,CAC5I,GACD,CAKO,SAASF,GAAiB5qB,GAChC,MAAMgrB,EAAWj6B,IAAE,eAAeO,KAAK0O,GAKvC,OAJAgrB,EAASx4B,KAAK,KAAK1B,MAAK,WACvB,MAAMm6B,EAAQl6B,IAAEN,MAChBw6B,EAAM35B,KAAK25B,EAAMzkB,KAAK,QACvB,IACOwkB,EAAS15B,MACjB,CChDO,SAAS4d,GAAM3d,GAErB,MAAM25B,GADN35B,EAAUA,GAAW,CAAC,GACS45B,SAAW,CAAC,EAC3Cp6B,IAAAA,KAAO,CACN2C,KAAM,MACNE,IAAKrC,EAAQqC,MAAOC,EAAAA,EAAAA,IAAe,6BACnCE,QAASxC,EAAQwC,SAAW,SAASD,EAAMwhB,EAAY3c,IA8BzD,SAAwB7E,EAAMwhB,EAAY3c,EAAKuyB,GAI9C,GAHAh6B,QAAQggB,MAAM,2CAA6CoE,GAC3DpkB,QAAQggB,MAAMpd,GAEK,MAAf6E,EAAI9C,OACP,OAGD,IAAIu1B,EAAMC,EAAUt5B,EAAMyM,EAE1B,MAAM8sB,EAAMtxB,SAAS8L,cAAc,OACnCwlB,EAAIC,UAAUC,IAAI,cAAe,OAAQ,kBAAmB,aAE5D,MAAMC,EAAOzxB,SAAS8L,cAAc,MAGpCslB,EAAOpxB,SAAS8L,cAAc,MAC9BulB,EAAWrxB,SAAS8L,cAAc,QAClCulB,EAASK,UAAY,WAErB35B,EAAOiI,SAAS8L,cAAc,QAC9B/T,EAAK45B,UAAY/4B,EAAE,OAAQ,UAAY,IAAMkB,EAAKmwB,IAAInwB,KAAK83B,QAC3D75B,EAAK25B,UAAY,UACjBL,EAASrZ,YAAYjgB,GAErByM,EAAOxE,SAAS8L,cAAc,QAC9BtH,EAAKktB,UAAY,aACjBltB,EAAKqtB,QAAU,WACdV,GAAQr3B,EAAKmwB,IAAInwB,KAAKulB,QAAS6R,EAChC,EACAG,EAASrZ,YAAYxT,GAErB4sB,EAAKpZ,YAAYqZ,GACjBI,EAAKzZ,YAAYoZ,GAGjB,IAAK,MAAMlpB,KAAKpO,EAAKmwB,IAAInwB,KAAKg4B,SAASC,QAAS,CAC/C,MAAMC,EAAmBl4B,EAAKmwB,IAAInwB,KAAKg4B,SAASC,QAAQ7pB,GACxDkpB,EAAOpxB,SAAS8L,cAAc,MAE9BulB,EAAWrxB,SAAS8L,cAAc,QAClCulB,EAASK,UAAY,WAErBltB,EAAOxE,SAAS8L,cAAc,QAC9BtH,EAAKktB,UAAY,iBACjBL,EAASrZ,YAAYxT,GAErBzM,EAAOiI,SAAS8L,cAAc,KAC9B/T,EAAKk6B,UAAYr7B,EAAAA,QAAAA,OAASo7B,GAC1BX,EAASrZ,YAAYjgB,GAErBq5B,EAAKpZ,YAAYqZ,GACjBI,EAAKzZ,YAAYoZ,EAClB,CAGKx6B,EAAAA,QAAAA,YAAckD,EAAKmwB,IAAInwB,KAAKo4B,gBAChCd,EAAOpxB,SAAS8L,cAAc,MAE9BulB,EAAWrxB,SAAS8L,cAAc,KAClCulB,EAAS11B,KAAO7B,EAAKmwB,IAAInwB,KAAKo4B,aAC9Bb,EAASc,IAAM,sBACfd,EAASntB,OAAS,SAElBM,EAAOxE,SAAS8L,cAAc,QAC9BtH,EAAKktB,UAAY,YACjBL,EAASrZ,YAAYxT,GAErBzM,EAAOiI,SAAS8L,cAAc,QAC9B/T,EAAK45B,UAAY/4B,EAAE,OAAQ,kBAC3By4B,EAASrZ,YAAYjgB,GAErBq5B,EAAKpZ,YAAYqZ,GACjBI,EAAKzZ,YAAYoZ,IAGlBE,EAAItZ,YAAYyZ,GAChBzxB,SAAS5B,KAAK4Z,YAAYsZ,EAC3B,CA3GGc,CAAet4B,EAAMwhB,EAAY3c,EAAKuyB,EACvC,EACA/5B,MAAOI,EAAQJ,OAASk7B,IAE1B,CAMO,SAASlB,GAAQ9R,EAAS9nB,GAChCA,EAAUA,GAAW,CAAC,EACtBR,IAAAA,KAAO,CACN2C,KAAM,OACNE,IAAKrC,EAAQqC,MAAOC,EAAAA,EAAAA,IAAe,iBACnCC,KAAM,CAAEulB,QAASvP,mBAAmBuP,IACpCtlB,QAASxC,EAAQwC,SAAWu4B,GAC5Bn7B,MAAOI,EAAQJ,OAASo7B,KAGzBx7B,IAAE,oBAAoBoX,QACvB,CA6FA,SAASkkB,GAAa7nB,EAAG5R,EAAGwS,GAC3BlU,QAAQggB,MAAM,iDAAmDte,EAAIwS,GACrElU,QAAQggB,MAAM1M,EACf,CAKA,SAAS8nB,GAAiBx4B,GACzB,CAMD,SAASy4B,GAAez4B,GACvB5C,QAAQggB,MAAM,mDAAqDpd,EACpE,CCnIA,UAIC04B,yBAAwBA,KAChBlL,EAAAA,GAAAA,GAAU,UAAW,qBAAqB,GAElDmL,eAbM,SAAwBC,GAC9B,MAAMC,EAAY3yB,SAASiuB,eAAe,wBACtC0E,IACHA,EAAUC,YAAcF,EAE1B,G,2BCDA,MAAMG,GAAQ,CAAC,EAsBf,IAMCC,YAAAA,CAAap5B,EAAMq5B,GAClBF,GAAMn5B,GAAQq5B,CACf,EACA55B,QAAQO,GACAm5B,GAAMn5B,GAAMmpB,SAEpBmQ,SAAQA,IACA11B,OAAO21B,KAAKJ,IAEpBK,QAAQx5B,GACAm5B,GAAMn5B,GAAMy5B,eAAiB,GAErCC,SAAS15B,GACDvB,KAAW06B,GAAMn5B,GAAM25B,YAAc35B,GAE7C45B,QAAOA,CAAC55B,EAAMsC,SAEiB,IAAhB62B,GAAMn5B,GAAwBm5B,GAAMn5B,GAAM65B,KAAKv3B,GAAM,ICvD/Dw3B,GAAgB,CAAC,EACjBC,GAAoB,CAAC,EAK3B,IASCC,UAAAA,CAAWt5B,EAAKiK,GACf,MAAM/J,EAAMF,EAAMiK,EAClB,OAAI/G,OAAOoC,UAAU4sB,eAAel1B,KAAKo8B,GAAel5B,GAChD8H,QAAQC,WAEhBmxB,GAAcl5B,IAAO,EACd,IAAI8H,SAAQ,SAASC,EAAS8J,GACpC,MAAMwnB,GAAarV,EAAAA,EAAAA,IAAiBlkB,EAAK,KAAMiK,GACzCuvB,EAAS5zB,SAAS8L,cAAc,UACtC8nB,EAAO/nB,IAAM8nB,EACbC,EAAOnf,aAAa,QAASof,KAAKt6B,GAAGuE,eACrC81B,EAAOzoB,OAAS,IAAM9I,IACtBuxB,EAAOE,QAAU,IAAM3nB,EAAO,IAAI9M,MAAM,8BAA8Bs0B,MACtE3zB,SAAS+zB,KAAK/b,YAAY4b,EAC3B,IACD,EASAI,cAAAA,CAAe55B,EAAKiK,GACnB,MAAM/J,EAAMF,EAAMiK,EAClB,OAAI/G,OAAOoC,UAAU4sB,eAAel1B,KAAKq8B,GAAmBn5B,GACpD8H,QAAQC,WAEhBoxB,GAAkBn5B,IAAO,EAClB,IAAI8H,SAAQ,SAASC,EAAS8J,GACpC,MAAM8nB,GAAY3V,EAAAA,EAAAA,IAAiBlkB,EAAK,MAAOiK,GACzCkvB,EAAOvzB,SAAS8L,cAAc,QACpCynB,EAAK53B,KAAOs4B,EACZV,EAAK75B,KAAO,WACZ65B,EAAKpB,IAAM,aACXoB,EAAKpoB,OAAS,IAAM9I,IACpBkxB,EAAKO,QAAU,IAAM3nB,EAAO,IAAI9M,MAAM,kCAAkC40B,MACxEj0B,SAAS+zB,KAAK/b,YAAYub,EAC3B,IACD,GChDD,IAQCx5B,QAAOA,CAAChC,EAAMR,KACN28B,EAAAA,EAAAA,IAAYn8B,EAAMR,GAS1B48B,QAAOA,CAACp8B,EAAMR,KACNoB,EAAAA,EAAAA,IAAYZ,EAAMR,GAS1BJ,MAAKA,CAACY,EAAMR,KACJ68B,EAAAA,EAAAA,IAAUr8B,EAAMR,GASxB2J,KAAIA,CAACnJ,EAAMR,KACH88B,EAAAA,EAAAA,IAASt8B,EAAMR,GASvByJ,QAAOA,CAACjJ,EAAMR,KACNK,EAAAA,EAAAA,IAAYG,EAAMR,IC9C3B,IACC+8B,cAAa,GACbx5B,UAAS,EACTy5B,cAAa,GACbC,SAAQ,EACRC,aAAc,CAIbnN,UAASA,GAAAA,GAEVoN,OAAM,GAINC,MAAK,GACLC,SAAQA,GCAHC,GAAmB,gBACDh+B,IAAnB+D,OAAOqc,SACV1d,GAAG2d,OAAShgB,QAAQ6F,KAAKoU,MAAMja,QAASoK,UAE1C,EAqBMwzB,GAAoBA,CAAC5lB,EAAQ6lB,EAAI3W,MACrC4W,MAAMC,QAAQ/lB,GAAUA,EAAS,CAACA,IAASvL,SAAQuL,SAC5BrY,IAAnB+D,OAAOsU,WACHtU,OAAOsU,GAEf5R,OAAOovB,eAAe9xB,OAAQsU,EAAQ,CACrCsP,IAAKA,KAEHqW,GADGzW,EACc,GAAGlP,oBAAyBkP,IAE5B,GAAGlP,mBAGd6lB,MAEP,GACD,EAGHn6B,OAAOhE,EAAIA,EAAAA,QACXk+B,GAAkB,CAAC,IAAK,WAAW,IAAM/9B,KAAG,0HAC5C+9B,GAAkB,YAAY,IAAM13B,KAAU,8DAC9C03B,GAAkB,CAAC,YAAa,gBAAgB,IAAMI,MAAa,8DACnEt6B,OAAO6C,IAAMA,EAAAA,IACbq3B,GAAkB,cAAc,IAAMjjB,MAAY,8DAElDijB,GAAkB,OAAO,IAAMK,MAAK,8DACpCL,GAAkB,UAAU,IAAM3d,MAAQ,8DAE1Cvc,OAAOrB,GAAKA,GACZu7B,GAAkB,YAAY,IAAMvI,IAAU,gCAC9CuI,GAAkB,mBAAmB,IAAMv7B,GAAGshB,cAAc,qEAC5Dia,GAAkB,aAAa,IAAMv7B,GAAGuhB,QAAQ,+DAChDga,GAAkB,mBAAmB,IAAMv7B,GAAGyhB,iBAAiBC,KAAK,6EACpE6Z,GAAkB,YAAY,IAAMv7B,GAAG2d,OAAO,8DAC9C4d,GAAkB,eAAe,IAAMv7B,GAAG4Z,OAAO,8DACjD2hB,GAAkB,aAAcv7B,GAAG2hB,YAAa,sEAChD4Z,GAAkB,mBAAmB,IAAM7V,KAAmB,qEAC9D6V,GAAkB,cAAc,IAAMv7B,GAAGsgB,SAAS,sEAClDib,GAAkB,aAAa,IAAMv7B,GAAGwhB,SAAS,gEACjDngB,OAAOw6B,IAAMA,GACbx6B,OAAOy6B,ICzFP,CAAkB,ED0FlBt+B,IAAAA,GAAKu+B,QApDaC,CAACC,IAClB,MAAMC,EAAUD,EACVE,EAAU,WAEf,OADAb,GAAiB,0EACVY,EAAQtkB,MAAM1a,KAAM6K,UAC5B,EAEA,OADAhE,OAAOC,OAAOm4B,EAASD,GAChBC,CAAO,EA6CAH,CAAUx+B,IAAAA,GAAKu+B,SAW9B16B,OAAOhC,EAAIhC,EAAAA,QAAAA,KAAO2C,GAAG4hB,KAAKxJ,UAAWpY,GAAG4hB,MAYxCvgB,OAAOkS,EAAIlW,EAAAA,QAAAA,KAAO2C,GAAG4hB,KAAKvJ,gBAAiBrY,GAAG4hB,MEzE9CpkB,IAAAA,GAAK4+B,OAAS,SAASzS,EAAM/Y,EAAMyrB,EAAQC,EAAar/B,EAAUs/B,GACjE,MAAMC,EAA0B,SAAS7xB,GACxCA,EAAO8xB,iBAAiB,KACxB9xB,EAAO8G,IAAI,mBAAoB,UAChC,EAsBA,QApBsB,IAAVkY,IACXA,EAAO7C,OAAO6C,SAEc,IAAjB4S,IACXA,EAAczV,OAAOyV,SAGA,IAAV3rB,IAEVA,EADG1T,KAAKgT,SAAW,EACZhT,KAAKgT,SACFhT,KAAKqD,KAAK,QAAU,EACvBrD,KAAKqD,KAAK,QAEV,IAITrD,KAAKgT,OAAOU,GACZ1T,KAAK+S,MAAMW,QAEW,IAAV+Y,EAAuB,CAClC,QAAmC,IAAvBzsB,KAAKqD,KAAK,QAIrB,YADAi8B,EAAwBt/B,MAFxBysB,EAAOzsB,KAAKqD,KAAK,OAKnB,CAGAopB,EAAO7C,OAAO6C,GAAMnY,QAAQ,MAAO,IAEnC,MAAMkrB,EAAOx/B,KACb,IAAImD,EAIHA,EADGspB,KAASlI,EAAAA,EAAAA,OAAkBC,KACxBsD,EAAAA,EAAAA,IACL,oCACA,CACC2E,OACA/Y,KAAM9C,KAAKU,KAAKoC,EAAOvP,OAAOs7B,kBAC9B7W,QAAS8W,cAAcR,OAAOtW,WAG1Bd,EAAAA,EAAAA,IACL,wBACA,CACC2E,OACA/Y,KAAM9C,KAAKU,KAAKoC,EAAOvP,OAAOs7B,oBAIjC,MAAM3uB,EAAM,IAAIqE,MAGhBrE,EAAI4D,OAAS,WACZ8qB,EAAKG,wBACLH,EAAKxpB,OAAOlF,GAEY,mBAAb/Q,GACVA,GAEF,EAIA+Q,EAAIusB,QAAU,WACbmC,EAAKG,6BACwB,IAAjBN,EACXG,EAAKD,iBAAiB9S,EAAM4S,GAE5BC,EAAwBE,GAGD,mBAAbz/B,GACVA,GAEF,EAEI2T,EAAO,GACV8rB,EAAK78B,SAAS,sBAEd68B,EAAK78B,SAAS,gBAEfmO,EAAIiC,MAAQW,EACZ5C,EAAIkC,OAASU,EACb5C,EAAIsE,IAAMjS,EACV2N,EAAI8uB,IAAM,EACX,ECrIO,MAAMC,GAAoB3Z,GACb,UAAfA,EAAMjjB,MAGS,YAAfijB,EAAMjjB,MAAoC,UAAdijB,EAAMriB,ICKjCi8B,GAAgBC,EAAQ,OAE9Bz/B,IAAAA,GAAK0/B,aAAe,SAASC,EAAWC,EAAWC,GAGlD,IAAyC,IADpB,CAAC,EAAG,EAAG,GACXz6B,QAAQw6B,GACxB,OAGD,MAAMV,EAAOx/B,KACbmgC,EAASnqB,OArBG,+MAsBZ,MAAMoqB,EAAQD,EAASp+B,KAAK,4BAE5By9B,EAAKznB,GAAG,iBAAiB,SAASmO,GACjC,GAAK2Z,GAAiB3Z,GAAtB,CAIA,IAAKka,EAAM/H,SAAS,UAGnB,OAFA+H,EAAMz9B,SAAS,eACfy9B,EAAMngC,OAIPmgC,EAAM39B,YAAY,UAClB29B,EAAM/+B,OAEF++B,EAAM/H,SAAS,YAInB+H,EAAMz9B,SAAS,UACfrC,IAAAA,MAAOwnB,EAAAA,EAAAA,IAAY,yBAA0B,CAC5CllB,OAAQ,OACRS,KAAM,CACL68B,YACAD,eAECx5B,MAAK,SAASpD,GAGhB,IAAI4nB,EAFJmV,EAAMr+B,KAAK,MAAMA,KAAK,MAAMY,SAAS,UASpCsoB,EANI5nB,EAAK6nB,UAMC,CAAC7nB,EAAK6nB,WAAWmV,OAAOh9B,EAAK4nB,SAL7B,CAAC,CACVc,UAAW,IACX1hB,MAAOlI,EAAE,OAAQ,yBAMnB8oB,EAAQ/d,SAAQ,SAASkf,GACxBgU,EAAMr+B,KAAK,MAAMiU,OAAO8pB,GAAc1T,GACvC,IAEAoT,EAAK98B,QAAQ,OACd,IAAG,SAAS49B,GAGX,IAAIj2B,EAFJ+1B,EAAMr+B,KAAK,MAAMA,KAAK,MAAMY,SAAS,UAIpC0H,EADoB,MAAjBi2B,EAAMl7B,OACDjD,EAAE,OAAQ,uBAEVA,EAAE,OAAQ,kCAGnBi+B,EAAMr+B,KAAK,MAAMiU,OAAO8pB,GAAc,CACrC/T,UAAW,IACX1hB,WAGDm1B,EAAK98B,QAAQ,YAAa49B,EAC3B,IAxDA,CAyDD,IAEAhgC,IAAEiJ,UAAU4N,OAAM,SAAS+O,GAC1B,MAAMqa,EAAeH,EAAM5L,IAAItO,EAAMzY,QAAQzL,OAAS,EACtD,IAAIw+B,EAAiBhB,EAAKhL,IAAItO,EAAMzY,QAAQzL,OAAS,EAErDw9B,EAAKn/B,MAAK,WACLC,IAAEN,MAAMomB,GAAGF,EAAMzY,UACpB+yB,GAAgB,EAElB,IAEID,GAAeC,IAInBJ,EAAMz9B,SAAS,UACfy9B,EAAMngC,OACP,GACD,ECnGAK,IAAAA,GAAKmgC,OAAS,WACb,OAAOzgC,KAAKgC,OAAS,CACtB,ECFA1B,IAAAA,GAAKogC,WAAa,SAASC,EAAUC,GACpC,OAAO5gC,KAAKoO,QAAO,WAClB,OAAO9N,IAAEN,MAAM+V,KAAK4qB,KAAcC,CACnC,GACD,E,gBCTAtgC,IAAAA,OAAS,cAAe,CACvBQ,QAAS,CACRiS,MAAO,OACPC,OAAQ,OACRwE,aAAa,EACbD,eAAe,EACfspB,cAAe,KACfv2B,OAAO,GAERw2B,OAAAA,GACC,MAAM1wB,EAAOpQ,KAEbA,KAAK+gC,YAAc,CAClBC,QAAShhC,KAAKw4B,QAAQ,GAAG5a,MAAMojB,QAC/BjuB,MAAO/S,KAAKw4B,QAAQ,GAAG5a,MAAM7K,MAC7BC,OAAQhT,KAAKw4B,QAAQ,GAAG5a,MAAM5K,QAG/BhT,KAAKihC,cAAgBjhC,KAAKw4B,QAAQziB,KAAK,SACvC/V,KAAKc,QAAQuJ,MAAQrK,KAAKc,QAAQuJ,OAASrK,KAAKihC,cAEhDjhC,KAAKkhC,QAAU5gC,IAAE,iCACfyV,KAAK,CAELorB,UAAW,EACXC,KAAM,SACN,cAAc,IAEdC,aAAarhC,KAAKw4B,SACpBx4B,KAAKkhC,QAAQlrB,OAAOhW,KAAKw4B,QAAQ/b,UACjCzc,KAAKw4B,QAAQ8I,WAAW,SAAS3+B,SAAS,qBAAqBw9B,SAASngC,KAAKkhC,SAGnC,IAAtC9wB,EAAKooB,QAAQz2B,KAAK,SAASC,QACfoO,EAAKooB,QAAQz2B,KAAK,SAC1BgW,GAAG,WAAW,SAASmO,GAC7B,GAAI2Z,GAAiB3Z,IAChB9V,EAAKmxB,WAAY,CACpB,MAAMC,EAAUpxB,EAAKmxB,WAAWx/B,KAAK,kBACjCy/B,IAAYA,EAAQvrB,KAAK,aAC5BurB,EAAQrqB,OAEV,CAEF,IAGDnX,KAAKkhC,QAAQ3sB,IAAI,CAChBysB,QAAS,eACT9f,SAAU,UAGXlhB,KAAKyhC,cAAgB,KAErBnhC,IAAEiJ,UAAUwO,GAAG,iBAAiB,SAASmO,GACxC,GACCA,EAAMzY,SAAW2C,EAAK8wB,QAAQnZ,IAAI,IACe,IAA9C3X,EAAK8wB,QAAQn/B,KAAKzB,IAAE4lB,EAAMzY,SAASzL,OAKvC,OACmB,KAAlBkkB,EAAMwb,SACY,YAAfxb,EAAMjjB,MACNmN,EAAKtP,QAAQyW,eAEhB2O,EAAMyb,2BACNvxB,EAAKqH,SACE,GAGc,KAAlByO,EAAMwb,SACTxb,EAAMyb,2BACqB,OAAvBvxB,EAAKqxB,eACRrxB,EAAKqxB,gBACLvb,EAAMC,kBACC,GAEW,UAAfD,EAAMjjB,OACTijB,EAAMC,kBACC,SATT,CAaD,IAEAnmB,KAAK4hC,YAAY5hC,KAAKc,SACtBd,KAAK6hC,iBACL7hC,KAAK8hC,eACN,EACAC,KAAAA,GACC/hC,KAAKgiC,SAAS,OACf,EACAC,UAAAA,CAAWp+B,EAAKG,GACf,MAAMoM,EAAOpQ,KACb,OAAQ6D,GACR,IAAK,QACJ,GAAI7D,KAAKkiC,OACRliC,KAAKkiC,OAAO5gC,KAAK0C,OACX,CACN,MAAMk+B,EAAS5hC,IAAE,+BACb0D,EACA,SACJhE,KAAKkiC,OAASA,EAAOC,UAAUniC,KAAKkhC,QACrC,CACAlhC,KAAKoiC,YACL,MACD,IAAK,UACJ,GAAIpiC,KAAKuhC,WACRvhC,KAAKuhC,WAAWc,YACV,CACN,MAAMd,EAAajhC,IAAE,2CACrBN,KAAKuhC,WAAaA,EAAWpB,SAASngC,KAAKkhC,QAC5C,CACqB,IAAjBl9B,EAAMhC,OACThC,KAAKuhC,WAAW5+B,SAAS,aACE,IAAjBqB,EAAMhC,OAChBhC,KAAKuhC,WAAW5+B,SAAS,cACE,IAAjBqB,EAAMhC,QAChBhC,KAAKuhC,WAAW5+B,SAAS,gBAE1BrC,IAAAA,KAAO0D,GAAO,SAASqoB,EAAKiW,GAC3B,MAAMd,EAAUlhC,IAAE,YAAYgB,KAAKghC,EAAIhhC,MACnCghC,EAAIprB,SACPsqB,EAAQ7+B,SAAS2/B,EAAIprB,SAElBorB,EAAIj1B,gBACPm0B,EAAQ7+B,SAAS,WACjByN,EAAKmyB,eAAiBf,GAEvBpxB,EAAKmxB,WAAWvrB,OAAOwrB,GACvBA,EAAQzpB,GAAG,iBAAiB,SAASmO,GAChC2Z,GAAiB3Z,IACpBoc,EAAInrB,MAAMuD,MAAMtK,EAAKooB,QAAQ,GAAI3tB,UAEnC,GACD,IACA7K,KAAKuhC,WAAWx/B,KAAK,UACnBgW,GAAG,SAAS,SAASmO,GACrB9V,EAAKmxB,WAAWx/B,KAAK,UAAUU,YAAY,WAC3CnC,IAAEN,MAAM2C,SAAS,UAClB,IACD3C,KAAKoiC,YACL,MACD,IAAK,aACkBhiC,IAAlB4D,EAAM4G,SACT5K,KAAKuhC,WAAW5+B,SAASqB,EAAM4G,SAEhC,MACD,IAAK,cACJ,GAAI5G,EAAO,CACV,MAAMw+B,EAAeliC,IAAE,6CACvBkiC,EAAazsB,KAAK,aAAc5T,EAAE,OAAQ,+BAAgC,CAAEsgC,YAAaziC,KAAKkiC,QAAUliC,KAAKc,QAAQuJ,SACrHrK,KAAKkhC,QAAQtI,QAAQ4J,GACrBA,EAAazqB,GAAG,iBAAiB,SAASmO,GACrC2Z,GAAiB3Z,KACpB9V,EAAKtP,QAAQ+/B,eAAiBzwB,EAAKtP,QAAQ+/B,gBAC3CzwB,EAAKqH,QAEP,GACD,MACCzX,KAAKkhC,QAAQn/B,KAAK,oBAAoB2V,SAEvC,MACD,IAAK,QACJ1X,KAAKkhC,QAAQ3sB,IAAI,QAASvQ,GAC1B,MACD,IAAK,SACJhE,KAAKkhC,QAAQ3sB,IAAI,SAAUvQ,GAC3B,MACD,IAAK,QACJhE,KAAK0iC,QAAU1+B,EAIhB1D,IAAAA,OAAS2I,UAAUg5B,WAAWvnB,MAAM1a,KAAM6K,UAC3C,EACA+2B,WAAAA,CAAY9gC,GAEXR,IAAAA,OAAS2I,UAAU24B,YAAYlnB,MAAM1a,KAAM6K,UAC5C,EACAu3B,SAAAA,GACC,IAAIO,EAAa,EACb3iC,KAAKkiC,SACRS,GAAc3iC,KAAKkiC,OAAOU,aAAY,IAEnC5iC,KAAKuhC,aACRoB,GAAc3iC,KAAKuhC,WAAWqB,aAAY,IAE3C5iC,KAAKw4B,QAAQjkB,IAAI,CAChBvB,OAAQ,eAAiB2vB,EAAa,OAExC,EACAd,cAAAA,GACC,IAAK7hC,KAAKc,QAAQwJ,MACjB,OAGD,MAAM8F,EAAOpQ,KACb,IAAI6iC,EAAaviC,IAAE,YACO,IAAtBuiC,EAAW7gC,SAEd6gC,EAAaviC,IAAE,aAEhBN,KAAK8iC,QAAUxiC,IAAE,SACfqC,SAAS,iBACT0+B,aAAarhC,KAAKkhC,SACpBlhC,KAAK8iC,QAAQ/qB,GAAG,uBAAuB,SAASmO,GAC3CA,EAAMzY,SAAW2C,EAAK8wB,QAAQnZ,IAAI,IAAoD,IAA9C3X,EAAK8wB,QAAQn/B,KAAKzB,IAAE4lB,EAAMzY,SAASzL,SAC9EkkB,EAAMC,iBACND,EAAM6c,kBAGR,GACD,EACAC,eAAAA,GACMhjC,KAAKc,QAAQwJ,OAIdtK,KAAK8iC,UACR9iC,KAAK8iC,QAAQtc,IAAI,uBACjBxmB,KAAK8iC,QAAQprB,SACb1X,KAAK8iC,QAAU,KAEjB,EACAhB,aAAAA,GAECj7B,OAAOC,OAAO3C,OAAQ,CAAE8+B,eAAgB9+B,OAAO8+B,gBAAkB,KAEjE,MAAMC,EAAgBljC,KAAKkhC,QAAQ,GACnClhC,KAAKmjC,WAAYC,EAAAA,GAAAA,GAAgBF,EAAe,CAC/CG,mBAAmB,EACnBC,UAAWn/B,OAAO8+B,eAClBM,cAAeL,IAGhBljC,KAAKmjC,UAAUK,UAChB,EACAC,eAAAA,GACCzjC,KAAKmjC,WAAWO,aAChB1jC,KAAKmjC,UAAY,IAClB,EACAQ,MAAAA,GACC,OAAO3jC,KAAKkhC,OACb,EACA0C,gBAAAA,CAAiB7jC,GAChBC,KAAKyhC,cAAgB1hC,CACtB,EACA8jC,kBAAAA,GACC7jC,KAAKyhC,cAAgB,IACtB,EACAhqB,KAAAA,GACCzX,KAAKyjC,kBACLzjC,KAAKgjC,kBACL,MAAM5yB,EAAOpQ,KAEb+iB,YAAW,WACV3S,EAAK4xB,SAAS,QAAS5xB,EACxB,GAAG,KAEHA,EAAK8wB,QAAQxpB,SACb1X,KAAK8jC,SACN,EACAA,OAAAA,GACK9jC,KAAKkiC,QACRliC,KAAKkiC,OAAOxqB,SAET1X,KAAKuhC,YACRvhC,KAAKuhC,WAAW7pB,SAGb1X,KAAKihC,eACRjhC,KAAKw4B,QAAQziB,KAAK,QAAS/V,KAAKihC,eAEjCjhC,KAAKw4B,QAAQ/1B,YAAY,qBACvB8R,IAAIvU,KAAK+gC,aAAatkB,SAAS4kB,aAAarhC,KAAKkhC,SACnDlhC,KAAKkhC,QAAQxpB,QACd,IClOD,MAAMqsB,GAAW,CAChBC,IAAAA,CAAKC,EAAMnjC,EAASojC,GAEnBlkC,KAAKikC,KAAOA,EACZjkC,KAAKc,QAAUR,IAAAA,OAAS,CAAC,EAAGN,KAAKc,QAASA,GAE1Cd,KAAKkkC,KAAOA,EACZ,MAAM9zB,EAAOpQ,KAEb,GAA2C,mBAAhCA,KAAKc,QAAQqjC,eAA+B,CACtD,MAAM3H,EAAO31B,OAAO21B,KAAKx8B,KAAKikC,MAC9B,IAAK,IAAIpgC,EAAM,EAAGA,EAAM24B,EAAKx6B,OAAQ6B,IACA,iBAAzB7D,KAAKikC,KAAKzH,EAAK34B,MACzB7D,KAAKikC,KAAKzH,EAAK34B,IAAQuM,EAAKtP,QAAQqjC,eAAenkC,KAAKikC,KAAKzH,EAAK34B,KAGrE,CAEA,MAAMugC,EAAQpkC,KAAKqkC,OAAOrkC,KAAKikC,MAC/B,OAAO3jC,IAAE8jC,EACV,EAEAC,MAAAA,CAAOC,GACN,MAAMjhC,EAAkC,kBAA3BrD,KAAKkkC,KAAKnuB,KAAK,QAA8B/V,KAAKkkC,KAAKrjC,OAASb,KAAKkkC,KAAKnc,IAAI,GAAGwc,UAC9F,IACC,OAAOlhC,EAAKiR,QAAQ,eACnB,SAAS8N,EAAGvC,GACX,MAAM2kB,EAAIF,EAAEzkB,GACZ,MAAoB,iBAAN2kB,GAA+B,iBAANA,EAAiBA,EAAIpiB,CAC7D,GAEF,CAAE,MAAOzN,GACRlU,QAAQC,MAAMiU,EAAG,QAAStR,EAC3B,CACD,EACAvC,QAAS,CACRqjC,eAAgBziC,OAIlBpB,IAAAA,GAAKqW,WAAa,SAASstB,EAAMnjC,GAEhC,GADAmjC,EAAOA,GAAQ,CAAC,EACZjkC,KAAKgC,OAER,OADkB6E,OAAOrC,OAAOu/B,IACfC,KAAKC,EAAMnjC,EAASd,KAEvC,EC5DA,MAAMykC,GAASnlB,IAEd,IAAIpB,EAAOoB,EAAEhC,cASb,SAASonB,EAAMF,EAAGtkB,EAAGL,GACpB7f,KAAKwkC,EAAIA,EACTxkC,KAAKkgB,EAAIA,EACTlgB,KAAK6f,EAAIA,CACV,CAUA,SAAS8kB,EAAWC,EAAOC,EAAQC,GAClC,IAAIC,EAAU,GACdA,EAAQr3B,KAAKm3B,GAEb,IADA,IAAIG,EAXL,SAAkBJ,EAAOK,GACxB,IAAID,EAAO,IAAIzG,MAAM,GAIrB,OAHAyG,EAAK,IAAMC,EAAK,GAAGT,EAAIS,EAAK,GAAGT,GAAKI,EACpCI,EAAK,IAAMC,EAAK,GAAG/kB,EAAI+kB,EAAK,GAAG/kB,GAAK0kB,EACpCI,EAAK,IAAMC,EAAK,GAAGplB,EAAIolB,EAAK,GAAGplB,GAAK+kB,EAC7BI,CACR,CAKYE,CAASN,EAAO,CAACC,EAAQC,IAC3BrzB,EAAI,EAAGA,EAAImzB,EAAOnzB,IAAK,CAC/B,IAAI+yB,EAAIjnB,SAASsnB,EAAOL,EAAKQ,EAAK,GAAKvzB,GACnCyO,EAAI3C,SAASsnB,EAAO3kB,EAAK8kB,EAAK,GAAKvzB,GACnCoO,EAAItC,SAASsnB,EAAOhlB,EAAKmlB,EAAK,GAAKvzB,GACvCszB,EAAQr3B,KAAK,IAAIg3B,EAAMF,EAAGtkB,EAAGL,GAC9B,CACA,OAAOklB,CACR,CA/B2C,OAAvC7mB,EAAKwB,MAAM,0BACdxB,EAAOwgB,KAAIxgB,IAGZA,EAAOA,EAAK5J,QAAQ,aAAc,IA6BlC,MAAM6wB,EAAM,IAAIT,EAAM,IAAK,GAAI,KACzBU,EAAS,IAAIV,EAAM,IAAK,IAAK,IAC7BW,EAAO,IAAIX,EAAM,EAAG,IAAK,KAKzBY,EAAWX,EAFH,EAEqBQ,EAAKC,GAClCG,EAAWZ,EAHH,EAGqBS,EAAQC,GACrCG,EAAWb,EAJH,EAIqBU,EAAMF,GAuBzC,OArBqBG,EAASjF,OAAOkF,GAAUlF,OAAOmF,GAGtD,SAAmBtnB,GAKlB,IAJA,IAAIunB,EAAW,EACX3gC,EAAS,GAGJ2M,EAAI,EAAGA,EAAIyM,EAAKlc,OAAQyP,IAEhC3M,EAAO4I,KAAK6P,SAASW,EAAKe,OAAOxN,GAAI,IAAM,IAG5C,IAAK,IAAID,KAAK1M,EACb2gC,GAAY3gC,EAAO0M,GAIpB,OAAO+L,SAASA,SAASkoB,GAGUb,GAFpC,CAEoBc,CAAUxnB,GAAiB,EAGhD0L,OAAO3gB,UAAUw7B,MAAQ,WAGxB,OAFA3hC,GAAG2d,OAAShgB,QAAQ6F,KAAK,6EAElBm+B,GAAMzkC,KACd,EAEAM,IAAAA,GAAKi/B,iBAAmB,SAASoG,EAAMrkC,EAAMoS,GAC5CpS,EAAOA,GAAQqkC,EAGf,IAAIC,EAAMnB,GAAMkB,GAChB3lC,KAAKuU,IAAI,mBAAoB,OAASqxB,EAAIpB,EAAI,KAAOoB,EAAI1lB,EAAI,KAAO0lB,EAAI/lB,EAAI,KAG5E,IAAI7M,EAAShT,KAAKgT,UAAYU,GAAQ,GAatC,GAZA1T,KAAKgT,OAAOA,GACZhT,KAAK+S,MAAMC,GAGXhT,KAAKuU,IAAI,QAAS,QAClBvU,KAAKuU,IAAI,cAAe,UACxBvU,KAAKuU,IAAI,aAAc,UAGvBvU,KAAKuU,IAAI,cAAevB,EAAS,MACjChT,KAAKuU,IAAI,YAAuB,IAATvB,EAAiB,MAE3B,OAAT2yB,GAAiBA,EAAK3jC,OAAQ,CACjC,IAAI6jC,EAAkBvkC,EAAKgT,QAAQ,OAAQ,KAAKiL,OAAO/d,MAAM,IAAK,GAAGuL,KAAK+4B,GAASA,EAAK,GAAG5iC,gBAAezB,KAAK,IAC/GzB,KAAKa,KAAKglC,EACX,CACD,EAEAvlC,IAAAA,GAAKq/B,sBAAwB,WAC5B3/B,KAAKuU,IAAI,mBAAoB,IAC7BvU,KAAKuU,IAAI,QAAS,IAClBvU,KAAKuU,IAAI,cAAe,IACxBvU,KAAKuU,IAAI,aAAc,IACvBvU,KAAKuU,IAAI,cAAe,IACxBvU,KAAKuU,IAAI,YAAa,IACtBvU,KAAKa,KAAK,IACVb,KAAKyC,YAAY,gBACjBzC,KAAKyC,YAAY,qBAClB,EC3JAnC,IAAEiJ,UAAUwO,GAAG,YAAY,SAASguB,EAAK79B,EAAKkuB,IAChB,IAAzBA,EAAS4P,cACZ99B,EAAImsB,iBAAiB,eAAgBzb,KACrC1Q,EAAImsB,iBAAiB,iBAAkB,QAEzC,ICCA/zB,IAAAA,GAAK2lC,YAAc,SAASC,EAAOC,GAClC,OAAOnmC,KAAKK,MAAK,WAChB,GAAIL,KAAKomC,kBACRpmC,KAAK8uB,QACL9uB,KAAKomC,kBAAkBF,EAAOC,QACxB,GAAInmC,KAAKqmC,gBAAiB,CAChC,MAAMC,EAAQtmC,KAAKqmC,kBACnBC,EAAMC,UAAS,GACfD,EAAME,QAAQ,YAAaL,GAC3BG,EAAMG,UAAU,YAAaP,GAC7BI,EAAMvX,QACP,CACD,GACD,ECPAzuB,IAAAA,GAAKm3B,OAAO,CACXiP,YAAAA,CAAazyB,GAGZ,MAAMlU,EAAW,CAAEyM,GAAI,KAAMm6B,KAAM,CAAC,GACpC5mC,EAASyM,GAAKyH,EAGd,MA2BMxP,EAAS,SAAS2d,EAAGvC,GAC1BA,EAAEyiB,IAAIlgB,EAAEkgB,MACT,EAGMsE,EAAW,SAASC,EAAUzkB,EAAGvC,GAElCgnB,EAASzgB,GAAG,aACf3hB,EAAO2d,EAAGvC,GACVA,EAAExe,OACF+gB,EAAEniB,SAEFwE,EAAOob,EAAGuC,GACVvC,EAAE5f,OACFmiB,EAAE/gB,OAGJ,EAEA,OAAOrB,KAAKK,MAAK,WAEhB,MAAMymC,EAASxmC,IAAEN,MACXgY,EAAY1X,IAAEwmC,EAAOzjC,KAAK,eAG1B0jC,EApDc,SAASvO,GAE7B,MAAMwO,EAAW1mC,IAAEk4B,GAEbuO,EAASzmC,IAAE,aAkBjB,OAdAymC,EAAOhxB,KAAK,CACX9S,KAAM,OACNotB,MAAO2W,EAASjxB,KAAK,SACrB6H,MAAOopB,EAASjxB,KAAK,SACrBrC,KAAMszB,EAASjxB,KAAK,QACpBtK,KAAMu7B,EAASjxB,KAAK,QAAU,SAC9BkxB,SAAUD,EAASjxB,KAAK,YACxBmxB,aAAc,aAGsB9mC,IAAjC4mC,EAASjxB,KAAK,gBACjBgxB,EAAOhxB,KAAK,cAAeixB,EAASjxB,KAAK,gBAGnCgxB,CAER,CA4BgBI,CAAaL,GAC5BC,EAAOK,YAAYN,GAGf/mC,EAASyM,KACZzM,EAAS4mC,KAAKU,MAAQP,EACtB/mC,EAAS4mC,KAAKE,SAAW7uB,EACzBjY,EAAS4mC,KAAKtzB,MAAQ0zB,GAGvB/uB,EAAUxU,KAAK,SAAS,WACvBojC,EAAS5uB,EAAW8uB,EAAQC,EAC7B,IAEAD,EAAOtjC,KAAK,SAAS,WACpBiB,EAAOqiC,EAAQC,EAChB,IAEAA,EAAOvjC,KAAK,SAAS,WACpBiB,EAAOsiC,EAAQD,GAIfA,EAAOpkC,QAAQ,QAEhB,IAIAqkC,EAAOvjC,KAAK,QAAQ,WACnBsjC,EAAOpkC,QAAQ,WAChB,IAEAkkC,EAAS5uB,EAAW8uB,EAAQC,GAI5BA,EAAOnvB,QAAQ,QAAQ0vB,QAAO,SAAS3yB,GAItCoyB,EAAO9wB,KAAK,OAAQ,WACrB,IAEIlW,EAASyM,IACZzM,EAASyM,GAAGzM,EAAS4mC,KAGvB,GACD,ICzHDrmC,IAAAA,GAAK4mC,aAAaj+B,UAAUs+B,YAAc,WAC9BvnC,KAAKwnC,KAAKhP,QAClBiP,WAAWznC,KAAKw4B,QAAQiP,aAC5B,E,gBCDI,GAAU,CAAC,EAEf,GAAQnc,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,O,eCbtD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KACxB,GAAQC,OAAS,UAAc,KAAM,QACrC,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCO1DrrB,IAAAA,UAAY,CACXonC,SAAU,CACTvK,QAAQ,KAWV78B,IAAAA,WAAe,WACf,ECxBAqnC,EAAAA,IAAoBC,EAAAA,EAAAA,MAEpBzjC,OAAOgW,iBAAiB,oBAAoB,WAC3C2b,K/GwBsC+R,MACtC,IAAIj9B,EAAUtK,IAAE,4BAEO,IAAnBsK,EAAQ5I,QACX1B,IAAE,mBAAmBqC,SAAS,wBAG/BrC,IAAEiJ,UAAU4N,OAAM,SAAS+O,GAEtB7jB,IACHuI,EAAUtK,IAAE,6BAGbsK,EAAQvK,MAAK,SAASynC,EAAO36B,GAE5B,MAAM46B,EAAeznC,IAAE6M,GAAQ9J,KAAK,qBAC9B2kC,EAAO1nC,IAAEynC,GAKf,SAASE,IACRD,EAAKvtB,QAAuB,EAAf3X,GAAG0gB,WAAe,WAC9BwkB,EAAKtlC,QAAQ,IAAIpC,IAAAA,OAAQ,QAC1B,IACA0nC,EAAKvlC,YAAY,UACjBnC,IAAE6M,GAAQ1K,YAAY,UACtBnC,IAAE6M,GAAQ4I,KAAK,gBAAiB,QACjC,CAmBA,IAAKiyB,EAAK5hB,GAAG,aAGZ,GAAI9lB,IAAE6M,GAAQiZ,GAAG9lB,IAAE4lB,EAAMzY,QAAQmK,QAAQ,6BACpCowB,EAAK5hB,GAAG,YACX6hB,IAnBH,WACCD,EAAKE,UAAyB,EAAfplC,GAAG0gB,WAAe,WAChCwkB,EAAKtlC,QAAQ,IAAIpC,IAAAA,OAAQ,QAC1B,IACA0nC,EAAKrlC,SAAS,UACdrC,IAAE6M,GAAQxK,SAAS,UACnBrC,IAAE6M,GAAQ4I,KAAK,gBAAiB,QAChC,MAAMsxB,EAAQ/mC,IAAEynC,EAAe,gBACV,IAAjBV,EAAMrlC,QACTqlC,EAAMvY,OAER,CAUGqZ,OAKK,CACN,MAAMvwB,EAAUtX,IAAE4lB,EAAMzY,QAAQmK,QAAQmwB,GACpCC,EAAK5hB,GAAG,aAAexO,EAAQ,KAAOowB,EAAK,IAC9CC,GAEF,CAEF,GAED,GAAE,E+G3FFJ,GAGI1jC,OAAO6Y,QAAQC,UAClB9Y,OAAOikC,WAAajoC,EAAEqD,KAAKV,GAAG0Q,KAAK2L,QAAQN,YAAa/b,GAAG0Q,KAAK2L,SAEhEhb,OAAOkkC,aAAeloC,EAAEqD,KAAKV,GAAG0Q,KAAK2L,QAAQN,YAAa/b,GAAG0Q,KAAK2L,QAEpE,IAGA5V,SAAS4Q,iBAAiB,oBAAoB,WAC7C,MAAMmuB,EAAO/+B,SAASiuB,eAAe,uBACjC8Q,GACHA,EAAKnuB,iBAAiB,UAAUiP,eAAelD,GAC9CA,EAAMC,iBACN,MAAM9e,EAAekC,SAASiuB,eAAe,gBAC7C,GAAInwB,EAAc,CACjB,MAAMlE,GAAM2kB,EAAAA,EAAAA,IAAY,cAClBygB,QAAaC,GAAAA,GAAMzgB,IAAI5kB,GAC7BkE,EAAarD,MAAQukC,EAAKllC,KAAKsV,KAChC,CACA2vB,EAAKhB,QACN,GAEF,G,kBClDA,QAWM36B,IAAsB,iBAARyD,MAAoBA,KAAKA,OAASA,MAAQA,MACjC,iBAAV,EAAA8P,GAAsB,EAAAA,EAAOzH,SAAW,EAAAyH,GAAU,EAAAA,EAIjE,EAAO,CAAC,QAAc,SAAU,GAAY,EAAF,SAAW/f,EAAGG,EAAGmoC,GAGzD97B,EAAKhG,SAcR,SAASgG,EAAMhG,EAAUxG,EAAGG,GAO7B,IAAIooC,EAAmB/7B,EAAKhG,SAGxBkG,EAAQ0xB,MAAMt1B,UAAU4D,MAG5BlG,EAASgiC,QAAU,QAInBhiC,EAASrG,EAAIA,EAIbqG,EAASiiC,WAAa,WAEpB,OADAj8B,EAAKhG,SAAW+hC,EACT1oC,IACT,EAKA2G,EAASkiC,aAAc,EAMvBliC,EAASmiC,aAAc,EAevB,IAMIC,EANAC,EAASriC,EAASqiC,OAAS,CAAC,EAG5BC,EAAgB,MAQhBC,EAAY,SAASC,EAAUC,EAAQ39B,EAAM1L,EAAUspC,GACzD,IAAWC,EAAP73B,EAAI,EACR,GAAIhG,GAAwB,iBAATA,EAAmB,MAEnB,IAAb1L,GAAuB,YAAaspC,QAAyB,IAAjBA,EAAKjgC,UAAoBigC,EAAKjgC,QAAUrJ,GACxF,IAAKupC,EAAQnpC,EAAEq8B,KAAK/wB,GAAOgG,EAAI63B,EAAMtnC,OAASyP,IAC5C23B,EAASF,EAAUC,EAAUC,EAAQE,EAAM73B,GAAIhG,EAAK69B,EAAM73B,IAAK43B,EAEnE,MAAO,GAAI59B,GAAQw9B,EAAcM,KAAK99B,GAEpC,IAAK69B,EAAQ79B,EAAKjK,MAAMynC,GAAgBx3B,EAAI63B,EAAMtnC,OAAQyP,IACxD23B,EAASD,EAASC,EAAQE,EAAM73B,GAAI1R,EAAUspC,QAIhDD,EAASD,EAASC,EAAQ39B,EAAM1L,EAAUspC,GAE5C,OAAOD,CACT,EAIAJ,EAAOjxB,GAAK,SAAStM,EAAM1L,EAAUqJ,GAenC,OAdApJ,KAAKwpC,QAAUN,EAAUO,EAAOzpC,KAAKwpC,SAAW,CAAC,EAAG/9B,EAAM1L,EAAU,CAClEqJ,QAASA,EACTsgC,IAAK1pC,KACL2pC,UAAWZ,IAGTA,KACc/oC,KAAK4pC,aAAe5pC,KAAK4pC,WAAa,CAAC,IAC7Cb,EAAWxjC,IAAMwjC,EAG3BA,EAAWc,SAAU,GAGhB7pC,IACT,EAKAgpC,EAAOc,SAAW,SAASC,EAAKt+B,EAAM1L,GACpC,IAAKgqC,EAAK,OAAO/pC,KACjB,IAAIuF,EAAKwkC,EAAIC,YAAcD,EAAIC,UAAY7pC,EAAE8pC,SAAS,MAClDC,EAAclqC,KAAKmqC,eAAiBnqC,KAAKmqC,aAAe,CAAC,GACzDR,EAAYZ,EAAamB,EAAY3kC,GAIpCokC,IACH3pC,KAAKgqC,YAAchqC,KAAKgqC,UAAY7pC,EAAE8pC,SAAS,MAC/CN,EAAYZ,EAAamB,EAAY3kC,GAAM,IAAI6kC,EAAUpqC,KAAM+pC,IAIjE,IAAIrpC,EAAQ2pC,EAAWN,EAAKt+B,EAAM1L,EAAUC,MAG5C,GAFA+oC,OAAa,EAETroC,EAAO,MAAMA,EAIjB,OAFIipC,EAAUE,SAASF,EAAU5xB,GAAGtM,EAAM1L,GAEnCC,IACT,EAGA,IAAIypC,EAAQ,SAASL,EAAQ39B,EAAM1L,EAAUe,GAC3C,GAAIf,EAAU,CACZ,IAAIuqC,EAAWlB,EAAO39B,KAAU29B,EAAO39B,GAAQ,IAC3CrC,EAAUtI,EAAQsI,QAASsgC,EAAM5oC,EAAQ4oC,IAAKC,EAAY7oC,EAAQ6oC,UAClEA,GAAWA,EAAUvzB,QAEzBk0B,EAAS58B,KAAK,CAAC3N,SAAUA,EAAUqJ,QAASA,EAASsgC,IAAKtgC,GAAWsgC,EAAKC,UAAWA,GACvF,CACA,OAAOP,CACT,EAIIiB,EAAa,SAASN,EAAKt+B,EAAM1L,EAAUqJ,GAC7C,IACE2gC,EAAIhyB,GAAGtM,EAAM1L,EAAUqJ,EACzB,CAAE,MAAOuL,GACP,OAAOA,CACT,CACF,EAMAq0B,EAAOxiB,IAAM,SAAS/a,EAAM1L,EAAUqJ,GACpC,OAAKpJ,KAAKwpC,SACVxpC,KAAKwpC,QAAUN,EAAUqB,EAAQvqC,KAAKwpC,QAAS/9B,EAAM1L,EAAU,CAC7DqJ,QAASA,EACTgQ,UAAWpZ,KAAK4pC,aAGX5pC,MANmBA,IAO5B,EAIAgpC,EAAOwB,cAAgB,SAAST,EAAKt+B,EAAM1L,GACzC,IAAImqC,EAAclqC,KAAKmqC,aACvB,IAAKD,EAAa,OAAOlqC,KAGzB,IADA,IAAIyqC,EAAMV,EAAM,CAACA,EAAIC,WAAa7pC,EAAEq8B,KAAK0N,GAChCz4B,EAAI,EAAGA,EAAIg5B,EAAIzoC,OAAQyP,IAAK,CACnC,IAAIk4B,EAAYO,EAAYO,EAAIh5B,IAIhC,IAAKk4B,EAAW,MAEhBA,EAAUI,IAAIvjB,IAAI/a,EAAM1L,EAAUC,MAC9B2pC,EAAUE,SAASF,EAAUnjB,IAAI/a,EAAM1L,EAC7C,CAGA,OAFII,EAAEuqC,QAAQR,KAAclqC,KAAKmqC,kBAAe,GAEzCnqC,IACT,EAGA,IAAIuqC,EAAS,SAASnB,EAAQ39B,EAAM1L,EAAUe,GAC5C,GAAKsoC,EAAL,CAEA,IACWE,EADPlgC,EAAUtI,EAAQsI,QAASgQ,EAAYtY,EAAQsY,UAC/C3H,EAAI,EAGR,GAAKhG,GAASrC,GAAYrJ,EAA1B,CAQA,IADAupC,EAAQ79B,EAAO,CAACA,GAAQtL,EAAEq8B,KAAK4M,GACxB33B,EAAI63B,EAAMtnC,OAAQyP,IAAK,CAE5B,IAAI64B,EAAWlB,EADf39B,EAAO69B,EAAM73B,IAIb,IAAK64B,EAAU,MAIf,IADA,IAAIK,EAAY,GACPn5B,EAAI,EAAGA,EAAI84B,EAAStoC,OAAQwP,IAAK,CACxC,IAAI6M,EAAUisB,EAAS94B,GACvB,GACEzR,GAAYA,IAAase,EAAQte,UAC/BA,IAAase,EAAQte,SAAS6qC,WAC5BxhC,GAAWA,IAAYiV,EAAQjV,QAEnCuhC,EAAUj9B,KAAK2Q,OACV,CACL,IAAIsrB,EAAYtrB,EAAQsrB,UACpBA,GAAWA,EAAUnjB,IAAI/a,EAAM1L,EACrC,CACF,CAGI4qC,EAAU3oC,OACZonC,EAAO39B,GAAQk/B,SAERvB,EAAO39B,EAElB,CAEA,OAAO29B,CAlCP,CAJE,IAAKE,EAAQnpC,EAAEq8B,KAAKpjB,GAAY3H,EAAI63B,EAAMtnC,OAAQyP,IAChD2H,EAAUkwB,EAAM73B,IAAIo5B,SARL,CA8CrB,EAMA7B,EAAO8B,KAAO,SAASr/B,EAAM1L,EAAUqJ,GAErC,IAAIggC,EAASF,EAAU6B,EAAS,CAAC,EAAGt/B,EAAM1L,EAAUC,KAAKwmB,IAAIhjB,KAAKxD,OAElE,MADoB,iBAATyL,GAAgC,MAAXrC,IAAiBrJ,OAAW,GACrDC,KAAK+X,GAAGqxB,EAAQrpC,EAAUqJ,EACnC,EAGA4/B,EAAOgC,aAAe,SAASjB,EAAKt+B,EAAM1L,GAExC,IAAIqpC,EAASF,EAAU6B,EAAS,CAAC,EAAGt/B,EAAM1L,EAAUC,KAAKwqC,cAAchnC,KAAKxD,KAAM+pC,IAClF,OAAO/pC,KAAK8pC,SAASC,EAAKX,EAC5B,EAIA,IAAI2B,EAAU,SAASh+B,EAAKtB,EAAM1L,EAAUkrC,GAC1C,GAAIlrC,EAAU,CACZ,IAAI+qC,EAAO/9B,EAAItB,GAAQtL,EAAE2qC,MAAK,WAC5BG,EAAMx/B,EAAMq/B,GACZ/qC,EAAS2a,MAAM1a,KAAM6K,UACvB,IACAigC,EAAKF,UAAY7qC,CACnB,CACA,OAAOgN,CACT,EAMAi8B,EAAOtmC,QAAU,SAAS+I,GACxB,IAAKzL,KAAKwpC,QAAS,OAAOxpC,KAI1B,IAFA,IAAIgC,EAAS4O,KAAKkC,IAAI,EAAGjI,UAAU7I,OAAS,GACxC2kC,EAAOpI,MAAMv8B,GACRyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAAKk1B,EAAKl1B,GAAK5G,UAAU4G,EAAI,GAGzD,OADAy3B,EAAUgC,EAAYlrC,KAAKwpC,QAAS/9B,OAAM,EAAQk7B,GAC3C3mC,IACT,EAGA,IAAIkrC,EAAa,SAASC,EAAW1/B,EAAM1L,EAAU4mC,GACnD,GAAIwE,EAAW,CACb,IAAI/B,EAAS+B,EAAU1/B,GACnB2/B,EAAYD,EAAUE,IACtBjC,GAAUgC,IAAWA,EAAYA,EAAUv+B,SAC3Cu8B,GAAQkC,EAAclC,EAAQzC,GAC9ByE,GAAWE,EAAcF,EAAW,CAAC3/B,GAAM40B,OAAOsG,GACxD,CACA,OAAOwE,CACT,EAKIG,EAAgB,SAASlC,EAAQzC,GACnC,IAAI4E,EAAI95B,GAAK,EAAG+5B,EAAIpC,EAAOpnC,OAAQypC,EAAK9E,EAAK,GAAI+E,EAAK/E,EAAK,GAAIgF,EAAKhF,EAAK,GACzE,OAAQA,EAAK3kC,QACX,KAAK,EAAG,OAASyP,EAAI+5B,IAAID,EAAKnC,EAAO33B,IAAI1R,SAASY,KAAK4qC,EAAG7B,KAAM,OAChE,KAAK,EAAG,OAASj4B,EAAI+5B,IAAID,EAAKnC,EAAO33B,IAAI1R,SAASY,KAAK4qC,EAAG7B,IAAK+B,GAAK,OACpE,KAAK,EAAG,OAASh6B,EAAI+5B,IAAID,EAAKnC,EAAO33B,IAAI1R,SAASY,KAAK4qC,EAAG7B,IAAK+B,EAAIC,GAAK,OACxE,KAAK,EAAG,OAASj6B,EAAI+5B,IAAID,EAAKnC,EAAO33B,IAAI1R,SAASY,KAAK4qC,EAAG7B,IAAK+B,EAAIC,EAAIC,GAAK,OAC5E,QAAS,OAASl6B,EAAI+5B,IAAID,EAAKnC,EAAO33B,IAAI1R,SAAS2a,MAAM6wB,EAAG7B,IAAK/C,GAAO,OAE5E,EAIIyD,EAAY,SAASwB,EAAU7B,GACjC/pC,KAAKuF,GAAKqmC,EAAS5B,UACnBhqC,KAAK4rC,SAAWA,EAChB5rC,KAAK+pC,IAAMA,EACX/pC,KAAK6pC,SAAU,EACf7pC,KAAKoW,MAAQ,EACbpW,KAAKwpC,aAAU,CACjB,EAEAY,EAAUnhC,UAAU8O,GAAKixB,EAAOjxB,GAMhCqyB,EAAUnhC,UAAUud,IAAM,SAAS/a,EAAM1L,GACvC,IAAI8qC,EACA7qC,KAAK6pC,SACP7pC,KAAKwpC,QAAUN,EAAUqB,EAAQvqC,KAAKwpC,QAAS/9B,EAAM1L,EAAU,CAC7DqJ,aAAS,EACTgQ,eAAW,IAEbyxB,GAAW7qC,KAAKwpC,UAEhBxpC,KAAKoW,QACLy0B,EAAyB,IAAf7qC,KAAKoW,OAEby0B,GAAS7qC,KAAK6qC,SACpB,EAGAT,EAAUnhC,UAAU4hC,QAAU,kBACrB7qC,KAAK4rC,SAASzB,aAAanqC,KAAK+pC,IAAIC,WACtChqC,KAAK6pC,gBAAgB7pC,KAAK+pC,IAAIH,WAAW5pC,KAAKuF,GACrD,EAGAyjC,EAAOxlC,KAASwlC,EAAOjxB,GACvBixB,EAAO6C,OAAS7C,EAAOxiB,IAIvBrmB,EAAEs3B,OAAO9wB,EAAUqiC,GAYnB,IAAI8C,EAAQnlC,EAASmlC,MAAQ,SAASv+B,EAAYzM,GAChD,IAAIsF,EAAQmH,GAAc,CAAC,EAC3BzM,IAAYA,EAAU,CAAC,GACvBd,KAAK+rC,cAAcrxB,MAAM1a,KAAM6K,WAC/B7K,KAAKgsC,IAAM7rC,EAAE8pC,SAASjqC,KAAKisC,WAC3BjsC,KAAKuN,WAAa,CAAC,EACfzM,EAAQ6H,aAAY3I,KAAK2I,WAAa7H,EAAQ6H,YAC9C7H,EAAQgZ,QAAO1T,EAAQpG,KAAK8Z,MAAM1T,EAAOtF,IAAY,CAAC,GAC1D,IAAIorC,EAAW/rC,EAAE2E,OAAO9E,KAAM,YAI9BoG,EAAQjG,EAAE+rC,SAAS/rC,EAAEs3B,OAAO,CAAC,EAAGyU,EAAU9lC,GAAQ8lC,GAElDlsC,KAAKkoB,IAAI9hB,EAAOtF,GAChBd,KAAKwG,QAAU,CAAC,EAChBxG,KAAKmsC,WAAWzxB,MAAM1a,KAAM6K,UAC9B,EAGA1K,EAAEs3B,OAAOqU,EAAM7iC,UAAW+/B,EAAQ,CAGhCxiC,QAAS,KAGT4lC,gBAAiB,KAIjBC,YAAa,KAIbJ,UAAW,IAIXF,cAAe,WAAW,EAI1BI,WAAY,WAAW,EAGvBzlC,OAAQ,SAAS5F,GACf,OAAOX,EAAEkT,MAAMrT,KAAKuN,WACtB,EAIA++B,KAAM,WACJ,OAAO3lC,EAAS2lC,KAAK5xB,MAAM1a,KAAM6K,UACnC,EAGAkd,IAAK,SAAShS,GACZ,OAAO/V,KAAKuN,WAAWwI,EACzB,EAGAw2B,OAAQ,SAASx2B,GACf,OAAO5V,EAAEosC,OAAOvsC,KAAK+nB,IAAIhS,GAC3B,EAIAye,IAAK,SAASze,GACZ,OAAyB,MAAlB/V,KAAK+nB,IAAIhS,EAClB,EAGA0J,QAAS,SAASrZ,GAChB,QAASjG,EAAEgpC,SAAS/iC,EAAOpG,KAAlBG,CAAwBH,KAAKuN,WACxC,EAKA2a,IAAK,SAASrkB,EAAKy+B,EAAKxhC,GACtB,GAAW,MAAP+C,EAAa,OAAO7D,KAGxB,IAAIoG,EAWJ,GAVmB,iBAARvC,GACTuC,EAAQvC,EACR/C,EAAUwhC,IAETl8B,EAAQ,CAAC,GAAGvC,GAAOy+B,EAGtBxhC,IAAYA,EAAU,CAAC,IAGlBd,KAAKwsC,UAAUpmC,EAAOtF,GAAU,OAAO,EAG5C,IAAI2rC,EAAa3rC,EAAQ2rC,MACrBC,EAAa5rC,EAAQ4rC,OACrBC,EAAa,GACbC,EAAa5sC,KAAK6sC,UACtB7sC,KAAK6sC,WAAY,EAEZD,IACH5sC,KAAK8sC,oBAAsB3sC,EAAEkT,MAAMrT,KAAKuN,YACxCvN,KAAKwG,QAAU,CAAC,GAGlB,IAAIumC,EAAU/sC,KAAKuN,WACf/G,EAAUxG,KAAKwG,QACfwmC,EAAUhtC,KAAK8sC,oBAGnB,IAAK,IAAI/2B,KAAQ3P,EACfk8B,EAAMl8B,EAAM2P,GACP5V,EAAE8sC,QAAQF,EAAQh3B,GAAOusB,IAAMqK,EAAQj/B,KAAKqI,GAC5C5V,EAAE8sC,QAAQD,EAAKj3B,GAAOusB,UAGlB97B,EAAQuP,GAFfvP,EAAQuP,GAAQusB,EAIlBmK,SAAeM,EAAQh3B,GAAQg3B,EAAQh3B,GAAQusB,EAIjD,GAAItiC,KAAKqsC,eAAejmC,EAAO,CAC7B,IAAI8mC,EAASltC,KAAKuF,GAClBvF,KAAKuF,GAAKvF,KAAK+nB,IAAI/nB,KAAKqsC,aACxBrsC,KAAK0C,QAAQ,WAAY1C,KAAMktC,EAAQpsC,EACzC,CAGA,IAAK4rC,EAAQ,CACPC,EAAQ3qC,SAAQhC,KAAKmtC,SAAWrsC,GACpC,IAAK,IAAI2Q,EAAI,EAAGA,EAAIk7B,EAAQ3qC,OAAQyP,IAClCzR,KAAK0C,QAAQ,UAAYiqC,EAAQl7B,GAAIzR,KAAM+sC,EAAQJ,EAAQl7B,IAAK3Q,EAEpE,CAIA,GAAI8rC,EAAU,OAAO5sC,KACrB,IAAK0sC,EACH,KAAO1sC,KAAKmtC,UACVrsC,EAAUd,KAAKmtC,SACfntC,KAAKmtC,UAAW,EAChBntC,KAAK0C,QAAQ,SAAU1C,KAAMc,GAKjC,OAFAd,KAAKmtC,UAAW,EAChBntC,KAAK6sC,WAAY,EACV7sC,IACT,EAIAysC,MAAO,SAAS12B,EAAMjV,GACpB,OAAOd,KAAKkoB,IAAInS,OAAM,EAAQ5V,EAAEs3B,OAAO,CAAC,EAAG32B,EAAS,CAAC2rC,OAAO,IAC9D,EAGAW,MAAO,SAAStsC,GACd,IAAIsF,EAAQ,CAAC,EACb,IAAK,IAAIvC,KAAO7D,KAAKuN,WAAYnH,EAAMvC,QAAO,EAC9C,OAAO7D,KAAKkoB,IAAI9hB,EAAOjG,EAAEs3B,OAAO,CAAC,EAAG32B,EAAS,CAAC2rC,OAAO,IACvD,EAIAY,WAAY,SAASt3B,GACnB,OAAY,MAARA,GAAsB5V,EAAEuqC,QAAQ1qC,KAAKwG,SAClCrG,EAAEq0B,IAAIx0B,KAAKwG,QAASuP,EAC7B,EAQAu3B,kBAAmB,SAAS1sB,GAC1B,IAAKA,EAAM,QAAO5gB,KAAKqtC,cAAeltC,EAAEkT,MAAMrT,KAAKwG,SACnD,IAEI6mC,EAFAE,EAAMvtC,KAAK6sC,UAAY7sC,KAAK8sC,oBAAsB9sC,KAAKuN,WACvD/G,EAAU,CAAC,EAEf,IAAK,IAAIuP,KAAQ6K,EAAM,CACrB,IAAI0hB,EAAM1hB,EAAK7K,GACX5V,EAAE8sC,QAAQM,EAAIx3B,GAAOusB,KACzB97B,EAAQuP,GAAQusB,EAChB+K,GAAa,EACf,CACA,QAAOA,GAAa7mC,CACtB,EAIAgnC,SAAU,SAASz3B,GACjB,OAAY,MAARA,GAAiB/V,KAAK8sC,oBACnB9sC,KAAK8sC,oBAAoB/2B,GADsB,IAExD,EAIA03B,mBAAoB,WAClB,OAAOttC,EAAEkT,MAAMrT,KAAK8sC,oBACtB,EAIA3Y,MAAO,SAASrzB,GACdA,EAAUX,EAAEs3B,OAAO,CAAC3d,OAAO,GAAOhZ,GAClC,IAAImF,EAAQjG,KACRsD,EAAUxC,EAAQwC,QAQtB,OAPAxC,EAAQwC,QAAU,SAASilC,GACzB,IAAImF,EAAc5sC,EAAQgZ,MAAQ7T,EAAM6T,MAAMyuB,EAAMznC,GAAWynC,EAC/D,IAAKtiC,EAAMiiB,IAAIwlB,EAAa5sC,GAAU,OAAO,EACzCwC,GAASA,EAAQ3C,KAAKG,EAAQsI,QAASnD,EAAOsiC,EAAMznC,GACxDmF,EAAMvD,QAAQ,OAAQuD,EAAOsiC,EAAMznC,EACrC,EACA6sC,EAAU3tC,KAAMc,GACTd,KAAKssC,KAAK,OAAQtsC,KAAMc,EACjC,EAKA8sC,KAAM,SAAS/pC,EAAKy+B,EAAKxhC,GAEvB,IAAIsF,EACO,MAAPvC,GAA8B,iBAARA,GACxBuC,EAAQvC,EACR/C,EAAUwhC,IAETl8B,EAAQ,CAAC,GAAGvC,GAAOy+B,EAItB,IAAIuL,GADJ/sC,EAAUX,EAAEs3B,OAAO,CAACqW,UAAU,EAAMh0B,OAAO,GAAOhZ,IAC/B+sC,KAKnB,GAAIznC,IAAUynC,GACZ,IAAK7tC,KAAKkoB,IAAI9hB,EAAOtF,GAAU,OAAO,OACjC,IAAKd,KAAKwsC,UAAUpmC,EAAOtF,GAChC,OAAO,EAKT,IAAImF,EAAQjG,KACRsD,EAAUxC,EAAQwC,QAClBiK,EAAavN,KAAKuN,WACtBzM,EAAQwC,QAAU,SAASilC,GAEzBtiC,EAAMsH,WAAaA,EACnB,IAAImgC,EAAc5sC,EAAQgZ,MAAQ7T,EAAM6T,MAAMyuB,EAAMznC,GAAWynC,EAE/D,GADIsF,IAAMH,EAAcvtC,EAAEs3B,OAAO,CAAC,EAAGrxB,EAAOsnC,IACxCA,IAAgBznC,EAAMiiB,IAAIwlB,EAAa5sC,GAAU,OAAO,EACxDwC,GAASA,EAAQ3C,KAAKG,EAAQsI,QAASnD,EAAOsiC,EAAMznC,GACxDmF,EAAMvD,QAAQ,OAAQuD,EAAOsiC,EAAMznC,EACrC,EACA6sC,EAAU3tC,KAAMc,GAGZsF,GAASynC,IAAM7tC,KAAKuN,WAAapN,EAAEs3B,OAAO,CAAC,EAAGlqB,EAAYnH,IAE9D,IAAIxD,EAAS5C,KAAK+tC,QAAU,SAAWjtC,EAAQ4D,MAAQ,QAAU,SAClD,UAAX9B,GAAuB9B,EAAQsF,QAAOtF,EAAQsF,MAAQA,GAC1D,IAAI8B,EAAMlI,KAAKssC,KAAK1pC,EAAQ5C,KAAMc,GAKlC,OAFAd,KAAKuN,WAAaA,EAEXrF,CACT,EAKA47B,QAAS,SAAShjC,GAChBA,EAAUA,EAAUX,EAAEkT,MAAMvS,GAAW,CAAC,EACxC,IAAImF,EAAQjG,KACRsD,EAAUxC,EAAQwC,QAClBuqC,EAAO/sC,EAAQ+sC,KAEf/J,EAAU,WACZ79B,EAAMukC,gBACNvkC,EAAMvD,QAAQ,UAAWuD,EAAOA,EAAM0C,WAAY7H,EACpD,EAEAA,EAAQwC,QAAU,SAASilC,GACrBsF,GAAM/J,IACNxgC,GAASA,EAAQ3C,KAAKG,EAAQsI,QAASnD,EAAOsiC,EAAMznC,GACnDmF,EAAM8nC,SAAS9nC,EAAMvD,QAAQ,OAAQuD,EAAOsiC,EAAMznC,EACzD,EAEA,IAAIoH,GAAM,EAQV,OAPIlI,KAAK+tC,QACP5tC,EAAEgY,MAAMrX,EAAQwC,UAEhBqqC,EAAU3tC,KAAMc,GAChBoH,EAAMlI,KAAKssC,KAAK,SAAUtsC,KAAMc,IAE7B+sC,GAAM/J,IACJ57B,CACT,EAKA/E,IAAK,WACH,IAAI6qC,EACF7tC,EAAE2E,OAAO9E,KAAM,YACfG,EAAE2E,OAAO9E,KAAK2I,WAAY,QAC1BE,IACF,GAAI7I,KAAK+tC,QAAS,OAAOC,EACzB,IAAIzoC,EAAKvF,KAAK+nB,IAAI/nB,KAAKqsC,aACvB,OAAO2B,EAAK15B,QAAQ,SAAU,OAAS+E,mBAAmB9T,EAC5D,EAIAuU,MAAO,SAASyuB,EAAMznC,GACpB,OAAOynC,CACT,EAGAl1B,MAAO,WACL,OAAO,IAAIrT,KAAKiuC,YAAYjuC,KAAKuN,WACnC,EAGAwgC,MAAO,WACL,OAAQ/tC,KAAKw0B,IAAIx0B,KAAKqsC,YACxB,EAGA6B,QAAS,SAASptC,GAChB,OAAOd,KAAKwsC,UAAU,CAAC,EAAGrsC,EAAEs3B,OAAO,CAAC,EAAG32B,EAAS,CAACgtC,UAAU,IAC7D,EAIAtB,UAAW,SAASpmC,EAAOtF,GACzB,IAAKA,EAAQgtC,WAAa9tC,KAAK8tC,SAAU,OAAO,EAChD1nC,EAAQjG,EAAEs3B,OAAO,CAAC,EAAGz3B,KAAKuN,WAAYnH,GACtC,IAAI1F,EAAQV,KAAKosC,gBAAkBpsC,KAAK8tC,SAAS1nC,EAAOtF,IAAY,KACpE,OAAKJ,IACLV,KAAK0C,QAAQ,UAAW1C,KAAMU,EAAOP,EAAEs3B,OAAO32B,EAAS,CAACsrC,gBAAiB1rC,MAClE,EACT,IAiBF,IAAI8H,EAAa7B,EAAS6B,WAAa,SAAS2lC,EAAQrtC,GACtDA,IAAYA,EAAU,CAAC,GACvBd,KAAK+rC,cAAcrxB,MAAM1a,KAAM6K,WAC3B/J,EAAQmF,QAAOjG,KAAKiG,MAAQnF,EAAQmF,YACb,IAAvBnF,EAAQstC,aAAuBpuC,KAAKouC,WAAattC,EAAQstC,YAC7DpuC,KAAKquC,SACLruC,KAAKmsC,WAAWzxB,MAAM1a,KAAM6K,WACxBsjC,GAAQnuC,KAAKsuC,MAAMH,EAAQhuC,EAAEs3B,OAAO,CAACiV,QAAQ,GAAO5rC,GAC1D,EAGIytC,EAAa,CAACxT,KAAK,EAAMrjB,QAAQ,EAAM82B,OAAO,GAC9CC,EAAa,CAAC1T,KAAK,EAAMrjB,QAAQ,GAGjCg3B,EAAS,SAASC,EAAOnjB,EAAQojB,GACnCA,EAAKh+B,KAAK0E,IAAI1E,KAAKkC,IAAI87B,EAAI,GAAID,EAAM3sC,QACrC,IAEIyP,EAFAwW,EAAOsW,MAAMoQ,EAAM3sC,OAAS4sC,GAC5B5sC,EAASwpB,EAAOxpB,OAEpB,IAAKyP,EAAI,EAAGA,EAAIwW,EAAKjmB,OAAQyP,IAAKwW,EAAKxW,GAAKk9B,EAAMl9B,EAAIm9B,GACtD,IAAKn9B,EAAI,EAAGA,EAAIzP,EAAQyP,IAAKk9B,EAAMl9B,EAAIm9B,GAAMpjB,EAAO/Z,GACpD,IAAKA,EAAI,EAAGA,EAAIwW,EAAKjmB,OAAQyP,IAAKk9B,EAAMl9B,EAAIzP,EAAS4sC,GAAM3mB,EAAKxW,EAClE,EAGAtR,EAAEs3B,OAAOjvB,EAAWS,UAAW+/B,EAAQ,CAIrC/iC,MAAO6lC,EAKPC,cAAe,WAAW,EAI1BI,WAAY,WAAW,EAIvBzlC,OAAQ,SAAS5F,GACf,OAAOd,KAAK+M,KAAI,SAAS9G,GAAS,OAAOA,EAAMS,OAAO5F,EAAU,GAClE,EAGAwrC,KAAM,WACJ,OAAO3lC,EAAS2lC,KAAK5xB,MAAM1a,KAAM6K,UACnC,EAKAkwB,IAAK,SAASoT,EAAQrtC,GACpB,OAAOd,KAAKkoB,IAAIimB,EAAQhuC,EAAEs3B,OAAO,CAAC+W,OAAO,GAAQ1tC,EAAS2tC,GAC5D,EAGA/2B,OAAQ,SAASy2B,EAAQrtC,GACvBA,EAAUX,EAAEs3B,OAAO,CAAC,EAAG32B,GACvB,IAAI+tC,GAAY1uC,EAAEq+B,QAAQ2P,GAC1BA,EAASU,EAAW,CAACV,GAAUA,EAAOthC,QACtC,IAAIiiC,EAAU9uC,KAAK+uC,cAAcZ,EAAQrtC,GAKzC,OAJKA,EAAQ4rC,QAAUoC,EAAQ9sC,SAC7BlB,EAAQ6rC,QAAU,CAACqC,MAAO,GAAIC,OAAQ,GAAIH,QAASA,GACnD9uC,KAAK0C,QAAQ,SAAU1C,KAAMc,IAExB+tC,EAAWC,EAAQ,GAAKA,CACjC,EAMA5mB,IAAK,SAASimB,EAAQrtC,GACpB,GAAc,MAAVqtC,EAAJ,EAEArtC,EAAUX,EAAEs3B,OAAO,CAAC,EAAG8W,EAAYztC,IACvBgZ,QAAU9Z,KAAKkvC,SAASf,KAClCA,EAASnuC,KAAK8Z,MAAMq0B,EAAQrtC,IAAY,IAG1C,IAAI+tC,GAAY1uC,EAAEq+B,QAAQ2P,GAC1BA,EAASU,EAAW,CAACV,GAAUA,EAAOthC,QAEtC,IAAI+hC,EAAK9tC,EAAQ8tC,GACP,MAANA,IAAYA,GAAMA,GAClBA,EAAK5uC,KAAKgC,SAAQ4sC,EAAK5uC,KAAKgC,QAC5B4sC,EAAK,IAAGA,GAAM5uC,KAAKgC,OAAS,GAEhC,IAgBIiE,EAAOwL,EAhBPyW,EAAM,GACNinB,EAAQ,GACRC,EAAU,GACVC,EAAW,GACXC,EAAW,CAAC,EAEZvU,EAAMj6B,EAAQi6B,IACdyT,EAAQ1tC,EAAQ0tC,MAChB92B,EAAS5W,EAAQ4W,OAEjB63B,GAAO,EACPC,EAAWxvC,KAAKouC,YAAoB,MAANQ,IAA+B,IAAjB9tC,EAAQyuC,KACpDE,EAAWtvC,EAAEuvC,SAAS1vC,KAAKouC,YAAcpuC,KAAKouC,WAAa,KAK/D,IAAK38B,EAAI,EAAGA,EAAI08B,EAAOnsC,OAAQyP,IAAK,CAClCxL,EAAQkoC,EAAO18B,GAIf,IAAIk+B,EAAW3vC,KAAK+nB,IAAI9hB,GACxB,GAAI0pC,EAAU,CACZ,GAAInB,GAASvoC,IAAU0pC,EAAU,CAC/B,IAAIvpC,EAAQpG,KAAKkvC,SAASjpC,GAASA,EAAMsH,WAAatH,EAClDnF,EAAQgZ,QAAO1T,EAAQupC,EAAS71B,MAAM1T,EAAOtF,IACjD6uC,EAASznB,IAAI9hB,EAAOtF,GACpBsuC,EAAQ1hC,KAAKiiC,GACTH,IAAaD,IAAMA,EAAOI,EAAStC,WAAWoC,GACpD,CACKH,EAASK,EAAS3D,OACrBsD,EAASK,EAAS3D,MAAO,EACzB9jB,EAAIxa,KAAKiiC,IAEXxB,EAAO18B,GAAKk+B,CAGd,MAAW5U,IACT90B,EAAQkoC,EAAO18B,GAAKzR,KAAK4vC,cAAc3pC,EAAOnF,MAE5CquC,EAAMzhC,KAAKzH,GACXjG,KAAK6vC,cAAc5pC,EAAOnF,GAC1BwuC,EAASrpC,EAAM+lC,MAAO,EACtB9jB,EAAIxa,KAAKzH,GAGf,CAGA,GAAIyR,EAAQ,CACV,IAAKjG,EAAI,EAAGA,EAAIzR,KAAKgC,OAAQyP,IAEtB69B,GADLrpC,EAAQjG,KAAKmuC,OAAO18B,IACAu6B,MAAMqD,EAAS3hC,KAAKzH,GAEtCopC,EAASrtC,QAAQhC,KAAK+uC,cAAcM,EAAUvuC,EACpD,CAGA,IAAIgvC,GAAe,EACfx7B,GAAWk7B,GAAYzU,GAAOrjB,EAkBlC,GAjBIwQ,EAAIlmB,QAAUsS,GAChBw7B,EAAe9vC,KAAKgC,SAAWkmB,EAAIlmB,QAAU7B,EAAE4vC,KAAK/vC,KAAKmuC,QAAQ,SAASjvB,EAAG4oB,GAC3E,OAAO5oB,IAAMgJ,EAAI4f,EACnB,IACA9nC,KAAKmuC,OAAOnsC,OAAS,EACrB0sC,EAAO1uC,KAAKmuC,OAAQjmB,EAAK,GACzBloB,KAAKgC,OAAShC,KAAKmuC,OAAOnsC,QACjBmtC,EAAMntC,SACXwtC,IAAUD,GAAO,GACrBb,EAAO1uC,KAAKmuC,OAAQgB,EAAa,MAANP,EAAa5uC,KAAKgC,OAAS4sC,GACtD5uC,KAAKgC,OAAShC,KAAKmuC,OAAOnsC,QAIxButC,GAAMvvC,KAAKuvC,KAAK,CAAC7C,QAAQ,KAGxB5rC,EAAQ4rC,OAAQ,CACnB,IAAKj7B,EAAI,EAAGA,EAAI09B,EAAMntC,OAAQyP,IAClB,MAANm9B,IAAY9tC,EAAQgnC,MAAQ8G,EAAKn9B,IACrCxL,EAAQkpC,EAAM19B,IACR/O,QAAQ,MAAOuD,EAAOjG,KAAMc,IAEhCyuC,GAAQO,IAAc9vC,KAAK0C,QAAQ,OAAQ1C,KAAMc,IACjDquC,EAAMntC,QAAUqtC,EAASrtC,QAAUotC,EAAQptC,UAC7ClB,EAAQ6rC,QAAU,CAChBqC,MAAOG,EACPL,QAASO,EACTJ,OAAQG,GAEVpvC,KAAK0C,QAAQ,SAAU1C,KAAMc,GAEjC,CAGA,OAAO+tC,EAAWV,EAAO,GAAKA,CA/GJ,CAgH5B,EAMAG,MAAO,SAASH,EAAQrtC,GACtBA,EAAUA,EAAUX,EAAEkT,MAAMvS,GAAW,CAAC,EACxC,IAAK,IAAI2Q,EAAI,EAAGA,EAAIzR,KAAKmuC,OAAOnsC,OAAQyP,IACtCzR,KAAKgwC,iBAAiBhwC,KAAKmuC,OAAO18B,GAAI3Q,GAMxC,OAJAA,EAAQmvC,eAAiBjwC,KAAKmuC,OAC9BnuC,KAAKquC,SACLF,EAASnuC,KAAK+6B,IAAIoT,EAAQhuC,EAAEs3B,OAAO,CAACiV,QAAQ,GAAO5rC,IAC9CA,EAAQ4rC,QAAQ1sC,KAAK0C,QAAQ,QAAS1C,KAAMc,GAC1CqtC,CACT,EAGAzgC,KAAM,SAASzH,EAAOnF,GACpB,OAAOd,KAAK+6B,IAAI90B,EAAO9F,EAAEs3B,OAAO,CAACmX,GAAI5uC,KAAKgC,QAASlB,GACrD,EAGA+E,IAAK,SAAS/E,GACZ,IAAImF,EAAQjG,KAAK4uC,GAAG5uC,KAAKgC,OAAS,GAClC,OAAOhC,KAAK0X,OAAOzR,EAAOnF,EAC5B,EAGAovC,QAAS,SAASjqC,EAAOnF,GACvB,OAAOd,KAAK+6B,IAAI90B,EAAO9F,EAAEs3B,OAAO,CAACmX,GAAI,GAAI9tC,GAC3C,EAGA8G,MAAO,SAAS9G,GACd,IAAImF,EAAQjG,KAAK4uC,GAAG,GACpB,OAAO5uC,KAAK0X,OAAOzR,EAAOnF,EAC5B,EAGA+L,MAAO,WACL,OAAOA,EAAM6N,MAAM1a,KAAKmuC,OAAQtjC,UAClC,EAIAkd,IAAK,SAASgiB,GACZ,GAAW,MAAPA,EACJ,OAAO/pC,KAAKmwC,MAAMpG,IAChB/pC,KAAKmwC,MAAMnwC,KAAKowC,QAAQpwC,KAAKkvC,SAASnF,GAAOA,EAAIx8B,WAAaw8B,EAAKA,EAAIsC,eACvEtC,EAAIiC,KAAOhsC,KAAKmwC,MAAMpG,EAAIiC,IAC9B,EAGAxX,IAAK,SAASuV,GACZ,OAAwB,MAAjB/pC,KAAK+nB,IAAIgiB,EAClB,EAGA6E,GAAI,SAAS9G,GAEX,OADIA,EAAQ,IAAGA,GAAS9nC,KAAKgC,QACtBhC,KAAKmuC,OAAOrG,EACrB,EAIAuI,MAAO,SAASjqC,EAAOkqC,GACrB,OAAOtwC,KAAKswC,EAAQ,OAAS,UAAUlqC,EACzC,EAIAmqC,UAAW,SAASnqC,GAClB,OAAOpG,KAAKqwC,MAAMjqC,GAAO,EAC3B,EAKAmpC,KAAM,SAASzuC,GACb,IAAIstC,EAAapuC,KAAKouC,WACtB,IAAKA,EAAY,MAAM,IAAIxlC,MAAM,0CACjC9H,IAAYA,EAAU,CAAC,GAEvB,IAAIkB,EAASosC,EAAWpsC,OAUxB,OATI7B,EAAEqwC,WAAWpC,KAAaA,EAAaA,EAAW5qC,KAAKxD,OAG5C,IAAXgC,GAAgB7B,EAAEuvC,SAAStB,GAC7BpuC,KAAKmuC,OAASnuC,KAAKywC,OAAOrC,GAE1BpuC,KAAKmuC,OAAOoB,KAAKnB,GAEdttC,EAAQ4rC,QAAQ1sC,KAAK0C,QAAQ,OAAQ1C,KAAMc,GACzCd,IACT,EAGA0wC,MAAO,SAAS36B,GACd,OAAO/V,KAAK+M,IAAIgJ,EAAO,GACzB,EAKAoe,MAAO,SAASrzB,GAEd,IAAIwC,GADJxC,EAAUX,EAAEs3B,OAAO,CAAC3d,OAAO,GAAOhZ,IACZwC,QAClBqF,EAAa3I,KAQjB,OAPAc,EAAQwC,QAAU,SAASilC,GACzB,IAAI3lC,EAAS9B,EAAQwtC,MAAQ,QAAU,MACvC3lC,EAAW/F,GAAQ2lC,EAAMznC,GACrBwC,GAASA,EAAQ3C,KAAKG,EAAQsI,QAAST,EAAY4/B,EAAMznC,GAC7D6H,EAAWjG,QAAQ,OAAQiG,EAAY4/B,EAAMznC,EAC/C,EACA6sC,EAAU3tC,KAAMc,GACTd,KAAKssC,KAAK,OAAQtsC,KAAMc,EACjC,EAKA0D,OAAQ,SAASyB,EAAOnF,GAEtB,IAAI+sC,GADJ/sC,EAAUA,EAAUX,EAAEkT,MAAMvS,GAAW,CAAC,GACrB+sC,KAEnB,KADA5nC,EAAQjG,KAAK4vC,cAAc3pC,EAAOnF,IACtB,OAAO,EACd+sC,GAAM7tC,KAAK+6B,IAAI90B,EAAOnF,GAC3B,IAAI6H,EAAa3I,KACbsD,EAAUxC,EAAQwC,QAoBtB,OAnBAxC,EAAQwC,QAAU,SAAS4b,EAAGqpB,EAAMoI,GAC9B9C,IACF3uB,EAAEsH,IAAI,QAAS7d,EAAWioC,sBAAuBjoC,GACjDA,EAAWoyB,IAAI7b,EAAGyxB,IAEhBrtC,GAASA,EAAQ3C,KAAKgwC,EAAavnC,QAAS8V,EAAGqpB,EAAMoI,EAC3D,EASI9C,GACF5nC,EAAM6kC,KAAK,QAAS9qC,KAAK4wC,sBAAuB5wC,MAElDiG,EAAM2nC,KAAK,KAAM9sC,GACVmF,CACT,EAIA6T,MAAO,SAASyuB,EAAMznC,GACpB,OAAOynC,CACT,EAGAl1B,MAAO,WACL,OAAO,IAAIrT,KAAKiuC,YAAYjuC,KAAKmuC,OAAQ,CACvCloC,MAAOjG,KAAKiG,MACZmoC,WAAYpuC,KAAKouC,YAErB,EAGAgC,QAAS,SAAShqC,EAAOimC,GACvB,OAAOjmC,EAAMimC,GAAersC,KAAKiG,MAAMgD,UAAUojC,aAAe,KAClE,EAGAjZ,OAAQ,WACN,OAAO,IAAIyd,EAAmB7wC,KAAM8wC,EACtC,EAGAtU,KAAM,WACJ,OAAO,IAAIqU,EAAmB7wC,KAAM+wC,EACtC,EAGAC,QAAS,WACP,OAAO,IAAIH,EAAmB7wC,KAAMixC,EACtC,EAIA5C,OAAQ,WACNruC,KAAKgC,OAAS,EACdhC,KAAKmuC,OAAS,GACdnuC,KAAKmwC,MAAS,CAAC,CACjB,EAIAP,cAAe,SAASxpC,EAAOtF,GAC7B,OAAId,KAAKkvC,SAAS9oC,IACXA,EAAMuC,aAAYvC,EAAMuC,WAAa3I,MACnCoG,KAETtF,EAAUA,EAAUX,EAAEkT,MAAMvS,GAAW,CAAC,GAChC6H,WAAa3I,MAInBiG,EADEjG,KAAKiG,MAAMgD,UACL,IAAIjJ,KAAKiG,MAAMG,EAAOtF,GAGtBd,KAAKiG,MAAMG,EAAOtF,IAGjBsrC,iBACXpsC,KAAK0C,QAAQ,UAAW1C,KAAMiG,EAAMmmC,gBAAiBtrC,IAC9C,GAF4BmF,GARnC,IAAIA,CAWN,EAGA8oC,cAAe,SAASZ,EAAQrtC,GAE9B,IADA,IAAIguC,EAAU,GACLr9B,EAAI,EAAGA,EAAI08B,EAAOnsC,OAAQyP,IAAK,CACtC,IAAIxL,EAAQjG,KAAK+nB,IAAIomB,EAAO18B,IAC5B,GAAKxL,EAAL,CAEA,IAAI6hC,EAAQ9nC,KAAK0F,QAAQO,GACzBjG,KAAKmuC,OAAOO,OAAO5G,EAAO,GAC1B9nC,KAAKgC,gBAIEhC,KAAKmwC,MAAMlqC,EAAM+lC,KACxB,IAAIzmC,EAAKvF,KAAKowC,QAAQnqC,EAAMsH,WAAYtH,EAAMomC,aACpC,MAAN9mC,UAAmBvF,KAAKmwC,MAAM5qC,GAE7BzE,EAAQ4rC,SACX5rC,EAAQgnC,MAAQA,EAChB7hC,EAAMvD,QAAQ,SAAUuD,EAAOjG,KAAMc,IAGvCguC,EAAQphC,KAAKzH,GACbjG,KAAKgwC,iBAAiB/pC,EAAOnF,EAlBT,CAmBtB,CAEA,OADIqtC,EAAOnsC,OAAS,IAAMlB,EAAQ4rC,eAAe5rC,EAAQgnC,MAClDgH,CACT,EAIAI,SAAU,SAASjpC,GACjB,OAAOA,aAAiB6lC,CAC1B,EAGA+D,cAAe,SAAS5pC,EAAOnF,GAC7Bd,KAAKmwC,MAAMlqC,EAAM+lC,KAAO/lC,EACxB,IAAIV,EAAKvF,KAAKowC,QAAQnqC,EAAMsH,WAAYtH,EAAMomC,aACpC,MAAN9mC,IAAYvF,KAAKmwC,MAAM5qC,GAAMU,GACjCA,EAAM8R,GAAG,MAAO/X,KAAKkxC,cAAelxC,KACtC,EAGAgwC,iBAAkB,SAAS/pC,EAAOnF,UACzBd,KAAKmwC,MAAMlqC,EAAM+lC,KACxB,IAAIzmC,EAAKvF,KAAKowC,QAAQnqC,EAAMsH,WAAYtH,EAAMomC,aACpC,MAAN9mC,UAAmBvF,KAAKmwC,MAAM5qC,GAC9BvF,OAASiG,EAAM0C,mBAAmB1C,EAAM0C,WAC5C1C,EAAMugB,IAAI,MAAOxmB,KAAKkxC,cAAelxC,KACvC,EAMAkxC,cAAe,SAAShrB,EAAOjgB,EAAO0C,EAAY7H,GAChD,GAAImF,EAAO,CACT,IAAe,QAAVigB,GAA6B,WAAVA,IAAuBvd,IAAe3I,KAAM,OAEpE,GADc,YAAVkmB,GAAqBlmB,KAAK0X,OAAOzR,EAAOnF,GAC9B,aAAVolB,EAAsB,CACxB,IAAIgnB,EAASltC,KAAKowC,QAAQnqC,EAAMwnC,qBAAsBxnC,EAAMomC,aACxD9mC,EAAKvF,KAAKowC,QAAQnqC,EAAMsH,WAAYtH,EAAMomC,aAChC,MAAVa,UAAuBltC,KAAKmwC,MAAMjD,GAC5B,MAAN3nC,IAAYvF,KAAKmwC,MAAM5qC,GAAMU,EACnC,CACF,CACAjG,KAAK0C,QAAQgY,MAAM1a,KAAM6K,UAC3B,EAOA+lC,sBAAuB,SAAS3qC,EAAO0C,EAAY7H,GAG7Cd,KAAKw0B,IAAIvuB,IACbjG,KAAKkxC,cAAc,QAASjrC,EAAO0C,EAAY7H,EACjD,IAMF,IAAIqwC,EAA+B,mBAAXC,QAAyBA,OAAOC,SACpDF,IACF3oC,EAAWS,UAAUkoC,GAAc3oC,EAAWS,UAAUmqB,QAU1D,IAAIyd,EAAqB,SAASloC,EAAY2oC,GAC5CtxC,KAAKuxC,YAAc5oC,EACnB3I,KAAKwxC,MAAQF,EACbtxC,KAAKyxC,OAAS,CAChB,EAKIX,EAAkB,EAClBC,EAAgB,EAChBE,EAAsB,EAGtBE,IACFN,EAAmB5nC,UAAUkoC,GAAc,WACzC,OAAOnxC,IACT,GAGF6wC,EAAmB5nC,UAAUyoC,KAAO,WAClC,GAAI1xC,KAAKuxC,YAAa,CAGpB,GAAIvxC,KAAKyxC,OAASzxC,KAAKuxC,YAAYvvC,OAAQ,CACzC,IAIIgC,EAJAiC,EAAQjG,KAAKuxC,YAAY3C,GAAG5uC,KAAKyxC,QAKrC,GAJAzxC,KAAKyxC,SAIDzxC,KAAKwxC,QAAUV,EACjB9sC,EAAQiC,MACH,CACL,IAAIV,EAAKvF,KAAKuxC,YAAYnB,QAAQnqC,EAAMsH,WAAYtH,EAAMomC,aAExDroC,EADEhE,KAAKwxC,QAAUT,EACTxrC,EAEA,CAACA,EAAIU,EAEjB,CACA,MAAO,CAACjC,MAAOA,EAAOiW,MAAM,EAC9B,CAIAja,KAAKuxC,iBAAc,CACrB,CAEA,MAAO,CAACvtC,WAAO,EAAQiW,MAAM,EAC/B,EAeA,IAAI03B,EAAOhrC,EAASgrC,KAAO,SAAS7wC,GAClCd,KAAKgsC,IAAM7rC,EAAE8pC,SAAS,QACtBjqC,KAAK+rC,cAAcrxB,MAAM1a,KAAM6K,WAC/B1K,EAAEs3B,OAAOz3B,KAAMG,EAAEmP,KAAKxO,EAAS8wC,IAC/B5xC,KAAK6xC,iBACL7xC,KAAKmsC,WAAWzxB,MAAM1a,KAAM6K,UAC9B,EAGIinC,EAAwB,iBAGxBF,EAAc,CAAC,QAAS,aAAc,KAAM,KAAM,aAAc,YAAa,UAAW,UAG5FzxC,EAAEs3B,OAAOka,EAAK1oC,UAAW+/B,EAAQ,CAG/B+I,QAAS,MAITzxC,EAAG,SAASgb,GACV,OAAOtb,KAAKwC,IAAIT,KAAKuZ,EACvB,EAIAywB,cAAe,WAAW,EAI1BI,WAAY,WAAW,EAKvBpU,OAAQ,WACN,OAAO/3B,IACT,EAIA0X,OAAQ,WAGN,OAFA1X,KAAKgyC,iBACLhyC,KAAKwqC,gBACExqC,IACT,EAKAgyC,eAAgB,WACdhyC,KAAKwC,IAAIkV,QACX,EAIAu6B,WAAY,SAASzZ,GAInB,OAHAx4B,KAAKkyC,mBACLlyC,KAAKmyC,YAAY3Z,GACjBx4B,KAAKoyC,iBACEpyC,IACT,EAOAmyC,YAAa,SAASra,GACpB93B,KAAKwC,IAAMs1B,aAAcnxB,EAASrG,EAAIw3B,EAAKnxB,EAASrG,EAAEw3B,GACtD93B,KAAK83B,GAAK93B,KAAKwC,IAAI,EACrB,EAeA4vC,eAAgB,SAAShJ,GAEvB,GADAA,IAAWA,EAASjpC,EAAE2E,OAAO9E,KAAM,YAC9BopC,EAAQ,OAAOppC,KAEpB,IAAK,IAAI6D,KADT7D,KAAKkyC,mBACW9I,EAAQ,CACtB,IAAIxmC,EAASwmC,EAAOvlC,GAEpB,GADK1D,EAAEqwC,WAAW5tC,KAASA,EAAS5C,KAAK4C,IACpCA,EAAL,CACA,IAAI8c,EAAQ7b,EAAI6b,MAAMoyB,GACtB9xC,KAAKo5B,SAAS1Z,EAAM,GAAIA,EAAM,GAAI9c,EAAOY,KAAKxD,MAFzB,CAGvB,CACA,OAAOA,IACT,EAKAo5B,SAAU,SAASiZ,EAAW/2B,EAAUswB,GAEtC,OADA5rC,KAAKwC,IAAIuV,GAAGs6B,EAAY,kBAAoBryC,KAAKgsC,IAAK1wB,EAAUswB,GACzD5rC,IACT,EAKAkyC,iBAAkB,WAEhB,OADIlyC,KAAKwC,KAAKxC,KAAKwC,IAAIgkB,IAAI,kBAAoBxmB,KAAKgsC,KAC7ChsC,IACT,EAIAsyC,WAAY,SAASD,EAAW/2B,EAAUswB,GAExC,OADA5rC,KAAKwC,IAAIgkB,IAAI6rB,EAAY,kBAAoBryC,KAAKgsC,IAAK1wB,EAAUswB,GAC1D5rC,IACT,EAIAuyC,eAAgB,SAASR,GACvB,OAAOxoC,SAAS8L,cAAc08B,EAChC,EAMAF,eAAgB,WACd,GAAK7xC,KAAK83B,GAOR93B,KAAKiyC,WAAW9xC,EAAE2E,OAAO9E,KAAM,WAPnB,CACZ,IAAIoG,EAAQjG,EAAEs3B,OAAO,CAAC,EAAGt3B,EAAE2E,OAAO9E,KAAM,eACpCA,KAAKuF,KAAIa,EAAMb,GAAKpF,EAAE2E,OAAO9E,KAAM,OACnCA,KAAKi7B,YAAW70B,EAAa,MAAIjG,EAAE2E,OAAO9E,KAAM,cACpDA,KAAKiyC,WAAWjyC,KAAKuyC,eAAepyC,EAAE2E,OAAO9E,KAAM,aACnDA,KAAKwyC,eAAepsC,EACtB,CAGF,EAIAosC,eAAgB,SAASjlC,GACvBvN,KAAKwC,IAAIuT,KAAKxI,EAChB,IAWF,IAsBIklC,EAAuB,SAASC,EAAO1E,EAAMlhB,EAAS6lB,GACxDxyC,EAAEE,KAAKysB,GAAS,SAAS9qB,EAAQY,GAC3BorC,EAAKprC,KAAS8vC,EAAMzpC,UAAUrG,GAxBtB,SAASorC,EAAMhsC,EAAQY,EAAQ+vC,GAC7C,OAAQ3wC,GACN,KAAK,EAAG,OAAO,WACb,OAAOgsC,EAAKprC,GAAQ5C,KAAK2yC,GAC3B,EACA,KAAK,EAAG,OAAO,SAAS3uC,GACtB,OAAOgqC,EAAKprC,GAAQ5C,KAAK2yC,GAAY3uC,EACvC,EACA,KAAK,EAAG,OAAO,SAASmlC,EAAU//B,GAChC,OAAO4kC,EAAKprC,GAAQ5C,KAAK2yC,GAAYrU,EAAG6K,EAAUnpC,MAAOoJ,EAC3D,EACA,KAAK,EAAG,OAAO,SAAS+/B,EAAUyJ,EAAYxpC,GAC5C,OAAO4kC,EAAKprC,GAAQ5C,KAAK2yC,GAAYrU,EAAG6K,EAAUnpC,MAAO4yC,EAAYxpC,EACvE,EACA,QAAS,OAAO,WACd,IAAIu9B,EAAO95B,EAAMlM,KAAKkK,WAEtB,OADA87B,EAAKuJ,QAAQlwC,KAAK2yC,IACX3E,EAAKprC,GAAQ8X,MAAMszB,EAAMrH,EAClC,EAEJ,CAIgDkM,CAAU7E,EAAMhsC,EAAQY,EAAQ+vC,GAC9E,GACF,EAGIrU,EAAK,SAAS6K,EAAU2J,GAC1B,OAAI3yC,EAAEqwC,WAAWrH,GAAkBA,EAC/BhpC,EAAE4yC,SAAS5J,KAAc2J,EAAS5D,SAAS/F,GAAkB6J,EAAa7J,GAC1EhpC,EAAEuvC,SAASvG,GAAkB,SAASljC,GAAS,OAAOA,EAAM8hB,IAAIohB,EAAW,EACxEA,CACT,EACI6J,EAAe,SAAS5sC,GAC1B,IAAI6sC,EAAU9yC,EAAEsf,QAAQrZ,GACxB,OAAO,SAASH,GACd,OAAOgtC,EAAQhtC,EAAMsH,WACvB,CACF,EAsBApN,EAAEE,KAAK,CACL,CAACmI,EAlBqB,CAAC0E,QAAS,EAAG7M,KAAM,EAAG0M,IAAK,EAAGmmC,QAAS,EAAGC,OAAQ,EACxEC,MAAO,EAAGC,OAAQ,EAAGC,YAAa,EAAGC,MAAO,EAAGxxC,KAAM,EAAGyxC,OAAQ,EAAGplC,OAAQ,EAC3E2gB,OAAQ,EAAGrZ,OAAQ,EAAG+9B,MAAO,EAAGpI,IAAK,EAAG0E,KAAM,EAAG2D,IAAK,EAAGC,QAAS,EAAGxkC,SAAU,EAC/EykC,SAAU,EAAGC,OAAQ,EAAG/gC,IAAK,EAAGwC,IAAK,EAAGw+B,QAAS,EAAGpgC,KAAM,EAAG48B,MAAO,EACpEhT,KAAM,EAAGyW,KAAM,EAAGC,QAAS,EAAGC,KAAM,EAAGhsB,KAAM,EAAGisB,KAAM,EAAGC,KAAM,EAC/DC,QAAS,EAAGC,WAAY,EAAG3uC,QAAS,EAAG4uC,QAAS,EAAGhxB,YAAa,EAChEonB,QAAS,EAAG6J,MAAO,EAAGC,OAAQ,EAAGC,UAAW,EAAGC,QAAS,EAAGC,QAAS,EACpElE,OAAQ,EAAGmE,QAAS,EAAGC,UAAW,EAAGC,cAAe,GAWpB,UAChC,CAAChJ,EAPgB,CAACtP,KAAM,EAAGpJ,OAAQ,EAAG2hB,MAAO,EAAGC,OAAQ,EAAG1lC,KAAM,EACjE2lC,KAAM,EAAGV,MAAO,EAAG7J,QAAS,GAMN,gBACrB,SAASrmB,GACV,IAAI6wB,EAAO7wB,EAAO,GACdyI,EAAUzI,EAAO,GACjBsuB,EAAYtuB,EAAO,GAEvB6wB,EAAK5d,MAAQ,SAASyS,GACpB,IAAIoL,EAAWh1C,EAAEgzC,OAAOhzC,EAAEi1C,UAAUrL,IAAM,SAASsL,EAAM5pC,GAEvD,OADA4pC,EAAK5pC,GAAQ,EACN4pC,CACT,GAAG,CAAC,GACJ5C,EAAqByC,EAAMnL,EAAKoL,EAAUxC,EAC5C,EAEAF,EAAqByC,EAAM/0C,EAAG2sB,EAAS6lB,EACzC,IAoBAhsC,EAAS2lC,KAAO,SAAS1pC,EAAQqD,EAAOnF,GACtC,IAAImC,EAAOsB,EAAU3B,GAGrBzC,EAAE+rC,SAASprC,IAAYA,EAAU,CAAC,GAAI,CACpC+nC,YAAaliC,EAASkiC,YACtBC,YAAaniC,EAASmiC,cAIxB,IAAIxgC,EAAS,CAACrF,KAAMA,EAAMqyC,SAAU,QAqBpC,GAlBKx0C,EAAQqC,MACXmF,EAAOnF,IAAMhD,EAAE2E,OAAOmB,EAAO,QAAU4C,KAIrB,MAAhB/H,EAAQuC,OAAgB4C,GAAqB,WAAXrD,GAAkC,WAAXA,GAAkC,UAAXA,IAClF0F,EAAOitC,YAAc,mBACrBjtC,EAAOjF,KAAOyF,KAAKC,UAAUjI,EAAQsF,OAASH,EAAMS,OAAO5F,KAIzDA,EAAQgoC,cACVxgC,EAAOitC,YAAc,oCACrBjtC,EAAOjF,KAAOiF,EAAOjF,KAAO,CAAC4C,MAAOqC,EAAOjF,MAAQ,CAAC,GAKlDvC,EAAQ+nC,cAAyB,QAAT5lC,GAA2B,WAATA,GAA8B,UAATA,GAAmB,CACpFqF,EAAOrF,KAAO,OACVnC,EAAQgoC,cAAaxgC,EAAOjF,KAAKmyC,QAAUvyC,GAC/C,IAAIwyC,EAAa30C,EAAQ20C,WACzB30C,EAAQ20C,WAAa,SAASvtC,GAE5B,GADAA,EAAImsB,iBAAiB,yBAA0BpxB,GAC3CwyC,EAAY,OAAOA,EAAW/6B,MAAM1a,KAAM6K,UAChD,CACF,CAGoB,QAAhBvC,EAAOrF,MAAmBnC,EAAQgoC,cACpCxgC,EAAOU,aAAc,GAIvB,IAAItI,EAAQI,EAAQJ,MACpBI,EAAQJ,MAAQ,SAASwH,EAAKgB,EAAYC,GACxCrI,EAAQoI,WAAaA,EACrBpI,EAAQqI,YAAcA,EAClBzI,GAAOA,EAAMC,KAAKG,EAAQsI,QAASlB,EAAKgB,EAAYC,EAC1D,EAGA,IAAIjB,EAAMpH,EAAQoH,IAAMvB,EAAS+uC,KAAKv1C,EAAEs3B,OAAOnvB,EAAQxH,IAEvD,OADAmF,EAAMvD,QAAQ,UAAWuD,EAAOiC,EAAKpH,GAC9BoH,CACT,EAGA,IAAI3D,EAAY,CACd,OAAU,OACV,OAAU,MACV,MAAS,QACT,OAAU,SACV,KAAQ,OAKVoC,EAAS+uC,KAAO,WACd,OAAO/uC,EAASrG,EAAEo1C,KAAKh7B,MAAM/T,EAASrG,EAAGuK,UAC3C,EAOA,IAAI8qC,EAAShvC,EAASgvC,OAAS,SAAS70C,GACtCA,IAAYA,EAAU,CAAC,GACvBd,KAAK+rC,cAAcrxB,MAAM1a,KAAM6K,WAC3B/J,EAAQ80C,SAAQ51C,KAAK41C,OAAS90C,EAAQ80C,QAC1C51C,KAAK61C,cACL71C,KAAKmsC,WAAWzxB,MAAM1a,KAAM6K,UAC9B,EAIIirC,EAAgB,aAChBC,EAAgB,eAChBC,EAAgB,SAChBC,EAAgB,2BAGpB91C,EAAEs3B,OAAOke,EAAO1sC,UAAW+/B,EAAQ,CAIjC+C,cAAe,WAAW,EAI1BI,WAAY,WAAW,EAQvB+J,MAAO,SAASA,EAAOzqC,EAAM1L,GACtBI,EAAEg2C,SAASD,KAAQA,EAAQl2C,KAAKo2C,eAAeF,IAChD/1C,EAAEqwC,WAAW/kC,KACf1L,EAAW0L,EACXA,EAAO,IAEJ1L,IAAUA,EAAWC,KAAKyL,IAC/B,IAAI4qC,EAASr2C,KASb,OARA2G,EAASqW,QAAQk5B,MAAMA,GAAO,SAASI,GACrC,IAAI3P,EAAO0P,EAAOE,mBAAmBL,EAAOI,IACC,IAAzCD,EAAOG,QAAQz2C,EAAU4mC,EAAMl7B,KACjC4qC,EAAO3zC,QAAQgY,MAAM27B,EAAQ,CAAC,SAAW5qC,GAAM40B,OAAOsG,IACtD0P,EAAO3zC,QAAQ,QAAS+I,EAAMk7B,GAC9BhgC,EAASqW,QAAQta,QAAQ,QAAS2zC,EAAQ5qC,EAAMk7B,GAEpD,IACO3mC,IACT,EAIAw2C,QAAS,SAASz2C,EAAU4mC,EAAMl7B,GAC5B1L,GAAUA,EAAS2a,MAAM1a,KAAM2mC,EACrC,EAGA8P,SAAU,SAASH,EAAUx1C,GAE3B,OADA6F,EAASqW,QAAQy5B,SAASH,EAAUx1C,GAC7Bd,IACT,EAKA61C,YAAa,WACX,GAAK71C,KAAK41C,OAAV,CACA51C,KAAK41C,OAASz1C,EAAE2E,OAAO9E,KAAM,UAE7B,IADA,IAAIk2C,EAAON,EAASz1C,EAAEq8B,KAAKx8B,KAAK41C,QACC,OAAzBM,EAAQN,EAAO/vC,QACrB7F,KAAKk2C,MAAMA,EAAOl2C,KAAK41C,OAAOM,GAJR,CAM1B,EAIAE,eAAgB,SAASF,GAOvB,OANAA,EAAQA,EAAM5hC,QAAQ2hC,EAAc,QACnC3hC,QAAQwhC,EAAe,WACvBxhC,QAAQyhC,GAAY,SAASr2B,EAAOg3B,GACnC,OAAOA,EAAWh3B,EAAQ,UAC5B,IACCpL,QAAQ0hC,EAAY,YACd,IAAIW,OAAO,IAAMT,EAAQ,uBAClC,EAKAK,mBAAoB,SAASL,EAAOI,GAClC,IAAIhuC,EAAS4tC,EAAMU,KAAKN,GAAUzpC,MAAM,GACxC,OAAO1M,EAAE4M,IAAIzE,GAAQ,SAASuuC,EAAOplC,GAEnC,OAAIA,IAAMnJ,EAAOtG,OAAS,EAAU60C,GAAS,KACtCA,EAAQnvB,mBAAmBmvB,GAAS,IAC7C,GACF,IAYF,IAAI13B,EAAUxY,EAASwY,QAAU,WAC/Bnf,KAAKsqC,SAAW,GAChBtqC,KAAK82C,SAAW92C,KAAK82C,SAAStzC,KAAKxD,MAGb,oBAAXmE,SACTnE,KAAKkd,SAAW/Y,OAAO+Y,SACvBld,KAAKgd,QAAU7Y,OAAO6Y,QAE1B,EAGI+5B,EAAgB,eAGhBC,EAAe,aAGfC,EAAe,OAGnB93B,EAAQ+3B,SAAU,EAGlB/2C,EAAEs3B,OAAOtY,EAAQlW,UAAW+/B,EAAQ,CAIlCnmB,SAAU,GAGVs0B,OAAQ,WAEN,OADWn3C,KAAKkd,SAASC,SAAS7I,QAAQ,SAAU,SACpCtU,KAAK2M,OAAS3M,KAAKo3C,WACrC,EAGAC,UAAW,WAGT,OAFWr3C,KAAKs3C,eAAet3C,KAAKkd,SAASC,UACzBtQ,MAAM,EAAG7M,KAAK2M,KAAK3K,OAAS,GAAK,MACjChC,KAAK2M,IAC3B,EAKA2qC,eAAgB,SAAShB,GACvB,OAAOiB,UAAUjB,EAAShiC,QAAQ,OAAQ,SAC5C,EAIA8iC,UAAW,WACT,IAAI13B,EAAQ1f,KAAKkd,SAAShY,KAAKoP,QAAQ,MAAO,IAAIoL,MAAM,QACxD,OAAOA,EAAQA,EAAM,GAAK,EAC5B,EAIA83B,QAAS,SAASrzC,GAChB,IAAIub,GAASvb,GAAUnE,MAAMkd,SAAShY,KAAKwa,MAAM,UACjD,OAAOA,EAAQA,EAAM,GAAK,EAC5B,EAGAjT,QAAS,WACP,IAAIH,EAAOtM,KAAKs3C,eACdt3C,KAAKkd,SAASC,SAAWnd,KAAKo3C,aAC9BvqC,MAAM7M,KAAK2M,KAAK3K,OAAS,GAC3B,MAA0B,MAAnBsK,EAAK2S,OAAO,GAAa3S,EAAKO,MAAM,GAAKP,CAClD,EAGAmrC,YAAa,SAASnB,GAQpB,OAPgB,MAAZA,IAEAA,EADEt2C,KAAK03C,gBAAkB13C,KAAK23C,iBACnB33C,KAAKyM,UAELzM,KAAKw3C,WAGblB,EAAShiC,QAAQyiC,EAAe,GACzC,EAIA7Q,MAAO,SAASplC,GACd,GAAIqe,EAAQ+3B,QAAS,MAAM,IAAItuC,MAAM,6CAqBrC,GApBAuW,EAAQ+3B,SAAU,EAIlBl3C,KAAKc,QAAmBX,EAAEs3B,OAAO,CAAC9qB,KAAM,KAAM3M,KAAKc,QAASA,GAC5Dd,KAAK2M,KAAmB3M,KAAKc,QAAQ6L,KACrC3M,KAAK43C,eAAmB53C,KAAKc,QAAQ+2C,cACrC73C,KAAK23C,kBAA+C,IAA5B33C,KAAKc,QAAQg3C,WACrC93C,KAAK+3C,eAAmB,iBAAkB5zC,cAAqC,IAA1BoF,SAASyuC,cAA2BzuC,SAASyuC,aAAe,GACjHh4C,KAAKi4C,eAAmBj4C,KAAK23C,kBAAoB33C,KAAK+3C,eACtD/3C,KAAKk4C,kBAAqBl4C,KAAKc,QAAQmc,UACvCjd,KAAKm4C,iBAAsBn4C,KAAKgd,UAAWhd,KAAKgd,QAAQC,WACxDjd,KAAK03C,cAAmB13C,KAAKk4C,iBAAmBl4C,KAAKm4C,cACrDn4C,KAAKs2C,SAAmBt2C,KAAKy3C,cAG7Bz3C,KAAK2M,MAAQ,IAAM3M,KAAK2M,KAAO,KAAK2H,QAAQ0iC,EAAc,KAItDh3C,KAAK23C,kBAAoB33C,KAAKk4C,gBAAiB,CAIjD,IAAKl4C,KAAKm4C,gBAAkBn4C,KAAKm3C,SAAU,CACzC,IAAIiB,EAAWp4C,KAAK2M,KAAKE,MAAM,GAAI,IAAM,IAGzC,OAFA7M,KAAKkd,SAAS5I,QAAQ8jC,EAAW,IAAMp4C,KAAKyM,YAErC,CAIT,CAAWzM,KAAKm4C,eAAiBn4C,KAAKm3C,UACpCn3C,KAAKy2C,SAASz2C,KAAKw3C,UAAW,CAACljC,SAAS,GAG5C,CAKA,IAAKtU,KAAK+3C,gBAAkB/3C,KAAK23C,mBAAqB33C,KAAK03C,cAAe,CACxE13C,KAAK2Z,OAASpQ,SAAS8L,cAAc,UACrCrV,KAAK2Z,OAAOvE,IAAM,eAClBpV,KAAK2Z,OAAOiE,MAAMojB,QAAU,OAC5BhhC,KAAK2Z,OAAOwnB,UAAY,EACxB,IAAIx5B,EAAO4B,SAAS5B,KAEhB0wC,EAAU1wC,EAAK05B,aAAarhC,KAAK2Z,OAAQhS,EAAK2wC,YAAYC,cAC9DF,EAAQ9uC,SAAS2qB,OACjBmkB,EAAQ9uC,SAASkO,QACjB4gC,EAAQn7B,SAASgB,KAAO,IAAMle,KAAKs2C,QACrC,CAGA,IAAIn8B,EAAmBhW,OAAOgW,kBAAoB,SAASk4B,EAAWzG,GACpE,OAAO4M,YAAY,KAAOnG,EAAWzG,EACvC,EAYA,GARI5rC,KAAK03C,cACPv9B,EAAiB,WAAYna,KAAK82C,UAAU,GACnC92C,KAAKi4C,iBAAmBj4C,KAAK2Z,OACtCQ,EAAiB,aAAcna,KAAK82C,UAAU,GACrC92C,KAAK23C,mBACd33C,KAAKy4C,kBAAoBvzB,YAAYllB,KAAK82C,SAAU92C,KAAK6iB,YAGtD7iB,KAAKc,QAAQ4rC,OAAQ,OAAO1sC,KAAK04C,SACxC,EAIAl9B,KAAM,WAEJ,IAAIm9B,EAAsBx0C,OAAOw0C,qBAAuB,SAAStG,EAAWzG,GAC1E,OAAOgN,YAAY,KAAOvG,EAAWzG,EACvC,EAGI5rC,KAAK03C,cACPiB,EAAoB,WAAY34C,KAAK82C,UAAU,GACtC92C,KAAKi4C,iBAAmBj4C,KAAK2Z,QACtCg/B,EAAoB,aAAc34C,KAAK82C,UAAU,GAI/C92C,KAAK2Z,SACPpQ,SAAS5B,KAAKia,YAAY5hB,KAAK2Z,QAC/B3Z,KAAK2Z,OAAS,MAIZ3Z,KAAKy4C,mBAAmBrzB,cAAcplB,KAAKy4C,mBAC/Ct5B,EAAQ+3B,SAAU,CACpB,EAIAhB,MAAO,SAASA,EAAOn2C,GACrBC,KAAKsqC,SAAS4F,QAAQ,CAACgG,MAAOA,EAAOn2C,SAAUA,GACjD,EAIA+2C,SAAU,SAASniC,GACjB,IAAIo4B,EAAU/sC,KAAKy3C,cAQnB,GAJI1K,IAAY/sC,KAAKs2C,UAAYt2C,KAAK2Z,SACpCozB,EAAU/sC,KAAKw3C,QAAQx3C,KAAK2Z,OAAO4+B,gBAGjCxL,IAAY/sC,KAAKs2C,SACnB,OAAKt2C,KAAKq3C,aAAoBr3C,KAAK64C,WAGjC74C,KAAK2Z,QAAQ3Z,KAAKy2C,SAAS1J,GAC/B/sC,KAAK04C,SACP,EAKAA,QAAS,SAASpC,GAEhB,OAAKt2C,KAAKq3C,aACVf,EAAWt2C,KAAKs2C,SAAWt2C,KAAKy3C,YAAYnB,GACrCn2C,EAAE4vC,KAAK/vC,KAAKsqC,UAAU,SAASjsB,GACpC,GAAIA,EAAQ63B,MAAM3M,KAAK+M,GAErB,OADAj4B,EAAQte,SAASu2C,IACV,CAEX,KAAMt2C,KAAK64C,YAPmB74C,KAAK64C,UAQrC,EAKAA,SAAU,WAER,OADA74C,KAAK0C,QAAQ,aACN,CACT,EASA+zC,SAAU,SAASH,EAAUx1C,GAC3B,IAAKqe,EAAQ+3B,QAAS,OAAO,EACxBp2C,IAAuB,IAAZA,IAAkBA,EAAU,CAAC4B,UAAW5B,IAGxDw1C,EAAWt2C,KAAKy3C,YAAYnB,GAAY,IAGxC,IAAI8B,EAAWp4C,KAAK2M,KACf3M,KAAK43C,gBAAgC,KAAbtB,GAA0C,MAAvBA,EAASr3B,OAAO,KAC9Dm5B,EAAWA,EAASvrC,MAAM,GAAI,IAAM,KAEtC,IAAI1J,EAAMi1C,EAAW9B,EAGrBA,EAAWA,EAAShiC,QAAQ2iC,EAAc,IAG1C,IAAI6B,EAAkB94C,KAAKs3C,eAAehB,GAE1C,GAAIt2C,KAAKs2C,WAAawC,EAAtB,CAIA,GAHA94C,KAAKs2C,SAAWwC,EAGZ94C,KAAK03C,cACP13C,KAAKgd,QAAQlc,EAAQwT,QAAU,eAAiB,aAAa,CAAC,EAAG/K,SAASc,MAAOlH,OAI5E,KAAInD,KAAK23C,iBAmBd,OAAO33C,KAAKkd,SAASpW,OAAO3D,GAjB5B,GADAnD,KAAK+4C,YAAY/4C,KAAKkd,SAAUo5B,EAAUx1C,EAAQwT,SAC9CtU,KAAK2Z,QAAU28B,IAAat2C,KAAKw3C,QAAQx3C,KAAK2Z,OAAO4+B,eAAgB,CACvE,IAAIF,EAAUr4C,KAAK2Z,OAAO4+B,cAKrBz3C,EAAQwT,UACX+jC,EAAQ9uC,SAAS2qB,OACjBmkB,EAAQ9uC,SAASkO,SAGnBzX,KAAK+4C,YAAYV,EAAQn7B,SAAUo5B,EAAUx1C,EAAQwT,QACvD,CAMF,CACA,OAAIxT,EAAQ4B,QAAgB1C,KAAK04C,QAAQpC,QAAzC,CA9B6C,CA+B/C,EAIAyC,YAAa,SAAS77B,EAAUo5B,EAAUhiC,GACxC,GAAIA,EAAS,CACX,IAAIpP,EAAOgY,EAAShY,KAAKoP,QAAQ,qBAAsB,IACvD4I,EAAS5I,QAAQpP,EAAO,IAAMoxC,EAChC,MAEEp5B,EAASgB,KAAO,IAAMo4B,CAE1B,IAKF3vC,EAASqW,QAAU,IAAImC,EAqCvB2sB,EAAMrU,OAASjvB,EAAWivB,OAASke,EAAOle,OAASka,EAAKla,OAAStY,EAAQsY,OA7B5D,SAASuhB,EAAYC,GAChC,IACIC,EADA5iC,EAAStW,KAwBb,OAjBEk5C,EADEF,GAAc74C,EAAEq0B,IAAIwkB,EAAY,eAC1BA,EAAW/K,YAEX,WAAY,OAAO33B,EAAOoE,MAAM1a,KAAM6K,UAAY,EAI5D1K,EAAEs3B,OAAOyhB,EAAO5iC,EAAQ2iC,GAIxBC,EAAMjwC,UAAY9I,EAAEqE,OAAO8R,EAAOrN,UAAW+vC,GAC7CE,EAAMjwC,UAAUglC,YAAciL,EAI9BA,EAAMC,UAAY7iC,EAAOrN,UAElBiwC,CACT,EAMA,IAAIrwC,EAAW,WACb,MAAM,IAAID,MAAM,iDAClB,EAGI+kC,EAAY,SAAS1nC,EAAOnF,GAC9B,IAAIJ,EAAQI,EAAQJ,MACpBI,EAAQJ,MAAQ,SAAS6nC,GACnB7nC,GAAOA,EAAMC,KAAKG,EAAQsI,QAASnD,EAAOsiC,EAAMznC,GACpDmF,EAAMvD,QAAQ,QAASuD,EAAOsiC,EAAMznC,EACtC,CACF,EASA,OAJA6F,EAASyyC,OAAS,WAChB,MAAO,CAACzsC,KAAMA,EAAMxM,EAAGA,EACzB,EAEOwG,CACT,CAvlEsB0yC,CAAQ1sC,EAAM87B,EAAStoC,EAAGG,EAC3C,sC,wBCpBL,OAuBC,WACC,aAUA,SAASg5C,EAAQvlC,EAAGC,GAClB,IAAIulC,GAAW,MAAJxlC,IAAmB,MAAJC,GAE1B,OADWD,GAAK,KAAOC,GAAK,KAAOulC,GAAO,KAC3B,GAAa,MAANA,CACxB,CAwBA,SAASC,EAAOC,EAAGr3B,EAAGvC,EAAG9L,EAAGuL,EAAGnd,GAC7B,OAAOm3C,GAhBcI,EAgBQJ,EAAQA,EAAQl3B,EAAGq3B,GAAIH,EAAQvlC,EAAG5R,OAhBrCw3C,EAgB0Cr6B,GAf7Co6B,IAAS,GAAKC,EAemC95B,GAhB1E,IAAuB65B,EAAKC,CAiB5B,CAaA,SAASC,EAAMx3B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAGuL,EAAGnd,GAC/B,OAAOq3C,EAAQ35B,EAAI5L,GAAO4L,EAAIg6B,EAAIz3B,EAAGvC,EAAG9L,EAAGuL,EAAGnd,EAChD,CAaA,SAAS23C,EAAM13B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAGuL,EAAGnd,GAC/B,OAAOq3C,EAAQ35B,EAAIg6B,EAAM5lC,GAAK4lC,EAAIz3B,EAAGvC,EAAG9L,EAAGuL,EAAGnd,EAChD,CAaA,SAAS43C,EAAM33B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAGuL,EAAGnd,GAC/B,OAAOq3C,EAAO35B,EAAI5L,EAAI4lC,EAAGz3B,EAAGvC,EAAG9L,EAAGuL,EAAGnd,EACvC,CAaA,SAAS63C,EAAM53B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAGuL,EAAGnd,GAC/B,OAAOq3C,EAAOvlC,GAAK4L,GAAKg6B,GAAIz3B,EAAGvC,EAAG9L,EAAGuL,EAAGnd,EAC1C,CASA,SAAS83C,EAAQlmC,EAAGmmC,GAKlB,IAAIzoC,EACA0oC,EACAC,EACAC,EACAC,EAPJvmC,EAAEmmC,GAAO,IAAM,KAAQA,EAAM,GAC7BnmC,EAA8B,IAAzBmmC,EAAM,KAAQ,GAAM,IAAWA,EAOpC,IAAI93B,EAAI,WACJvC,GAAK,UACL5L,GAAK,WACL4lC,EAAI,UAER,IAAKpoC,EAAI,EAAGA,EAAIsC,EAAE/R,OAAQyP,GAAK,GAC7B0oC,EAAO/3B,EACPg4B,EAAOv6B,EACPw6B,EAAOpmC,EACPqmC,EAAOT,EAEPz3B,EAAIw3B,EAAMx3B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,GAAI,GAAI,WAChCooC,EAAID,EAAMC,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,IAAK,WACrCwC,EAAI2lC,EAAM3lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,GAAI,WACpCoO,EAAI+5B,EAAM/5B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,IAAK,YACrC2Q,EAAIw3B,EAAMx3B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,GAAI,WACpCooC,EAAID,EAAMC,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,GAAI,YACpCwC,EAAI2lC,EAAM3lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,IAAK,YACrCoO,EAAI+5B,EAAM/5B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,IAAK,UACrC2Q,EAAIw3B,EAAMx3B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,EAAG,YACnCooC,EAAID,EAAMC,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,IAAK,YACrCwC,EAAI2lC,EAAM3lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,IAAK,OACtCoO,EAAI+5B,EAAM/5B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,IAAK,IAAK,YACtC2Q,EAAIw3B,EAAMx3B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,IAAK,EAAG,YACpCooC,EAAID,EAAMC,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,IAAK,IAAK,UACtCwC,EAAI2lC,EAAM3lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,IAAK,YAGtC2Q,EAAI03B,EAAM13B,EAFVvC,EAAI+5B,EAAM/5B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,IAAK,GAAI,YAErBwC,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,GAAI,WACpCooC,EAAIC,EAAMD,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,GAAI,YACpCwC,EAAI6lC,EAAM7lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,GAAI,WACrCoO,EAAIi6B,EAAMj6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,GAAI,IAAK,WACjC2Q,EAAI03B,EAAM13B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,GAAI,WACpCooC,EAAIC,EAAMD,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,IAAK,EAAG,UACpCwC,EAAI6lC,EAAM7lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,IAAK,WACtCoO,EAAIi6B,EAAMj6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,IAAK,WACrC2Q,EAAI03B,EAAM13B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,EAAG,WACnCooC,EAAIC,EAAMD,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,IAAK,GAAI,YACrCwC,EAAI6lC,EAAM7lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,IAAK,WACrCoO,EAAIi6B,EAAMj6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,GAAI,YACpC2Q,EAAI03B,EAAM13B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,IAAK,GAAI,YACrCooC,EAAIC,EAAMD,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,GAAI,UACpCwC,EAAI6lC,EAAM7lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,GAAI,YAGpC2Q,EAAI23B,EAAM33B,EAFVvC,EAAIi6B,EAAMj6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,IAAK,IAAK,YAEtBwC,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,GAAI,QACpCooC,EAAIE,EAAMF,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,IAAK,YACrCwC,EAAI8lC,EAAM9lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,GAAI,YACrCoO,EAAIk6B,EAAMl6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,IAAK,IAAK,UACtC2Q,EAAI23B,EAAM33B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,GAAI,YACpCooC,EAAIE,EAAMF,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,GAAI,YACpCwC,EAAI8lC,EAAM9lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,IAAK,WACrCoO,EAAIk6B,EAAMl6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,IAAK,IAAK,YACtC2Q,EAAI23B,EAAM33B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,IAAK,EAAG,WACpCooC,EAAIE,EAAMF,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,GAAI,IAAK,WACjCwC,EAAI8lC,EAAM9lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,IAAK,WACrCoO,EAAIk6B,EAAMl6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,GAAI,UACpC2Q,EAAI23B,EAAM33B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,GAAI,WACpCooC,EAAIE,EAAMF,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,IAAK,IAAK,WACtCwC,EAAI8lC,EAAM9lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,GAAI,WAGrC2Q,EAAI43B,EAAM53B,EAFVvC,EAAIk6B,EAAMl6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,IAAK,WAErBwC,EAAG4lC,EAAG9lC,EAAEtC,GAAI,GAAI,WAChCooC,EAAIG,EAAMH,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,GAAI,YACpCwC,EAAI+lC,EAAM/lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,IAAK,YACtCoO,EAAIm6B,EAAMn6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,IAAK,UACrC2Q,EAAI43B,EAAM53B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,IAAK,EAAG,YACpCooC,EAAIG,EAAMH,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,GAAI,IAAK,YACrCwC,EAAI+lC,EAAM/lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,IAAK,IAAK,SACtCoO,EAAIm6B,EAAMn6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,IAAK,YACrC2Q,EAAI43B,EAAM53B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,EAAG,YACnCooC,EAAIG,EAAMH,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,IAAK,IAAK,UACtCwC,EAAI+lC,EAAM/lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,IAAK,YACrCoO,EAAIm6B,EAAMn6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,IAAK,GAAI,YACrC2Q,EAAI43B,EAAM53B,EAAGvC,EAAG5L,EAAG4lC,EAAG9lC,EAAEtC,EAAI,GAAI,GAAI,WACpCooC,EAAIG,EAAMH,EAAGz3B,EAAGvC,EAAG5L,EAAGF,EAAEtC,EAAI,IAAK,IAAK,YACtCwC,EAAI+lC,EAAM/lC,EAAG4lC,EAAGz3B,EAAGvC,EAAG9L,EAAEtC,EAAI,GAAI,GAAI,WACpCoO,EAAIm6B,EAAMn6B,EAAG5L,EAAG4lC,EAAGz3B,EAAGrO,EAAEtC,EAAI,GAAI,IAAK,WAErC2Q,EAAIk3B,EAAQl3B,EAAG+3B,GACft6B,EAAIy5B,EAAQz5B,EAAGu6B,GACfnmC,EAAIqlC,EAAQrlC,EAAGomC,GACfR,EAAIP,EAAQO,EAAGS,GAEjB,MAAO,CAACl4B,EAAGvC,EAAG5L,EAAG4lC,EACnB,CAQA,SAASU,EAAUlT,GACjB,IAAI51B,EACA+oC,EAAS,GACTC,EAA0B,GAAfpT,EAAMrlC,OACrB,IAAKyP,EAAI,EAAGA,EAAIgpC,EAAUhpC,GAAK,EAC7B+oC,GAAU5wB,OAAO8wB,aAAcrT,EAAM51B,GAAK,KAAOA,EAAI,GAAM,KAE7D,OAAO+oC,CACT,CASA,SAASG,EAAUtT,GACjB,IAAI51B,EACA+oC,EAAS,GAEb,IADAA,GAAQnT,EAAMrlC,QAAU,GAAK,QAAK5B,EAC7BqR,EAAI,EAAGA,EAAI+oC,EAAOx4C,OAAQyP,GAAK,EAClC+oC,EAAO/oC,GAAK,EAEd,IAAImpC,EAAyB,EAAfvT,EAAMrlC,OACpB,IAAKyP,EAAI,EAAGA,EAAImpC,EAASnpC,GAAK,EAC5B+oC,EAAO/oC,GAAK,KAAiC,IAA1B41B,EAAMwT,WAAWppC,EAAI,KAAcA,EAAI,GAE5D,OAAO+oC,CACT,CA2CA,SAASM,EAASzT,GAChB,IAEItzB,EACAtC,EAHAspC,EAAS,mBACTP,EAAS,GAGb,IAAK/oC,EAAI,EAAGA,EAAI41B,EAAMrlC,OAAQyP,GAAK,EACjCsC,EAAIszB,EAAMwT,WAAWppC,GACrB+oC,GAAUO,EAAO97B,OAAQlL,IAAM,EAAK,IAAQgnC,EAAO97B,OAAW,GAAJlL,GAE5D,OAAOymC,CACT,CAQA,SAASQ,EAAa3T,GACpB,OAAO4T,SAAS5hC,mBAAmBguB,GACrC,CAQA,SAAS6T,EAAO57B,GACd,OAhEF,SAAiBA,GACf,OAAOi7B,EAAUN,EAAQU,EAAUr7B,GAAe,EAAXA,EAAEtd,QAC3C,CA8DSm5C,CAAQH,EAAa17B,GAC9B,CAiBA,SAAS87B,EAAWt7B,EAAG+5B,GACrB,OAxEF,SAAqBh2C,EAAKR,GACxB,IAAIoO,EAIAyM,EAHAm9B,EAAOV,EAAU92C,GACjBy3C,EAAO,GACPC,EAAO,GAMX,IAJAD,EAAK,IAAMC,EAAK,SAAMn7C,EAClBi7C,EAAKr5C,OAAS,KAChBq5C,EAAOpB,EAAQoB,EAAmB,EAAbx3C,EAAI7B,SAEtByP,EAAI,EAAGA,EAAI,GAAIA,GAAK,EACvB6pC,EAAK7pC,GAAe,UAAV4pC,EAAK5pC,GACf8pC,EAAK9pC,GAAe,WAAV4pC,EAAK5pC,GAGjB,OADAyM,EAAO+7B,EAAQqB,EAAKjb,OAAOsa,EAAUt3C,IAAQ,IAAoB,EAAdA,EAAKrB,QACjDu4C,EAAUN,EAAQsB,EAAKlb,OAAOniB,GAAO,KAC9C,CAwDSs9B,CAAYR,EAAal7B,GAAIk7B,EAAanB,GACnD,CAsBA,SAASnb,EAAIrf,EAAQxb,EAAK43C,GACxB,OAAK53C,EAMA43C,EAGEL,EAAWv3C,EAAKwb,GAvBhBy7B,EAASM,EAqBIv3C,EAAKwb,IANlBo8B,EAGEP,EAAO77B,GAtCTy7B,EAASI,EAoCE77B,GAQpB,MAKG,KAFD,aACE,OAAOqf,CACR,+BAMJ,CA1XA,E,oBCjBD,IAAiD2a,IASxC,WACT,OAAgB,WACN,IAAIqC,EAAsB,CAE9B,IACA,SAAUC,EAAyB,EAAqB,GAE9D,aAGA,EAAoB9B,EAAE,EAAqB,CACzC,QAAW,WAAa,OAAqB9jB,CAAW,IAI1D,IAAI6lB,EAAe,EAAoB,KACnCC,EAAoC,EAAoBxlC,EAAEulC,GAE1D7hC,EAAS,EAAoB,KAC7B+hC,EAA8B,EAAoBzlC,EAAE0D,GAEpDgiC,EAAa,EAAoB,KACjCC,EAA8B,EAAoB3lC,EAAE0lC,GAOxD,SAASE,EAAQh5C,GACf,IACE,OAAOsG,SAASurB,YAAY7xB,EAC9B,CAAE,MAAO8xB,GACP,OAAO,CACT,CACF,CAUA,IAMiCmnB,EANR,SAA4BzuC,GACnD,IAAI0uC,EAAeH,IAAiBvuC,GAEpC,OADAwuC,EAAQ,OACDE,CACT,EAuCIC,EAAiB,SAAwBp4C,EAAOlD,GAClD,IAAIu7C,EA/BN,SAA2Br4C,GACzB,IAAIs4C,EAAyD,QAAjD/yC,SAASgzC,gBAAgB9yC,aAAa,OAC9C4yC,EAAc9yC,SAAS8L,cAAc,YAEzCgnC,EAAYz+B,MAAM4+B,SAAW,OAE7BH,EAAYz+B,MAAM6+B,OAAS,IAC3BJ,EAAYz+B,MAAM8+B,QAAU,IAC5BL,EAAYz+B,MAAM++B,OAAS,IAE3BN,EAAYz+B,MAAMsD,SAAW,WAC7Bm7B,EAAYz+B,MAAM0+B,EAAQ,QAAU,QAAU,UAE9C,IAAIM,EAAYz4C,OAAO04C,aAAetzC,SAASgzC,gBAAgBO,UAI/D,OAHAT,EAAYz+B,MAAMuD,IAAM,GAAGkf,OAAOuc,EAAW,MAC7CP,EAAYr+B,aAAa,WAAY,IACrCq+B,EAAYr4C,MAAQA,EACbq4C,CACT,CAaoBU,CAAkB/4C,GACpClD,EAAQy2B,UAAUhW,YAAY86B,GAC9B,IAAIF,EAAeH,IAAiBK,GAGpC,OAFAJ,EAAQ,QACRI,EAAY3kC,SACLykC,CACT,EA4BiCa,EAnBP,SAA6BvvC,GACrD,IAAI3M,EAAU+J,UAAU7I,OAAS,QAAsB5B,IAAjByK,UAAU,GAAmBA,UAAU,GAAK,CAChF0sB,UAAWhuB,SAAS5B,MAElBw0C,EAAe,GAYnB,MAVsB,iBAAX1uC,EACT0uC,EAAeC,EAAe3uC,EAAQ3M,GAC7B2M,aAAkBwvC,mBAAqB,CAAC,OAAQ,SAAU,MAAO,MAAO,YAAY9tC,SAAS1B,aAAuC,EAASA,EAAOxK,MAE7Jk5C,EAAeC,EAAe3uC,EAAOzJ,MAAOlD,IAE5Cq7C,EAAeH,IAAiBvuC,GAChCwuC,EAAQ,SAGHE,CACT,EAIA,SAASe,EAAQnT,GAAmV,OAAtOmT,EAArD,mBAAX9L,QAAoD,iBAApBA,OAAOC,SAAmC,SAAiBtH,GAAO,cAAcA,CAAK,EAAsB,SAAiBA,GAAO,OAAOA,GAAyB,mBAAXqH,QAAyBrH,EAAIkE,cAAgBmD,QAAUrH,IAAQqH,OAAOnoC,UAAY,gBAAkB8gC,CAAK,EAAYmT,EAAQnT,EAAM,CAuDzX,SAASoT,EAAiBpT,GAAqW,OAAxPoT,EAArD,mBAAX/L,QAAoD,iBAApBA,OAAOC,SAA4C,SAAiBtH,GAAO,cAAcA,CAAK,EAA+B,SAAiBA,GAAO,OAAOA,GAAyB,mBAAXqH,QAAyBrH,EAAIkE,cAAgBmD,QAAUrH,IAAQqH,OAAOnoC,UAAY,gBAAkB8gC,CAAK,EAAYoT,EAAiBpT,EAAM,CAI7Z,SAASqT,EAAkB3vC,EAAQxI,GAAS,IAAK,IAAIwM,EAAI,EAAGA,EAAIxM,EAAMjD,OAAQyP,IAAK,CAAE,IAAI4rC,EAAap4C,EAAMwM,GAAI4rC,EAAWC,WAAaD,EAAWC,aAAc,EAAOD,EAAWE,cAAe,EAAU,UAAWF,IAAYA,EAAWnnB,UAAW,GAAMrvB,OAAOovB,eAAexoB,EAAQ4vC,EAAWx5C,IAAKw5C,EAAa,CAAE,CAM5T,SAASG,EAAgBlZ,EAAGjkB,GAA+G,OAA1Gm9B,EAAkB32C,OAAO42C,gBAAkB,SAAyBnZ,EAAGjkB,GAAsB,OAAjBikB,EAAEoZ,UAAYr9B,EAAUikB,CAAG,EAAUkZ,EAAgBlZ,EAAGjkB,EAAI,CAUzK,SAASs9B,EAAgBrZ,GAAwJ,OAAnJqZ,EAAkB92C,OAAO42C,eAAiB52C,OAAO+2C,eAAiB,SAAyBtZ,GAAK,OAAOA,EAAEoZ,WAAa72C,OAAO+2C,eAAetZ,EAAI,EAAUqZ,EAAgBrZ,EAAI,CAa5M,SAASuZ,EAAkBC,EAAQtlB,GACjC,IAAIma,EAAY,kBAAkBtS,OAAOyd,GAEzC,GAAKtlB,EAAQulB,aAAapL,GAI1B,OAAOna,EAAQ/uB,aAAakpC,EAC9B,CAOA,IAAIqL,EAAyB,SAAUC,IAxCvC,SAAmBC,EAAUC,GAAc,GAA0B,mBAAfA,GAA4C,OAAfA,EAAuB,MAAM,IAAIC,UAAU,sDAAyDF,EAASj1C,UAAYpC,OAAOrC,OAAO25C,GAAcA,EAAWl1C,UAAW,CAAEglC,YAAa,CAAEjqC,MAAOk6C,EAAUhoB,UAAU,EAAMqnB,cAAc,KAAeY,GAAYX,EAAgBU,EAAUC,EAAa,CAyC9XE,CAAUL,EAAWC,GAErB,IA7CoBK,EAAatF,EAAYC,EAMzBsF,EAAeC,EAuC/BC,GAvCgBF,EAuCMP,EAvCSQ,EAMrC,WAAuC,GAAuB,oBAAZE,UAA4BA,QAAQC,UAAW,OAAO,EAAO,GAAID,QAAQC,UAAUC,KAAM,OAAO,EAAO,GAAqB,mBAAVC,MAAsB,OAAO,EAAM,IAAiF,OAA3E98B,KAAK9Y,UAAU1H,SAASZ,KAAK+9C,QAAQC,UAAU58B,KAAM,IAAI,WAAa,MAAY,CAAM,CAAE,MAAOpN,GAAK,OAAO,CAAO,CAAE,CANlQmqC,GAAoC,WAAkC,IAAsCh6C,EAAlCi6C,EAAQpB,EAAgBY,GAAkB,GAAIC,EAA2B,CAAE,IAAIQ,EAAYrB,EAAgB39C,MAAMiuC,YAAanpC,EAAS45C,QAAQC,UAAUI,EAAOl0C,UAAWm0C,EAAY,MAASl6C,EAASi6C,EAAMrkC,MAAM1a,KAAM6K,WAAc,OAEpX,SAAoCuF,EAAMzP,GAAQ,OAAIA,GAAoC,WAA3Bw8C,EAAiBx8C,IAAsC,mBAATA,EAE7G,SAAgCyP,GAAQ,QAAa,IAATA,EAAmB,MAAM,IAAI6uC,eAAe,6DAAgE,OAAO7uC,CAAM,CAFV8uC,CAAuB9uC,GAAtCzP,CAA6C,CAFkMw+C,CAA2Bn/C,KAAM8E,EAAS,GA6Cna,SAASk5C,EAAUt7C,EAAS5B,GAC1B,IAAIs+C,EAUJ,OAlEJ,SAAyBtM,EAAUwL,GAAe,KAAMxL,aAAoBwL,GAAgB,MAAM,IAAIF,UAAU,oCAAwC,CA0DpJiB,CAAgBr/C,KAAMg+C,IAEtBoB,EAAQX,EAAO99C,KAAKX,OAEds/C,eAAex+C,GAErBs+C,EAAMG,YAAY78C,GAEX08C,CACT,CAqJA,OApNoBd,EAuEPN,EAvEoBhF,EAuET,CAAC,CACvBn1C,IAAK,iBACLG,MAAO,WACL,IAAIlD,EAAU+J,UAAU7I,OAAS,QAAsB5B,IAAjByK,UAAU,GAAmBA,UAAU,GAAK,CAAC,EACnF7K,KAAKosB,OAAmC,mBAAnBtrB,EAAQsrB,OAAwBtrB,EAAQsrB,OAASpsB,KAAKw/C,cAC3Ex/C,KAAKyN,OAAmC,mBAAnB3M,EAAQ2M,OAAwB3M,EAAQ2M,OAASzN,KAAKy/C,cAC3Ez/C,KAAKsB,KAA+B,mBAAjBR,EAAQQ,KAAsBR,EAAQQ,KAAOtB,KAAK0/C,YACrE1/C,KAAKu3B,UAAoD,WAAxC4lB,EAAiBr8C,EAAQy2B,WAA0Bz2B,EAAQy2B,UAAYhuB,SAAS5B,IACnG,GAMC,CACD9D,IAAK,cACLG,MAAO,SAAqBtB,GAC1B,IAAIi9C,EAAS3/C,KAEbA,KAAK4rC,SAAWkQ,IAAiBp5C,EAAS,SAAS,SAAUiS,GAC3D,OAAOgrC,EAAOC,QAAQjrC,EACxB,GACF,GAMC,CACD9Q,IAAK,UACLG,MAAO,SAAiB2Q,GACtB,IAAIjS,EAAUiS,EAAEkrC,gBAAkBlrC,EAAEmrC,cAChC1zB,EAASpsB,KAAKosB,OAAO1pB,IAAY,OACjCpB,EA3JmB,WAC3B,IAAIR,EAAU+J,UAAU7I,OAAS,QAAsB5B,IAAjByK,UAAU,GAAmBA,UAAU,GAAK,CAAC,EAE/Ek1C,EAAkBj/C,EAAQsrB,OAC1BA,OAA6B,IAApB2zB,EAA6B,OAASA,EAC/CxoB,EAAYz2B,EAAQy2B,UACpB9pB,EAAS3M,EAAQ2M,OACjBnM,EAAOR,EAAQQ,KAEnB,GAAe,SAAX8qB,GAAgC,QAAXA,EACvB,MAAM,IAAIxjB,MAAM,sDAIlB,QAAexI,IAAXqN,EAAsB,CACxB,IAAIA,GAA8B,WAApByvC,EAAQzvC,IAA4C,IAApBA,EAAOuyC,SASnD,MAAM,IAAIp3C,MAAM,+CARhB,GAAe,SAAXwjB,GAAqB3e,EAAOswC,aAAa,YAC3C,MAAM,IAAIn1C,MAAM,qFAGlB,GAAe,QAAXwjB,IAAqB3e,EAAOswC,aAAa,aAAetwC,EAAOswC,aAAa,aAC9E,MAAM,IAAIn1C,MAAM,yGAKtB,CAGA,OAAItH,EACK07C,EAAa17C,EAAM,CACxBi2B,UAAWA,IAKX9pB,EACgB,QAAX2e,EAAmB8vB,EAAYzuC,GAAUuvC,EAAavvC,EAAQ,CACnE8pB,UAAWA,SAFf,CAKF,CAkHiB0oB,CAAgB,CACzB7zB,OAAQA,EACRmL,UAAWv3B,KAAKu3B,UAChB9pB,OAAQzN,KAAKyN,OAAO/K,GACpBpB,KAAMtB,KAAKsB,KAAKoB,KAGlB1C,KAAK0Y,KAAKpX,EAAO,UAAY,QAAS,CACpC8qB,OAAQA,EACR9qB,KAAMA,EACNoB,QAASA,EACTw9C,eAAgB,WACVx9C,GACFA,EAAQosB,QAGV3qB,OAAOg8C,eAAeC,iBACxB,GAEJ,GAMC,CACDv8C,IAAK,gBACLG,MAAO,SAAuBtB,GAC5B,OAAOm7C,EAAkB,SAAUn7C,EACrC,GAMC,CACDmB,IAAK,gBACLG,MAAO,SAAuBtB,GAC5B,IAAI4Y,EAAWuiC,EAAkB,SAAUn7C,GAE3C,GAAI4Y,EACF,OAAO/R,SAAS82C,cAAc/kC,EAElC,GAQC,CACDzX,IAAK,cAMLG,MAAO,SAAqBtB,GAC1B,OAAOm7C,EAAkB,OAAQn7C,EACnC,GAKC,CACDmB,IAAK,UACLG,MAAO,WACLhE,KAAK4rC,SAAS9H,SAChB,IA7K2CmV,EA8KzC,CAAC,CACHp1C,IAAK,OACLG,MAAO,SAAcyJ,GACnB,IAAI3M,EAAU+J,UAAU7I,OAAS,QAAsB5B,IAAjByK,UAAU,GAAmBA,UAAU,GAAK,CAChF0sB,UAAWhuB,SAAS5B,MAEtB,OAAOq1C,EAAavvC,EAAQ3M,EAC9B,GAOC,CACD+C,IAAK,MACLG,MAAO,SAAayJ,GAClB,OAAOyuC,EAAYzuC,EACrB,GAOC,CACD5J,IAAK,cACLG,MAAO,WACL,IAAIooB,EAASvhB,UAAU7I,OAAS,QAAsB5B,IAAjByK,UAAU,GAAmBA,UAAU,GAAK,CAAC,OAAQ,OACtFogB,EAA4B,iBAAXmB,EAAsB,CAACA,GAAUA,EAClDk0B,IAAY/2C,SAASg3C,sBAIzB,OAHAt1B,EAAQ/d,SAAQ,SAAUkf,GACxBk0B,EAAUA,KAAa/2C,SAASg3C,sBAAsBn0B,EACxD,IACOk0B,CACT,IAjN8DtH,GAAYoE,EAAkBkB,EAAYr1C,UAAW+vC,GAAiBC,GAAamE,EAAkBkB,EAAarF,GAoN3K+E,CACT,CA3K6B,CA2K1BnC,KAE8B9lB,EAAY,CAEtC,EAED,IACA,SAAUyqB,GAOhB,GAAuB,oBAAZC,UAA4BA,QAAQx3C,UAAUwW,QAAS,CAC9D,IAAIihC,EAAQD,QAAQx3C,UAEpBy3C,EAAMjhC,QAAUihC,EAAMC,iBACND,EAAME,oBACNF,EAAMG,mBACNH,EAAMI,kBACNJ,EAAMK,qBAC1B,CAmBAP,EAAO/X,QAVP,SAAkBjQ,EAASld,GACvB,KAAOkd,GAvBc,IAuBHA,EAAQwnB,UAAiC,CACvD,GAA+B,mBAApBxnB,EAAQ/Y,SACf+Y,EAAQ/Y,QAAQnE,GAClB,OAAOkd,EAETA,EAAUA,EAAQwoB,UACtB,CACJ,CAKO,EAED,IACA,SAAUR,EAAQS,EAA0B,GAElD,IAAIrpC,EAAU,EAAoB,KAYlC,SAASspC,EAAU1oB,EAASld,EAAUrY,EAAMlD,EAAUohD,GAClD,IAAIC,EAAaxV,EAASlxB,MAAM1a,KAAM6K,WAItC,OAFA2tB,EAAQre,iBAAiBlX,EAAMm+C,EAAYD,GAEpC,CACHrd,QAAS,WACLtL,EAAQmgB,oBAAoB11C,EAAMm+C,EAAYD,EAClD,EAER,CA6CA,SAASvV,EAASpT,EAASld,EAAUrY,EAAMlD,GACvC,OAAO,SAAS4U,GACZA,EAAEkrC,eAAiBjoC,EAAQjD,EAAElH,OAAQ6N,GAEjC3G,EAAEkrC,gBACF9/C,EAASY,KAAK63B,EAAS7jB,EAE/B,CACJ,CAEA6rC,EAAO/X,QA3CP,SAAkB4Y,EAAU/lC,EAAUrY,EAAMlD,EAAUohD,GAElD,MAAyC,mBAA9BE,EAASlnC,iBACT+mC,EAAUxmC,MAAM,KAAM7P,WAIb,mBAAT5H,EAGAi+C,EAAU19C,KAAK,KAAM+F,UAAUmR,MAAM,KAAM7P,YAI9B,iBAAbw2C,IACPA,EAAW93C,SAASkU,iBAAiB4jC,IAIlC9iB,MAAMt1B,UAAU8D,IAAIpM,KAAK0gD,GAAU,SAAU7oB,GAChD,OAAO0oB,EAAU1oB,EAASld,EAAUrY,EAAMlD,EAAUohD,EACxD,IACJ,CAwBO,EAED,IACA,SAAUxF,EAAyBlT,GAQzCA,EAAQ/7B,KAAO,SAAS1I,GACpB,YAAiB5D,IAAV4D,GACAA,aAAiBs9C,aACE,IAAnBt9C,EAAMg8C,QACjB,EAQAvX,EAAQ8Y,SAAW,SAASv9C,GACxB,IAAIf,EAAO4D,OAAOoC,UAAU1H,SAASZ,KAAKqD,GAE1C,YAAiB5D,IAAV4D,IACU,sBAATf,GAAyC,4BAATA,IAChC,WAAYe,IACK,IAAjBA,EAAMhC,QAAgBymC,EAAQ/7B,KAAK1I,EAAM,IACrD,EAQAykC,EAAQppB,OAAS,SAASrb,GACtB,MAAwB,iBAAVA,GACPA,aAAiB4lB,MAC5B,EAQA6e,EAAQj8B,GAAK,SAASxI,GAGlB,MAAgB,sBAFL6C,OAAOoC,UAAU1H,SAASZ,KAAKqD,EAG9C,CAGO,EAED,IACA,SAAUw8C,EAAQS,EAA0B,GAElD,IAAI76B,EAAK,EAAoB,KACzBgT,EAAW,EAAoB,KA6FnConB,EAAO/X,QAlFP,SAAgBh7B,EAAQxK,EAAMlD,GAC1B,IAAK0N,IAAWxK,IAASlD,EACrB,MAAM,IAAI6I,MAAM,8BAGpB,IAAKwd,EAAG/G,OAAOpc,GACX,MAAM,IAAIm7C,UAAU,oCAGxB,IAAKh4B,EAAG5Z,GAAGzM,GACP,MAAM,IAAIq+C,UAAU,qCAGxB,GAAIh4B,EAAG1Z,KAAKe,GACR,OAsBR,SAAoBf,EAAMzJ,EAAMlD,GAG5B,OAFA2M,EAAKyN,iBAAiBlX,EAAMlD,GAErB,CACH+jC,QAAS,WACLp3B,EAAKisC,oBAAoB11C,EAAMlD,EACnC,EAER,CA9BeyhD,CAAW/zC,EAAQxK,EAAMlD,GAE/B,GAAIqmB,EAAGm7B,SAAS9zC,GACjB,OAsCR,SAAwB8zC,EAAUt+C,EAAMlD,GAKpC,OAJAw+B,MAAMt1B,UAAUiE,QAAQvM,KAAK4gD,GAAU,SAAS70C,GAC5CA,EAAKyN,iBAAiBlX,EAAMlD,EAChC,IAEO,CACH+jC,QAAS,WACLvF,MAAMt1B,UAAUiE,QAAQvM,KAAK4gD,GAAU,SAAS70C,GAC5CA,EAAKisC,oBAAoB11C,EAAMlD,EACnC,GACJ,EAER,CAlDe0hD,CAAeh0C,EAAQxK,EAAMlD,GAEnC,GAAIqmB,EAAG/G,OAAO5R,GACf,OA0DR,SAAwB6N,EAAUrY,EAAMlD,GACpC,OAAOq5B,EAAS7vB,SAAS5B,KAAM2T,EAAUrY,EAAMlD,EACnD,CA5De2hD,CAAej0C,EAAQxK,EAAMlD,GAGpC,MAAM,IAAIq+C,UAAU,4EAE5B,CA4DO,EAED,IACA,SAAUoC,GA4ChBA,EAAO/X,QA1CP,SAAgBjQ,GACZ,IAAI2jB,EAEJ,GAAyB,WAArB3jB,EAAQmpB,SACRnpB,EAAQ1J,QAERqtB,EAAe3jB,EAAQx0B,WAEtB,GAAyB,UAArBw0B,EAAQmpB,UAA6C,aAArBnpB,EAAQmpB,SAAyB,CACtE,IAAIC,EAAappB,EAAQulB,aAAa,YAEjC6D,GACDppB,EAAQxa,aAAa,WAAY,IAGrCwa,EAAQzJ,SACRyJ,EAAQ4N,kBAAkB,EAAG5N,EAAQx0B,MAAMhC,QAEtC4/C,GACDppB,EAAQza,gBAAgB,YAG5Bo+B,EAAe3jB,EAAQx0B,KAC3B,KACK,CACGw0B,EAAQulB,aAAa,oBACrBvlB,EAAQ1J,QAGZ,IAAI+yB,EAAY19C,OAAOg8C,eACnB7Z,EAAQ/8B,SAASu4C,cAErBxb,EAAMyb,mBAAmBvpB,GACzBqpB,EAAUzB,kBACVyB,EAAUG,SAAS1b,GAEnB6V,EAAe0F,EAAUtgD,UAC7B,CAEA,OAAO46C,CACX,CAKO,EAED,IACA,SAAUqE,GAEhB,SAASyB,IAGT,CAEAA,EAAEh5C,UAAY,CACZ8O,GAAI,SAAUtM,EAAM1L,EAAU2pC,GAC5B,IAAI/0B,EAAI3U,KAAK2U,IAAM3U,KAAK2U,EAAI,CAAC,GAO7B,OALCA,EAAElJ,KAAUkJ,EAAElJ,GAAQ,KAAKiC,KAAK,CAC/BlB,GAAIzM,EACJ2pC,IAAKA,IAGA1pC,IACT,EAEA8qC,KAAM,SAAUr/B,EAAM1L,EAAU2pC,GAC9B,IAAIt5B,EAAOpQ,KACX,SAAS4rC,IACPx7B,EAAKoW,IAAI/a,EAAMmgC,GACf7rC,EAAS2a,MAAMgvB,EAAK7+B,UACtB,CAGA,OADA+gC,EAASzrC,EAAIJ,EACNC,KAAK+X,GAAGtM,EAAMmgC,EAAUlC,EACjC,EAEAhxB,KAAM,SAAUjN,GAMd,IALA,IAAIpI,EAAO,GAAGwJ,MAAMlM,KAAKkK,UAAW,GAChCq3C,IAAWliD,KAAK2U,IAAM3U,KAAK2U,EAAI,CAAC,IAAIlJ,IAAS,IAAIoB,QACjD4E,EAAI,EACJyoC,EAAMgI,EAAOlgD,OAETyP,EAAIyoC,EAAKzoC,IACfywC,EAAOzwC,GAAGjF,GAAGkO,MAAMwnC,EAAOzwC,GAAGi4B,IAAKrmC,GAGpC,OAAOrD,IACT,EAEAwmB,IAAK,SAAU/a,EAAM1L,GACnB,IAAI4U,EAAI3U,KAAK2U,IAAM3U,KAAK2U,EAAI,CAAC,GACzBwtC,EAAOxtC,EAAElJ,GACT22C,EAAa,GAEjB,GAAID,GAAQpiD,EACV,IAAK,IAAI0R,EAAI,EAAGyoC,EAAMiI,EAAKngD,OAAQyP,EAAIyoC,EAAKzoC,IACtC0wC,EAAK1wC,GAAGjF,KAAOzM,GAAYoiD,EAAK1wC,GAAGjF,GAAGrM,IAAMJ,GAC9CqiD,EAAW10C,KAAKy0C,EAAK1wC,IAY3B,OAJC2wC,EAAiB,OACdztC,EAAElJ,GAAQ22C,SACHztC,EAAElJ,GAENzL,IACT,GAGFwgD,EAAO/X,QAAUwZ,EACjBzB,EAAO/X,QAAQ4Z,YAAcJ,CAGtB,GAKOK,EAA2B,CAAC,EAGhC,SAAS,EAAoBC,GAE5B,GAAGD,EAAyBC,GAC3B,OAAOD,EAAyBC,GAAU9Z,QAG3C,IAAI+X,EAAS8B,EAAyBC,GAAY,CAGjD9Z,QAAS,CAAC,GAOX,OAHAiT,EAAoB6G,GAAU/B,EAAQA,EAAO/X,QAAS,GAG/C+X,EAAO/X,OACf,CAoCA,OA9BC,EAAoBpyB,EAAI,SAASmqC,GAChC,IAAIgC,EAAShC,GAAUA,EAAOiC,WAC7B,WAAa,OAAOjC,EAAgB,OAAG,EACvC,WAAa,OAAOA,CAAQ,EAE7B,OADA,EAAoB3G,EAAE2I,EAAQ,CAAEpgC,EAAGogC,IAC5BA,CACR,EAMA,EAAoB3I,EAAI,SAASpR,EAASia,GACzC,IAAI,IAAI7+C,KAAO6+C,EACX,EAAoBpe,EAAEoe,EAAY7+C,KAAS,EAAoBygC,EAAEmE,EAAS5kC,IAC5EgD,OAAOovB,eAAewS,EAAS5kC,EAAK,CAAEy5C,YAAY,EAAMv1B,IAAK26B,EAAW7+C,IAG3E,EAKA,EAAoBygC,EAAI,SAASyF,EAAK9zB,GAAQ,OAAOpP,OAAOoC,UAAU4sB,eAAel1B,KAAKopC,EAAK9zB,EAAO,EAOhG,EAAoB,IAC3B,CAv2BM,GAw2Bf6T,OACD,EAj3BE02B,EAAO/X,QAAU4Q,G,8GCJfsJ,EAAgC,IAAI7tC,IAAI,cACxC8tC,EAAgC,IAAI9tC,IAAI,cACxC+tC,EAAgC,IAAI/tC,IAAI,aACxCguC,EAAgC,IAAIhuC,IAAI,cACxCiuC,EAAgC,IAAIjuC,IAAI,cACxCkuC,EAAgC,IAAIluC,IAAI,aACxCmuC,EAAgC,IAAInuC,IAAI,cACxCouC,EAAgC,IAAIpuC,IAAI,cACxCquC,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GAEzEC,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,i9JA6HhB69C,2oVA2hBNC,sgRAmZMC,iEAGAA,kJAMAC,6FAIAC,4GAIAC,+FAIAC,0DAGAC,qsWAgOtB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yDAAyD,MAAQ,GAAG,SAAW,29ZAA29Z,eAAiB,CAAC,26sCAA68sC,WAAa,MAEpjnD,S,+GCvzCIhB,EAAgC,IAAI7tC,IAAI,aACxC8tC,EAAgC,IAAI9tC,IAAI,cACxC+tC,EAAgC,IAAI/tC,IAAI,cACxCguC,EAAgC,IAAIhuC,IAAI,aACxCiuC,EAAgC,IAAIjuC,IAAI,cACxCkuC,EAAgC,IAAIluC,IAAI,cACxCquC,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GAEzEG,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,q6NAsMhB69C,iEAGAA,kJAMAC,6FAIAC,4GAIAC,+FAIAC,0DAGAC,qsWAgOtB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+DAA+D,MAAQ,GAAG,SAAW,wzLAAwzL,eAAiB,CAAC,83lBAAo5lB,WAAa,MAE91xB,S,+GC9cId,EAAgC,IAAI7tC,IAAI,aACxC8tC,EAAgC,IAAI9tC,IAAI,cACxC+tC,EAAgC,IAAI/tC,IAAI,cACxCguC,EAAgC,IAAIhuC,IAAI,cACxCiuC,EAAgC,IAAIjuC,IAAI,cACxCquC,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GAEzEI,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,gkEAAgkE69C,6EAA8GA,qDAAsFA,wDAAyFC,kFAAmHC,gFAAiHC,uGAAwIC,qxEAAuzE,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wDAAwD,MAAQ,GAAG,SAAW,onCAAonC,WAAa,MAEnxM,S,kFCfIL,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,qqDAAsqD,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wDAAwD,MAAQ,GAAG,SAAW,0qBAA0qB,WAAa,MAE/+E,S,+GCHIo9C,EAAgC,IAAI7tC,IAAI,cACxC8tC,EAAgC,IAAI9tC,IAAI,cACxC+tC,EAAgC,IAAI/tC,IAAI,cACxCquC,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GACrEU,EAAqC,IAAgCT,GAEzEM,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,m/FA2GnB69C,mpFAiHAA,6tBAsCKA,iDACLA,kJACAA,6GACAA,0GACAA,0LAMKA,kDACLA,mJACAA,8GACAA,2GACAA,6OAQKC,2CACLA,4IACAA,uGACAA,oGACAA,gwJAyKQA,i7EAoGHA,24DA2DLD,suEAmFUE,0NAS7B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,gDAAgD,MAAQ,GAAG,SAAW,2pLAA2pL,eAAiB,CAAC,ktnBAAktnB,WAAa,MAEh/yB,S,mFC3sBIH,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,mrCA4DtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wDAAwD,MAAQ,GAAG,SAAW,iZAAiZ,eAAiB,CAAC,orCAAsrC,WAAa,MAEltD,S,mFChEI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,2UAA4U,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,oEAAoE,MAAQ,GAAG,SAAW,oFAAoF,WAAa,MAE3kB,S,mFCJI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,i6BAAk6B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+CAA+C,MAAQ,GAAG,SAAW,qOAAqO,WAAa,MAE7xC,S,mFCJI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,q7EAAs7E,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,oDAAoD,MAAQ,GAAG,SAAW,8nBAA8nB,WAAa,MAE/sG,S,mFCJI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,81BAA+1B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,oDAAoD,MAAQ,GAAG,SAAW,mEAAmE,WAAa,MAE7jC,S,mFCJI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,8YAA+Y,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,mDAAmD,MAAQ,GAAG,SAAW,+JAA+J,WAAa,MAExsB,S,mFCJI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,ghDAAihD,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,4DAA4D,MAAQ,GAAG,SAAW,kdAAkd,WAAa,MAEtoE,S,mFCJI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,2tBAA4tB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8CAA8C,MAAQ,GAAG,SAAW,oKAAoK,WAAa,MAErhC,S,mFCJI49C,E,MAA0B,GAA4B,KAE1DA,EAAwBz1C,KAAK,CAAC8yC,EAAOj7C,GAAI,07BAA27B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+CAA+C,MAAQ,GAAG,SAAW,yTAAyT,WAAa,MAE14C,S,YCFA,IAAIyB,EAAMA,GAAO,CAAC,EAElBA,EAAI48C,cAAgB,CAChB,IAAK,OACL,IAAK,OACL,IAAK,QACL,IAAK,SACL,IAAK,UAGT58C,EAAI68C,WAAa,SAASvkC,GACtB,OAAOA,EAAEhL,QAAQ,YAAY,SAAUwvC,GACnC,OAAO98C,EAAI48C,cAAcE,EAC7B,GACJ,EAEA98C,EAAIC,OAAS,SAASnG,GAClB,IAAI2Q,EACJ,IAAIA,KAAK3Q,EACLd,KAAKyR,GAAK3Q,EAAQ2Q,EAG1B,EAEAzK,EAAIC,OAAOgC,UAAY,CAEnB/B,QAAU,KAEV68C,SAAW,KAEXr4C,SAAW,KAGXvE,cAAgB,CACZ,OAAS,KAYbG,SAAW,SAASnE,EAAKkC,EAAYkC,EAAOrB,QAEpB,IAAVqB,IACNA,EAAQ,KAIZA,EAAQ,GAAKA,GAEbrB,EAAUA,GAAW,CAAC,GAEP,MAAIqB,EACnBrB,EAAQ,gBAAkB,iCAE1B,IAGI89C,EAHAr8C,EACA,sCAGJ,IAAKq8C,KAAahkD,KAAKmH,cACnBQ,GAAQ,UAAY3H,KAAKmH,cAAc68C,GAAa,KAAOA,EAAY,IAK3E,IAAI,IAAIrmC,KAHRhW,GAAQ,kBAGMtC,EACV,GAAKA,EAAWwwB,eAAelY,GAA/B,CAIA,IAAIsmC,EAAWjkD,KAAKkkD,mBAAmB7+C,EAAWsY,IAC9C3d,KAAKmH,cAAc88C,EAASD,WAC5Br8C,GAAM,QAAU3H,KAAKmH,cAAc88C,EAASD,WAAa,IAAMC,EAASx4C,KAAO,QAE/E9D,GAAM,UAAYs8C,EAASx4C,KAAO,aAAew4C,EAASD,UAAY,QAN1E,CAaJ,OAHAr8C,GAAM,gBACNA,GAAM,gBAEC3H,KAAK8H,QAAQ,WAAY3E,EAAK+C,EAASyB,GAAMlB,KAChD,SAAS3B,GAEL,MAAc,MAAVyC,EACO,CACHnC,OAAQN,EAAOM,OACfuC,KAAM7C,EAAO6C,KAAK,GAClBO,IAAKpD,EAAOoD,KAGT,CACH9C,OAAQN,EAAOM,OACfuC,KAAM7C,EAAO6C,KACbO,IAAKpD,EAAOoD,IAIxB,EAAE1E,KAAKxD,MAGf,EAQAmkD,eAAgB,SAAS9+C,GACrB,IAAIsC,EAAO,2BAGX,IAAI,IAAIgW,KAAMtY,EACV,GAAKA,EAAWwwB,eAAelY,GAA/B,CAIA,IACIymC,EADAH,EAAWjkD,KAAKkkD,mBAAmBvmC,GAEnC0mC,EAAYh/C,EAAWsY,GASV,mBAPbymC,EADApkD,KAAKmH,cAAc88C,EAASD,WACjBhkD,KAAKmH,cAAc88C,EAASD,WAAa,IAAMC,EAASx4C,KAExD,KAAOw4C,EAASx4C,KAAO,aAAew4C,EAASD,UAAY,OAMtEK,EAAYr9C,EAAI68C,WAAWQ,IAE/B18C,GAAQ,UAAYy8C,EAAW,IAAMC,EAAY,KAAOD,EAAW,KAhBnE,CAoBJ,OAFAz8C,GAAO,mBACA,cAEX,EAUAxB,UAAY,SAAShD,EAAKkC,EAAYa,IAClCA,EAAUA,GAAW,CAAC,GAEd,gBAAkB,iCAE1B,IAGI89C,EAHAr8C,EACA,4CAGJ,IAAKq8C,KAAahkD,KAAKmH,cACnBQ,GAAQ,UAAY3H,KAAKmH,cAAc68C,GAAa,KAAOA,EAAY,IAK3E,OAHAr8C,GAAQ,MAAQ3H,KAAKmkD,eAAe9+C,GACpCsC,GAAQ,sBAED3H,KAAK8H,QAAQ,YAAa3E,EAAK+C,EAASyB,GAAMlB,KACjD,SAAS3B,GACL,MAAO,CACHM,OAAQN,EAAOM,OACfuC,KAAM7C,EAAO6C,KACbO,IAAKpD,EAAOoD,IAEpB,EAAE1E,KAAKxD,MAGf,EAWAskD,MAAQ,SAASnhD,EAAKkC,EAAYa,GAC9B,IAAIyB,EAAO,GAIX,IAHAzB,EAAUA,GAAW,CAAC,GACd,gBAAkB,iCAEtBb,EAAY,CAIZ,IAAI2+C,EACJ,IAAKA,KAJLr8C,EACI,kCAGc3H,KAAKmH,cACnBQ,GAAQ,UAAY3H,KAAKmH,cAAc68C,GAAa,KAAOA,EAAY,IAE3Er8C,GAAQ,MAAQ3H,KAAKmkD,eAAe9+C,GACpCsC,GAAO,YACX,CAEA,OAAO3H,KAAK8H,QAAQ,QAAS3E,EAAK+C,EAASyB,GAAMlB,KAC7C,SAAS3B,GACL,MAAO,CACHM,OAAQN,EAAOM,OACfuC,KAAM7C,EAAO6C,KACbO,IAAKpD,EAAOoD,IAEpB,EAAE1E,KAAKxD,MAGf,EAcA8H,QAAU,SAASlF,EAAQO,EAAK+C,EAASyB,EAAM48C,EAAczjD,GAEzD,IAUI6c,EAVAvN,EAAOpQ,KACPkI,EAAMlI,KAAKwkD,cAUf,IAAI7mC,KATJzX,EAAUA,GAAW,CAAC,EACtBq+C,EAAeA,GAAgB,GAE3BvkD,KAAK+jD,WACL79C,EAAuB,cAAI,SAAWk3B,KAAKp9B,KAAK+jD,SAAW,IAAM/jD,KAAK0L,WAG1ExD,EAAIgsB,KAAKtxB,EAAQ5C,KAAKoH,WAAWjE,IAAM,GAE7B+C,EACNgC,EAAImsB,iBAAiB1W,EAAIzX,EAAQyX,IAwBrC,OAtBAzV,EAAIq8C,aAAeA,EAEfzjD,GAA0C,mBAAxBA,EAAQ2jD,aACX,QAAX7hD,GAA+B,SAAXA,EACpBsF,EAAIw8C,OAAOvqC,iBAAiB,YAAY,SAAUxF,GAChD7T,EAAQ2jD,WAAW9vC,EACrB,IAAG,GAGHzM,EAAIiS,iBAAiB,YAAY,SAAUxF,GACzC7T,EAAQ2jD,WAAW9vC,EACrB,IAAG,SAKEvU,IAATuH,EACAO,EAAIy8C,OAEJz8C,EAAIy8C,KAAKh9C,GAGN,IAAIgE,SAAQ,SAASi5C,EAASlvC,GAEjCxN,EAAI28C,mBAAqB,WAErB,GAAuB,IAAnB38C,EAAIsd,WAAR,CAIA,IAAIs/B,EAAa58C,EAAIV,SACF,MAAfU,EAAI9C,SACJ0/C,EAAa10C,EAAK20C,iBAAiB78C,EAAIV,WAG3Co9C,EAAQ,CACJj9C,KAAMm9C,EACN1/C,OAAQ8C,EAAI9C,OACZ8C,IAAKA,GAVT,CAaJ,EAEAA,EAAI88C,UAAY,WAEZtvC,EAAO,IAAI9M,MAAM,oBAErB,CAEJ,GAEJ,EASA47C,YAAc,WAEV,OAAO,IAAIpwB,cAEf,EAWA6wB,eAAgB,SAASC,GACrB,IAAI31C,EAAU,KACd,GAAI21C,EAASC,YAAcD,EAASC,WAAWnjD,OAAS,EAAG,CAGvD,IAFA,IAAIojD,EAAW,GAEN5zC,EAAI,EAAGA,EAAI0zC,EAASC,WAAWnjD,OAAQwP,IAAK,CACjD,IAAI9E,EAAOw4C,EAASC,WAAW3zC,GACT,IAAlB9E,EAAKszC,UACLoF,EAAS13C,KAAKhB,EAEtB,CACI04C,EAASpjD,SACTuN,EAAU61C,EAElB,CAEA,OAAO71C,GAAW21C,EAAS/oB,aAAe+oB,EAAS5jD,MAAQ,EAC/D,EAQAyjD,iBAAmB,SAASM,GAmBxB,IAjBA,IACIC,GADS,IAAIC,WACAC,gBAAgBH,EAAS,mBAEtCI,EAAW,SAASC,GACpB,IAAI/nC,EACJ,IAAIA,KAAM3d,KAAKmH,cACX,GAAInH,KAAKmH,cAAcwW,KAAQ+nC,EAC3B,OAAO/nC,CAGnB,EAAEna,KAAKxD,MAEH2lD,EAAmBL,EAAIM,SAAS,4BAA6BN,EAAKG,EAAUI,YAAYC,SAAU,MAElGhhD,EAAS,GACTihD,EAAeJ,EAAiBK,cAE9BD,GAAc,CAEhB,IAAIv+C,EAAW,CACXtC,KAAO,KACPC,SAAW,IAGfqC,EAAStC,KAAOogD,EAAIM,SAAS,iBAAkBG,EAAcN,EAAUI,YAAYC,SAAU,MAAMG,YAKnG,IAHA,IAAIC,EAAmBZ,EAAIM,SAAS,aAAcG,EAAcN,EAAUI,YAAYC,SAAU,MAC5FK,EAAeD,EAAiBF,cAE9BG,GAAc,CAShB,IARA,IAAIhhD,EAAW,CACXC,OAASkgD,EAAIM,SAAS,mBAAoBO,EAAcV,EAAUI,YAAYC,SAAU,MAAMG,YAC9F5gD,WAAa,CAAC,GAGd+gD,EAAed,EAAIM,SAAS,WAAYO,EAAcV,EAAUI,YAAYC,SAAU,MAEtFZ,EAAWkB,EAAaJ,cACtBd,GAAU,CACZ,IAAI31C,EAAUvP,KAAKilD,eAAeC,GAClC//C,EAASE,WAAW,IAAM6/C,EAASmB,aAAe,IAAMnB,EAASoB,WAAa/2C,EAC9E21C,EAAWkB,EAAaJ,aAE5B,CACAx+C,EAASrC,SAASuI,KAAKvI,GACvBghD,EAAeD,EAAiBF,aAGpC,CAEAlhD,EAAO4I,KAAKlG,GACZu+C,EAAeJ,EAAiBK,aAEpC,CAEA,OAAOlhD,CAEX,EAQAsC,WAAa,SAASjE,GAGlB,GAAI,gBAAgBomC,KAAKpmC,GAErB,OAAOA,EAGX,IAAIojD,EAAYvmD,KAAKwmD,SAASxmD,KAAKkH,SACnC,OAAI/D,EAAI8b,OAAO,KAEJsnC,EAAU55C,KAAOxJ,GAIfojD,EAAU55C,MACgB,IAAnC45C,EAAUj6C,KAAKgX,YAAY,MACTijC,EAAUj6C,KAAKm6C,UAAU,EAAGF,EAAUj6C,KAAKgX,YAAY,MAGtEngB,EAEX,EAQAqjD,SAAW,SAASrjD,GAEf,IAAIyC,EAAQzC,EAAIuc,MAAM,mGAClB5a,EAAS,CACT3B,IAAMyC,EAAM,GACZ8gD,OAAS9gD,EAAM,GACfkhB,KAAOlhB,EAAM,GACbshB,KAAOthB,EAAM,GACb0G,KAAO1G,EAAM,GACb6Y,MAAQ7Y,EAAM,GACd0wC,SAAW1wC,EAAM,IAOrB,OALAd,EAAO6H,KACJ7H,EAAO4hD,OAAS,MAChB5hD,EAAOgiB,MACNhiB,EAAOoiB,KAAO,IAAMpiB,EAAOoiB,KAAO,IAE/BpiB,CAEZ,EAEAo/C,mBAAqB,SAASyC,GAE1B,IAAI7hD,EAAS6hD,EAAajnC,MAAM,mBAChC,GAAK5a,EAIL,MAAO,CACH2G,KAAO3G,EAAO,GACdk/C,UAAYl/C,EAAO,GAG3B,QAI2D,IAAnB07C,EAAO/X,UAC/C+X,EAAO/X,QAAQxhC,OAASD,EAAIC,Q,mCCrehC,IAAImU,EAAa,EAAQ,OAEzBolC,EAAO/X,SAAWrtB,EAAoB,SAAKA,GAAYwrC,SAAS,CAAC,EAAI,SAASrvB,EAAUsvB,EAAOC,EAAQC,EAAS1jD,GAC5G,IAAI2jD,EAAQC,EAAiB1vB,EAAU0vB,gBAAkB,SAAS3wC,EAAQqwC,GACtE,GAAI9/C,OAAOoC,UAAU4sB,eAAel1B,KAAK2V,EAAQqwC,GAC/C,OAAOrwC,EAAOqwC,EAGpB,EAEF,MAAO,aACHpvB,EAAU2vB,iBAAwM,mBAArLF,EAAmH,OAAzGA,EAASC,EAAeH,EAAQ,UAAsB,MAAVD,EAAiBI,EAAeJ,EAAO,QAAUA,IAAmBG,EAASzvB,EAAU4vB,MAAMC,eAA+CJ,EAAOrmD,KAAe,MAAVkmD,EAAiBA,EAAUtvB,EAAU8vB,aAAe,CAAC,EAAG,CAAC,KAAO,OAAO,KAAO,CAAC,EAAE,KAAOhkD,EAAK,IAAM,CAAC,MAAQ,CAAC,KAAO,EAAE,OAAS,IAAI,IAAM,CAAC,KAAO,EAAE,OAAS,OAAS2jD,GAChZ,IACN,EAAE,SAAW,CAAC,EAAE,YAAY,KAAO,SAASzvB,EAAUsvB,EAAOC,EAAQC,EAAS1jD,GAC1E,IAAIikD,EAAQN,EAAQO,EAAiB,MAAVV,EAAiBA,EAAUtvB,EAAU8vB,aAAe,CAAC,EAAIG,EAAOjwB,EAAU4vB,MAAMC,cAAeK,EAAO,WAAYC,EAAOnwB,EAAU2vB,iBAAkBD,EAAiB1vB,EAAU0vB,gBAAkB,SAAS3wC,EAAQqwC,GAC1O,GAAI9/C,OAAOoC,UAAU4sB,eAAel1B,KAAK2V,EAAQqwC,GAC/C,OAAOrwC,EAAOqwC,EAGpB,EAEF,MAAO,oBACHe,SAASV,EAA6H,OAAnHA,EAASC,EAAeH,EAAQ,eAA2B,MAAVD,EAAiBI,EAAeJ,EAAO,aAAeA,IAAmBG,EAASQ,KAA2BC,EAAST,EAAOrmD,KAAK4mD,EAAO,CAAC,KAAO,YAAY,KAAO,CAAC,EAAE,KAAOlkD,EAAK,IAAM,CAAC,MAAQ,CAAC,KAAO,EAAE,OAAS,IAAI,IAAM,CAAC,KAAO,EAAE,OAAS,OAAS2jD,GAC/T,YACsR,OAApRM,EAASL,EAAeH,EAAQ,MAAMnmD,KAAK4mD,EAAkB,MAAVV,EAAiBI,EAAeJ,EAAO,QAAUA,EAAQ,CAAC,KAAO,KAAK,KAAO,CAAC,EAAE,GAAKtvB,EAAUowB,QAAQ,EAAGtkD,EAAM,GAAG,QAAUk0B,EAAUqwB,KAAK,KAAOvkD,EAAK,IAAM,CAAC,MAAQ,CAAC,KAAO,EAAE,OAAS,GAAG,IAAM,CAAC,KAAO,EAAE,OAAS,QAAkBikD,EAAS,IACtS,eACAI,SAASV,EAAqH,OAA3GA,EAASC,EAAeH,EAAQ,WAAuB,MAAVD,EAAiBI,EAAeJ,EAAO,SAAWA,IAAmBG,EAASQ,KAA2BC,EAAST,EAAOrmD,KAAK4mD,EAAO,CAAC,KAAO,QAAQ,KAAO,CAAC,EAAE,KAAOlkD,EAAK,IAAM,CAAC,MAAQ,CAAC,KAAO,EAAE,OAAS,GAAG,IAAM,CAAC,KAAO,EAAE,OAAS,OAAS2jD,GAClT,0BACN,EAAE,SAAU,G,kBC5BZ,WAKA,WACC,aAKC,EAAQ,CAAE,UAAY,EAMnB,SAAU1mD,GAGfA,EAAEunD,GAAKvnD,EAAEunD,IAAM,CAAC,EAEFvnD,EAAEunD,GAAGj/B,QAAU,SAA7B,IAuB0Bk/B,EAJtBC,EAAa,EACbC,EAAuBzpB,MAAMt1B,UAAU4sB,eACvCoyB,EAAc1pB,MAAMt1B,UAAU4D,MAElCvM,EAAE4nD,WAAwBJ,EAarBxnD,EAAE4nD,UAZC,SAAUC,GAChB,IAAI/e,EAAQlF,EAAMzyB,EAClB,IAAMA,EAAI,EAA4B,OAAvByyB,EAAOikB,EAAO12C,IAAeA,KAG3C23B,EAAS9oC,EAAE8nD,MAAOlkB,EAAM,YACTkF,EAAO1xB,QACrBpX,EAAG4jC,GAAOmkB,eAAgB,UAG5BP,EAAMK,EACP,GAGD7nD,EAAEqjC,OAAS,SAAUl4B,EAAMuiC,EAAM/kC,GAChC,IAAIq/C,EAAqBra,EAAasa,EAIlCC,EAAmB,CAAC,EAEpBxE,EAAYv4C,EAAKjK,MAAO,KAAO,GAE/BwqB,EAAWg4B,EAAY,KAD3Bv4C,EAAOA,EAAKjK,MAAO,KAAO,IAuH1B,OApHMyH,IACLA,EAAY+kC,EACZA,EAAO1tC,EAAEmoD,QAGLlqB,MAAMC,QAASv1B,KACnBA,EAAY3I,EAAEm3B,OAAO/c,MAAO,KAAM,CAAE,CAAC,GAAI2lB,OAAQp3B,KAIlD3I,EAAEooD,KAAKC,QAAS38B,EAAS1O,eAAkB,SAAU4mB,GACpD,QAAS5jC,EAAE+C,KAAM6gC,EAAMlY,EACxB,EAEA1rB,EAAG0jD,GAAc1jD,EAAG0jD,IAAe,CAAC,EACpCsE,EAAsBhoD,EAAG0jD,GAAav4C,GACtCwiC,EAAc3tC,EAAG0jD,GAAav4C,GAAS,SAAU3K,EAAS03B,GAGzD,IAAMx4B,OAASA,KAAK4oD,cACnB,OAAO,IAAI3a,EAAantC,EAAS03B,GAK7B3tB,UAAU7I,QACdhC,KAAK4oD,cAAe9nD,EAAS03B,EAE/B,EAGAl4B,EAAEm3B,OAAQwW,EAAaqa,EAAqB,CAC3C1/B,QAAS3f,EAAU2f,QAInBigC,OAAQvoD,EAAEm3B,OAAQ,CAAC,EAAGxuB,GAItB6/C,mBAAoB,MAGrBP,EAAgB,IAAIva,GAKNltC,QAAUR,EAAEqjC,OAAOlM,OAAQ,CAAC,EAAG8wB,EAAcznD,SAC3DR,EAAED,KAAM4I,GAAW,SAAUgN,EAAMjS,GAKlCwkD,EAAkBvyC,GAJI,mBAAVjS,EAIe,WAC1B,SAASy6C,IACR,OAAOzQ,EAAK/kC,UAAWgN,GAAOyE,MAAO1a,KAAM6K,UAC5C,CAEA,SAASk+C,EAAapiB,GACrB,OAAOqH,EAAK/kC,UAAWgN,GAAOyE,MAAO1a,KAAM2mC,EAC5C,CAEA,OAAO,WACN,IAEIqiB,EAFAC,EAAUjpD,KAAKy+C,OACfyK,EAAelpD,KAAK+oD,YAWxB,OARA/oD,KAAKy+C,OAASA,EACdz+C,KAAK+oD,YAAcA,EAEnBC,EAAchlD,EAAM0W,MAAO1a,KAAM6K,WAEjC7K,KAAKy+C,OAASwK,EACdjpD,KAAK+oD,YAAcG,EAEZF,CACR,CACC,CAxByB,GAHChlD,CA4B7B,IACAiqC,EAAYhlC,UAAY3I,EAAEqjC,OAAOlM,OAAQ8wB,EAAe,CAKvDY,kBAAmBb,GAAwBC,EAAcY,mBAA8B19C,GACrF+8C,EAAkB,CACpBva,YAAaA,EACb+V,UAAWA,EACXoF,WAAY39C,EACZ49C,eAAgBr9B,IAOZs8B,GACJhoD,EAAED,KAAMioD,EAAoBQ,oBAAoB,SAAUr3C,EAAGynC,GAC5D,IAAIoQ,EAAiBpQ,EAAMjwC,UAI3B3I,EAAEqjC,OAAQ2lB,EAAetF,UAAY,IAAMsF,EAAeF,WAAYnb,EACrEiL,EAAM2P,OACR,WAIOP,EAAoBQ,oBAE3B9a,EAAK8a,mBAAmBp7C,KAAMugC,GAG/B3tC,EAAEqjC,OAAO4lB,OAAQ99C,EAAMwiC,GAEhBA,CACR,EAEA3tC,EAAEqjC,OAAOlM,OAAS,SAAUhqB,GAO3B,IANA,IAGI5J,EACAG,EAJAqjC,EAAQ4gB,EAAYtnD,KAAMkK,UAAW,GACrC2+C,EAAa,EACbC,EAAcpiB,EAAMrlC,OAIhBwnD,EAAaC,EAAaD,IACjC,IAAM3lD,KAAOwjC,EAAOmiB,GACnBxlD,EAAQqjC,EAAOmiB,GAAc3lD,GACxBmkD,EAAqBrnD,KAAM0mC,EAAOmiB,GAAc3lD,SAAmBzD,IAAV4D,IAGxD1D,EAAEopD,cAAe1lD,GACrByJ,EAAQ5J,GAAQvD,EAAEopD,cAAej8C,EAAQ5J,IACxCvD,EAAEqjC,OAAOlM,OAAQ,CAAC,EAAGhqB,EAAQ5J,GAAOG,GAGpC1D,EAAEqjC,OAAOlM,OAAQ,CAAC,EAAGzzB,GAItByJ,EAAQ5J,GAAQG,GAKpB,OAAOyJ,CACR,EAEAnN,EAAEqjC,OAAO4lB,OAAS,SAAU99C,EAAMk+C,GACjC,IAAI39B,EAAW29B,EAAO1gD,UAAUogD,gBAAkB59C,EAClDnL,EAAEkM,GAAIf,GAAS,SAAU3K,GACxB,IAAI8oD,EAAkC,iBAAZ9oD,EACtB6lC,EAAOshB,EAAYtnD,KAAMkK,UAAW,GACpCm+C,EAAchpD,KA4DlB,OA1DK4pD,EAIE5pD,KAAKgC,QAAsB,aAAZlB,EAGpBd,KAAKK,MAAM,WACV,IAAIwpD,EACA/W,EAAWxyC,EAAE+C,KAAMrD,KAAMgsB,GAE7B,MAAiB,aAAZlrB,GACJkoD,EAAclW,GACP,GAGFA,EAM8B,mBAAxBA,EAAUhyC,IACG,MAAxBA,EAAQme,OAAQ,GACT3e,EAAEI,MAAO,mBAAqBI,EAAU,SAAW2K,EACzD,qBAGFo+C,EAAc/W,EAAUhyC,GAAU4Z,MAAOo4B,EAAUnM,MAE9BmM,QAA4B1yC,IAAhBypD,GAChCb,EAAca,GAAeA,EAAYC,OACxCd,EAAYe,UAAWF,EAAY9hC,OACnC8hC,GACM,QAJR,EAbQvpD,EAAEI,MAAO,0BAA4B+K,EAA5B,uDAEgB3K,EAAU,IAiB5C,IA/BAkoD,OAAc5oD,GAoCVumC,EAAK3kC,SACTlB,EAAUR,EAAEqjC,OAAOlM,OAAO/c,MAAO,KAAM,CAAE5Z,GAAUu/B,OAAQsG,KAG5D3mC,KAAKK,MAAM,WACV,IAAIyyC,EAAWxyC,EAAE+C,KAAMrD,KAAMgsB,GACxB8mB,GACJA,EAASkX,OAAQlpD,GAAW,CAAC,GACxBgyC,EAAS/Q,OACb+Q,EAAS/Q,SAGVzhC,EAAE+C,KAAMrD,KAAMgsB,EAAU,IAAI29B,EAAQ7oD,EAASd,MAE/C,KAGMgpD,CACR,CACD,EAEA1oD,EAAEmoD,OAAS,WAAoC,EAC/CnoD,EAAEmoD,OAAOK,mBAAqB,GAE9BxoD,EAAEmoD,OAAOx/C,UAAY,CACpBmgD,WAAY,SACZD,kBAAmB,GACnBc,eAAgB,QAEhBnpD,QAAS,CACRoW,QAAS,CAAC,EACVgzC,UAAU,EAGV1lD,OAAQ,MAGTokD,cAAe,SAAU9nD,EAAS03B,GACjCA,EAAUl4B,EAAGk4B,GAAWx4B,KAAKiqD,gBAAkBjqD,MAAQ,GACvDA,KAAKw4B,QAAUl4B,EAAGk4B,GAClBx4B,KAAKmqD,KAAOpC,IACZ/nD,KAAKoqD,eAAiB,IAAMpqD,KAAKopD,WAAappD,KAAKmqD,KAEnDnqD,KAAKqqD,SAAW/pD,IAChBN,KAAKsqD,UAAYhqD,IACjBN,KAAKuqD,UAAYjqD,IACjBN,KAAKwqD,qBAAuB,CAAC,EAExBhyB,IAAYx4B,OAChBM,EAAE+C,KAAMm1B,EAASx4B,KAAKqpD,eAAgBrpD,MACtCA,KAAKyqD,KAAK,EAAMzqD,KAAKw4B,QAAS,CAC7B9gB,OAAQ,SAAUwO,GACZA,EAAMzY,SAAW+qB,GACrBx4B,KAAK8jC,SAEP,IAED9jC,KAAKuJ,SAAWjJ,EAAGk4B,EAAQ5a,MAG1B4a,EAAQkyB,cAGRlyB,EAAQjvB,UAAYivB,GACrBx4B,KAAKmE,OAAS7D,EAAGN,KAAKuJ,SAAU,GAAIohD,aAAe3qD,KAAKuJ,SAAU,GAAIqhD,eAGvE5qD,KAAKc,QAAUR,EAAEqjC,OAAOlM,OAAQ,CAAC,EAChCz3B,KAAKc,QACLd,KAAK6qD,oBACL/pD,GAEDd,KAAK8gC,UAEA9gC,KAAKc,QAAQopD,UACjBlqD,KAAK8qD,mBAAoB9qD,KAAKc,QAAQopD,UAGvClqD,KAAKgiC,SAAU,SAAU,KAAMhiC,KAAK+qD,uBACpC/qD,KAAK+hC,OACN,EAEA8oB,kBAAmB,WAClB,MAAO,CAAC,CACT,EAEAE,oBAAqBzqD,EAAEsnD,KAEvB9mB,QAASxgC,EAAEsnD,KAEX7lB,MAAOzhC,EAAEsnD,KAET9jB,QAAS,WACR,IAAIknB,EAAOhrD,KAEXA,KAAKirD,WACL3qD,EAAED,KAAML,KAAKwqD,sBAAsB,SAAU3mD,EAAKG,GACjDgnD,EAAKE,aAAclnD,EAAOH,EAC3B,IAIA7D,KAAKw4B,QACHhS,IAAKxmB,KAAKoqD,gBACVe,WAAYnrD,KAAKqpD,gBACnBrpD,KAAK2jC,SACHnd,IAAKxmB,KAAKoqD,gBACV9oB,WAAY,iBAGdthC,KAAKqqD,SAAS7jC,IAAKxmB,KAAKoqD,eACzB,EAEAa,SAAU3qD,EAAEsnD,KAEZjkB,OAAQ,WACP,OAAO3jC,KAAKw4B,OACb,EAEAwxB,OAAQ,SAAUnmD,EAAKG,GACtB,IACI4B,EACAwlD,EACA35C,EAHA3Q,EAAU+C,EAKd,GAA0B,IAArBgH,UAAU7I,OAGd,OAAO1B,EAAEqjC,OAAOlM,OAAQ,CAAC,EAAGz3B,KAAKc,SAGlC,GAAoB,iBAAR+C,EAMX,GAHA/C,EAAU,CAAC,EACX8E,EAAQ/B,EAAIrC,MAAO,KACnBqC,EAAM+B,EAAMgC,QACPhC,EAAM5D,OAAS,CAEnB,IADAopD,EAAYtqD,EAAS+C,GAAQvD,EAAEqjC,OAAOlM,OAAQ,CAAC,EAAGz3B,KAAKc,QAAS+C,IAC1D4N,EAAI,EAAGA,EAAI7L,EAAM5D,OAAS,EAAGyP,IAClC25C,EAAWxlD,EAAO6L,IAAQ25C,EAAWxlD,EAAO6L,KAAS,CAAC,EACtD25C,EAAYA,EAAWxlD,EAAO6L,IAG/B,GADA5N,EAAM+B,EAAMC,MACc,IAArBgF,UAAU7I,OACd,YAA4B5B,IAArBgrD,EAAWvnD,GAAsB,KAAOunD,EAAWvnD,GAE3DunD,EAAWvnD,GAAQG,CACpB,KAAO,CACN,GAA0B,IAArB6G,UAAU7I,OACd,YAA+B5B,IAAxBJ,KAAKc,QAAS+C,GAAsB,KAAO7D,KAAKc,QAAS+C,GAEjE/C,EAAS+C,GAAQG,CAClB,CAKD,OAFAhE,KAAK4hC,YAAa9gC,GAEXd,IACR,EAEA4hC,YAAa,SAAU9gC,GACtB,IAAI+C,EAEJ,IAAMA,KAAO/C,EACZd,KAAKiiC,WAAYp+B,EAAK/C,EAAS+C,IAGhC,OAAO7D,IACR,EAEAiiC,WAAY,SAAUp+B,EAAKG,GAW1B,MAVa,YAARH,GACJ7D,KAAKqrD,kBAAmBrnD,GAGzBhE,KAAKc,QAAS+C,GAAQG,EAET,aAARH,GACJ7D,KAAK8qD,mBAAoB9mD,GAGnBhE,IACR,EAEAqrD,kBAAmB,SAAUrnD,GAC5B,IAAIsnD,EAAUjK,EAAUkK,EAExB,IAAMD,KAAYtnD,EACjBunD,EAAkBvrD,KAAKwqD,qBAAsBc,GACxCtnD,EAAOsnD,KAAetrD,KAAKc,QAAQoW,QAASo0C,IAC9CC,GACAA,EAAgBvpD,SAQnBq/C,EAAW/gD,EAAGirD,EAAgBxjC,OAC9B/nB,KAAKkrD,aAAcK,EAAiBD,GAMpCjK,EAAS1+C,SAAU3C,KAAKwrD,SAAU,CACjChzB,QAAS6oB,EACT7kB,KAAM8uB,EACNp0C,QAASlT,EACT+2B,KAAK,KAGR,EAEA+vB,mBAAoB,SAAU9mD,GAC7BhE,KAAKyrD,aAAczrD,KAAK2jC,SAAU3jC,KAAKqpD,eAAiB,YAAa,OAAQrlD,GAGxEA,IACJhE,KAAKkrD,aAAclrD,KAAKsqD,UAAW,KAAM,kBACzCtqD,KAAKkrD,aAAclrD,KAAKuqD,UAAW,KAAM,kBAE3C,EAEA7wB,OAAQ,WACP,OAAO15B,KAAK4hC,YAAa,CAAEsoB,UAAU,GACtC,EAEAzxB,QAAS,WACR,OAAOz4B,KAAK4hC,YAAa,CAAEsoB,UAAU,GACtC,EAEAsB,SAAU,SAAU1qD,GACnB,IAAI4qD,EAAO,GACPV,EAAOhrD,KAOX,SAAS2rD,IACR,IAAIC,EAAc,GAElB9qD,EAAQ03B,QAAQn4B,MAAM,SAAUF,EAAGq4B,GAClBl4B,EAAEyM,IAAKi+C,EAAKR,sBAAsB,SAAUnJ,GAC3D,OAAOA,CACR,IACEtR,MAAM,SAAUsR,GAChB,OAAOA,EAASj7B,GAAIoS,EACrB,KAGAozB,EAAYl+C,KAAM8qB,EAEpB,IAEAwyB,EAAKP,IAAKnqD,EAAGsrD,GAAe,CAC3Bl0C,OAAQ,0BAEV,CAEA,SAASm0C,EAAoB30C,EAAS40C,GACrC,IAAI/e,EAASt7B,EACb,IAAMA,EAAI,EAAGA,EAAIyF,EAAQlV,OAAQyP,IAChCs7B,EAAUie,EAAKR,qBAAsBtzC,EAASzF,KAASnR,IAClDQ,EAAQi6B,KACZ4wB,IACA5e,EAAUzsC,EAAGA,EAAEyrD,WAAYhf,EAAQhlB,MAAMsY,OAAQv/B,EAAQ03B,QAAQzQ,UAEjEglB,EAAUzsC,EAAGysC,EAAQif,IAAKlrD,EAAQ03B,SAAUzQ,OAE7CijC,EAAKR,qBAAsBtzC,EAASzF,IAAQs7B,EAC5C2e,EAAKh+C,KAAMwJ,EAASzF,IACfq6C,GAAehrD,EAAQoW,QAASA,EAASzF,KAC7Ci6C,EAAKh+C,KAAM5M,EAAQoW,QAASA,EAASzF,IAGxC,CASA,OAnDA3Q,EAAUR,EAAEm3B,OAAQ,CACnBe,QAASx4B,KAAKw4B,QACdthB,QAASlX,KAAKc,QAAQoW,SAAW,CAAC,GAChCpW,IAyCU07B,MACZqvB,EAAoB/qD,EAAQ07B,KAAK9c,MAAO,SAAY,IAAI,GAEpD5e,EAAQmrD,OACZJ,EAAoB/qD,EAAQmrD,MAAMvsC,MAAO,SAAY,IAG/CgsC,EAAKjqD,KAAM,IACnB,EAEAyqD,uBAAwB,SAAUhmC,GACjC,IAAI8kC,EAAOhrD,KACXM,EAAED,KAAM2qD,EAAKR,sBAAsB,SAAU3mD,EAAKG,IACN,IAAtC1D,EAAE6rD,QAASjmC,EAAMzY,OAAQzJ,KAC7BgnD,EAAKR,qBAAsB3mD,GAAQvD,EAAG0D,EAAMgoD,IAAK9lC,EAAMzY,QAASsa,OAElE,IAEA/nB,KAAKosD,KAAM9rD,EAAG4lB,EAAMzY,QACrB,EAEAy9C,aAAc,SAAU1yB,EAASgE,EAAMyvB,GACtC,OAAOjsD,KAAKyrD,aAAcjzB,EAASgE,EAAMyvB,GAAO,EACjD,EAEAI,UAAW,SAAU7zB,EAASgE,EAAMyvB,GACnC,OAAOjsD,KAAKyrD,aAAcjzB,EAASgE,EAAMyvB,GAAO,EACjD,EAEAR,aAAc,SAAUjzB,EAASgE,EAAMyvB,EAAOlxB,GAC7CA,EAAuB,kBAARA,EAAsBA,EAAMkxB,EAC3C,IAAIrkD,EAA6B,iBAAZ4wB,GAAoC,OAAZA,EAC5C13B,EAAU,CACTmrD,MAAOrkD,EAAQ40B,EAAOyvB,EACtBzvB,KAAM50B,EAAQ4wB,EAAUgE,EACxBhE,QAAS5wB,EAAQ5H,KAAKw4B,QAAUA,EAChCuC,IAAKA,GAGP,OADAj6B,EAAQ03B,QAAQ8zB,YAAatsD,KAAKwrD,SAAU1qD,GAAWi6B,GAChD/6B,IACR,EAEAyqD,IAAK,SAAU8B,EAAuB/zB,EAAS8R,GAC9C,IAAIkiB,EACA1Z,EAAW9yC,KAGuB,kBAA1BusD,IACXjiB,EAAW9R,EACXA,EAAU+zB,EACVA,GAAwB,GAInBjiB,GAKL9R,EAAUg0B,EAAkBlsD,EAAGk4B,GAC/Bx4B,KAAKqqD,SAAWrqD,KAAKqqD,SAAStvB,IAAKvC,KALnC8R,EAAW9R,EACXA,EAAUx4B,KAAKw4B,QACfg0B,EAAkBxsD,KAAK2jC,UAMxBrjC,EAAED,KAAMiqC,GAAU,SAAUpkB,EAAO7H,GAClC,SAASouC,IAKR,GAAMF,IAC4B,IAA9BzZ,EAAShyC,QAAQopD,WACnB5pD,EAAGN,MAAOq4B,SAAU,qBAGtB,OAA4B,iBAAZha,EAAuBy0B,EAAUz0B,GAAYA,GAC3D3D,MAAOo4B,EAAUjoC,UACpB,CAGwB,iBAAZwT,IACXouC,EAAaC,KAAOruC,EAAQquC,KAC3BruC,EAAQquC,MAAQD,EAAaC,MAAQpsD,EAAEosD,QAGzC,IAAIhtC,EAAQwG,EAAMxG,MAAO,sBACrB2yB,EAAY3yB,EAAO,GAAMozB,EAASsX,eAClC9uC,EAAWoE,EAAO,GAEjBpE,EACJkxC,EAAgBz0C,GAAIs6B,EAAW/2B,EAAUmxC,GAEzCj0B,EAAQzgB,GAAIs6B,EAAWoa,EAEzB,GACD,EAEAL,KAAM,SAAU5zB,EAAS6Z,GACxBA,GAAcA,GAAa,IAAK7wC,MAAO,KAAMC,KAAMzB,KAAKoqD,eAAiB,KACxEpqD,KAAKoqD,eACN5xB,EAAQhS,IAAK6rB,GAGbryC,KAAKqqD,SAAW/pD,EAAGN,KAAKqqD,SAAS2B,IAAKxzB,GAAUzQ,OAChD/nB,KAAKuqD,UAAYjqD,EAAGN,KAAKuqD,UAAUyB,IAAKxzB,GAAUzQ,OAClD/nB,KAAKsqD,UAAYhqD,EAAGN,KAAKsqD,UAAU0B,IAAKxzB,GAAUzQ,MACnD,EAEA4kC,OAAQ,SAAUtuC,EAASxC,GAK1B,IAAIi3B,EAAW9yC,KACf,OAAO+iB,YALP,WACC,OAA4B,iBAAZ1E,EAAuBy0B,EAAUz0B,GAAYA,GAC3D3D,MAAOo4B,EAAUjoC,UACpB,GAEiCgR,GAAS,EAC3C,EAEA+wC,WAAY,SAAUp0B,GACrBx4B,KAAKsqD,UAAYtqD,KAAKsqD,UAAUvvB,IAAKvC,GACrCx4B,KAAKyqD,IAAKjyB,EAAS,CAClBq0B,WAAY,SAAU3mC,GACrBlmB,KAAKqsD,UAAW/rD,EAAG4lB,EAAM45B,eAAiB,KAAM,iBACjD,EACAgN,WAAY,SAAU5mC,GACrBlmB,KAAKkrD,aAAc5qD,EAAG4lB,EAAM45B,eAAiB,KAAM,iBACpD,GAEF,EAEAiN,WAAY,SAAUv0B,GACrBx4B,KAAKuqD,UAAYvqD,KAAKuqD,UAAUxvB,IAAKvC,GACrCx4B,KAAKyqD,IAAKjyB,EAAS,CAClBw0B,QAAS,SAAU9mC,GAClBlmB,KAAKqsD,UAAW/rD,EAAG4lB,EAAM45B,eAAiB,KAAM,iBACjD,EACAmN,SAAU,SAAU/mC,GACnBlmB,KAAKkrD,aAAc5qD,EAAG4lB,EAAM45B,eAAiB,KAAM,iBACpD,GAEF,EAEA9d,SAAU,SAAU/+B,EAAMijB,EAAO7iB,GAChC,IAAI4S,EAAM6xC,EACN/nD,EAAWC,KAAKc,QAASmC,GAc7B,GAZAI,EAAOA,GAAQ,CAAC,GAChB6iB,EAAQ5lB,EAAE4sD,MAAOhnC,IACXjjB,MAASA,IAASjD,KAAKmpD,kBAC5BlmD,EACAjD,KAAKmpD,kBAAoBlmD,GAAOqa,cAIjC4I,EAAMzY,OAASzN,KAAKw4B,QAAS,GAG7BsvB,EAAO5hC,EAAMinC,cAEZ,IAAMl3C,KAAQ6xC,EACL7xC,KAAQiQ,IACfA,EAAOjQ,GAAS6xC,EAAM7xC,IAMzB,OADAjW,KAAKw4B,QAAQ91B,QAASwjB,EAAO7iB,KACC,mBAAbtD,IACkD,IAAlEA,EAAS2a,MAAO1a,KAAKw4B,QAAS,GAAK,CAAEtS,GAAQma,OAAQh9B,KACrD6iB,EAAMknC,qBACR,GAGD9sD,EAAED,KAAM,CAAEgB,KAAM,SAAUpB,KAAM,YAAa,SAAU2C,EAAQyqD,GAC9D/sD,EAAEmoD,OAAOx/C,UAAW,IAAMrG,GAAW,SAAU41B,EAAS13B,EAASf,GAKhE,IAAIutD,EAJoB,iBAAZxsD,IACXA,EAAU,CAAEysD,OAAQzsD,IAIrB,IAAI0sD,EAAc1sD,GAEL,IAAZA,GAAuC,iBAAZA,EAC1BusD,EACAvsD,EAAQysD,QAAUF,EAHnBzqD,EAMuB,iBADxB9B,EAAUA,GAAW,CAAC,GAErBA,EAAU,CAAE2sD,SAAU3sD,IACC,IAAZA,IACXA,EAAU,CAAC,GAGZwsD,GAAchtD,EAAEotD,cAAe5sD,GAC/BA,EAAQyZ,SAAWxa,EAEde,EAAQ+a,OACZ2c,EAAQ3c,MAAO/a,EAAQ+a,OAGnByxC,GAAchtD,EAAEqtD,SAAWrtD,EAAEqtD,QAAQJ,OAAQC,GACjDh1B,EAAS51B,GAAU9B,GACR0sD,IAAe5qD,GAAU41B,EAASg1B,GAC7Ch1B,EAASg1B,GAAc1sD,EAAQ2sD,SAAU3sD,EAAQ8sD,OAAQ7tD,GAEzDy4B,EAAQq1B,OAAO,SAAUnc,GACxBpxC,EAAGN,MAAQ4C,KACN7C,GACJA,EAASY,KAAM63B,EAAS,IAEzBkZ,GACD,GAEF,CACD,IAEapxC,EAAEqjC,OAqBf,WACA,IAAImqB,EACHh7C,EAAMlC,KAAKkC,IACXR,EAAM1B,KAAK0B,IACXy7C,EAAc,oBACdC,EAAY,oBACZC,EAAU,wBACVC,EAAY,OACZC,EAAW,KACXC,EAAY9tD,EAAEkM,GAAG0U,SAElB,SAASmtC,EAAYC,EAASv7C,EAAOC,GACpC,MAAO,CACN2M,WAAY2uC,EAAS,KAAUH,EAAS5kB,KAAM+kB,EAAS,IAAQv7C,EAAQ,IAAM,GAC7E4M,WAAY2uC,EAAS,KAAUH,EAAS5kB,KAAM+kB,EAAS,IAAQt7C,EAAS,IAAM,GAEhF,CAEA,SAASu7C,EAAU/1B,EAASyrB,GAC3B,OAAO1mC,SAAUjd,EAAEiU,IAAKikB,EAASyrB,GAAY,KAAQ,CACtD,CAEA,SAASuK,EAAUzkB,GAClB,OAAc,MAAPA,GAAeA,IAAQA,EAAI5lC,MACnC,CAgCA7D,EAAE4gB,SAAW,CACZutC,eAAgB,WACf,QAA8BruD,IAAzB0tD,EACJ,OAAOA,EAER,IAAItsC,EAAIE,EACPmZ,EAAMv6B,EAAG,6IAGTouD,EAAW7zB,EAAItkB,WAAY,GAc5B,OAZAjW,EAAG,QAAS0V,OAAQ6kB,GACpBrZ,EAAKktC,EAASjtC,YACdoZ,EAAItmB,IAAK,WAAY,UAIhBiN,KAFLE,EAAKgtC,EAASjtC,eAGbC,EAAKmZ,EAAK,GAAIlZ,aAGfkZ,EAAInjB,SAEKo2C,EAAuBtsC,EAAKE,CACtC,EACAitC,cAAe,SAAUC,GACxB,IAAIC,EAAYD,EAAOJ,UAAYI,EAAOE,WAAa,GACrDF,EAAOp2B,QAAQjkB,IAAK,cACrBw6C,EAAYH,EAAOJ,UAAYI,EAAOE,WAAa,GAClDF,EAAOp2B,QAAQjkB,IAAK,cACrBy6C,EAA6B,WAAdH,GACE,SAAdA,GAAwBD,EAAO77C,MAAQ67C,EAAOp2B,QAAS,GAAIvI,YAG/D,MAAO,CACNld,MAH6B,WAAdg8C,GACE,SAAdA,GAAwBH,EAAO57C,OAAS47C,EAAOp2B,QAAS,GAAIy2B,aAEzC3uD,EAAE4gB,SAASutC,iBAAmB,EACpDz7C,OAAQg8C,EAAe1uD,EAAE4gB,SAASutC,iBAAmB,EAEvD,EACAS,cAAe,SAAU12B,GACxB,IAAI22B,EAAgB7uD,EAAGk4B,GAAWr0B,QACjCirD,EAAeZ,EAAUW,EAAe,IACxCL,IAAeK,EAAe,IAAuC,IAAhCA,EAAe,GAAInP,SAEzD,MAAO,CACNxnB,QAAS22B,EACTX,SAAUY,EACVN,WAAYA,EACZO,OALaD,GAAiBN,EAKc,CAAE1tC,KAAM,EAAGD,IAAK,GAAxC7gB,EAAGk4B,GAAU62B,SACjCC,WAAYH,EAAcG,aAC1BxS,UAAWqS,EAAcrS,YACzB/pC,MAAOo8C,EAAc1nB,aACrBz0B,OAAQm8C,EAAcvsB,cAExB,GAGDtiC,EAAEkM,GAAG0U,SAAW,SAAUpgB,GACzB,IAAMA,IAAYA,EAAQyuD,GACzB,OAAOnB,EAAU1zC,MAAO1a,KAAM6K,WAM/B,IAAI2kD,EAAUC,EAAaC,EAAcC,EAAcC,EAAcC,EA/F9C3rB,EACnBuX,EAiGHhuC,EAA+B,iBALhC3M,EAAUR,EAAEm3B,OAAQ,CAAC,EAAG32B,IAKCyuD,GACvBjvD,EAAGiJ,UAAWxH,KAAMjB,EAAQyuD,IAC5BjvD,EAAGQ,EAAQyuD,IAEZX,EAAStuD,EAAE4gB,SAASguC,cAAepuD,EAAQ8tD,QAC3CkB,EAAaxvD,EAAE4gB,SAASytC,cAAeC,GACvCmB,GAAcjvD,EAAQivD,WAAa,QAASvuD,MAAO,KACnD8sD,EAAU,CAAC,EAoEZ,OAlEAuB,EAzGsB,KADlBpU,GADmBvX,EA2GKz2B,GA1GZ,IACPuyC,SACD,CACNjtC,MAAOmxB,EAAKnxB,QACZC,OAAQkxB,EAAKlxB,SACbq8C,OAAQ,CAAEluC,IAAK,EAAGC,KAAM,IAGrBotC,EAAU/S,GACP,CACN1oC,MAAOmxB,EAAKnxB,QACZC,OAAQkxB,EAAKlxB,SACbq8C,OAAQ,CAAEluC,IAAK+iB,EAAK4Y,YAAa17B,KAAM8iB,EAAKorB,eAGzC7T,EAAIt1B,eACD,CACNpT,MAAO,EACPC,OAAQ,EACRq8C,OAAQ,CAAEluC,IAAKs6B,EAAIuU,MAAO5uC,KAAMq6B,EAAIwU,QAG/B,CACNl9C,MAAOmxB,EAAKuD,aACZz0B,OAAQkxB,EAAKtB,cACbysB,OAAQnrB,EAAKmrB,UAkFT5hD,EAAQ,GAAI0Y,iBAGhBrlB,EAAQ8tC,GAAK,YAEd6gB,EAAcI,EAAW98C,MACzB28C,EAAeG,EAAW78C,OAC1B28C,EAAeE,EAAWR,OAG1BO,EAAetvD,EAAEm3B,OAAQ,CAAC,EAAGk4B,GAI7BrvD,EAAED,KAAM,CAAE,KAAM,OAAQ,WACvB,IACC6vD,EACAC,EAFG5xC,GAAQzd,EAASd,OAAU,IAAKwB,MAAO,KAIvB,IAAf+c,EAAIvc,SACRuc,EAAMwvC,EAAYxkB,KAAMhrB,EAAK,IAC5BA,EAAI8hB,OAAQ,CAAE,WACd2tB,EAAUzkB,KAAMhrB,EAAK,IACpB,CAAE,UAAW8hB,OAAQ9hB,GACrB,CAAE,SAAU,WAEfA,EAAK,GAAMwvC,EAAYxkB,KAAMhrB,EAAK,IAAQA,EAAK,GAAM,SACrDA,EAAK,GAAMyvC,EAAUzkB,KAAMhrB,EAAK,IAAQA,EAAK,GAAM,SAGnD2xC,EAAmBjC,EAAQrX,KAAMr4B,EAAK,IACtC4xC,EAAiBlC,EAAQrX,KAAMr4B,EAAK,IACpC+vC,EAAStuD,MAAS,CACjBkwD,EAAmBA,EAAkB,GAAM,EAC3CC,EAAiBA,EAAgB,GAAM,GAIxCrvD,EAASd,MAAS,CACjBkuD,EAAUtX,KAAMr4B,EAAK,IAAO,GAC5B2vC,EAAUtX,KAAMr4B,EAAK,IAAO,GAE9B,IAG0B,IAArBwxC,EAAU/tD,SACd+tD,EAAW,GAAMA,EAAW,IAGJ,UAApBjvD,EAAQ8tC,GAAI,GAChBghB,EAAaxuC,MAAQquC,EACU,WAApB3uD,EAAQ8tC,GAAI,KACvBghB,EAAaxuC,MAAQquC,EAAc,GAGX,WAApB3uD,EAAQ8tC,GAAI,GAChBghB,EAAazuC,KAAOuuC,EACW,WAApB5uD,EAAQ8tC,GAAI,KACvBghB,EAAazuC,KAAOuuC,EAAe,GAGpCF,EAAWnB,EAAYC,EAAQ1f,GAAI6gB,EAAaC,GAChDE,EAAaxuC,MAAQouC,EAAU,GAC/BI,EAAazuC,KAAOquC,EAAU,GAEvBxvD,KAAKK,MAAM,WACjB,IAAI+vD,EAAmBC,EACtBnsB,EAAO5jC,EAAGN,MACVswD,EAAYpsB,EAAKuD,aACjB8oB,EAAarsB,EAAKtB,cAClB4tB,EAAajC,EAAUvuD,KAAM,cAC7BywD,EAAYlC,EAAUvuD,KAAM,aAC5B0wD,EAAiBJ,EAAYE,EAAajC,EAAUvuD,KAAM,eACzD8vD,EAAW/8C,MACZ49C,EAAkBJ,EAAaE,EAAYlC,EAAUvuD,KAAM,gBAC1D8vD,EAAW98C,OACZkO,EAAW5gB,EAAEm3B,OAAQ,CAAC,EAAGm4B,GACzBgB,EAAWvC,EAAYC,EAAQuC,GAAI3sB,EAAKuD,aAAcvD,EAAKtB,eAEnC,UAApB9hC,EAAQ+vD,GAAI,GAChB3vC,EAASE,MAAQkvC,EACc,WAApBxvD,EAAQ+vD,GAAI,KACvB3vC,EAASE,MAAQkvC,EAAY,GAGL,WAApBxvD,EAAQ+vD,GAAI,GAChB3vC,EAASC,KAAOovC,EACe,WAApBzvD,EAAQ+vD,GAAI,KACvB3vC,EAASC,KAAOovC,EAAa,GAG9BrvC,EAASE,MAAQwvC,EAAU,GAC3B1vC,EAASC,KAAOyvC,EAAU,GAE1BR,EAAoB,CACnBI,WAAYA,EACZC,UAAWA,GAGZnwD,EAAED,KAAM,CAAE,OAAQ,QAAS,SAAUoR,EAAGq/C,GAClCxwD,EAAEunD,GAAG3mC,SAAU6uC,EAAWt+C,KAC9BnR,EAAEunD,GAAG3mC,SAAU6uC,EAAWt+C,IAAOq/C,GAAO5vC,EAAU,CACjDuuC,YAAaA,EACbC,aAAcA,EACdY,UAAWA,EACXC,WAAYA,EACZH,kBAAmBA,EACnBM,eAAgBA,EAChBC,gBAAiBA,EACjBtB,OAAQ,CAAEG,EAAU,GAAMoB,EAAU,GAAKpB,EAAW,GAAMoB,EAAU,IACpEC,GAAI/vD,EAAQ+vD,GACZjiB,GAAI9tC,EAAQ8tC,GACZggB,OAAQA,EACR1qB,KAAMA,GAGT,IAEKpjC,EAAQuvD,QAGZA,EAAQ,SAAUprD,GACjB,IAAImc,EAAOuuC,EAAavuC,KAAOF,EAASE,KACvC2vC,EAAQ3vC,EAAOquC,EAAca,EAC7BnvC,EAAMwuC,EAAaxuC,IAAMD,EAASC,IAClC6vC,EAAS7vC,EAAMuuC,EAAea,EAC9BU,EAAW,CACVxjD,OAAQ,CACP+qB,QAAS/qB,EACT2T,KAAMuuC,EAAavuC,KACnBD,IAAKwuC,EAAaxuC,IAClBpO,MAAO08C,EACPz8C,OAAQ08C,GAETl3B,QAAS,CACRA,QAAS0L,EACT9iB,KAAMF,EAASE,KACfD,IAAKD,EAASC,IACdpO,MAAOu9C,EACPt9C,OAAQu9C,GAETW,WAAYH,EAAQ,EAAI,OAAS3vC,EAAO,EAAI,QAAU,SACtD+vC,SAAUH,EAAS,EAAI,MAAQ7vC,EAAM,EAAI,SAAW,UAEjDsuC,EAAca,GAAah+C,EAAK8O,EAAO2vC,GAAUtB,IACrDwB,EAASC,WAAa,UAElBxB,EAAea,GAAcj+C,EAAK6O,EAAM6vC,GAAWtB,IACvDuB,EAASE,SAAW,UAEhBr+C,EAAKR,EAAK8O,GAAQ9O,EAAKy+C,IAAYj+C,EAAKR,EAAK6O,GAAO7O,EAAK0+C,IAC7DC,EAASG,UAAY,aAErBH,EAASG,UAAY,WAEtBtwD,EAAQuvD,MAAM1vD,KAAMX,KAAMiF,EAAOgsD,EAClC,GAGD/sB,EAAKmrB,OAAQ/uD,EAAEm3B,OAAQvW,EAAU,CAAEmvC,MAAOA,IAC3C,GACD,EAEA/vD,EAAEunD,GAAG3mC,SAAW,CACfmwC,IAAK,CACJjwC,KAAM,SAAUF,EAAU7d,GACzB,IAMCiuD,EANG1C,EAASvrD,EAAKurD,OACjB2C,EAAe3C,EAAOJ,SAAWI,EAAOU,WAAaV,EAAOS,OAAOjuC,KACnEqmB,EAAamnB,EAAO77C,MACpBy+C,EAAmBtwC,EAASE,KAAO/d,EAAK+sD,kBAAkBI,WAC1DiB,EAAWF,EAAeC,EAC1BE,EAAYF,EAAmBnuD,EAAKqtD,eAAiBjpB,EAAa8pB,EAI9DluD,EAAKqtD,eAAiBjpB,EAGrBgqB,EAAW,GAAKC,GAAa,GACjCJ,EAAepwC,EAASE,KAAOqwC,EAAWpuD,EAAKqtD,eAAiBjpB,EAC/D8pB,EACDrwC,EAASE,MAAQqwC,EAAWH,GAI5BpwC,EAASE,KADEswC,EAAY,GAAKD,GAAY,EACxBF,EAIXE,EAAWC,EACCH,EAAe9pB,EAAapkC,EAAKqtD,eAEjCa,EAKPE,EAAW,EACtBvwC,EAASE,MAAQqwC,EAGNC,EAAY,EACvBxwC,EAASE,MAAQswC,EAIjBxwC,EAASE,KAAOtO,EAAKoO,EAASE,KAAOowC,EAAkBtwC,EAASE,KAElE,EACAD,IAAK,SAAUD,EAAU7d,GACxB,IAMCsuD,EANG/C,EAASvrD,EAAKurD,OACjB2C,EAAe3C,EAAOJ,SAAWI,EAAO9R,UAAY8R,EAAOS,OAAOluC,IAClEyhB,EAAcv/B,EAAKurD,OAAO57C,OAC1B4+C,EAAkB1wC,EAASC,IAAM9d,EAAK+sD,kBAAkBK,UACxDoB,EAAUN,EAAeK,EACzBE,EAAaF,EAAkBvuD,EAAKstD,gBAAkB/tB,EAAc2uB,EAIhEluD,EAAKstD,gBAAkB/tB,EAGtBivB,EAAU,GAAKC,GAAc,GACjCH,EAAgBzwC,EAASC,IAAM0wC,EAAUxuD,EAAKstD,gBAAkB/tB,EAC/D2uB,EACDrwC,EAASC,KAAO0wC,EAAUF,GAI1BzwC,EAASC,IADE2wC,EAAa,GAAKD,GAAW,EACzBN,EAIVM,EAAUC,EACCP,EAAe3uB,EAAcv/B,EAAKstD,gBAElCY,EAKNM,EAAU,EACrB3wC,EAASC,KAAO0wC,EAGLC,EAAa,EACxB5wC,EAASC,KAAO2wC,EAIhB5wC,EAASC,IAAMrO,EAAKoO,EAASC,IAAMywC,EAAiB1wC,EAASC,IAE/D,GAED4wC,KAAM,CACL3wC,KAAM,SAAUF,EAAU7d,GACzB,IAkBCiuD,EACAU,EAnBGpD,EAASvrD,EAAKurD,OACjB2C,EAAe3C,EAAOS,OAAOjuC,KAAOwtC,EAAOU,WAC3C7nB,EAAamnB,EAAO77C,MACpBk/C,EAAarD,EAAOJ,SAAWI,EAAOU,WAAaV,EAAOS,OAAOjuC,KACjEowC,EAAmBtwC,EAASE,KAAO/d,EAAK+sD,kBAAkBI,WAC1DiB,EAAWD,EAAmBS,EAC9BP,EAAYF,EAAmBnuD,EAAKqtD,eAAiBjpB,EAAawqB,EAClErB,EAA4B,SAAjBvtD,EAAKwtD,GAAI,IAClBxtD,EAAKitD,UACW,UAAjBjtD,EAAKwtD,GAAI,GACRxtD,EAAKitD,UACL,EACFd,EAA4B,SAAjBnsD,EAAKurC,GAAI,GACnBvrC,EAAKosD,YACY,UAAjBpsD,EAAKurC,GAAI,IACPvrC,EAAKosD,YACN,EACFJ,GAAU,EAAIhsD,EAAKgsD,OAAQ,GAIvBoC,EAAW,IACfH,EAAepwC,EAASE,KAAOwvC,EAAWpB,EAAWH,EAAShsD,EAAKqtD,eAClEjpB,EAAa8pB,GACM,GAAKD,EAAeh/C,EAAKm/C,MAC5CvwC,EAASE,MAAQwvC,EAAWpB,EAAWH,GAE7BqC,EAAY,KACvBM,EAAc9wC,EAASE,KAAO/d,EAAK+sD,kBAAkBI,WAAaI,EACjEpB,EAAWH,EAAS4C,GACF,GAAK3/C,EAAK0/C,GAAgBN,KAC5CxwC,EAASE,MAAQwvC,EAAWpB,EAAWH,EAG1C,EACAluC,IAAK,SAAUD,EAAU7d,GACxB,IAmBC6uD,EACAP,EApBG/C,EAASvrD,EAAKurD,OACjB2C,EAAe3C,EAAOS,OAAOluC,IAAMytC,EAAO9R,UAC1Cla,EAAcgsB,EAAO57C,OACrBm/C,EAAYvD,EAAOJ,SAAWI,EAAO9R,UAAY8R,EAAOS,OAAOluC,IAC/DywC,EAAkB1wC,EAASC,IAAM9d,EAAK+sD,kBAAkBK,UACxDoB,EAAUD,EAAkBO,EAC5BL,EAAaF,EAAkBvuD,EAAKstD,gBAAkB/tB,EAAcuvB,EAEpEvB,EADuB,QAAjBvtD,EAAKwtD,GAAI,IAEbxtD,EAAKktD,WACW,WAAjBltD,EAAKwtD,GAAI,GACRxtD,EAAKktD,WACL,EACFf,EAA4B,QAAjBnsD,EAAKurC,GAAI,GACnBvrC,EAAKqsD,aACY,WAAjBrsD,EAAKurC,GAAI,IACPvrC,EAAKqsD,aACN,EACFL,GAAU,EAAIhsD,EAAKgsD,OAAQ,GAGvBwC,EAAU,IACdF,EAAgBzwC,EAASC,IAAMyvC,EAAWpB,EAAWH,EAAShsD,EAAKstD,gBAClE/tB,EAAc2uB,GACM,GAAKI,EAAgBr/C,EAAKu/C,MAC9C3wC,EAASC,KAAOyvC,EAAWpB,EAAWH,GAE5ByC,EAAa,KACxBI,EAAahxC,EAASC,IAAM9d,EAAK+sD,kBAAkBK,UAAYG,EAAWpB,EACzEH,EAAS8C,GACQ,GAAK7/C,EAAK4/C,GAAeJ,KAC1C5wC,EAASC,KAAOyvC,EAAWpB,EAAWH,EAGzC,GAED+C,QAAS,CACRhxC,KAAM,WACL9gB,EAAEunD,GAAG3mC,SAAS6wC,KAAK3wC,KAAK1G,MAAO1a,KAAM6K,WACrCvK,EAAEunD,GAAG3mC,SAASmwC,IAAIjwC,KAAK1G,MAAO1a,KAAM6K,UACrC,EACAsW,IAAK,WACJ7gB,EAAEunD,GAAG3mC,SAAS6wC,KAAK5wC,IAAIzG,MAAO1a,KAAM6K,WACpCvK,EAAEunD,GAAG3mC,SAASmwC,IAAIlwC,IAAIzG,MAAO1a,KAAM6K,UACpC,GAIA,CA1dF,GA4devK,EAAEunD,GAAG3mC,SAkBT5gB,EAAEm3B,OAAQn3B,EAAEooD,KAAKC,QAAS,CACpCtlD,KAAM/C,EAAEooD,KAAK2J,aACZ/xD,EAAEooD,KAAK2J,cAAc,SAAUC,GAC9B,OAAO,SAAUpuB,GAChB,QAAS5jC,EAAE+C,KAAM6gC,EAAMouB,EACxB,CACD,IAGA,SAAUpuB,EAAMzyB,EAAGiO,GAClB,QAASpf,EAAE+C,KAAM6gC,EAAMxkB,EAAO,GAC/B,IAmBqBpf,EAAEkM,GAAGirB,OAAQ,CACnC86B,kBACKC,EAAY,kBAAmBjpD,SAAS8L,cAAe,OAC1D,cACA,YAEM,WACN,OAAOrV,KAAK+X,GAAIy6C,EAAY,wBAAwB,SAAUtsC,GAC7DA,EAAMC,gBACP,GACD,GAGDssC,gBAAiB,WAChB,OAAOzyD,KAAKwmB,IAAK,uBAClB,IA/DD,IA0NCksC,EAxKKF,EAsBFG,EAASryD,EAmBZsyD,EAAa,CAAC,EACdrxD,EAAWqxD,EAAWrxD,SAGtBsxD,EAAc,0BAGdC,EAAgB,CAAE,CAChBC,GAAI,sFACJj5C,MAAO,SAAUk5C,GAChB,MAAO,CACNA,EAAY,GACZA,EAAY,GACZA,EAAY,GACZA,EAAY,GAEd,GACE,CACFD,GAAI,8GACJj5C,MAAO,SAAUk5C,GAChB,MAAO,CACY,KAAlBA,EAAY,GACM,KAAlBA,EAAY,GACM,KAAlBA,EAAY,GACZA,EAAY,GAEd,GACE,CAGFD,GAAI,yDACJj5C,MAAO,SAAUk5C,GAChB,MAAO,CACNz1C,SAAUy1C,EAAY,GAAK,IAC3Bz1C,SAAUy1C,EAAY,GAAK,IAC3Bz1C,SAAUy1C,EAAY,GAAK,IAC3BA,EAAY,IACTz1C,SAAUy1C,EAAY,GAAK,IAAO,KAAMC,QAAS,GACnD,EAEH,GACE,CAGFF,GAAI,6CACJj5C,MAAO,SAAUk5C,GAChB,MAAO,CACNz1C,SAAUy1C,EAAY,GAAMA,EAAY,GAAK,IAC7Cz1C,SAAUy1C,EAAY,GAAMA,EAAY,GAAK,IAC7Cz1C,SAAUy1C,EAAY,GAAMA,EAAY,GAAK,IAC7CA,EAAY,IACTz1C,SAAUy1C,EAAY,GAAMA,EAAY,GAAK,IAAO,KACpDC,QAAS,GACX,EAEH,GACE,CACFF,GAAI,4GACJG,MAAO,OACPp5C,MAAO,SAAUk5C,GAChB,MAAO,CACNA,EAAY,GACZA,EAAY,GAAM,IAClBA,EAAY,GAAM,IAClBA,EAAY,GAEd,IAIFG,EAAQR,EAAOjuB,MAAQ,SAAUyuB,EAAOC,EAAO/tB,EAAMguB,GACpD,OAAO,IAAIV,EAAOjuB,MAAMl4B,GAAGsN,MAAOq5C,EAAOC,EAAO/tB,EAAMguB,EACvD,EACAC,EAAS,CACRC,KAAM,CACLtuD,MAAO,CACNkgC,IAAK,CACJ9Y,IAAK,EACLppB,KAAM,QAEPmwD,MAAO,CACN/mC,IAAK,EACLppB,KAAM,QAEPoiC,KAAM,CACLhZ,IAAK,EACLppB,KAAM,UAKTuwD,KAAM,CACLvuD,MAAO,CACNwuD,IAAK,CACJpnC,IAAK,EACLppB,KAAM,WAEPywD,WAAY,CACXrnC,IAAK,EACLppB,KAAM,WAEP0wD,UAAW,CACVtnC,IAAK,EACLppB,KAAM,cAKV2wD,EAAY,CACX,KAAQ,CACPxhD,OAAO,EACPU,IAAK,KAEN,QAAW,CACVA,IAAK,GAEN,QAAW,CACV+gD,IAAK,IACLzhD,OAAO,IAGTkuC,EAAU6S,EAAM7S,QAAU,CAAC,EAG3BwT,EAAcnB,EAAQ,OAAS,GAM/BtyD,EAAOsyD,EAAOtyD,KAuBf,SAAS0zD,EAAShqB,GACjB,OAAY,MAAPA,EACGA,EAAM,GAGQ,iBAARA,EACb6oB,EAAYrxD,EAASZ,KAAMopC,KAAW,gBAC/BA,CACT,CAEA,SAASiqB,EAAOhwD,EAAOiS,EAAMg+C,GAC5B,IAAIhxD,EAAO2wD,EAAW39C,EAAKhT,OAAU,CAAC,EAEtC,OAAc,MAATe,EACKiwD,IAAeh+C,EAAKi+C,IAAQ,KAAOj+C,EAAKi+C,KAIlDlwD,EAAQf,EAAKmP,QAAUpO,EAAQ2b,WAAY3b,GAItC0lB,MAAO1lB,GACJiS,EAAKi+C,IAGRjxD,EAAK4wD,KAIA7vD,EAAQf,EAAK4wD,KAAQ5wD,EAAK4wD,IAI7BjjD,KAAK0E,IAAKrS,EAAK6P,IAAKlC,KAAKkC,IAAK,EAAG9O,IACzC,CAEA,SAASmwD,EAAa90C,GACrB,IAAI+0C,EAAOjB,IACVI,EAAOa,EAAKC,MAAQ,GAwBrB,OAtBAh1C,EAASA,EAAO/B,cAEhBjd,EAAMyyD,GAAe,SAAUwB,EAAIC,GAClC,IAAIC,EACH90C,EAAQ60C,EAAOxB,GAAGnc,KAAMv3B,GACxB+T,EAAS1T,GAAS60C,EAAOz6C,MAAO4F,GAChC+0C,EAAYF,EAAOrB,OAAS,OAE7B,GAAK9/B,EASJ,OARAohC,EAASJ,EAAMK,GAAarhC,GAI5BghC,EAAMd,EAAQmB,GAAYC,OAAUF,EAAQlB,EAAQmB,GAAYC,OAChEnB,EAAOa,EAAKC,MAAQG,EAAOH,OAGpB,CAET,IAGKd,EAAKvxD,QAIY,YAAhBuxD,EAAK9xD,QACTkxD,EAAOl7B,OAAQ87B,EAAMb,EAAOiC,aAEtBP,GAID1B,EAAQrzC,EAChB,CA6NA,SAASu1C,EAASv0C,EAAGo5B,EAAGzhB,GAEvB,OAAS,GADTA,GAAMA,EAAI,GAAM,GACH,EACL3X,GAAMo5B,EAAIp5B,GAAM2X,EAAI,EAEnB,EAAJA,EAAQ,EACLyhB,EAEC,EAAJzhB,EAAQ,EACL3X,GAAMo5B,EAAIp5B,IAAU,EAAI,EAAM2X,GAAM,EAErC3X,CACR,CAxUAyzC,EAAYl2C,MAAMi3C,QAAU,kCAC5BvU,EAAQiT,KAAOO,EAAYl2C,MAAMk3C,gBAAgBpvD,QAAS,SAAY,EAItErF,EAAMizD,GAAQ,SAAUmB,EAAWvB,GAClCA,EAAMwB,MAAQ,IAAMD,EACpBvB,EAAMjuD,MAAMouD,MAAQ,CACnBhnC,IAAK,EACLppB,KAAM,UACNixD,IAAK,EAEP,IAGAvB,EAAOtyD,KAAM,uEAAuEmB,MAAO,MAC1F,SAAU8yD,EAAI7oD,GACbmnD,EAAY,WAAannD,EAAO,KAAQA,EAAK6R,aAC9C,IA+ED61C,EAAM3mD,GAAKmmD,EAAOl7B,OAAQ07B,EAAMlqD,UAAW,CAC1C6Q,MAAO,SAAUqrB,EAAKiuB,EAAO/tB,EAAMguB,GAClC,QAAajzD,IAAR+kC,EAEJ,OADAnlC,KAAKq0D,MAAQ,CAAE,KAAM,KAAM,KAAM,MAC1Br0D,MAEHmlC,EAAI2kB,QAAU3kB,EAAI6a,YACtB7a,EAAMwtB,EAAQxtB,GAAM5wB,IAAK6+C,GACzBA,OAAQhzD,GAGT,IAAIg0D,EAAOp0D,KACViD,EAAO8wD,EAAS5uB,GAChBouB,EAAOvzD,KAAKq0D,MAAQ,GAQrB,YALej0D,IAAVgzD,IACJjuB,EAAM,CAAEA,EAAKiuB,EAAO/tB,EAAMguB,GAC1BpwD,EAAO,SAGM,WAATA,EACGjD,KAAK8Z,MAAOq6C,EAAahvB,IAASutB,EAAOqC,UAGnC,UAAT9xD,GACJ5C,EAAMizD,EAAOC,KAAKtuD,OAAO,SAAU+vD,EAAM/+C,GACxCs9C,EAAMt9C,EAAKoW,KAAQ2nC,EAAO7uB,EAAKlvB,EAAKoW,KAAOpW,EAC5C,IACOjW,MAGM,WAATiD,GAEH5C,EAAMizD,EADFnuB,aAAeguB,EACL,SAAU8B,EAAY/B,GAC9B/tB,EAAK+tB,EAAMwB,SACfN,EAAMlB,EAAMwB,OAAUvvB,EAAK+tB,EAAMwB,OAAQ7nD,QAE3C,EAEc,SAAUooD,EAAY/B,GACnC,IAAIwB,EAAQxB,EAAMwB,MAClBr0D,EAAM6yD,EAAMjuD,OAAO,SAAUpB,EAAKoS,GAGjC,IAAMm+C,EAAMM,IAAWxB,EAAMgC,GAAK,CAIjC,GAAa,UAARrxD,GAAiC,MAAdshC,EAAKthC,GAC5B,OAEDuwD,EAAMM,GAAUxB,EAAMgC,GAAId,EAAKC,MAChC,CAIAD,EAAMM,GAASz+C,EAAKoW,KAAQ2nC,EAAO7uB,EAAKthC,GAAOoS,GAAM,EACtD,IAGKm+C,EAAMM,IAAW/B,EAAOxG,QAAS,KAAMiI,EAAMM,GAAQ7nD,MAAO,EAAG,IAAQ,IAGhD,MAAtBunD,EAAMM,GAAS,KACnBN,EAAMM,GAAS,GAAM,GAGjBxB,EAAMiC,OACVf,EAAKC,MAAQnB,EAAMiC,KAAMf,EAAMM,KAGlC,GAEM10D,WA1CR,CA4CD,EACAomB,GAAI,SAAUgvC,GACb,IAAIhvC,EAAK+sC,EAAOiC,GACfC,GAAO,EACPjB,EAAOp0D,KAgBR,OAdAK,EAAMizD,GAAQ,SAAUnzD,EAAG+yD,GAC1B,IAAIoC,EACHC,EAAUnvC,EAAI8sC,EAAMwB,OAUrB,OATKa,IACJD,EAAalB,EAAMlB,EAAMwB,QAAWxB,EAAMgC,IAAMhC,EAAMgC,GAAId,EAAKC,QAAW,GAC1Eh0D,EAAM6yD,EAAMjuD,OAAO,SAAU9E,EAAG8V,GAC/B,GAA4B,MAAvBs/C,EAASt/C,EAAKoW,KAElB,OADAgpC,EAASE,EAASt/C,EAAKoW,OAAUipC,EAAYr/C,EAAKoW,IAGpD,KAEMgpC,CACR,IACOA,CACR,EACAG,OAAQ,WACP,IAAIC,EAAO,GACVrB,EAAOp0D,KAMR,OALAK,EAAMizD,GAAQ,SAAUmB,EAAWvB,GAC7BkB,EAAMlB,EAAMwB,QAChBe,EAAK/nD,KAAM+mD,EAEb,IACOgB,EAAK5vD,KACb,EACA6vD,WAAY,SAAUC,EAAOC,GAC5B,IAAIzvB,EAAMgtB,EAAOwC,GAChBlB,EAAYtuB,EAAIqvB,SAChBtC,EAAQI,EAAQmB,GAChBoB,EAA8B,IAAjB71D,KAAKqzD,QAAgBF,EAAO,eAAkBnzD,KAC3DkmC,EAAQ2vB,EAAY3C,EAAMwB,QAAWxB,EAAMgC,GAAIW,EAAWxB,OAC1DvvD,EAASohC,EAAMr5B,QA4BhB,OA1BAs5B,EAAMA,EAAK+sB,EAAMwB,OACjBr0D,EAAM6yD,EAAMjuD,OAAO,SAAU+vD,EAAM/+C,GAClC,IAAI6xB,EAAQ7xB,EAAKoW,IAChBypC,EAAa5vB,EAAO4B,GACpBiuB,EAAW5vB,EAAK2B,GAChB7kC,EAAO2wD,EAAW39C,EAAKhT,OAAU,CAAC,EAGjB,OAAb8yD,IAKe,OAAfD,EACJhxD,EAAQgjC,GAAUiuB,GAEb9yD,EAAK4wD,MACJkC,EAAWD,EAAa7yD,EAAK4wD,IAAM,EACvCiC,GAAc7yD,EAAK4wD,IACRiC,EAAaC,EAAW9yD,EAAK4wD,IAAM,IAC9CiC,GAAc7yD,EAAK4wD,MAGrB/uD,EAAQgjC,GAAUksB,GAAS+B,EAAWD,GAAeF,EAAWE,EAAY7/C,IAE9E,IACOjW,KAAMy0D,GAAa3vD,EAC3B,EACAkxD,MAAO,SAAUC,GAGhB,GAAyB,IAApBj2D,KAAKq0D,MAAO,GAChB,OAAOr0D,KAGR,IAAI4lC,EAAM5lC,KAAKq0D,MAAMxnD,QACpBuV,EAAIwjB,EAAI//B,MACRmwD,EAAQ7C,EAAO8C,GAAS5B,MAEzB,OAAOlB,EAAOR,EAAO5lD,IAAK64B,GAAK,SAAUswB,EAAGzkD,GAC3C,OAAS,EAAI2Q,GAAM4zC,EAAOvkD,GAAM2Q,EAAI8zC,CACrC,IACD,EACAC,aAAc,WACb,IAAIC,EAAS,QACZ7C,EAAOZ,EAAO5lD,IAAK/M,KAAKq0D,OAAO,SAAU6B,EAAGzkD,GAC3C,OAAU,MAALykD,EACGA,EAEDzkD,EAAI,EAAI,EAAI,CACpB,IAOD,OALmB,IAAd8hD,EAAM,KACVA,EAAK1tD,MACLuwD,EAAS,QAGHA,EAAS7C,EAAK9xD,OAAS,GAC/B,EACA40D,aAAc,WACb,IAAID,EAAS,QACZ5C,EAAOb,EAAO5lD,IAAK/M,KAAKwzD,QAAQ,SAAU0C,EAAGzkD,GAS5C,OARU,MAALykD,IACJA,EAAIzkD,EAAI,EAAI,EAAI,GAIZA,GAAKA,EAAI,IACbykD,EAAItlD,KAAKC,MAAW,IAAJqlD,GAAY,KAEtBA,CACR,IAMD,OAJmB,IAAd1C,EAAM,KACVA,EAAK3tD,MACLuwD,EAAS,QAEHA,EAAS5C,EAAK/xD,OAAS,GAC/B,EACA60D,YAAa,SAAUC,GACtB,IAAIhD,EAAOvzD,KAAKq0D,MAAMxnD,QACrBwmD,EAAQE,EAAK1tD,MAMd,OAJK0wD,GACJhD,EAAK7lD,QAAkB,IAAR2lD,IAGT,IAAMV,EAAO5lD,IAAKwmD,GAAM,SAAU2C,GAIxC,OAAoB,KADpBA,GAAMA,GAAK,GAAI30D,SAAU,KAChBS,OAAe,IAAMk0D,EAAIA,CACnC,IAAIz0D,KAAM,GACX,EACAF,SAAU,WACT,OAA2B,IAApBvB,KAAKq0D,MAAO,GAAY,cAAgBr0D,KAAKm2D,cACrD,IAEDhD,EAAM3mD,GAAGsN,MAAM7Q,UAAYkqD,EAAM3mD,GAmBjC8mD,EAAOE,KAAK0B,GAAK,SAAU3B,GAC1B,GAAkB,MAAbA,EAAM,IAA4B,MAAbA,EAAM,IAA4B,MAAbA,EAAM,GACpD,MAAO,CAAE,KAAM,KAAM,KAAMA,EAAM,IAElC,IASCv7B,EAAG1Y,EATAklB,EAAI+uB,EAAM,GAAM,IACnBrzC,EAAIqzC,EAAM,GAAM,IAChB1zC,EAAI0zC,EAAM,GAAM,IAChBnxC,EAAImxC,EAAM,GACVzgD,EAAMlC,KAAKkC,IAAK0xB,EAAGtkB,EAAGL,GACtBvK,EAAM1E,KAAK0E,IAAKkvB,EAAGtkB,EAAGL,GACtBe,EAAO9N,EAAMwC,EACbylB,EAAMjoB,EAAMwC,EACZk2B,EAAU,GAANzQ,EAsBL,OAlBC/C,EADI1iB,IAAQxC,EACR,EACO0xB,IAAM1xB,EACX,IAAOoN,EAAIL,GAAMe,EAAS,IACrBV,IAAMpN,EACX,IAAO+M,EAAI2kB,GAAM5jB,EAAS,IAE1B,IAAO4jB,EAAItkB,GAAMU,EAAS,IAMhCtB,EADa,IAATsB,EACA,EACO4qB,GAAK,GACZ5qB,EAAOma,EAEPna,GAAS,EAAIma,GAEX,CAAEnqB,KAAKC,MAAOmnB,GAAM,IAAK1Y,EAAGksB,EAAQ,MAALppB,EAAY,EAAIA,EACvD,EAEAkxC,EAAOE,KAAK2B,KAAO,SAAU3B,GAC5B,GAAkB,MAAbA,EAAM,IAA4B,MAAbA,EAAM,IAA4B,MAAbA,EAAM,GACpD,MAAO,CAAE,KAAM,KAAM,KAAMA,EAAM,IAElC,IAAIx7B,EAAIw7B,EAAM,GAAM,IACnBl0C,EAAIk0C,EAAM,GACVhoB,EAAIgoB,EAAM,GACVpxC,EAAIoxC,EAAM,GACV/Z,EAAIjO,GAAK,GAAMA,GAAM,EAAIlsB,GAAMksB,EAAIlsB,EAAIksB,EAAIlsB,EAC3Ce,EAAI,EAAImrB,EAAIiO,EAEb,MAAO,CACN7oC,KAAKC,MAAwC,IAAjC+jD,EAASv0C,EAAGo5B,EAAGzhB,EAAM,EAAI,IACrCpnB,KAAKC,MAA4B,IAArB+jD,EAASv0C,EAAGo5B,EAAGzhB,IAC3BpnB,KAAKC,MAAwC,IAAjC+jD,EAASv0C,EAAGo5B,EAAGzhB,EAAM,EAAI,IACrC5V,EAEF,EAGA/hB,EAAMizD,GAAQ,SAAUmB,EAAWvB,GAClC,IAAIjuD,EAAQiuD,EAAMjuD,MACjByvD,EAAQxB,EAAMwB,MACdQ,EAAKhC,EAAMgC,GACXC,EAAOjC,EAAMiC,KAGdhC,EAAM3mD,GAAIioD,GAAc,SAAUzwD,GAMjC,GAHKkxD,IAAOl1D,KAAM00D,KACjB10D,KAAM00D,GAAUQ,EAAIl1D,KAAKq0D,aAEXj0D,IAAV4D,EACJ,OAAOhE,KAAM00D,GAAQ7nD,QAGtB,IAAI2pD,EACHvzD,EAAO8wD,EAAS/vD,GAChByyD,EAAiB,UAATxzD,GAA6B,WAATA,EAAsBe,EAAQ6G,UAC1D6rD,EAAQ12D,KAAM00D,GAAQ7nD,QAUvB,OARAxM,EAAM4E,GAAO,SAAUpB,EAAKoS,GAC3B,IAAIqsB,EAAMm0B,EAAc,WAATxzD,EAAoBY,EAAMoS,EAAKoW,KAClC,MAAPiW,IACJA,EAAMo0B,EAAOzgD,EAAKoW,MAEnBqqC,EAAOzgD,EAAKoW,KAAQ2nC,EAAO1xB,EAAKrsB,EACjC,IAEKk/C,IACJqB,EAAMrD,EAAOgC,EAAMuB,KACdhC,GAAUgC,EACRF,GAEArD,EAAOuD,EAEhB,EAGAr2D,EAAM4E,GAAO,SAAUpB,EAAKoS,GAGtBk9C,EAAM3mD,GAAI3I,KAGfsvD,EAAM3mD,GAAI3I,GAAQ,SAAUG,GAC3B,IAAI0yD,EAAOC,EAAKj3C,EAAOlT,EACtBoqD,EAAQ7C,EAAS/vD,GAUlB,OAFA2yD,GADAD,EAAQ12D,KAJPwM,EADY,UAAR3I,EACC7D,KAAK62D,MAAQ,OAAS,OAEtBpC,MAGOx+C,EAAKoW,KAEH,cAAVuqC,EACGD,GAGO,aAAVC,IAEJA,EAAQ7C,EADR/vD,EAAQA,EAAMrD,KAAMX,KAAM22D,KAGb,MAAT3yD,GAAiBiS,EAAKosB,MACnBriC,MAEO,WAAV42D,IACJl3C,EAAQmzC,EAAYjc,KAAM5yC,MAEzBA,EAAQ2yD,EAAMh3C,WAAYD,EAAO,KAAyB,MAAfA,EAAO,GAAc,GAAK,IAGvEg3C,EAAOzgD,EAAKoW,KAAQroB,EACbhE,KAAMwM,GAAMkqD,IACpB,EACD,GACD,IAIAvD,EAAM2D,KAAO,SAAUA,GACtB,IAAI3P,EAAQ2P,EAAKt1D,MAAO,KACxBnB,EAAM8mD,GAAO,SAAUmN,EAAIwC,GAC1BnE,EAAOoE,SAAUD,GAAS,CACzB5uC,IAAK,SAAUgc,EAAMlgC,GACpB,IAAIwwD,EAAQwC,EACXlC,EAAkB,GAEnB,GAAe,gBAAV9wD,IAAkD,WAArB+vD,EAAS/vD,KAA0BwwD,EAASL,EAAanwD,KAAc,CAExG,GADAA,EAAQmvD,EAAOqB,GAAUxwD,IACnBs8C,EAAQiT,MAA6B,IAArBvvD,EAAMqwD,MAAO,GAAY,CAE9C,IADA2C,EAAmB,oBAATF,EAA6B5yB,EAAK8c,WAAa9c,GAElC,KAApB4wB,GAA8C,gBAApBA,IAC5BkC,GAAWA,EAAQp5C,OAEnB,IACCk3C,EAAkBnC,EAAOp+C,IAAKyiD,EAAS,mBACvCA,EAAUA,EAAQhW,UACnB,CAAE,MAAQrsC,GACV,CAGD3Q,EAAQA,EAAMgyD,MAAOlB,GAAuC,gBAApBA,EACvCA,EACA,WACF,CAEA9wD,EAAQA,EAAMmyD,cACf,CACA,IACCjyB,EAAKtmB,MAAOk5C,GAAS9yD,CACtB,CAAE,MAAQ2Q,GAGV,CACD,GAEDg+C,EAAOsE,GAAGjyB,KAAM8xB,GAAS,SAAUG,GAC5BA,EAAGC,YACRD,EAAG/wB,MAAQitB,EAAO8D,EAAG/yB,KAAM4yB,GAC3BG,EAAG9wB,IAAMgtB,EAAO8D,EAAG9wB,KACnB8wB,EAAGC,WAAY,GAEhBvE,EAAOoE,SAAUD,GAAO5uC,IAAK+uC,EAAG/yB,KAAM+yB,EAAG/wB,MAAMwvB,WAAYuB,EAAG9wB,IAAK8wB,EAAG14C,KACvE,CACD,GAED,EAEA40C,EAAM2D,KAhpBW,8JAkpBjBnE,EAAOoE,SAASI,YAAc,CAC7BC,OAAQ,SAAUpzD,GACjB,IAAIqzD,EAAW,CAAC,EAKhB,OAHAh3D,EAAM,CAAE,MAAO,QAAS,SAAU,SAAU,SAAUi0D,EAAI7sC,GACzD4vC,EAAU,SAAW5vC,EAAO,SAAYzjB,CACzC,IACOqzD,CACR,GAMD3E,EAASC,EAAOjuB,MAAM4E,MAAQ,CAG7BguB,KAAM,UACNC,MAAO,UACPlyB,KAAM,UACNmyB,QAAS,UACTC,KAAM,UACNrE,MAAO,UACPsE,KAAM,UACNC,OAAQ,UACRC,KAAM,UACNC,MAAO,UACPC,OAAQ,UACR3yB,IAAK,UACL4yB,OAAQ,UACRC,KAAM,UACNC,MAAO,UACP7yB,OAAQ,UAGRuvB,YAAa,CAAE,KAAM,KAAM,KAAM,GAEjCI,SAAU,WAsBX,IAs3BImD,EAw1CE/N,EA9sEFgO,EAAY,cACfC,EAAiB,mBACjBC,EAAoB,sBA0/DrB,GAx/DA/3D,EAAEqtD,QAAU,CACXJ,OAAQ,CAAC,GAMV,WAEA,IAAI+K,EAAwB,CAAE,MAAO,SAAU,UAC9CC,EAAkB,CACjB9b,OAAQ,EACR+b,aAAc,EACdrB,YAAa,EACbsB,WAAY,EACZC,YAAa,EACbC,UAAW,EACXC,YAAa,EACbjc,OAAQ,EACRD,QAAS,GAqBX,SAASmc,EAAkB30B,GAC1B,IAAIrgC,EAAKq2C,EAPU76B,EAQlBzB,EAAQsmB,EAAKwmB,cAAcC,YAC1BzmB,EAAKwmB,cAAcC,YAAYmO,iBAAkB50B,EAAM,MACvDA,EAAK60B,aACNC,EAAS,CAAC,EAEX,GAAKp7C,GAASA,EAAM5b,QAAU4b,EAAO,IAAOA,EAAOA,EAAO,IAEzD,IADAs8B,EAAMt8B,EAAM5b,OACJk4C,KAEsB,iBAAjBt8B,EADZ/Z,EAAM+Z,EAAOs8B,MAEZ8e,GAlBgB35C,EAkBGxb,EAjBfwb,EAAO/K,QAAS,gBAAgB,SAAU+2B,EAAK4tB,GACrD,OAAOA,EAAO/1D,aACf,MAegC0a,EAAO/Z,SAMtC,IAAMA,KAAO+Z,EACiB,iBAAjBA,EAAO/Z,KAClBm1D,EAAQn1D,GAAQ+Z,EAAO/Z,IAK1B,OAAOm1D,CACR,CA5CA14D,EAAED,KACD,CAAE,kBAAmB,mBAAoB,oBAAqB,mBAC9D,SAAUF,EAAG8V,GACZ3V,EAAE22D,GAAGjyB,KAAM/uB,GAAS,SAAUghD,IACb,SAAXA,EAAG9wB,MAAmB8wB,EAAGiC,SAAsB,IAAXjC,EAAG14C,MAAc04C,EAAGiC,WAC5DvG,EAAO/0C,MAAOq5C,EAAG/yB,KAAMjuB,EAAMghD,EAAG9wB,KAChC8wB,EAAGiC,SAAU,EAEf,CACD,IAwDK54D,EAAEkM,GAAG2sD,UACV74D,EAAEkM,GAAG2sD,QAAU,SAAU79C,GACxB,OAAOtb,KAAK+6B,IAAiB,MAAZzf,EAChBtb,KAAKo5D,WAAap5D,KAAKo5D,WAAWhrD,OAAQkN,GAE5C,GAGDhb,EAAEqtD,QAAQ0L,aAAe,SAAUr1D,EAAOypD,EAAUG,EAAQ7tD,GAC3D,IAAIukC,EAAIhkC,EAAEg5D,MAAO7L,EAAUG,EAAQ7tD,GAEnC,OAAOC,KAAK6tD,OAAO,WAClB,IAEC0L,EAFGC,EAAWl5D,EAAGN,MACjBy5D,EAAYD,EAASzjD,KAAM,UAAa,GAExC2jD,EAAgBp1B,EAAE/tB,SAAWijD,EAASz3D,KAAM,KAAMo3D,UAAYK,EAG/DE,EAAgBA,EAAc3sD,KAAK,WAElC,MAAO,CACN+qB,GAFQx3B,EAAGN,MAGXkmC,MAAO2yB,EAAkB74D,MAE3B,KAGAu5D,EAAmB,WAClBj5D,EAAED,KAAMi4D,GAAuB,SAAU7mD,EAAG2a,GACtCpoB,EAAOooB,IACXotC,EAAUptC,EAAS,SAAWpoB,EAAOooB,GAEvC,GACD,KAIAstC,EAAgBA,EAAc3sD,KAAK,WAGlC,OAFA/M,KAAKmmC,IAAM0yB,EAAkB74D,KAAK83B,GAAI,IACtC93B,KAAK4gB,KA1DR,SAA0B+4C,EAAUC,GACnC,IACCnuD,EAAMzH,EADH4c,EAAO,CAAC,EAGZ,IAAMnV,KAAQmuD,EACb51D,EAAQ41D,EAAUnuD,GACbkuD,EAAUluD,KAAWzH,IACnBu0D,EAAiB9sD,KACjBnL,EAAE22D,GAAGjyB,KAAMv5B,IAAWie,MAAO/J,WAAY3b,MAC7C4c,EAAMnV,GAASzH,IAMnB,OAAO4c,CACR,CA0Cei5C,CAAiB75D,KAAKkmC,MAAOlmC,KAAKmmC,KACvCnmC,IACR,IAGAw5D,EAASzjD,KAAM,QAAS0jD,GAGxBC,EAAgBA,EAAc3sD,KAAK,WAClC,IAAI+sD,EAAY95D,KACf+5D,EAAMz5D,EAAE05D,WACR3wB,EAAO/oC,EAAEm3B,OAAQ,CAAC,EAAG6M,EAAG,CACvBupB,OAAO,EACPtzC,SAAU,WACTw/C,EAAInuD,QAASkuD,EACd,IAIF,OADA95D,KAAK83B,GAAGmiC,QAASj6D,KAAK4gB,KAAMyoB,GACrB0wB,EAAI7hD,SACZ,IAGA5X,EAAE45D,KAAKx/C,MAAOpa,EAAGo5D,EAAc3xC,OAAQ9N,MAAM,WAG5Cs/C,IAIAj5D,EAAED,KAAMwK,WAAW,WAClB,IAAIitB,EAAK93B,KAAK83B,GACdx3B,EAAED,KAAML,KAAK4gB,MAAM,SAAU/c,GAC5Bi0B,EAAGvjB,IAAK1Q,EAAK,GACd,GACD,IAIAygC,EAAE/pB,SAAS5Z,KAAM64D,EAAU,GAC5B,GACD,GACD,EAEAl5D,EAAEkM,GAAGirB,OAAQ,CACZ90B,SAAU,SAAYmlD,GACrB,OAAO,SAAUqS,EAAYb,EAAO1L,EAAQ7tD,GAC3C,OAAOu5D,EACNh5D,EAAEqtD,QAAQ0L,aAAa14D,KAAMX,KAC5B,CAAE+6B,IAAKo/B,GAAcb,EAAO1L,EAAQ7tD,GACrC+nD,EAAKptC,MAAO1a,KAAM6K,UACpB,CACC,CAPQ,CAOLvK,EAAEkM,GAAG7J,UAEVF,YAAa,SAAYqlD,GACxB,OAAO,SAAUqS,EAAYb,EAAO1L,EAAQ7tD,GAC3C,OAAO8K,UAAU7I,OAAS,EACzB1B,EAAEqtD,QAAQ0L,aAAa14D,KAAMX,KAC5B,CAAE0X,OAAQyiD,GAAcb,EAAO1L,EAAQ7tD,GACxC+nD,EAAKptC,MAAO1a,KAAM6K,UACpB,CACC,CAPW,CAORvK,EAAEkM,GAAG/J,aAEV6pD,YAAa,SAAYxE,GACxB,OAAO,SAAUqS,EAAYC,EAAOd,EAAO1L,EAAQ7tD,GAClD,MAAsB,kBAAVq6D,QAAiCh6D,IAAVg6D,EAC5Bd,EAKEh5D,EAAEqtD,QAAQ0L,aAAa14D,KAAMX,KACjCo6D,EAAQ,CAAEr/B,IAAKo/B,GAAe,CAAEziD,OAAQyiD,GAC1Cb,EAAO1L,EAAQ7tD,GAJT+nD,EAAKptC,MAAO1a,KAAM6K,WASnBvK,EAAEqtD,QAAQ0L,aAAa14D,KAAMX,KACnC,CAAE+lB,OAAQo0C,GAAcC,EAAOd,EAAO1L,EAEzC,CACC,CAnBW,CAmBRttD,EAAEkM,GAAG8/C,aAEV+N,YAAa,SAAU3iD,EAAQqjB,EAAKu+B,EAAO1L,EAAQ7tD,GAClD,OAAOO,EAAEqtD,QAAQ0L,aAAa14D,KAAMX,KAAM,CACzC+6B,IAAKA,EACLrjB,OAAQA,GACN4hD,EAAO1L,EAAQ7tD,EACnB,GAGC,CAnNF,GAyNA,WAkVA,SAASu6D,EAAqB/M,EAAQzsD,EAASw4D,EAAOv5D,GAiDrD,OA9CKO,EAAEopD,cAAe6D,KACrBzsD,EAAUysD,EACVA,EAASA,EAAOA,QAIjBA,EAAS,CAAEA,OAAQA,GAGH,MAAXzsD,IACJA,EAAU,CAAC,GAIY,mBAAZA,IACXf,EAAWe,EACXw4D,EAAQ,KACRx4D,EAAU,CAAC,IAIY,iBAAZA,GAAwBR,EAAE22D,GAAGsD,OAAQz5D,MAChDf,EAAWu5D,EACXA,EAAQx4D,EACRA,EAAU,CAAC,GAIU,mBAAVw4D,IACXv5D,EAAWu5D,EACXA,EAAQ,MAIJx4D,GACJR,EAAEm3B,OAAQ81B,EAAQzsD,GAGnBw4D,EAAQA,GAASx4D,EAAQ2sD,SACzBF,EAAOE,SAAWntD,EAAE22D,GAAGzwC,IAAM,EACX,iBAAV8yC,EAAqBA,EAC5BA,KAASh5D,EAAE22D,GAAGsD,OAASj6D,EAAE22D,GAAGsD,OAAQjB,GACpCh5D,EAAE22D,GAAGsD,OAAOxF,SAEbxH,EAAOhzC,SAAWxa,GAAYe,EAAQyZ,SAE/BgzC,CACR,CAEA,SAASiN,EAAyBxQ,GAGjC,QAAMA,GAA4B,iBAAXA,IAAuB1pD,EAAE22D,GAAGsD,OAAQvQ,KAKpC,iBAAXA,IAAwB1pD,EAAEqtD,QAAQJ,OAAQvD,IAK/B,mBAAXA,GAKW,iBAAXA,IAAwBA,EAAOuD,MAM5C,CA2MA,SAASkN,EAAWC,EAAKliC,GACvB,IAAIiP,EAAajP,EAAQiP,aACxB7E,EAAcpK,EAAQoK,cAEtBxP,EADY,wIACOwjB,KAAM8jB,IAAS,CAAE,GAAI,EAAGjzB,EAAY7E,EAAa,GAErE,MAAO,CACNzhB,IAAKxB,WAAYyT,EAAQ,KAAS,EAClC29B,MAAuB,SAAhB39B,EAAQ,GAAiBqU,EAAa9nB,WAAYyT,EAAQ,IACjE49B,OAAwB,SAAhB59B,EAAQ,GAAiBwP,EAAcjjB,WAAYyT,EAAQ,IACnEhS,KAAMzB,WAAYyT,EAAQ,KAAS,EAEtC,CAnnBK9yB,EAAEooD,MAAQpoD,EAAEooD,KAAKC,SAAWroD,EAAEooD,KAAKC,QAAQ6Q,WAC/Cl5D,EAAEooD,KAAKC,QAAQ6Q,SAAW,SAAY1R,GACrC,OAAO,SAAU5jB,GAChB,QAAS5jC,EAAG4jC,GAAO7gC,KAAMg1D,IAAuBvQ,EAAM5jB,EACvD,CACC,CAJwB,CAIrB5jC,EAAEooD,KAAKC,QAAQ6Q,YAGG,IAAnBl5D,EAAEq6D,cACNr6D,EAAEm3B,OAAQn3B,EAAEqtD,QAAS,CAGpB/f,KAAM,SAAUpV,EAAStQ,GAExB,IADA,IAAIzW,EAAI,EAAGzP,EAASkmB,EAAIlmB,OAChByP,EAAIzP,EAAQyP,IACD,OAAbyW,EAAKzW,IACT+mB,EAAQn1B,KAAM80D,EAAYjwC,EAAKzW,GAAK+mB,EAAS,GAAI5a,MAAOsK,EAAKzW,IAGhE,EAGAmpD,QAAS,SAAUpiC,EAAStQ,GAE3B,IADA,IAAIoa,EAAK7wB,EAAI,EAAGzP,EAASkmB,EAAIlmB,OACrByP,EAAIzP,EAAQyP,IACD,OAAbyW,EAAKzW,KACT6wB,EAAM9J,EAAQn1B,KAAM80D,EAAYjwC,EAAKzW,IACrC+mB,EAAQjkB,IAAK2T,EAAKzW,GAAK6wB,GAG1B,EAEAu4B,QAAS,SAAU/iC,EAAIgjC,GAItB,MAHc,WAATA,IACJA,EAAOhjC,EAAG1R,GAAI,WAAc,OAAS,QAE/B00C,CACR,EAGAC,cAAe,SAAUviC,GAGxB,GAAKA,EAAQliB,SAAS8P,GAAI,uBACzB,OAAOoS,EAAQliB,SAIhB,IAAIrR,EAAQ,CACV8N,MAAOylB,EAAQiP,YAAY,GAC3Bz0B,OAAQwlB,EAAQoK,aAAa,GAC7B,MAASpK,EAAQjkB,IAAK,UAEvBymD,EAAU16D,EAAG,eACXqC,SAAU,sBACV4R,IAAK,CACLioC,SAAU,OACVye,WAAY,cACZxe,OAAQ,OACRE,OAAQ,EACRD,QAAS,IAIXhpC,EAAO,CACNX,MAAOylB,EAAQzlB,QACfC,OAAQwlB,EAAQxlB,UAEjBsd,EAAS/mB,SAAS2xD,cAKnB,IAEC5qC,EAAO/qB,EACR,CAAE,MAAQoP,GACT2b,EAAS/mB,SAAS5B,IACnB,CAsCA,OApCA6wB,EAAQ2iC,KAAMH,IAGTxiC,EAAS,KAAQlI,GAAUhwB,EAAEszC,SAAUpb,EAAS,GAAKlI,KACzDhwB,EAAGgwB,GAAS5tB,QAAS,SAKtBs4D,EAAUxiC,EAAQliB,SAGiB,WAA9BkiB,EAAQjkB,IAAK,aACjBymD,EAAQzmD,IAAK,CAAE2M,SAAU,aACzBsX,EAAQjkB,IAAK,CAAE2M,SAAU,eAEzB5gB,EAAEm3B,OAAQxyB,EAAO,CAChBic,SAAUsX,EAAQjkB,IAAK,YACvB6mD,OAAQ5iC,EAAQjkB,IAAK,aAEtBjU,EAAED,KAAM,CAAE,MAAO,OAAQ,SAAU,UAAW,SAAUoR,EAAG8M,GAC1DtZ,EAAOsZ,GAAQia,EAAQjkB,IAAKgK,GACvBmL,MAAOnM,SAAUtY,EAAOsZ,GAAO,OACnCtZ,EAAOsZ,GAAQ,OAEjB,IACAia,EAAQjkB,IAAK,CACZ2M,SAAU,WACVC,IAAK,EACLC,KAAM,EACN2vC,MAAO,OACPC,OAAQ,UAGVx4B,EAAQjkB,IAAKb,GAENsnD,EAAQzmD,IAAKtP,GAAQ5D,MAC7B,EAEAg6D,cAAe,SAAU7iC,GACxB,IAAIlI,EAAS/mB,SAAS2xD,cAWtB,OATK1iC,EAAQliB,SAAS8P,GAAI,yBACzBoS,EAAQliB,SAASglD,YAAa9iC,IAGzBA,EAAS,KAAQlI,GAAUhwB,EAAEszC,SAAUpb,EAAS,GAAKlI,KACzDhwB,EAAGgwB,GAAS5tB,QAAS,UAIhB81B,CACR,IAIFl4B,EAAEm3B,OAAQn3B,EAAEqtD,QAAS,CACpB/kC,QAAS,SAET2yC,OAAQ,SAAU9vD,EAAMqvD,EAAMvN,GAS7B,OARMA,IACLA,EAASuN,EACTA,EAAO,UAGRx6D,EAAEqtD,QAAQJ,OAAQ9hD,GAAS8hD,EAC3BjtD,EAAEqtD,QAAQJ,OAAQ9hD,GAAOqvD,KAAOA,EAEzBvN,CACR,EAEAiO,iBAAkB,SAAUhjC,EAASijC,EAASC,GAC7C,GAAiB,IAAZD,EACJ,MAAO,CACNzoD,OAAQ,EACRD,MAAO,EACP6vB,YAAa,EACb6E,WAAY,GAId,IAAI1zB,EAAkB,eAAd2nD,GAAiCD,GAAW,KAAQ,IAAQ,EACnEznD,EAAkB,aAAd0nD,GAA+BD,GAAW,KAAQ,IAAQ,EAE/D,MAAO,CACNzoD,OAAQwlB,EAAQxlB,SAAWgB,EAC3BjB,MAAOylB,EAAQzlB,QAAUgB,EACzB6uB,YAAapK,EAAQoK,cAAgB5uB,EACrCyzB,WAAYjP,EAAQiP,aAAe1zB,EAGrC,EAEA4nD,UAAW,SAAUC,GACpB,MAAO,CACN7oD,MAAO6oD,EAAUC,KAAK9K,MAAQ6K,EAAUC,KAAKz6C,KAC7CpO,OAAQ4oD,EAAUC,KAAK7K,OAAS4K,EAAUC,KAAK16C,IAC/CC,KAAMw6C,EAAUC,KAAKz6C,KACrBD,IAAKy6C,EAAUC,KAAK16C,IAEtB,EAGA+uB,QAAS,SAAU1X,EAASsjC,EAAa1lD,GACxC,IAAIy3C,EAAQr1B,EAAQq1B,QAEfiO,EAAc,GAClBjO,EAAMnf,OAAOh0B,MAAOmzC,EACnB,CAAE,EAAG,GAAIxtB,OAAQwtB,EAAMnf,OAAQotB,EAAa1lD,KAE9CoiB,EAAQujC,SACT,EAEAC,UAAW,SAAUxjC,GACpBA,EAAQn1B,KAAM+0D,EAAgB5/B,EAAS,GAAI5a,MAAMi3C,QAClD,EAEAoH,aAAc,SAAUzjC,GACvBA,EAAS,GAAI5a,MAAMi3C,QAAUr8B,EAAQn1B,KAAM+0D,IAAoB,GAC/D5/B,EAAQ2yB,WAAYiN,EACrB,EAEA0C,KAAM,SAAUtiC,EAASsiC,GACxB,IAAIoB,EAAS1jC,EAAQpS,GAAI,WAQzB,MANc,WAAT00C,IACJA,EAAOoB,EAAS,OAAS,SAErBA,EAAkB,SAATpB,EAA2B,SAATA,KAC/BA,EAAO,QAEDA,CACR,EAGAqB,YAAa,SAAUC,EAAQnsD,GAC9B,IAAI+D,EAAGD,EAEP,OAASqoD,EAAQ,IACjB,IAAK,MACJpoD,EAAI,EACJ,MACD,IAAK,SACJA,EAAI,GACJ,MACD,IAAK,SACJA,EAAI,EACJ,MACD,QACCA,EAAIooD,EAAQ,GAAMnsD,EAAS+C,OAG5B,OAASopD,EAAQ,IACjB,IAAK,OACJroD,EAAI,EACJ,MACD,IAAK,SACJA,EAAI,GACJ,MACD,IAAK,QACJA,EAAI,EACJ,MACD,QACCA,EAAIqoD,EAAQ,GAAMnsD,EAAS8C,MAG5B,MAAO,CACNgB,EAAGA,EACHC,EAAGA,EAEL,EAGAqoD,kBAAmB,SAAU7jC,GAC5B,IAAI8jC,EACHC,EAAc/jC,EAAQjkB,IAAK,YAC3B2M,EAAWsX,EAAQtX,WA+CpB,OAzCAsX,EAAQjkB,IAAK,CACZk8C,UAAWj4B,EAAQjkB,IAAK,aACxBioD,aAAchkC,EAAQjkB,IAAK,gBAC3Bi8C,WAAYh4B,EAAQjkB,IAAK,cACzBkoD,YAAajkC,EAAQjkB,IAAK,iBAE1BkzB,WAAYjP,EAAQiP,cACpB7E,YAAapK,EAAQoK,eAEjB,qBAAqB2G,KAAMgzB,KAC/BA,EAAc,WAEdD,EAAch8D,EAAG,IAAMk4B,EAAS,GAAImpB,SAAW,KAAMva,YAAa5O,GAAUjkB,IAAK,CAIhFysB,QAAS,iBAAiBuI,KAAM/Q,EAAQjkB,IAAK,YAC5C,eACA,QACD8M,WAAY,SAGZovC,UAAWj4B,EAAQjkB,IAAK,aACxBioD,aAAchkC,EAAQjkB,IAAK,gBAC3Bi8C,WAAYh4B,EAAQjkB,IAAK,cACzBkoD,YAAajkC,EAAQjkB,IAAK,eAC1B,MAASikB,EAAQjkB,IAAK,WAEtBkzB,WAAYjP,EAAQiP,cACpB7E,YAAapK,EAAQoK,eACrBjgC,SAAU,0BAEX61B,EAAQn1B,KAAM80D,EAAY,cAAemE,IAG1C9jC,EAAQjkB,IAAK,CACZ2M,SAAUq7C,EACVn7C,KAAMF,EAASE,KACfD,IAAKD,EAASC,MAGRm7C,CACR,EAEAI,kBAAmB,SAAUlkC,GAC5B,IAAImkC,EAAUxE,EAAY,cACxBmE,EAAc9jC,EAAQn1B,KAAMs5D,GAEzBL,IACJA,EAAY5kD,SACZ8gB,EAAQ2yB,WAAYwR,GAEtB,EAIAC,QAAS,SAAUpkC,GAClBl4B,EAAEqtD,QAAQsO,aAAczjC,GACxBl4B,EAAEqtD,QAAQ+O,kBAAmBlkC,EAC9B,EAEAqkC,cAAe,SAAUrkC,EAASwC,EAAM8hC,EAAQ94D,GAQ/C,OAPAA,EAAQA,GAAS,CAAC,EAClB1D,EAAED,KAAM26B,GAAM,SAAUvpB,EAAGsC,GAC1B,IAAIgpD,EAAOvkC,EAAQwkC,QAASjpD,GACvBgpD,EAAM,GAAM,IAChB/4D,EAAO+P,GAAMgpD,EAAM,GAAMD,EAASC,EAAM,GAE1C,IACO/4D,CACR,IAkFD1D,EAAEkM,GAAGirB,OAAQ,CACZ81B,OAAQ,WACP,IAAI5mB,EAAO2zB,EAAoB5/C,MAAO1a,KAAM6K,WAC3CoyD,EAAe38D,EAAEqtD,QAAQJ,OAAQ5mB,EAAK4mB,QACtC2P,EAAcD,EAAanC,KAC3BjN,EAAQlnB,EAAKknB,MACbsP,EAAYtP,GAAS,KACrBtzC,EAAWosB,EAAKpsB,SAChBugD,EAAOn0B,EAAKm0B,KACZsC,EAAQ,GACRC,EAAY,SAAU3rB,GACrB,IAAI5Z,EAAKx3B,EAAGN,MACXs9D,EAAiBh9D,EAAEqtD,QAAQmN,KAAMhjC,EAAIgjC,IAAUoC,EAGhDplC,EAAGz0B,KAAMg1D,GAAmB,GAK5B+E,EAAM1vD,KAAM4vD,GAGPJ,IAAoC,SAAnBI,GAClBA,IAAmBJ,GAAkC,SAAnBI,IACrCxlC,EAAGz2B,OAGE67D,GAAkC,SAAnBI,GACpBh9D,EAAEqtD,QAAQqO,UAAWlkC,GAGD,mBAAT4Z,GACXA,GAEF,EAED,GAAKpxC,EAAE22D,GAAGzwC,MAAQy2C,EAGjB,OAAKnC,EACG96D,KAAM86D,GAAQn0B,EAAK8mB,SAAUlzC,GAE7Bva,KAAKK,MAAM,WACZka,GACJA,EAAS5Z,KAAMX,KAEjB,IAIF,SAASu9D,EAAK7rB,GACb,IAAIxN,EAAO5jC,EAAGN,MAcd,SAASia,IACiB,mBAAbM,GACXA,EAAS5Z,KAAMujC,EAAM,IAGD,mBAATwN,GACXA,GAEF,CAIA/K,EAAKm0B,KAAOsC,EAAMx1D,SAEM,IAAnBtH,EAAEq6D,cAA2BuC,EAUd,SAAdv2B,EAAKm0B,MAGT52B,EAAM42B,KACN7gD,KAEAgjD,EAAat8D,KAAMujC,EAAM,GAAKyC,GA1ChC,WACCzC,EAAKinB,WAAYkN,GAEjB/3D,EAAEqtD,QAAQiP,QAAS14B,GAEA,SAAdyC,EAAKm0B,MACT52B,EAAKjkC,OAGNga,GACD,KAiBMiqB,EAAK9d,GAAI,WAAuB,SAAT00C,EAA2B,SAATA,IAG7C52B,EAAM42B,KACN7gD,KAEAgjD,EAAat8D,KAAMujC,EAAM,GAAKyC,EAAM1sB,EAYvC,CAKA,OAAiB,IAAV4zC,EACN7tD,KAAKK,KAAMg9D,GAAYh9D,KAAMk9D,GAC7Bv9D,KAAK6tD,MAAOsP,EAAWE,GAAYxP,MAAOsP,EAAWI,EACvD,EAEAl8D,KAAM,SAAYymD,GACjB,OAAO,SAAUkC,GAChB,GAAKwQ,EAAyBxQ,GAC7B,OAAOlC,EAAKptC,MAAO1a,KAAM6K,WAEzB,IAAI87B,EAAO2zB,EAAoB5/C,MAAO1a,KAAM6K,WAE5C,OADA87B,EAAKm0B,KAAO,OACL96D,KAAKutD,OAAO5sD,KAAMX,KAAM2mC,EAEjC,CACC,CAVI,CAUDrmC,EAAEkM,GAAGnL,MAEVpB,KAAM,SAAY6nD,GACjB,OAAO,SAAUkC,GAChB,GAAKwQ,EAAyBxQ,GAC7B,OAAOlC,EAAKptC,MAAO1a,KAAM6K,WAEzB,IAAI87B,EAAO2zB,EAAoB5/C,MAAO1a,KAAM6K,WAE5C,OADA87B,EAAKm0B,KAAO,OACL96D,KAAKutD,OAAO5sD,KAAMX,KAAM2mC,EAEjC,CACC,CAVI,CAUDrmC,EAAEkM,GAAGvM,MAEV8lB,OAAQ,SAAY+hC,GACnB,OAAO,SAAUkC,GAChB,GAAKwQ,EAAyBxQ,IAA8B,kBAAXA,EAChD,OAAOlC,EAAKptC,MAAO1a,KAAM6K,WAEzB,IAAI87B,EAAO2zB,EAAoB5/C,MAAO1a,KAAM6K,WAE5C,OADA87B,EAAKm0B,KAAO,SACL96D,KAAKutD,OAAO5sD,KAAMX,KAAM2mC,EAEjC,CACC,CAVM,CAUHrmC,EAAEkM,GAAGuZ,QAEVi3C,QAAS,SAAUn5D,GAClB,IAAI+Z,EAAQ5d,KAAKuU,IAAK1Q,GACrBy+B,EAAM,GAOP,OALAhiC,EAAED,KAAM,CAAE,KAAM,KAAM,IAAK,OAAQ,SAAUoR,EAAGsrD,GAC1Cn/C,EAAMlY,QAASq3D,GAAS,IAC5Bz6B,EAAM,CAAE3iB,WAAY/B,GAASm/C,GAE/B,IACOz6B,CACR,EAEAk7B,QAAS,SAAUC,GAClB,OAAKA,EACGz9D,KAAKuU,IAAK,OAAQ,QAAUkpD,EAAQt8C,IAAM,MAAQs8C,EAAQ1M,MAAQ,MACxE0M,EAAQzM,OAAS,MAAQyM,EAAQr8C,KAAO,OAEnCq5C,EAAWz6D,KAAKuU,IAAK,QAAUvU,KACvC,EAEA09D,SAAU,SAAU58D,EAASmZ,GAC5B,IAAIue,EAAUl4B,EAAGN,MAChByN,EAASnN,EAAGQ,EAAQo0D,IACpByI,EAA2C,UAA7BlwD,EAAO8G,IAAK,YAC1B5M,EAAOrH,EAAG,QACVs9D,EAASD,EAAch2D,EAAKm1C,YAAc,EAC1C+gB,EAAUF,EAAch2D,EAAK2nD,aAAe,EAC5CwO,EAAcrwD,EAAO4hD,SACrBuM,EAAY,CACXz6C,IAAK28C,EAAY38C,IAAMy8C,EACvBx8C,KAAM08C,EAAY18C,KAAOy8C,EACzB7qD,OAAQvF,EAAOswD,cACfhrD,MAAOtF,EAAOuwD,cAEfC,EAAgBzlC,EAAQ62B,SACxBqO,EAAWp9D,EAAG,2CAEfo9D,EACEv9B,SAAU,QACVx9B,SAAU7B,EAAQm6B,WAClB1mB,IAAK,CACL4M,IAAK88C,EAAc98C,IAAMy8C,EACzBx8C,KAAM68C,EAAc78C,KAAOy8C,EAC3B7qD,OAAQwlB,EAAQulC,cAChBhrD,MAAOylB,EAAQwlC,aACf98C,SAAUy8C,EAAc,QAAU,aAElC1D,QAAS2B,EAAW96D,EAAQ2sD,SAAU3sD,EAAQ8sD,QAAQ,WACtD8P,EAAShmD,SACY,mBAATuC,GACXA,GAEF,GACF,IAiBD3Z,EAAE22D,GAAGjyB,KAAK62B,KAAO,SAAU5E,GACpBA,EAAGiH,WACRjH,EAAG/wB,MAAQ5lC,EAAG22D,EAAG/yB,MAAOs5B,UACD,iBAAXvG,EAAG9wB,MACd8wB,EAAG9wB,IAAMs0B,EAAWxD,EAAG9wB,IAAK8wB,EAAG/yB,OAEhC+yB,EAAGiH,UAAW,GAGf59D,EAAG22D,EAAG/yB,MAAOs5B,QAAS,CACrBr8C,IAAK81C,EAAG14C,KAAQ04C,EAAG9wB,IAAIhlB,IAAM81C,EAAG/wB,MAAM/kB,KAAQ81C,EAAG/wB,MAAM/kB,IACvD4vC,MAAOkG,EAAG14C,KAAQ04C,EAAG9wB,IAAI4qB,MAAQkG,EAAG/wB,MAAM6qB,OAAUkG,EAAG/wB,MAAM6qB,MAC7DC,OAAQiG,EAAG14C,KAAQ04C,EAAG9wB,IAAI6qB,OAASiG,EAAG/wB,MAAM8qB,QAAWiG,EAAG/wB,MAAM8qB,OAChE5vC,KAAM61C,EAAG14C,KAAQ04C,EAAG9wB,IAAI/kB,KAAO61C,EAAG/wB,MAAM9kB,MAAS61C,EAAG/wB,MAAM9kB,MAE5D,CAEE,CAxoBF,GAkpBI82C,EAAc,CAAC,EAEnB53D,EAAED,KAAM,CAAE,OAAQ,QAAS,QAAS,QAAS,SAAU,SAAUoR,EAAGhG,GACnEysD,EAAazsD,GAAS,SAAU4U,GAC/B,OAAOzP,KAAKutD,IAAK99C,EAAG5O,EAAI,EACzB,CACD,IAEAnR,EAAEm3B,OAAQygC,EAAa,CACtBkG,KAAM,SAAU/9C,GACf,OAAO,EAAIzP,KAAKytD,IAAKh+C,EAAIzP,KAAK0tD,GAAK,EACpC,EACAC,KAAM,SAAUl+C,GACf,OAAO,EAAIzP,KAAKgC,KAAM,EAAIyN,EAAIA,EAC/B,EACAm+C,QAAS,SAAUn+C,GAClB,OAAa,IAANA,GAAiB,IAANA,EAAUA,GAC1BzP,KAAKutD,IAAK,EAAG,GAAM99C,EAAI,IAAQzP,KAAK6tD,KAAmB,IAAVp+C,EAAI,GAAW,KAAQzP,KAAK0tD,GAAK,GACjF,EACAI,KAAM,SAAUr+C,GACf,OAAOA,EAAIA,GAAM,EAAIA,EAAI,EAC1B,EACAs+C,OAAQ,SAAUt+C,GAIjB,IAHA,IAAIu+C,EACHC,EAAS,EAEFx+C,IAAQu+C,EAAOhuD,KAAKutD,IAAK,IAAKU,IAAa,GAAM,KACzD,OAAO,EAAIjuD,KAAKutD,IAAK,EAAG,EAAIU,GAAW,OAASjuD,KAAKutD,KAAc,EAAPS,EAAW,GAAM,GAAKv+C,EAAG,EACtF,IAGD/f,EAAED,KAAM63D,GAAa,SAAUzsD,EAAMqzD,GACpCx+D,EAAEstD,OAAQ,SAAWniD,GAASqzD,EAC9Bx+D,EAAEstD,OAAQ,UAAYniD,GAAS,SAAU4U,GACxC,OAAO,EAAIy+C,EAAQ,EAAIz+C,EACxB,EACA/f,EAAEstD,OAAQ,YAAcniD,GAAS,SAAU4U,GAC1C,OAAOA,EAAI,GACVy+C,EAAY,EAAJz+C,GAAU,EAClB,EAAIy+C,GAAa,EAALz+C,EAAS,GAAM,CAC7B,CACD,IAIa/f,EAAEqtD,QAmBUrtD,EAAEqtD,QAAQ4N,OAAQ,QAAS,QAAQ,SAAUz6D,EAASmZ,GAC9E,IAAIlN,EAAM,CACRgyD,GAAI,CAAE,SAAU,OAChB5N,SAAU,CAAE,SAAU,OACtB6N,KAAM,CAAE,MAAO,UACf59C,KAAM,CAAE,QAAS,QACjB8vC,WAAY,CAAE,QAAS,QACvBH,MAAO,CAAE,OAAQ,UAElBv4B,EAAUl4B,EAAGN,MACb07D,EAAY56D,EAAQ46D,WAAa,KACjCx1B,EAAQ1N,EAAQglC,UAChBvD,EAAU,CAAE4B,KAAMv7D,EAAEm3B,OAAQ,CAAC,EAAGyO,IAChCo2B,EAAch8D,EAAEqtD,QAAQ0O,kBAAmB7jC,GAE5CyhC,EAAQ4B,KAAM9uD,EAAK2uD,GAAa,IAAQzB,EAAQ4B,KAAM9uD,EAAK2uD,GAAa,IAElD,SAAjB56D,EAAQg6D,OACZtiC,EAAQglC,QAASvD,EAAQ4B,MACpBS,GACJA,EAAY/nD,IAAKjU,EAAEqtD,QAAQgO,UAAW1B,IAGvCA,EAAQ4B,KAAO31B,GAGXo2B,GACJA,EAAYrC,QAAS35D,EAAEqtD,QAAQgO,UAAW1B,GAAWn5D,EAAQ2sD,SAAU3sD,EAAQ8sD,QAGhFp1B,EAAQyhC,QAASA,EAAS,CACzBpM,OAAO,EACPJ,SAAU3sD,EAAQ2sD,SAClBG,OAAQ9sD,EAAQ8sD,OAChBrzC,SAAUN,GAEZ,IAmB0B3Z,EAAEqtD,QAAQ4N,OAAQ,UAAU,SAAUz6D,EAASmZ,GACxE,IAAIglD,EAAQC,EAAUC,EACrB3mC,EAAUl4B,EAAGN,MAGb86D,EAAOh6D,EAAQg6D,KACf76D,EAAgB,SAAT66D,EACPz5D,EAAgB,SAATy5D,EACPY,EAAY56D,EAAQ46D,WAAa,KACjC9F,EAAW90D,EAAQ80D,SACnBwJ,EAAQt+D,EAAQs+D,OAAS,EAGzBC,EAAgB,EAARD,GAAc/9D,GAAQpB,EAAO,EAAI,GACzCq5D,EAAQx4D,EAAQ2sD,SAAW4R,EAC3BzR,EAAS9sD,EAAQ8sD,OAGjB5+B,EAAsB,OAAd0sC,GAAoC,SAAdA,EAAyB,MAAQ,OAC/D4D,EAAyB,OAAd5D,GAAoC,SAAdA,EACjCjqD,EAAI,EAEJ8tD,EAAW/mC,EAAQq1B,QAAQ7rD,OAgC5B,IA9BA1B,EAAEqtD,QAAQ0O,kBAAmB7jC,GAE7B2mC,EAAW3mC,EAAQjkB,IAAKya,GAGlB4mC,IACLA,EAAWp9B,EAAiB,QAARxJ,EAAgB,cAAgB,gBAAmB,GAGnE3tB,KACJ69D,EAAW,CAAEM,QAAS,IACZxwC,GAAQmwC,EAIlB3mC,EACEjkB,IAAK,UAAW,GAChBA,IAAKya,EAAKswC,EAAqB,GAAX1J,EAA0B,EAAXA,GACnCqE,QAASiF,EAAU5F,EAAO1L,IAIxB3tD,IACJ21D,GAAsBhlD,KAAKutD,IAAK,EAAGiB,EAAQ,KAG5CF,EAAW,CAAC,GACFlwC,GAAQmwC,EAGV1tD,EAAI2tD,EAAO3tD,KAClBwtD,EAAS,CAAC,GACFjwC,IAAUswC,EAAS,KAAO,MAAS1J,EAE3Cp9B,EACEyhC,QAASgF,EAAQ3F,EAAO1L,GACxBqM,QAASiF,EAAU5F,EAAO1L,GAE5BgI,EAAW31D,EAAkB,EAAX21D,EAAeA,EAAW,EAIxC31D,KACJg/D,EAAS,CAAEO,QAAS,IACZxwC,IAAUswC,EAAS,KAAO,MAAS1J,EAE3Cp9B,EAAQyhC,QAASgF,EAAQ3F,EAAO1L,IAGjCp1B,EAAQq1B,MAAO5zC,GAEf3Z,EAAEqtD,QAAQzd,QAAS1X,EAAS+mC,EAAUF,EAAQ,EAC/C,IAmBwB/+D,EAAEqtD,QAAQ4N,OAAQ,OAAQ,QAAQ,SAAUz6D,EAASmZ,GAC5E,IAAIisB,EACH+zB,EAAU,CAAC,EACXzhC,EAAUl4B,EAAGN,MACb07D,EAAY56D,EAAQ46D,WAAa,WACjC+D,EAAqB,SAAd/D,EACPxK,EAAauO,GAAsB,eAAd/D,EACrBvK,EAAWsO,GAAsB,aAAd/D,EAEpBx1B,EAAQ1N,EAAQglC,UAChBvD,EAAQ4B,KAAO,CACd16C,IAAKgwC,GAAajrB,EAAM8qB,OAAS9qB,EAAM/kB,KAAQ,EAAI+kB,EAAM/kB,IACzD4vC,MAAOG,GAAehrB,EAAM6qB,MAAQ7qB,EAAM9kB,MAAS,EAAI8kB,EAAM6qB,MAC7DC,OAAQG,GAAajrB,EAAM8qB,OAAS9qB,EAAM/kB,KAAQ,EAAI+kB,EAAM8qB,OAC5D5vC,KAAM8vC,GAAehrB,EAAM6qB,MAAQ7qB,EAAM9kB,MAAS,EAAI8kB,EAAM9kB,MAG7D9gB,EAAEqtD,QAAQ0O,kBAAmB7jC,GAEP,SAAjB13B,EAAQg6D,OACZtiC,EAAQglC,QAASvD,EAAQ4B,MACzB5B,EAAQ4B,KAAO31B,GAGhB1N,EAAQyhC,QAASA,EAAS,CACzBpM,OAAO,EACPJ,SAAU3sD,EAAQ2sD,SAClBG,OAAQ9sD,EAAQ8sD,OAChBrzC,SAAUN,GAGZ,IAmBwB3Z,EAAEqtD,QAAQ4N,OAAQ,OAAQ,QAAQ,SAAUz6D,EAASmZ,GAE5E,IAAI27C,EACHp9B,EAAUl4B,EAAGN,MAEbqB,EAAgB,SADTP,EAAQg6D,KAEfY,EAAY56D,EAAQ46D,WAAa,OACjC1sC,EAAsB,OAAd0sC,GAAoC,SAAdA,EAAyB,MAAQ,OAC/D4D,EAAyB,OAAd5D,GAAoC,SAAdA,EAAyB,KAAO,KACjEgE,EAA8B,OAAXJ,EAAoB,KAAO,KAC9C1D,EAAY,CACX4D,QAAS,GAGXl/D,EAAEqtD,QAAQ0O,kBAAmB7jC,GAE7Bo9B,EAAW90D,EAAQ80D,UAClBp9B,EAAiB,QAARxJ,EAAgB,cAAgB,eAAgB,GAAS,EAEnE4sC,EAAW5sC,GAAQswC,EAAS1J,EAEvBv0D,IACJm3B,EAAQjkB,IAAKqnD,GAEbA,EAAW5sC,GAAQ0wC,EAAiB9J,EACpCgG,EAAU4D,QAAU,GAIrBhnC,EAAQyhC,QAAS2B,EAAW,CAC3B/N,OAAO,EACPJ,SAAU3sD,EAAQ2sD,SAClBG,OAAQ9sD,EAAQ8sD,OAChBrzC,SAAUN,GAEZ,IAqB2B3Z,EAAEqtD,QAAQ4N,OAAQ,UAAW,QAAQ,SAAUz6D,EAASmZ,GAElF,IAAIxI,EAAGD,EAAG4P,EAAMD,EAAKw+C,EAAI9O,EACxB+O,EAAO9+D,EAAQ++D,OAASjvD,KAAKC,MAAOD,KAAKgC,KAAM9R,EAAQ++D,SAAa,EACpEC,EAAQF,EACRpnC,EAAUl4B,EAAGN,MAEbqB,EAAgB,SADTP,EAAQg6D,KAIfzL,EAAS72B,EAAQn3B,OAAOkT,IAAK,aAAc,UAAW86C,SAGtDt8C,EAAQnC,KAAKU,KAAMknB,EAAQiP,aAAeq4B,GAC1C9sD,EAASpC,KAAKU,KAAMknB,EAAQoK,cAAgBg9B,GAC5CC,EAAS,GAGV,SAASE,IACRF,EAAOnyD,KAAM1N,MACR6/D,EAAO79D,SAAW49D,EAAOE,IAiD9BtnC,EAAQjkB,IAAK,CACZ8M,WAAY,YAEb/gB,EAAGu/D,GAASnoD,SACZuC,IAlDD,CAGA,IAAMxI,EAAI,EAAGA,EAAImuD,EAAMnuD,IAItB,IAHA0P,EAAMkuC,EAAOluC,IAAM1P,EAAIuB,EACvB69C,EAAKp/C,GAAMmuD,EAAO,GAAM,EAElBpuD,EAAI,EAAGA,EAAIsuD,EAAOtuD,IACvB4P,EAAOiuC,EAAOjuC,KAAO5P,EAAIuB,EACzB4sD,EAAKnuD,GAAMsuD,EAAQ,GAAM,EAIzBtnC,EACEnlB,QACA8sB,SAAU,QACVg7B,KAAM,eACN5mD,IAAK,CACL2M,SAAU,WACVG,WAAY,UACZD,MAAO5P,EAAIuB,EACXoO,KAAM1P,EAAIuB,IAKVsD,SACC3T,SAAU,sBACV4R,IAAK,CACL2M,SAAU,WACVI,SAAU,SACVvO,MAAOA,EACPC,OAAQA,EACRoO,KAAMA,GAAS/f,EAAOs+D,EAAK5sD,EAAQ,GACnCoO,IAAKA,GAAQ9f,EAAOwvD,EAAK79C,EAAS,GAClCwsD,QAASn+D,EAAO,EAAI,IAEpB44D,QAAS,CACT74C,KAAMA,GAAS/f,EAAO,EAAIs+D,EAAK5sD,GAC/BoO,IAAKA,GAAQ9f,EAAO,EAAIwvD,EAAK79C,GAC7BwsD,QAASn+D,EAAO,EAAI,GAClBP,EAAQ2sD,UAAY,IAAK3sD,EAAQ8sD,OAAQmS,EAWjD,IAmBwBz/D,EAAEqtD,QAAQ4N,OAAQ,OAAQ,UAAU,SAAUz6D,EAASmZ,GAC9E,IAAI5Y,EAAwB,SAAjBP,EAAQg6D,KAEnBx6D,EAAGN,MACDuU,IAAK,UAAWlT,EAAO,EAAI,GAC3B44D,QAAS,CACTuF,QAASn+D,EAAO,EAAI,GAClB,CACFwsD,OAAO,EACPJ,SAAU3sD,EAAQ2sD,SAClBG,OAAQ9sD,EAAQ8sD,OAChBrzC,SAAUN,GAEb,IAmBwB3Z,EAAEqtD,QAAQ4N,OAAQ,OAAQ,QAAQ,SAAUz6D,EAASmZ,GAG5E,IAAIue,EAAUl4B,EAAGN,MAChB86D,EAAOh6D,EAAQg6D,KACfz5D,EAAgB,SAATy5D,EACP76D,EAAgB,SAAT66D,EACPpnD,EAAO5S,EAAQ4S,MAAQ,GACvB+nD,EAAU,YAAY7kB,KAAMljC,GAE5Bsb,EADeluB,EAAQk/D,WACJ,CAAE,QAAS,UAAa,CAAE,SAAU,SACvDvS,EAAW3sD,EAAQ2sD,SAAW,EAE9B6O,EAAch8D,EAAEqtD,QAAQ0O,kBAAmB7jC,GAE3C0N,EAAQ1N,EAAQglC,UAChByC,EAAa,CAAEpE,KAAMv7D,EAAEm3B,OAAQ,CAAC,EAAGyO,IACnCg6B,EAAa,CAAErE,KAAMv7D,EAAEm3B,OAAQ,CAAC,EAAGyO,IAEnC0vB,EAAW,CAAE1vB,EAAOlX,EAAK,IAAOkX,EAAOlX,EAAK,KAE5CuwC,EAAW/mC,EAAQq1B,QAAQ7rD,OAEvBy5D,IACJ/nD,EAAO6J,SAAUk+C,EAAS,GAAK,IAAO,IAAM7F,EAAU31D,EAAO,EAAI,IAElEggE,EAAWpE,KAAM7sC,EAAK,IAAQtb,EAC9BwsD,EAAWrE,KAAM7sC,EAAK,IAAQtb,EAC9BwsD,EAAWrE,KAAM7sC,EAAK,IAAQ,EAEzB3tB,IACJm3B,EAAQglC,QAAS0C,EAAWrE,MACvBS,GACJA,EAAY/nD,IAAKjU,EAAEqtD,QAAQgO,UAAWuE,IAGvCA,EAAWrE,KAAO31B,GAInB1N,EACEq1B,OAAO,SAAUnc,GACZ4qB,GACJA,EACErC,QAAS35D,EAAEqtD,QAAQgO,UAAWsE,GAAcxS,EAAU3sD,EAAQ8sD,QAC9DqM,QAAS35D,EAAEqtD,QAAQgO,UAAWuE,GAAczS,EAAU3sD,EAAQ8sD,QAGjElc,GACD,IACCuoB,QAASgG,EAAYxS,EAAU3sD,EAAQ8sD,QACvCqM,QAASiG,EAAYzS,EAAU3sD,EAAQ8sD,QACvCC,MAAO5zC,GAET3Z,EAAEqtD,QAAQzd,QAAS1X,EAAS+mC,EAAU,EACvC,IAmB6Bj/D,EAAEqtD,QAAQ4N,OAAQ,YAAa,QAAQ,SAAUz6D,EAASmZ,GACtF,IAAIue,EAAUl4B,EAAGN,MAChB47D,EAAY,CACX9G,gBAAiBt8B,EAAQjkB,IAAK,oBAGV,SAAjBzT,EAAQg6D,OACZc,EAAU4D,QAAU,GAGrBl/D,EAAEqtD,QAAQqO,UAAWxjC,GAErBA,EACEjkB,IAAK,CACL4rD,gBAAiB,OACjBrL,gBAAiBh0D,EAAQqyD,OAAS,YAElC8G,QAAS2B,EAAW,CACpB/N,OAAO,EACPJ,SAAU3sD,EAAQ2sD,SAClBG,OAAQ9sD,EAAQ8sD,OAChBrzC,SAAUN,GAEb,IAmBwB3Z,EAAEqtD,QAAQ4N,OAAQ,QAAQ,SAAUz6D,EAASmZ,GAGpE,IAAImmD,EAAUtD,EAAQuD,EACrB7nC,EAAUl4B,EAAGN,MAGbsgE,EAAS,CAAE,YACXC,EAAS,CAAE,iBAAkB,oBAAqB,aAAc,iBAChEC,EAAS,CAAE,kBAAmB,mBAAoB,cAAe,gBAGjE1F,EAAOh6D,EAAQg6D,KACfF,EAAmB,WAATE,EACV2F,EAAQ3/D,EAAQ2/D,OAAS,OACzBrE,EAASt7D,EAAQs7D,QAAU,CAAE,SAAU,UACvCl7C,EAAWsX,EAAQjkB,IAAK,YACxBgK,EAAMia,EAAQtX,WACdjR,EAAW3P,EAAEqtD,QAAQ6N,iBAAkBhjC,GACvC28B,EAAOr0D,EAAQq0D,MAAQllD,EACvBilD,EAAKp0D,EAAQo0D,IAAM50D,EAAEqtD,QAAQ6N,iBAAkBhjC,EAAS,GAEzDl4B,EAAEqtD,QAAQ0O,kBAAmB7jC,GAEf,SAATsiC,IACJuF,EAAOlL,EACPA,EAAOD,EACPA,EAAKmL,GAINvD,EAAS,CACR3H,KAAM,CACLnhD,EAAGmhD,EAAKniD,OAAS/C,EAAS+C,OAC1Be,EAAGohD,EAAKpiD,MAAQ9C,EAAS8C,OAE1BmiD,GAAI,CACHlhD,EAAGkhD,EAAGliD,OAAS/C,EAAS+C,OACxBe,EAAGmhD,EAAGniD,MAAQ9C,EAAS8C,QAKV,QAAV0tD,GAA6B,SAAVA,IAGlB3D,EAAO3H,KAAKnhD,IAAM8oD,EAAO5H,GAAGlhD,IAChCmhD,EAAO70D,EAAEqtD,QAAQkP,cAAerkC,EAAS+nC,EAAQzD,EAAO3H,KAAKnhD,EAAGmhD,GAChED,EAAK50D,EAAEqtD,QAAQkP,cAAerkC,EAAS+nC,EAAQzD,EAAO5H,GAAGlhD,EAAGkhD,IAIxD4H,EAAO3H,KAAKphD,IAAM+oD,EAAO5H,GAAGnhD,IAChCohD,EAAO70D,EAAEqtD,QAAQkP,cAAerkC,EAASgoC,EAAQ1D,EAAO3H,KAAKphD,EAAGohD,GAChED,EAAK50D,EAAEqtD,QAAQkP,cAAerkC,EAASgoC,EAAQ1D,EAAO5H,GAAGnhD,EAAGmhD,KAK/C,YAAVuL,GAAiC,SAAVA,GAGtB3D,EAAO3H,KAAKnhD,IAAM8oD,EAAO5H,GAAGlhD,IAChCmhD,EAAO70D,EAAEqtD,QAAQkP,cAAerkC,EAAS8nC,EAAQxD,EAAO3H,KAAKnhD,EAAGmhD,GAChED,EAAK50D,EAAEqtD,QAAQkP,cAAerkC,EAAS8nC,EAAQxD,EAAO5H,GAAGlhD,EAAGkhD,IAKzDkH,IACJgE,EAAW9/D,EAAEqtD,QAAQwO,YAAaC,EAAQnsD,GAC1CklD,EAAKh0C,KAAQlR,EAAS2yB,YAAcuyB,EAAKvyB,aAAgBw9B,EAASpsD,EAAIuK,EAAI4C,IAC1Eg0C,EAAK/zC,MAASnR,EAASw3B,WAAa0tB,EAAK1tB,YAAe24B,EAASrsD,EAAIwK,EAAI6C,KACzE8zC,EAAG/zC,KAAQlR,EAAS2yB,YAAcsyB,EAAGtyB,aAAgBw9B,EAASpsD,EAAIuK,EAAI4C,IACtE+zC,EAAG9zC,MAASnR,EAASw3B,WAAaytB,EAAGztB,YAAe24B,EAASrsD,EAAIwK,EAAI6C,aAE/D+zC,EAAKvyB,mBACLuyB,EAAK1tB,WACZjP,EAAQjkB,IAAK4gD,GAGE,YAAVsL,GAAiC,SAAVA,IAE3BF,EAASA,EAAOlgC,OAAQ,CAAE,YAAa,iBAAmBA,OAAQigC,GAClEE,EAASA,EAAOngC,OAAQ,CAAE,aAAc,gBAIxC7H,EAAQz2B,KAAM,YAAa1B,MAAM,WAChC,IAAI64C,EAAQ54C,EAAGN,MACd0gE,EAAgBpgE,EAAEqtD,QAAQ6N,iBAAkBtiB,GAC5CynB,EAAY,CACX3tD,OAAQ0tD,EAAc1tD,OAAS8pD,EAAO3H,KAAKnhD,EAC3CjB,MAAO2tD,EAAc3tD,MAAQ+pD,EAAO3H,KAAKphD,EACzC6uB,YAAa89B,EAAc99B,YAAck6B,EAAO3H,KAAKnhD,EACrDyzB,WAAYi5B,EAAcj5B,WAAaq1B,EAAO3H,KAAKphD,GAEpD6sD,EAAU,CACT5tD,OAAQ0tD,EAAc1tD,OAAS8pD,EAAO5H,GAAGlhD,EACzCjB,MAAO2tD,EAAc3tD,MAAQ+pD,EAAO5H,GAAGnhD,EACvC6uB,YAAa89B,EAAc1tD,OAAS8pD,EAAO5H,GAAGlhD,EAC9CyzB,WAAYi5B,EAAc3tD,MAAQ+pD,EAAO5H,GAAGnhD,GAIzC+oD,EAAO3H,KAAKnhD,IAAM8oD,EAAO5H,GAAGlhD,IAChC2sD,EAAYrgE,EAAEqtD,QAAQkP,cAAe3jB,EAAOqnB,EAAQzD,EAAO3H,KAAKnhD,EAAG2sD,GACnEC,EAAUtgE,EAAEqtD,QAAQkP,cAAe3jB,EAAOqnB,EAAQzD,EAAO5H,GAAGlhD,EAAG4sD,IAI3D9D,EAAO3H,KAAKphD,IAAM+oD,EAAO5H,GAAGnhD,IAChC4sD,EAAYrgE,EAAEqtD,QAAQkP,cAAe3jB,EAAOsnB,EAAQ1D,EAAO3H,KAAKphD,EAAG4sD,GACnEC,EAAUtgE,EAAEqtD,QAAQkP,cAAe3jB,EAAOsnB,EAAQ1D,EAAO5H,GAAGnhD,EAAG6sD,IAG3DhG,GACJt6D,EAAEqtD,QAAQqO,UAAW9iB,GAItBA,EAAM3kC,IAAKosD,GACXznB,EAAM+gB,QAAS2G,EAAS9/D,EAAQ2sD,SAAU3sD,EAAQ8sD,QAAQ,WAGpDgN,GACJt6D,EAAEqtD,QAAQsO,aAAc/iB,EAE1B,GACD,KAID1gB,EAAQyhC,QAAS/E,EAAI,CACpBrH,OAAO,EACPJ,SAAU3sD,EAAQ2sD,SAClBG,OAAQ9sD,EAAQ8sD,OAChBrzC,SAAU,WAET,IAAI80C,EAAS72B,EAAQ62B,SAED,IAAf6F,EAAGsK,SACPhnC,EAAQjkB,IAAK,UAAW4gD,EAAKqK,SAGxB5E,IACLpiC,EACEjkB,IAAK,WAAyB,WAAb2M,EAAwB,WAAaA,GACtDmuC,OAAQA,GAIV/uD,EAAEqtD,QAAQqO,UAAWxjC,IAGtBve,GACD,GAGF,IAmByB3Z,EAAEqtD,QAAQ4N,OAAQ,SAAS,SAAUz6D,EAASmZ,GAGtE,IAAI6d,EAAKx3B,EAAGN,MACX86D,EAAOh6D,EAAQg6D,KACfW,EAAUl+C,SAAUzc,EAAQ26D,QAAS,MACE,IAApCl+C,SAAUzc,EAAQ26D,QAAS,KAA4B,WAATX,EAAN,EAA8B,KAEzE+F,EAAavgE,EAAEm3B,QAAQ,EAAM,CAC5B09B,KAAM70D,EAAEqtD,QAAQ6N,iBAAkB1jC,GAClCo9B,GAAI50D,EAAEqtD,QAAQ6N,iBAAkB1jC,EAAI2jC,EAAS36D,EAAQ46D,WAAa,QAClEU,OAAQt7D,EAAQs7D,QAAU,CAAE,SAAU,WACpCt7D,GAGCA,EAAQggE,OACZD,EAAW1L,KAAKqK,QAAU,EAC1BqB,EAAW3L,GAAGsK,QAAU,GAGzBl/D,EAAEqtD,QAAQJ,OAAO75C,KAAK/S,KAAMX,KAAM6gE,EAAY5mD,EAC/C,IAmBwB3Z,EAAEqtD,QAAQ4N,OAAQ,OAAQ,QAAQ,SAAUz6D,EAASmZ,GAC5E,IAAI4mD,EAAavgE,EAAEm3B,QAAQ,EAAM,CAAC,EAAG32B,EAAS,CAC7CggE,MAAM,EACNrF,QAASl+C,SAAUzc,EAAQ26D,QAAS,KAAQ,MAG7Cn7D,EAAEqtD,QAAQJ,OAAOkT,MAAM9/D,KAAMX,KAAM6gE,EAAY5mD,EAChD,IAmB2B3Z,EAAEqtD,QAAQ4N,OAAQ,UAAW,QAAQ,SAAUz6D,EAASmZ,GAClF,IAAIue,EAAUl4B,EAAGN,MAChB86D,EAAOh6D,EAAQg6D,KACfz5D,EAAgB,SAATy5D,EAEPiG,EAAW1/D,GADK,SAATy5D,EAIPuE,EAAmC,GAAvBv+D,EAAQs+D,OAAS,IAAc2B,EAAW,EAAI,GAC1DtT,EAAW3sD,EAAQ2sD,SAAW4R,EAC9B2B,EAAY,EACZvvD,EAAI,EACJ8tD,EAAW/mC,EAAQq1B,QAAQ7rD,OAQ5B,KANKX,GAASm3B,EAAQpS,GAAI,cACzBoS,EAAQjkB,IAAK,UAAW,GAAIlT,OAC5B2/D,EAAY,GAILvvD,EAAI4tD,EAAO5tD,IAClB+mB,EAAQyhC,QAAS,CAAEuF,QAASwB,GAAavT,EAAU3sD,EAAQ8sD,QAC3DoT,EAAY,EAAIA,EAGjBxoC,EAAQyhC,QAAS,CAAEuF,QAASwB,GAAavT,EAAU3sD,EAAQ8sD,QAE3Dp1B,EAAQq1B,MAAO5zC,GAEf3Z,EAAEqtD,QAAQzd,QAAS1X,EAAS+mC,EAAUF,EAAQ,EAC/C,IAmByB/+D,EAAEqtD,QAAQ4N,OAAQ,SAAS,SAAUz6D,EAASmZ,GAEtE,IAAIxI,EAAI,EACP+mB,EAAUl4B,EAAGN,MACb07D,EAAY56D,EAAQ46D,WAAa,OACjC9F,EAAW90D,EAAQ80D,UAAY,GAC/BwJ,EAAQt+D,EAAQs+D,OAAS,EACzBC,EAAgB,EAARD,EAAY,EACpB9F,EAAQ1oD,KAAKC,MAAO/P,EAAQ2sD,SAAW4R,GACvCrwC,EAAsB,OAAd0sC,GAAoC,SAAdA,EAAyB,MAAQ,OAC/DuF,EAAiC,OAAdvF,GAAoC,SAAdA,EACzCE,EAAY,CAAC,EACbqE,EAAa,CAAC,EACdC,EAAa,CAAC,EAEdX,EAAW/mC,EAAQq1B,QAAQ7rD,OAa5B,IAXA1B,EAAEqtD,QAAQ0O,kBAAmB7jC,GAG7BojC,EAAW5sC,IAAUiyC,EAAiB,KAAO,MAASrL,EACtDqK,EAAYjxC,IAAUiyC,EAAiB,KAAO,MAAoB,EAAXrL,EACvDsK,EAAYlxC,IAAUiyC,EAAiB,KAAO,MAAoB,EAAXrL,EAGvDp9B,EAAQyhC,QAAS2B,EAAWtC,EAAOx4D,EAAQ8sD,QAGnCn8C,EAAI2tD,EAAO3tD,IAClB+mB,EACEyhC,QAASgG,EAAY3G,EAAOx4D,EAAQ8sD,QACpCqM,QAASiG,EAAY5G,EAAOx4D,EAAQ8sD,QAGvCp1B,EACEyhC,QAASgG,EAAY3G,EAAOx4D,EAAQ8sD,QACpCqM,QAAS2B,EAAWtC,EAAQ,EAAGx4D,EAAQ8sD,QACvCC,MAAO5zC,GAET3Z,EAAEqtD,QAAQzd,QAAS1X,EAAS+mC,EAAUF,EAAQ,EAC/C,IAmByB/+D,EAAEqtD,QAAQ4N,OAAQ,QAAS,QAAQ,SAAUz6D,EAASmZ,GAC9E,IAAIinD,EAAWC,EACd3oC,EAAUl4B,EAAGN,MACb+M,EAAM,CACLgyD,GAAI,CAAE,SAAU,OAChBC,KAAM,CAAE,MAAO,UACf59C,KAAM,CAAE,QAAS,QACjB2vC,MAAO,CAAE,OAAQ,UAElB+J,EAAOh6D,EAAQg6D,KACfY,EAAY56D,EAAQ46D,WAAa,OACjC1sC,EAAsB,OAAd0sC,GAAoC,SAAdA,EAAyB,MAAQ,OAC/DuF,EAAiC,OAAdvF,GAAoC,SAAdA,EACzC9F,EAAW90D,EAAQ80D,UAClBp9B,EAAiB,QAARxJ,EAAgB,cAAgB,eAAgB,GAC1D4sC,EAAY,CAAC,EAEdt7D,EAAEqtD,QAAQ0O,kBAAmB7jC,GAE7B0oC,EAAY1oC,EAAQglC,UACpB2D,EAAW3oC,EAAQtX,WAAY8N,GAG/B4sC,EAAW5sC,IAAUiyC,GAAkB,EAAI,GAAMrL,EAAWuL,EAC5DvF,EAAUC,KAAOrjC,EAAQglC,UACzB5B,EAAUC,KAAM9uD,EAAK2uD,GAAa,IAAQE,EAAUC,KAAM9uD,EAAK2uD,GAAa,IAG9D,SAATZ,IACJtiC,EAAQglC,QAAS5B,EAAUC,MAC3BrjC,EAAQjkB,IAAKya,EAAK4sC,EAAW5sC,IAC7B4sC,EAAUC,KAAOqF,EACjBtF,EAAW5sC,GAAQmyC,GAIpB3oC,EAAQyhC,QAAS2B,EAAW,CAC3B/N,OAAO,EACPJ,SAAU3sD,EAAQ2sD,SAClBG,OAAQ9sD,EAAQ8sD,OAChBrzC,SAAUN,GAEZ,KAoBwB,IAAnB3Z,EAAEq6D,cACGr6D,EAAEqtD,QAAQ4N,OAAQ,YAAY,SAAUz6D,EAASmZ,GACzD3Z,EAAGN,MAAO09D,SAAU58D,EAASmZ,EAC9B,IAqBD3Z,EAAEunD,GAAG0C,UAAY,SAAU/xB,EAAS4oC,GACnC,IAAIr0D,EAAKs0D,EAASvwD,EAAKwwD,EAAoBC,EAC1C5f,EAAWnpB,EAAQmpB,SAASrkC,cAE7B,MAAK,SAAWqkC,GAEf0f,GADAt0D,EAAMyrB,EAAQwoB,YACAv1C,QACR+sB,EAAQtzB,OAASm8D,GAA0C,QAA/Bt0D,EAAI40C,SAASrkC,iBAG/CxM,EAAMxQ,EAAG,gBAAkB+gE,EAAU,OAC1Br/D,OAAS,GAAK8O,EAAIsV,GAAI,cAG7B,0CAA0CmjB,KAAMoY,IACpD2f,GAAsB9oC,EAAQ0xB,YAQ7BqX,EAAWjhE,EAAGk4B,GAAU5gB,QAAS,YAAc,MAE9C0pD,GAAsBC,EAASrX,UAIjCoX,EADW,MAAQ3f,GACEnpB,EAAQtzB,MAERk8D,EAGfE,GAAsBhhE,EAAGk4B,GAAUpS,GAAI,aAK/C,SAAkBoS,GAEjB,IADA,IAAInX,EAAamX,EAAQjkB,IAAK,cACP,YAAf8M,GAEPA,GADAmX,EAAUA,EAAQliB,UACG/B,IAAK,cAE3B,MAAsB,YAAf8M,CACR,CAZ+DmgD,CAASlhE,EAAGk4B,IAC3E,EAaAl4B,EAAEm3B,OAAQn3B,EAAEooD,KAAKC,QAAS,CACzB4B,UAAW,SAAU/xB,GACpB,OAAOl4B,EAAEunD,GAAG0C,UAAW/xB,EAA0C,MAAjCl4B,EAAEyV,KAAMyiB,EAAS,YAClD,IAGel4B,EAAEunD,GAAG0C,UAOVjqD,EAAEkM,GAAGi1D,MAAQ,WACvB,MAAiC,iBAAnBzhE,KAAM,GAAIsoC,KAAoBtoC,KAAK4X,QAAS,QAAWtX,EAAGN,KAAM,GAAIsoC,KACnF,EAkBqBhoC,EAAEunD,GAAG6Z,eAAiB,CAC1CC,kBAAmB,WAClB,IAAIr5B,EAAOhoC,EAAGN,MAGd+iB,YAAY,WACX,IAAI6+C,EAAYt5B,EAAKjlC,KAAM,2BAC3B/C,EAAED,KAAMuhE,GAAW,WAClB5hE,KAAK6hE,SACN,GACD,GACD,EAEAC,sBAAuB,WAEtB,GADA9hE,KAAKsoC,KAAOtoC,KAAKw4B,QAAQipC,QACnBzhE,KAAKsoC,KAAKtmC,OAAhB,CAIA,IAAI4/D,EAAY5hE,KAAKsoC,KAAKjlC,KAAM,4BAA+B,GACzDu+D,EAAU5/D,QAGfhC,KAAKsoC,KAAKvwB,GAAI,sBAAuB/X,KAAK2hE,mBAE3CC,EAAUl0D,KAAM1N,MAChBA,KAAKsoC,KAAKjlC,KAAM,0BAA2Bu+D,EAT3C,CAUD,EAEAG,wBAAyB,WACxB,GAAM/hE,KAAKsoC,KAAKtmC,OAAhB,CAIA,IAAI4/D,EAAY5hE,KAAKsoC,KAAKjlC,KAAM,2BAChCu+D,EAAUlzB,OAAQpuC,EAAE6rD,QAASnsD,KAAM4hE,GAAa,GAC3CA,EAAU5/D,OACdhC,KAAKsoC,KAAKjlC,KAAM,0BAA2Bu+D,GAE3C5hE,KAAKsoC,KACH6iB,WAAY,2BACZ3kC,IAAK,sBATR,CAWD,GAqBKlmB,EAAEooD,KAAKC,UACZroD,EAAEooD,KAAKC,QAAUroD,EAAEooD,KAAM,MAKpBpoD,EAAEyrD,aACPzrD,EAAEyrD,WAAazrD,EAAE0hE,SAMZ1hE,EAAE2hE,eAAiB,CAIxB,IAAIC,EAAa,+CAEbC,EAAa,SAAUre,EAAIse,GAC9B,OAAKA,EAGQ,OAAPte,EACG,IAIDA,EAAGj3C,MAAO,GAAI,GAAM,KAAOi3C,EAAGjJ,WAAYiJ,EAAG9hD,OAAS,GAAIT,SAAU,IAAO,IAI5E,KAAOuiD,CACf,EAEAxjD,EAAE2hE,eAAiB,SAAUI,GAC5B,OAASA,EAAM,IAAK/tD,QAAS4tD,EAAYC,EAC1C,CACD,CAIM7hE,EAAEkM,GAAG81D,MAAShiE,EAAEkM,GAAG+1D,KACxBjiE,EAAEkM,GAAGirB,OAAQ,CACZ6qC,KAAM,WACL,OAAOtiE,KAAKoO,QAAQ,SAAUqD,GAC7B,OAAOA,EAAI,GAAM,CAClB,GACD,EACA8wD,IAAK,WACJ,OAAOviE,KAAKoO,QAAQ,SAAUqD,GAC7B,OAAOA,EAAI,GAAM,CAClB,GACD,IAoBYnR,EAAEunD,GAAGnmB,QAAU,CAC5B8gC,UAAW,EACXC,MAAO,IACPC,OAAQ,GACRC,KAAM,GACNC,IAAK,GACLC,MAAO,GACPC,OAAQ,GACRC,KAAM,GACNC,KAAM,GACNC,UAAW,GACXC,QAAS,GACTC,OAAQ,IACRC,MAAO,GACPC,MAAO,GACPC,IAAK,EACLC,GAAI,IAmBQjjE,EAAEkM,GAAGg3D,OAAS,WAC1B,IAAIC,EAAUnoD,EAAU/V,EAAIi+D,EAAQE,EAEpC,OAAM1jE,KAAKgC,OAKNhC,KAAM,GAAIwjE,QAAUxjE,KAAM,GAAIwjE,OAAOxhE,OAClChC,KAAK+pD,UAAW/pD,KAAM,GAAIwjE,SAMlCA,EAASxjE,KAAK2jE,GAAI,GAAIC,QAAS,UAG/Br+D,EAAKvF,KAAK+V,KAAM,SAQf2tD,GAHAD,EAAWzjE,KAAK2jE,GAAI,GAAIC,UAAUzvB,QAGbpZ,IAAK0oC,EAASzhE,OAASyhE,EAASI,WAAa7jE,KAAK6jE,YAGvEvoD,EAAW,cAAgBhb,EAAE2hE,eAAgB18D,GAAO,KAEpDi+D,EAASA,EAAOzoC,IAAK2oC,EAAU3hE,KAAMuZ,GAAW69C,QAAS79C,KAKnDtb,KAAK+pD,UAAWyZ,IAhCfxjE,KAAK+pD,UAAW,GAiCzB,EAkBmBzpD,EAAEkM,GAAGs3D,aAAe,SAAUC,GAChD,IAAI7iD,EAAWlhB,KAAKuU,IAAK,YACxByvD,EAAmC,aAAb9iD,EACtB+iD,EAAgBF,EAAgB,uBAAyB,gBACzDD,EAAe9jE,KAAK4jE,UAAUx1D,QAAQ,WACrC,IAAIkI,EAAShW,EAAGN,MAChB,QAAKgkE,GAAoD,WAA7B1tD,EAAO/B,IAAK,cAGjC0vD,EAAc16B,KAAMjzB,EAAO/B,IAAK,YAAe+B,EAAO/B,IAAK,cACjE+B,EAAO/B,IAAK,cACd,IAAIovD,GAAI,GAET,MAAoB,UAAbziD,GAAyB4iD,EAAa9hE,OAE5C8hE,EADAxjE,EAAGN,KAAM,GAAI0qD,eAAiBnhD,SAEhC,EAkBejJ,EAAEm3B,OAAQn3B,EAAEooD,KAAKC,QAAS,CACxCub,SAAU,SAAU1rC,GACnB,IAAI2I,EAAW7gC,EAAEyV,KAAMyiB,EAAS,YAC/B4oC,EAA0B,MAAZjgC,EACf,QAAUigC,GAAejgC,GAAY,IAAO7gC,EAAEunD,GAAG0C,UAAW/xB,EAAS4oC,EACtE,IAmBc9gE,EAAEkM,GAAGirB,OAAQ,CAC3BwS,UACKkgB,EAAO,EAEJ,WACN,OAAOnqD,KAAKK,MAAM,WACXL,KAAKuF,KACVvF,KAAKuF,GAAK,YAAe4kD,EAE3B,GACD,GAGDga,eAAgB,WACf,OAAOnkE,KAAKK,MAAM,WACZ,cAAckpC,KAAMvpC,KAAKuF,KAC7BjF,EAAGN,MAAOshC,WAAY,KAExB,GACD,IAyBsBhhC,EAAEqjC,OAAQ,eAAgB,CAChD/a,QAAS,SACT9nB,QAAS,CACRwvB,OAAQ,EACR2pC,QAAS,CAAC,EACV/iD,QAAS,CACR,sBAAuB,gBACvB,gCAAiC,gBACjC,uBAAwB,oBAEzBktD,aAAa,EACbl+C,MAAO,QACPm+C,OAAQ,SAAUngC,GACjB,OAAOA,EAAKniC,KAAM,uBAAwBg5B,IAAKmJ,EAAKniC,KAAM,cAAeugE,OAC1E,EACAgC,YAAa,OACbC,MAAO,CACNC,aAAc,uBACdH,OAAQ,wBAIT7gC,SAAU,KACVihC,eAAgB,MAGjBC,UAAW,CACVC,eAAgB,OAChBC,kBAAmB,OACnBC,WAAY,OACZC,cAAe,OACf9xD,OAAQ,QAGT+xD,UAAW,CACVJ,eAAgB,OAChBC,kBAAmB,OACnBC,WAAY,OACZC,cAAe,OACf9xD,OAAQ,QAGT8tB,QAAS,WACR,IAAIhgC,EAAUd,KAAKc,QAEnBd,KAAKglE,SAAWhlE,KAAKilE,SAAW3kE,IAChCN,KAAKqsD,UAAW,eAAgB,6BAChCrsD,KAAKw4B,QAAQziB,KAAM,OAAQ,WAGrBjV,EAAQsjE,cAAoC,IAAnBtjE,EAAQwvB,QAAsC,MAAlBxvB,EAAQwvB,SAClExvB,EAAQwvB,OAAS,GAGlBtwB,KAAKklE,iBAGApkE,EAAQwvB,OAAS,IACrBxvB,EAAQwvB,QAAUtwB,KAAKkG,QAAQlE,QAEhChC,KAAKmlE,UACN,EAEApa,oBAAqB,WACpB,MAAO,CACNsZ,OAAQrkE,KAAKswB,OACb80C,MAAQplE,KAAKswB,OAAOtuB,OAAehC,KAAKswB,OAAOohB,OAAlBpxC,IAE/B,EAEA+kE,aAAc,WACb,IAAIt3D,EAAMwI,EACTguD,EAAQvkE,KAAKc,QAAQyjE,MAEjBA,IACJx2D,EAAOzN,EAAG,UACVN,KAAKqsD,UAAWt+C,EAAM,2BAA4B,WAAaw2D,EAAMF,QACrEt2D,EAAKo0B,UAAWniC,KAAKkG,SACrBqQ,EAAWvW,KAAKswB,OAAO/Z,SAAU,6BACjCvW,KAAKkrD,aAAc30C,EAAUguD,EAAMF,QACjChY,UAAW91C,EAAU,KAAMguD,EAAMC,cACjCnY,UAAWrsD,KAAKkG,QAAS,sBAE7B,EAEAo/D,cAAe,WACdtlE,KAAKkrD,aAAclrD,KAAKkG,QAAS,sBACjClG,KAAKkG,QAAQqQ,SAAU,6BAA8BmB,QACtD,EAEAuzC,SAAU,WACT,IAAIvjB,EAGJ1nC,KAAKw4B,QAAQ8I,WAAY,QAGzBthC,KAAKkG,QACHo7B,WAAY,2DACZ6iC,iBAEFnkE,KAAKslE,gBAGL59B,EAAW1nC,KAAKkG,QAAQwrC,OACtBn9B,IAAK,UAAW,IAChB+sB,WAAY,oCACZ6iC,iBAEgC,YAA7BnkE,KAAKc,QAAQwjE,aACjB58B,EAASnzB,IAAK,SAAU,GAE1B,EAEA0tB,WAAY,SAAUp+B,EAAKG,GACb,WAARH,GAOQ,UAARA,IACC7D,KAAKc,QAAQolB,OACjBlmB,KAAKosD,KAAMpsD,KAAKkG,QAASlG,KAAKc,QAAQolB,OAEvClmB,KAAKulE,aAAcvhE,IAGpBhE,KAAKy+C,OAAQ56C,EAAKG,GAGL,gBAARH,GAA0BG,IAAiC,IAAxBhE,KAAKc,QAAQwvB,QACpDtwB,KAAKwlE,UAAW,GAGJ,UAAR3hE,IACJ7D,KAAKslE,gBACAthE,GACJhE,KAAKqlE,iBArBNrlE,KAAKwlE,UAAWxhE,EAwBlB,EAEA8mD,mBAAoB,SAAU9mD,GAC7BhE,KAAKy+C,OAAQz6C,GAEbhE,KAAKw4B,QAAQziB,KAAM,gBAAiB/R,GAKpChE,KAAKyrD,aAAc,KAAM,sBAAuBznD,GAChDhE,KAAKyrD,aAAczrD,KAAKkG,QAAQ60B,IAAK/6B,KAAKkG,QAAQwrC,QAAU,KAAM,sBAC/D1tC,EACJ,EAEAyhE,SAAU,SAAUv/C,GACnB,IAAKA,EAAMw/C,SAAUx/C,EAAMy/C,QAA3B,CAIA,IAAIjkC,EAAUphC,EAAEunD,GAAGnmB,QAClB1/B,EAAShC,KAAKkG,QAAQlE,OACtB4jE,EAAe5lE,KAAKkG,QAAQ4hC,MAAO5hB,EAAMzY,QACzCo4D,GAAU,EAEX,OAAS3/C,EAAMwb,SACf,KAAKA,EAAQ0hC,MACb,KAAK1hC,EAAQihC,KACZkD,EAAU7lE,KAAKkG,SAAW0/D,EAAe,GAAM5jE,GAC/C,MACD,KAAK0/B,EAAQshC,KACb,KAAKthC,EAAQ6hC,GACZsC,EAAU7lE,KAAKkG,SAAW0/D,EAAe,EAAI5jE,GAAWA,GACxD,MACD,KAAK0/B,EAAQ2hC,MACb,KAAK3hC,EAAQmhC,MACZ7iE,KAAK8lE,cAAe5/C,GACpB,MACD,KAAKwb,EAAQqhC,KACZ8C,EAAU7lE,KAAKkG,QAAS,GACxB,MACD,KAAKw7B,EAAQkhC,IACZiD,EAAU7lE,KAAKkG,QAASlE,EAAS,GAI7B6jE,IACJvlE,EAAG4lB,EAAMzY,QAASsI,KAAM,YAAa,GACrCzV,EAAGulE,GAAU9vD,KAAM,WAAY,GAC/BzV,EAAGulE,GAAUnjE,QAAS,SACtBwjB,EAAMC,iBAhCP,CAkCD,EAEA4/C,cAAe,SAAU7/C,GACnBA,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQ6hC,IAAMr9C,EAAMy/C,SAC/CrlE,EAAG4lB,EAAM45B,eAAgB9S,OAAOtqC,QAAS,QAE3C,EAEAm/D,QAAS,WACR,IAAI/gE,EAAUd,KAAKc,QACnBd,KAAKklE,kBAGqB,IAAnBpkE,EAAQwvB,SAA4C,IAAxBxvB,EAAQsjE,cACxCpkE,KAAKkG,QAAQlE,QACflB,EAAQwvB,QAAS,EACjBtwB,KAAKswB,OAAShwB,MAGgB,IAAnBQ,EAAQwvB,OACnBtwB,KAAKwlE,UAAW,GAGLxlE,KAAKswB,OAAOtuB,SAAW1B,EAAEszC,SAAU5zC,KAAKw4B,QAAS,GAAKx4B,KAAKswB,OAAQ,IAGzEtwB,KAAKkG,QAAQlE,SAAWhC,KAAKkG,QAAQnE,KAAM,sBAAuBC,QACtElB,EAAQwvB,QAAS,EACjBtwB,KAAKswB,OAAShwB,KAIdN,KAAKwlE,UAAW50D,KAAKkC,IAAK,EAAGhS,EAAQwvB,OAAS,IAO/CxvB,EAAQwvB,OAAStwB,KAAKkG,QAAQ4hC,MAAO9nC,KAAKswB,QAG3CtwB,KAAKslE,gBAELtlE,KAAKmlE,UACN,EAEAD,eAAgB,WACf,IAAIc,EAAchmE,KAAKkG,QACtB+/D,EAAajmE,KAAKkmE,OAEiB,mBAAxBlmE,KAAKc,QAAQujE,OACxBrkE,KAAKkG,QAAUlG,KAAKc,QAAQujE,OAAQrkE,KAAKw4B,SAEzCx4B,KAAKkG,QAAUlG,KAAKw4B,QAAQz2B,KAAM/B,KAAKc,QAAQujE,QAEhDrkE,KAAKqsD,UAAWrsD,KAAKkG,QAAS,oDAC7B,oBAEDlG,KAAKkmE,OAASlmE,KAAKkG,QAAQwrC,OAAOtjC,OAAQ,sCAAuCnO,OACjFD,KAAKqsD,UAAWrsD,KAAKkmE,OAAQ,uBAAwB,qCAGhDD,IACJjmE,KAAKosD,KAAM4Z,EAAYha,IAAKhsD,KAAKkG,UACjClG,KAAKosD,KAAM6Z,EAAWja,IAAKhsD,KAAKkmE,SAElC,EAEAf,SAAU,WACT,IAAIgB,EACHrlE,EAAUd,KAAKc,QACfwjE,EAAcxjE,EAAQwjE,YACtBhuD,EAAStW,KAAKw4B,QAAQliB,SAEvBtW,KAAKswB,OAAStwB,KAAKomE,YAAatlE,EAAQwvB,QACxCtwB,KAAKqsD,UAAWrsD,KAAKswB,OAAQ,6BAA8B,mBACzD46B,aAAclrD,KAAKswB,OAAQ,iCAC7BtwB,KAAKqsD,UAAWrsD,KAAKswB,OAAOohB,OAAQ,+BACpC1xC,KAAKswB,OAAOohB,OAAOrwC,OAEnBrB,KAAKkG,QACH6P,KAAM,OAAQ,OACd1V,MAAM,WACN,IAAIgkE,EAAS/jE,EAAGN,MACfqmE,EAAWhC,EAAOp6B,WAAWl0B,KAAM,MACnCqvD,EAAQf,EAAO3yB,OACf40B,EAAUlB,EAAMn7B,WAAWl0B,KAAM,MAClCsuD,EAAOtuD,KAAM,gBAAiBuwD,GAC9BlB,EAAMrvD,KAAM,kBAAmBswD,EAChC,IACC30B,OACC37B,KAAM,OAAQ,YAEjB/V,KAAKkG,QACH8lD,IAAKhsD,KAAKswB,QACTva,KAAM,CACN,gBAAiB,QACjB,gBAAiB,QACjBorB,UAAW,IAEXuQ,OACC37B,KAAM,CACN,cAAe,SAEf9V,OAGED,KAAKswB,OAAOtuB,OAGjBhC,KAAKswB,OAAOva,KAAM,CACjB,gBAAiB,OACjB,gBAAiB,OACjBorB,SAAU,IAETuQ,OACC37B,KAAM,CACN,cAAe,UATlB/V,KAAKkG,QAAQy9D,GAAI,GAAI5tD,KAAM,WAAY,GAaxC/V,KAAKqlE,eAELrlE,KAAKulE,aAAczkE,EAAQolB,OAEN,SAAhBo+C,GACJ6B,EAAY7vD,EAAOtD,SACnBhT,KAAKw4B,QAAQqrC,SAAU,YAAaxjE,MAAM,WACzC,IAAI6jC,EAAO5jC,EAAGN,MACbkhB,EAAWgjB,EAAK3vB,IAAK,YAEJ,aAAb2M,GAAwC,UAAbA,IAGhCilD,GAAajiC,EAAKtB,aAAa,GAChC,IAEA5iC,KAAKkG,QAAQ7F,MAAM,WAClB8lE,GAAa7lE,EAAGN,MAAO4iC,aAAa,EACrC,IAEA5iC,KAAKkG,QAAQwrC,OACXrxC,MAAM,WACNC,EAAGN,MAAOgT,OAAQpC,KAAKkC,IAAK,EAAGqzD,EAC9B7lE,EAAGN,MAAO+9D,cAAgBz9D,EAAGN,MAAOgT,UACtC,IACCuB,IAAK,WAAY,SACQ,SAAhB+vD,IACX6B,EAAY,EACZnmE,KAAKkG,QAAQwrC,OACXrxC,MAAM,WACN,IAAIkmE,EAAYjmE,EAAGN,MAAOomB,GAAI,YACxBmgD,GACLjmE,EAAGN,MAAOqB,OAEX8kE,EAAYv1D,KAAKkC,IAAKqzD,EAAW7lE,EAAGN,MAAOuU,IAAK,SAAU,IAAKvB,UACzDuzD,GACLjmE,EAAGN,MAAOC,MAEZ,IACC+S,OAAQmzD,GAEZ,EAEAX,UAAW,SAAU19B,GACpB,IAAIxX,EAAStwB,KAAKomE,YAAat+B,GAAS,GAGnCxX,IAAWtwB,KAAKswB,OAAQ,KAK7BA,EAASA,GAAUtwB,KAAKswB,OAAQ,GAEhCtwB,KAAK8lE,cAAe,CACnBr4D,OAAQ6iB,EACRwvB,cAAexvB,EACfnK,eAAgB7lB,EAAEsnD,OAEpB,EAEAwe,YAAa,SAAU9qD,GACtB,MAA2B,iBAAbA,EAAwBtb,KAAKkG,QAAQy9D,GAAIroD,GAAahb,GACrE,EAEAilE,aAAc,SAAUr/C,GACvB,IAAIkjB,EAAS,CACZo9B,QAAS,YAELtgD,GACJ5lB,EAAED,KAAM6lB,EAAM1kB,MAAO,MAAO,SAAUsmC,EAAOuK,GAC5CjJ,EAAQiJ,GAAc,eACvB,IAGDryC,KAAKosD,KAAMpsD,KAAKkG,QAAQ60B,IAAK/6B,KAAKkG,QAAQwrC,SAC1C1xC,KAAKyqD,IAAKzqD,KAAKkG,QAASkjC,GACxBppC,KAAKyqD,IAAKzqD,KAAKkG,QAAQwrC,OAAQ,CAAE80B,QAAS,kBAC1CxmE,KAAK4sD,WAAY5sD,KAAKkG,SACtBlG,KAAK+sD,WAAY/sD,KAAKkG,QACvB,EAEA4/D,cAAe,SAAU5/C,GACxB,IAAIugD,EAAgBC,EACnB5lE,EAAUd,KAAKc,QACfwvB,EAAStwB,KAAKswB,OACdnlB,EAAU7K,EAAG4lB,EAAM45B,eACnB6mB,EAAkBx7D,EAAS,KAAQmlB,EAAQ,GAC3Cs2C,EAAaD,GAAmB7lE,EAAQsjE,YACxCyC,EAASD,EAAatmE,IAAM6K,EAAQumC,OACpCo1B,EAASx2C,EAAOohB,OAChBq1B,EAAY,CACXC,UAAW12C,EACX22C,SAAUH,EACVI,UAAWN,EAAatmE,IAAM6K,EAC9Bg8D,SAAUN,GAGZ3gD,EAAMC,iBAKFwgD,IAAoB7lE,EAAQsjE,cAG4B,IAAxDpkE,KAAKgiC,SAAU,iBAAkB9b,EAAO6gD,KAI5CjmE,EAAQwvB,QAASs2C,GAAqB5mE,KAAKkG,QAAQ4hC,MAAO38B,GAI1DnL,KAAKswB,OAASq2C,EAAkBrmE,IAAM6K,EACtCnL,KAAKonE,QAASL,GAId/mE,KAAKkrD,aAAc56B,EAAQ,6BAA8B,mBACpDxvB,EAAQyjE,QACZkC,EAAiBn2C,EAAO/Z,SAAU,6BAClCvW,KAAKkrD,aAAcub,EAAgB,KAAM3lE,EAAQyjE,MAAMC,cACrDnY,UAAWoa,EAAgB,KAAM3lE,EAAQyjE,MAAMF,SAG5CsC,IACL3mE,KAAKkrD,aAAc//C,EAAS,iCAC1BkhD,UAAWlhD,EAAS,6BAA8B,mBAC/CrK,EAAQyjE,QACZmC,EAAkBv7D,EAAQoL,SAAU,6BACpCvW,KAAKkrD,aAAcwb,EAAiB,KAAM5lE,EAAQyjE,MAAMF,QACtDhY,UAAWqa,EAAiB,KAAM5lE,EAAQyjE,MAAMC,eAGnDxkE,KAAKqsD,UAAWlhD,EAAQumC,OAAQ,gCAElC,EAEA01B,QAAS,SAAU/jE,GAClB,IAAIwjE,EAASxjE,EAAK8jE,SACjBL,EAAS9mE,KAAKglE,SAAShjE,OAAShC,KAAKglE,SAAW3hE,EAAK4jE,SAGtDjnE,KAAKglE,SAASjqC,IAAK/6B,KAAKilE,UAAWzpD,MAAM,GAAM,GAC/Cxb,KAAKglE,SAAW6B,EAChB7mE,KAAKilE,SAAW6B,EAEX9mE,KAAKc,QAAQm5D,QACjBj6D,KAAKqnE,SAAUR,EAAQC,EAAQzjE,IAE/ByjE,EAAO7mE,OACP4mE,EAAOxlE,OACPrB,KAAKsnE,gBAAiBjkE,IAGvByjE,EAAO/wD,KAAM,CACZ,cAAe,SAEhB+wD,EAAO95B,OAAOj3B,KAAM,CACnB,gBAAiB,QACjB,gBAAiB,UAMb8wD,EAAO7kE,QAAU8kE,EAAO9kE,OAC5B8kE,EAAO95B,OAAOj3B,KAAM,CACnB,UAAa,EACb,gBAAiB,UAEP8wD,EAAO7kE,QAClBhC,KAAKkG,QAAQkI,QAAQ,WACpB,OAAwD,IAAjDmP,SAAUjd,EAAGN,MAAO+V,KAAM,YAAc,GAChD,IACEA,KAAM,YAAa,GAGtB8wD,EACE9wD,KAAM,cAAe,SACrBi3B,OACCj3B,KAAM,CACN,gBAAiB,OACjB,gBAAiB,OACjBorB,SAAU,GAEd,EAEAkmC,SAAU,SAAUR,EAAQC,EAAQzjE,GACnC,IAAIkkE,EAAO3Z,EAAQH,EAClBzC,EAAOhrD,KACPwnE,EAAS,EACTC,EAAYZ,EAAOtyD,IAAK,cACxByqD,EAAO6H,EAAO7kE,UACV8kE,EAAO9kE,QAAY6kE,EAAO/+B,QAAUg/B,EAAOh/B,SAC/CmyB,EAAUj6D,KAAKc,QAAQm5D,SAAW,CAAC,EACnCn5D,EAAUk+D,GAAQ/E,EAAQ+E,MAAQ/E,EAClC1/C,EAAW,WACVywC,EAAKsc,gBAAiBjkE,EACvB,EAaD,MAXwB,iBAAZvC,IACX2sD,EAAW3sD,GAEY,iBAAZA,IACX8sD,EAAS9sD,GAIV8sD,EAASA,GAAU9sD,EAAQ8sD,QAAUqM,EAAQrM,OAC7CH,EAAWA,GAAY3sD,EAAQ2sD,UAAYwM,EAAQxM,SAE7CqZ,EAAO9kE,OAGP6kE,EAAO7kE,QAIbulE,EAAQV,EAAOxlE,OAAOuhC,cACtBkkC,EAAO7M,QAASj6D,KAAK0kE,UAAW,CAC/BjX,SAAUA,EACVG,OAAQA,EACR5oB,KAAM,SAAUrO,EAAKsgC,GACpBA,EAAGtgC,IAAM/lB,KAAKC,MAAO8lB,EACtB,SAEDkwC,EACE5mE,OACAg6D,QAASj6D,KAAK+kE,UAAW,CACzBtX,SAAUA,EACVG,OAAQA,EACRrzC,SAAUA,EACVyqB,KAAM,SAAUrO,EAAKsgC,GACpBA,EAAGtgC,IAAM/lB,KAAKC,MAAO8lB,GACJ,WAAZsgC,EAAGhhD,KACY,gBAAdwxD,IACJD,GAAUvQ,EAAGtgC,KAE0B,YAA7Bq0B,EAAKlqD,QAAQwjE,cACxBrN,EAAGtgC,IAAM/lB,KAAKC,MAAO02D,EAAQT,EAAOlkC,cAAgB4kC,GACpDA,EAAS,EAEX,KA3BMV,EAAO7M,QAASj6D,KAAK0kE,UAAWjX,EAAUG,EAAQrzC,GAHlDssD,EAAO5M,QAASj6D,KAAK+kE,UAAWtX,EAAUG,EAAQrzC,EAgC3D,EAEA+sD,gBAAiB,SAAUjkE,GAC1B,IAAIyjE,EAASzjE,EAAK4jE,SACjBj6B,EAAO85B,EAAO95B,OAEfhtC,KAAKkrD,aAAc4b,EAAQ,+BAC3B9mE,KAAKkrD,aAAcle,EAAM,8BACvBqf,UAAWrf,EAAM,iCAGd85B,EAAO9kE,SACX8kE,EAAOxwD,SAAU,GAAI2kB,UAAY6rC,EAAOxwD,SAAU,GAAI2kB,WAEvDj7B,KAAKgiC,SAAU,WAAY,KAAM3+B,EAClC,IAKuB/C,EAAEunD,GAAG6f,kBAAoB,SAAUn+D,GAC1D,IAAI2xD,EAIJ,IACCA,EAAgB3xD,EAAS2xD,aAC1B,CAAE,MAAQx6D,GACTw6D,EAAgB3xD,EAAS5B,IAC1B,CAgBA,OAXMuzD,IACLA,EAAgB3xD,EAAS5B,MAMpBuzD,EAAcvZ,WACnBuZ,EAAgB3xD,EAAS5B,MAGnBuzD,CACR,EAsBkB56D,EAAEqjC,OAAQ,UAAW,CACtC/a,QAAS,SACTqhC,eAAgB,OAChBpuC,MAAO,IACP/a,QAAS,CACRyjE,MAAO,CACNoD,QAAS,qBAEVC,MAAO,MACPC,MAAO,KACP3mD,SAAU,CACT2vC,GAAI,WACJjiB,GAAI,aAELxN,KAAM,OAGN0mC,KAAM,KACNh5C,MAAO,KACPC,OAAQ,MAGT+R,QAAS,WACR9gC,KAAK+nE,WAAa/nE,KAAKw4B,QAIvBx4B,KAAKgoE,cAAe,EACpBhoE,KAAKioE,kBAAoB,CAAEl0D,EAAG,KAAMC,EAAG,MACvChU,KAAKw4B,QACHyR,WACAl0B,KAAM,CACNqrB,KAAMphC,KAAKc,QAAQsgC,KACnBD,SAAU,IAGZnhC,KAAKqsD,UAAW,UAAW,+BAC3BrsD,KAAKyqD,IAAK,CAIT,0BAA2B,SAAUvkC,GACpCA,EAAMC,iBAENnmB,KAAKkoE,cAAehiD,EACrB,EACA,sBAAuB,SAAUA,GAChC,IAAIzY,EAASnN,EAAG4lB,EAAMzY,QAClB6iB,EAAShwB,EAAGA,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,MACjDvJ,KAAKgoE,cAAgBv6D,EAAOu+C,IAAK,sBAAuBhqD,SAC7DhC,KAAK+uB,OAAQ7I,GAGPA,EAAMiiD,yBACXnoE,KAAKgoE,cAAe,GAIhBv6D,EAAO+mB,IAAK,YAAaxyB,OAC7BhC,KAAKo3D,OAAQlxC,IACDlmB,KAAKw4B,QAAQpS,GAAI,WAC5BkK,EAAO1Y,QAAS,YAAa5V,SAG9BhC,KAAKw4B,QAAQ91B,QAAS,QAAS,EAAE,IAI5B1C,KAAKswB,QAAuD,IAA7CtwB,KAAKswB,OAAOszC,QAAS,YAAa5hE,QACrDi1B,aAAcj3B,KAAKglB,QAIvB,EACA,2BAA4B,gBAC5B,0BAA2B,gBAC3B8nC,WAAY,cACZ,sBAAuB,cACvBh+B,MAAO,SAAU5I,EAAOkiD,GAIvB,IAAIztC,EAAO36B,KAAKswB,QAAUtwB,KAAKqoE,aAAa/3B,QAEtC83B,GACLpoE,KAAK8uB,MAAO5I,EAAOyU,EAErB,EACAmtC,KAAM,SAAU5hD,GACflmB,KAAK2sD,QAAQ,YACQrsD,EAAEszC,SACrB5zC,KAAKw4B,QAAS,GACdl4B,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,MAGvCvJ,KAAKsoE,YAAapiD,EAEpB,GACD,EACAsgD,QAAS,aAGVxmE,KAAK6hE,UAGL7hE,KAAKyqD,IAAKzqD,KAAKuJ,SAAU,CACxB4N,MAAO,SAAU+O,GACXlmB,KAAKuoE,sBAAuBriD,IAChClmB,KAAKsoE,YAAapiD,GAAO,GAI1BlmB,KAAKgoE,cAAe,CACrB,GAEF,EAEAE,cAAe,SAAUhiD,GAKxB,IAAKlmB,KAAKwoE,iBAKLtiD,EAAMuiD,UAAYzoE,KAAKioE,kBAAkBl0D,GAC5CmS,EAAMwiD,UAAY1oE,KAAKioE,kBAAkBj0D,GAD3C,CAKAhU,KAAKioE,kBAAoB,CACxBl0D,EAAGmS,EAAMuiD,QACTz0D,EAAGkS,EAAMwiD,SAGV,IAAIC,EAAeroE,EAAG4lB,EAAMzY,QAASmK,QAAS,iBAC7CnK,EAASnN,EAAG4lB,EAAM45B,eAGd6oB,EAAc,KAAQl7D,EAAQ,KAK9BA,EAAO2Y,GAAI,sBAMhBpmB,KAAKkrD,aAAcz9C,EAAOo2D,WAAWttD,SAAU,oBAC9C,KAAM,mBACPvW,KAAK8uB,MAAO5I,EAAOzY,IAxBnB,CAyBD,EAEAw9C,SAAU,WACT,IAEC2d,EAFW5oE,KAAKw4B,QAAQz2B,KAAM,iBAC5Bu/B,WAAY,sBACG/qB,SAAU,yBACzB4tD,iBACA7iC,WAAY,+BAGfthC,KAAKw4B,QACH8I,WAAY,yBACZv/B,KAAM,YAAao3D,UAClB73B,WAAY,yEAEZ6iC,iBACA9iE,OAEHunE,EAASryD,WAAWlW,MAAM,WACzB,IAAI6jC,EAAO5jC,EAAGN,MACTkkC,EAAK7gC,KAAM,0BACf6gC,EAAKxsB,QAEP,GACD,EAEA+tD,SAAU,SAAUv/C,GACnB,IAAIxG,EAAOstB,EAAM67B,EAAWC,EAC3B3iD,GAAiB,EAElB,OAASD,EAAMwb,SACf,KAAKphC,EAAEunD,GAAGnmB,QAAQwhC,QACjBljE,KAAK+oE,aAAc7iD,GACnB,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQuhC,UACjBjjE,KAAKgpE,SAAU9iD,GACf,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQqhC,KACjB/iE,KAAKipE,MAAO,QAAS,QAAS/iD,GAC9B,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQkhC,IACjB5iE,KAAKipE,MAAO,OAAQ,OAAQ/iD,GAC5B,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQ6hC,GACjBvjE,KAAKwtC,SAAUtnB,GACf,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQihC,KACjB3iE,KAAK0xC,KAAMxrB,GACX,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQshC,KACjBhjE,KAAKumC,SAAUrgB,GACf,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQ0hC,MACZpjE,KAAKswB,SAAWtwB,KAAKswB,OAAOlK,GAAI,uBACpCpmB,KAAKo3D,OAAQlxC,GAEd,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQmhC,MAClB,KAAKviE,EAAEunD,GAAGnmB,QAAQ2hC,MACjBrjE,KAAKwlE,UAAWt/C,GAChB,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQohC,OACjB9iE,KAAKumC,SAAUrgB,GACf,MACD,QACCC,GAAiB,EACjB6mB,EAAOhtC,KAAKwoE,gBAAkB,GAC9BM,GAAO,EAGPD,EAAY3iD,EAAMwb,SAAW,IAAMxb,EAAMwb,SAAW,KACjDxb,EAAMwb,QAAU,IAAKngC,WAAaqoB,OAAO8wB,aAAcx0B,EAAMwb,SAEhEzK,aAAcj3B,KAAKkpE,aAEdL,IAAc77B,EAClB87B,GAAO,EAEPD,EAAY77B,EAAO67B,EAGpBnpD,EAAQ1f,KAAKmpE,iBAAkBN,IAC/BnpD,EAAQopD,IAA+C,IAAvCppD,EAAMooB,MAAO9nC,KAAKswB,OAAOohB,QACxC1xC,KAAKswB,OAAO84C,QAAS,iBACrB1pD,GAIW1d,SACX6mE,EAAYj/C,OAAO8wB,aAAcx0B,EAAMwb,SACvChiB,EAAQ1f,KAAKmpE,iBAAkBN,IAG3BnpD,EAAM1d,QACVhC,KAAK8uB,MAAO5I,EAAOxG,GACnB1f,KAAKwoE,eAAiBK,EACtB7oE,KAAKkpE,YAAclpE,KAAK2sD,QAAQ,kBACxB3sD,KAAKwoE,cACb,GAAG,aAEIxoE,KAAKwoE,eAITriD,GACJD,EAAMC,gBAER,EAEAq/C,UAAW,SAAUt/C,GACflmB,KAAKswB,SAAWtwB,KAAKswB,OAAOlK,GAAI,wBAC/BpmB,KAAKswB,OAAO/Z,SAAU,0BAA2BvU,OACrDhC,KAAKo3D,OAAQlxC,GAEblmB,KAAK+uB,OAAQ7I,GAGhB,EAEA27C,QAAS,WACR,IAAW+F,EAAOyB,EAAaC,EAAUC,EACxCve,EAAOhrD,KACP+N,EAAO/N,KAAKc,QAAQyjE,MAAMoD,QAC1BiB,EAAW5oE,KAAKw4B,QAAQz2B,KAAM/B,KAAKc,QAAQ+mE,OAE5C7nE,KAAKyrD,aAAc,gBAAiB,OAAQzrD,KAAKw4B,QAAQz2B,KAAM,YAAaC,QAG5EqnE,EAAcT,EAASx6D,OAAQ,kBAC7BnO,OACA8V,KAAM,CACNqrB,KAAMphC,KAAKc,QAAQsgC,KACnB,cAAe,OACf,gBAAiB,UAEjB/gC,MAAM,WACN,IAAImnC,EAAOlnC,EAAGN,MACb26B,EAAO6M,EAAKwF,OACZw8B,EAAelpE,EAAG,UAAW+C,KAAM,yBAAyB,GAE7D2nD,EAAKqB,UAAWmd,EAAc,eAAgB,WAAaz7D,GAC3D4sB,EACE5kB,KAAM,gBAAiB,QACvB6iB,QAAS4wC,GACXhiC,EAAKzxB,KAAM,kBAAmB4kB,EAAK5kB,KAAM,MAC1C,IAED/V,KAAKqsD,UAAWgd,EAAa,UAAW,yCAGxCzB,EADQgB,EAAS7tC,IAAK/6B,KAAKw4B,SACbz2B,KAAM/B,KAAKc,QAAQ8mE,QAG3B5b,IAAK,iBAAkB3rD,MAAM,WAClC,IAAIs6B,EAAOr6B,EAAGN,MACTgrD,EAAKye,WAAY9uC,IACrBqwB,EAAKqB,UAAW1xB,EAAM,kBAAmB,oBAE3C,IAIA4uC,GADAD,EAAW1B,EAAM5b,IAAK,oCACCz1C,WACrBy1C,IAAK,YACJ/hB,WACAl0B,KAAM,CACNorB,UAAW,EACXC,KAAMphC,KAAK0pE,cAEd1pE,KAAKqsD,UAAWid,EAAU,gBACxBjd,UAAWkd,EAAa,wBAG1B3B,EAAMx5D,OAAQ,sBAAuB2H,KAAM,gBAAiB,QAGvD/V,KAAKswB,SAAWhwB,EAAEszC,SAAU5zC,KAAKw4B,QAAS,GAAKx4B,KAAKswB,OAAQ,KAChEtwB,KAAK8nE,MAEP,EAEA4B,UAAW,WACV,MAAO,CACNliC,KAAM,WACNmiC,QAAS,UACP3pE,KAAKc,QAAQsgC,KACjB,EAEAa,WAAY,SAAUp+B,EAAKG,GAC1B,GAAa,UAARH,EAAkB,CACtB,IAAI0gE,EAAQvkE,KAAKw4B,QAAQz2B,KAAM,iBAC/B/B,KAAKkrD,aAAcqZ,EAAO,KAAMvkE,KAAKc,QAAQyjE,MAAMoD,SACjDtb,UAAWkY,EAAO,KAAMvgE,EAAM2jE,QACjC,CACA3nE,KAAKy+C,OAAQ56C,EAAKG,EACnB,EAEA8mD,mBAAoB,SAAU9mD,GAC7BhE,KAAKy+C,OAAQz6C,GAEbhE,KAAKw4B,QAAQziB,KAAM,gBAAiB6T,OAAQ5lB,IAC5ChE,KAAKyrD,aAAc,KAAM,sBAAuBznD,EACjD,EAEA8qB,MAAO,SAAU5I,EAAOyU,GACvB,IAAIivC,EAAQC,EAASC,EACrB9pE,KAAK8nE,KAAM5hD,EAAOA,GAAwB,UAAfA,EAAMjjB,MAEjCjD,KAAK+pE,gBAAiBpvC,GAEtB36B,KAAKswB,OAASqK,EAAK2V,QAEnBu5B,EAAU7pE,KAAKswB,OAAO/Z,SAAU,yBAChCvW,KAAKqsD,UAAWwd,EAAS,KAAM,mBAI1B7pE,KAAKc,QAAQsgC,MACjBphC,KAAKw4B,QAAQziB,KAAM,wBAAyB8zD,EAAQ9zD,KAAM,OAI3D+zD,EAAe9pE,KAAKswB,OAClBha,SACCsB,QAAS,iBACRrB,SAAU,yBACdvW,KAAKqsD,UAAWyd,EAAc,KAAM,mBAE/B5jD,GAAwB,YAAfA,EAAMjjB,KACnBjD,KAAKgqE,SAELhqE,KAAKglB,MAAQhlB,KAAK2sD,QAAQ,WACzB3sD,KAAKgqE,QACN,GAAGhqE,KAAK6b,QAGT+tD,EAASjvC,EAAKpkB,SAAU,aACZvU,QAAUkkB,GAAW,SAASqjB,KAAMrjB,EAAMjjB,OACrDjD,KAAKiqE,cAAeL,GAErB5pE,KAAK+nE,WAAaptC,EAAKrkB,SAEvBtW,KAAKgiC,SAAU,QAAS9b,EAAO,CAAEyU,KAAMA,GACxC,EAEAovC,gBAAiB,SAAUpvC,GAC1B,IAAIg+B,EAAWkM,EAAYxV,EAAQ6a,EAAQC,EAAeC,EACrDpqE,KAAKqqE,eACT1R,EAAYh5C,WAAYrf,EAAEiU,IAAKvU,KAAK+nE,WAAY,GAAK,oBAAwB,EAC7ElD,EAAallD,WAAYrf,EAAEiU,IAAKvU,KAAK+nE,WAAY,GAAK,gBAAoB,EAC1E1Y,EAAS10B,EAAK00B,SAASluC,IAAMnhB,KAAK+nE,WAAW1Y,SAASluC,IAAMw3C,EAAYkM,EACxEqF,EAASlqE,KAAK+nE,WAAWjrB,YACzBqtB,EAAgBnqE,KAAK+nE,WAAW/0D,SAChCo3D,EAAazvC,EAAKiI,cAEbysB,EAAS,EACbrvD,KAAK+nE,WAAWjrB,UAAWotB,EAAS7a,GACzBA,EAAS+a,EAAaD,GACjCnqE,KAAK+nE,WAAWjrB,UAAWotB,EAAS7a,EAAS8a,EAAgBC,GAGhE,EAEAtC,KAAM,SAAU5hD,EAAOokD,GAChBA,GACLrzC,aAAcj3B,KAAKglB,OAGdhlB,KAAKswB,SAIXtwB,KAAKkrD,aAAclrD,KAAKswB,OAAO/Z,SAAU,yBACxC,KAAM,mBAEPvW,KAAKgiC,SAAU,OAAQ9b,EAAO,CAAEyU,KAAM36B,KAAKswB,SAC3CtwB,KAAKswB,OAAS,KACf,EAEA25C,cAAe,SAAUtC,GACxB1wC,aAAcj3B,KAAKglB,OAIoB,SAAlC2iD,EAAQ5xD,KAAM,iBAInB/V,KAAKglB,MAAQhlB,KAAK2sD,QAAQ,WACzB3sD,KAAKgqE,SACLhqE,KAAKuqE,MAAO5C,EACb,GAAG3nE,KAAK6b,OACT,EAEA0uD,MAAO,SAAU5C,GAChB,IAAIzmD,EAAW5gB,EAAEm3B,OAAQ,CACxB83B,GAAIvvD,KAAKswB,QACPtwB,KAAKc,QAAQogB,UAEhB+V,aAAcj3B,KAAKglB,OACnBhlB,KAAKw4B,QAAQz2B,KAAM,YAAaiqD,IAAK2b,EAAQ/D,QAAS,aACpD3jE,OACA8V,KAAM,cAAe,QAEvB4xD,EACEtmE,OACAigC,WAAY,eACZvrB,KAAM,gBAAiB,QACvBmL,SAAUA,EACb,EAEAonD,YAAa,SAAUpiD,EAAOmlB,GAC7BpU,aAAcj3B,KAAKglB,OACnBhlB,KAAKglB,MAAQhlB,KAAK2sD,QAAQ,WAGzB,IAAIvyC,EAAcixB,EAAMrrC,KAAKw4B,QAC5Bl4B,EAAG4lB,GAASA,EAAMzY,QAASmK,QAAS5X,KAAKw4B,QAAQz2B,KAAM,aAIlDqY,EAAYpY,SACjBoY,EAAcpa,KAAKw4B,SAGpBx4B,KAAKgqE,OAAQ5vD,GAEbpa,KAAK8nE,KAAM5hD,GAGXlmB,KAAKkrD,aAAc9wC,EAAYrY,KAAM,oBAAsB,KAAM,mBAEjE/B,KAAK+nE,WAAa3tD,CACnB,GAAGixB,EAAM,EAAIrrC,KAAK6b,MACnB,EAIAmuD,OAAQ,SAAUQ,GACXA,IACLA,EAAYxqE,KAAKswB,OAAStwB,KAAKswB,OAAOha,SAAWtW,KAAKw4B,SAGvDgyC,EAAUzoE,KAAM,YACd9B,OACA8V,KAAM,cAAe,QACrBA,KAAM,gBAAiB,QAC1B,EAEAwyD,sBAAuB,SAAUriD,GAChC,OAAQ5lB,EAAG4lB,EAAMzY,QAASmK,QAAS,YAAa5V,MACjD,EAEAynE,WAAY,SAAU9uC,GAGrB,OAAQ,sBAAsB4O,KAAM5O,EAAKr5B,OAC1C,EAEAilC,SAAU,SAAUrgB,GACnB,IAAIukD,EAAUzqE,KAAKswB,QAClBtwB,KAAKswB,OAAOha,SAASsB,QAAS,gBAAiB5X,KAAKw4B,SAChDiyC,GAAWA,EAAQzoE,SACvBhC,KAAKgqE,SACLhqE,KAAK8uB,MAAO5I,EAAOukD,GAErB,EAEArT,OAAQ,SAAUlxC,GACjB,IAAIukD,EAAUzqE,KAAKswB,QAAUtwB,KAAKqoE,WAAYroE,KAAKswB,OAAO/Z,SAAU,aAAe+5B,QAE9Em6B,GAAWA,EAAQzoE,SACvBhC,KAAKuqE,MAAOE,EAAQn0D,UAGpBtW,KAAK2sD,QAAQ,WACZ3sD,KAAK8uB,MAAO5I,EAAOukD,EACpB,IAEF,EAEA/4B,KAAM,SAAUxrB,GACflmB,KAAKipE,MAAO,OAAQ,QAAS/iD,EAC9B,EAEAsnB,SAAU,SAAUtnB,GACnBlmB,KAAKipE,MAAO,OAAQ,OAAQ/iD,EAC7B,EAEAwkD,YAAa,WACZ,OAAO1qE,KAAKswB,SAAWtwB,KAAKswB,OAAOq6C,QAAS,iBAAkB3oE,MAC/D,EAEA4oE,WAAY,WACX,OAAO5qE,KAAKswB,SAAWtwB,KAAKswB,OAAO84C,QAAS,iBAAkBpnE,MAC/D,EAEAqmE,WAAY,SAAU7gC,GACrB,OAASA,GAAQxnC,KAAKw4B,SACpBz2B,KAAM/B,KAAKc,QAAQ8mE,OACnBx5D,OAAQ,gBACX,EAEA66D,MAAO,SAAUvN,EAAWttD,EAAQ8X,GACnC,IAAIwrB,EACC1xC,KAAKswB,SAERohB,EADkB,UAAdgqB,GAAuC,SAAdA,EACtB17D,KAAKswB,OACK,UAAdorC,EAAwB,UAAY,WAAa,iBAClDvnB,OAEKn0C,KAAKswB,OACTorC,EAAY,OAAS,iBACtBprB,SAGEoB,GAASA,EAAK1vC,QAAWhC,KAAKswB,SACnCohB,EAAO1xC,KAAKqoE,WAAYroE,KAAK+nE,YAAc35D,MAG5CpO,KAAK8uB,MAAO5I,EAAOwrB,EACpB,EAEAs3B,SAAU,SAAU9iD,GACnB,IAAIyU,EAAMqT,EAAMh7B,EAEVhT,KAAKswB,OAINtwB,KAAK4qE,eAGL5qE,KAAKqqE,cACTr8B,EAAOhuC,KAAKswB,OAAO++B,SAASluC,IAC5BnO,EAAShT,KAAKw4B,QAAQulC,cAGiB,IAAlCz9D,EAAEkM,GAAGs9C,OAAOpkD,QAAS,UACzBsN,GAAUhT,KAAKw4B,QAAS,GAAIqyC,aAAe7qE,KAAKw4B,QAAQoK,eAGzD5iC,KAAKswB,OAAO84C,QAAS,iBAAkB/oE,MAAM,WAE5C,OADAs6B,EAAOr6B,EAAGN,OACEqvD,SAASluC,IAAM6sB,EAAOh7B,EAAS,CAC5C,IAEAhT,KAAK8uB,MAAO5I,EAAOyU,IAEnB36B,KAAK8uB,MAAO5I,EAAOlmB,KAAKqoE,WAAYroE,KAAK+nE,YACrC/nE,KAAKswB,OAAmB,OAAV,aAvBlBtwB,KAAK0xC,KAAMxrB,EAyBb,EAEA6iD,aAAc,SAAU7iD,GACvB,IAAIyU,EAAMqT,EAAMh7B,EACVhT,KAAKswB,OAINtwB,KAAK0qE,gBAGL1qE,KAAKqqE,cACTr8B,EAAOhuC,KAAKswB,OAAO++B,SAASluC,IAC5BnO,EAAShT,KAAKw4B,QAAQulC,cAGiB,IAAlCz9D,EAAEkM,GAAGs9C,OAAOpkD,QAAS,UACzBsN,GAAUhT,KAAKw4B,QAAS,GAAIqyC,aAAe7qE,KAAKw4B,QAAQoK,eAGzD5iC,KAAKswB,OAAOq6C,QAAS,iBAAkBtqE,MAAM,WAE5C,OADAs6B,EAAOr6B,EAAGN,OACEqvD,SAASluC,IAAM6sB,EAAOh7B,EAAS,CAC5C,IAEAhT,KAAK8uB,MAAO5I,EAAOyU,IAEnB36B,KAAK8uB,MAAO5I,EAAOlmB,KAAKqoE,WAAYroE,KAAK+nE,YAAaz3B,UAtBtDtwC,KAAK0xC,KAAMxrB,EAwBb,EAEAmkD,WAAY,WACX,OAAOrqE,KAAKw4B,QAAQoK,cAAgB5iC,KAAKw4B,QAAQviB,KAAM,eACxD,EAEA8Y,OAAQ,SAAU7I,GAIjBlmB,KAAKswB,OAAStwB,KAAKswB,QAAUhwB,EAAG4lB,EAAMzY,QAASmK,QAAS,iBACxD,IAAIiwC,EAAK,CAAEltB,KAAM36B,KAAKswB,QAChBtwB,KAAKswB,OAAOkE,IAAK,YAAaxyB,QACnChC,KAAKsoE,YAAapiD,GAAO,GAE1BlmB,KAAKgiC,SAAU,SAAU9b,EAAO2hC,EACjC,EAEAshB,iBAAkB,SAAUN,GAC3B,IAAIiC,EAAmBjC,EAAUv0D,QAAS,8BAA+B,QACxEy2D,EAAQ,IAAIp0B,OAAQ,IAAMm0B,EAAkB,KAE7C,OAAO9qE,KAAK+nE,WACVhmE,KAAM/B,KAAKc,QAAQ8mE,OAGlBx5D,OAAQ,iBACPA,QAAQ,WACR,OAAO28D,EAAMxhC,KACZ3f,OAAO3gB,UAAUsW,KAAK5e,KACrBL,EAAGN,MAAOuW,SAAU,yBAA0BjV,QACjD,GACJ,IAuBDhB,EAAEqjC,OAAQ,kBAAmB,CAC5B/a,QAAS,SACTqhC,eAAgB,UAChBnpD,QAAS,CACRq/B,SAAU,KACV6qC,WAAW,EACXnvD,MAAO,IACPovD,UAAW,EACX/pD,SAAU,CACT2vC,GAAI,WACJjiB,GAAI,cACJmhB,UAAW,QAEZn2C,OAAQ,KAGRsxD,OAAQ,KACRzzD,MAAO,KACPqX,MAAO,KACPoF,KAAM,KACN1sB,SAAU,KACVoX,OAAQ,KACRmQ,OAAQ,MAGTo8C,aAAc,EACdC,QAAS,EACTC,gBAAiB,KAEjBvqC,QAAS,WASR,IAAIwqC,EAAkBC,EAAwBC,EAC7C7pB,EAAW3hD,KAAKw4B,QAAS,GAAImpB,SAASrkC,cACtCmuD,EAA0B,aAAb9pB,EACb+pB,EAAuB,UAAb/pB,EAMX3hD,KAAK2rE,YAAcF,IAAeC,GAAW1rE,KAAK4rE,mBAAoB5rE,KAAKw4B,SAE3Ex4B,KAAK6rE,YAAc7rE,KAAKw4B,QAASizC,GAAcC,EAAU,MAAQ,QACjE1rE,KAAK8rE,WAAY,EAEjB9rE,KAAKqsD,UAAW,yBAChBrsD,KAAKw4B,QAAQziB,KAAM,eAAgB,OAEnC/V,KAAKyqD,IAAKzqD,KAAKw4B,QAAS,CACvBguC,QAAS,SAAUtgD,GAClB,GAAKlmB,KAAKw4B,QAAQviB,KAAM,YAIvB,OAHAq1D,GAAmB,EACnBE,GAAgB,OAChBD,GAAyB,GAI1BD,GAAmB,EACnBE,GAAgB,EAChBD,GAAyB,EACzB,IAAI7pC,EAAUphC,EAAEunD,GAAGnmB,QACnB,OAASxb,EAAMwb,SACf,KAAKA,EAAQwhC,QACZoI,GAAmB,EACnBtrE,KAAKipE,MAAO,eAAgB/iD,GAC5B,MACD,KAAKwb,EAAQuhC,UACZqI,GAAmB,EACnBtrE,KAAKipE,MAAO,WAAY/iD,GACxB,MACD,KAAKwb,EAAQ6hC,GACZ+H,GAAmB,EACnBtrE,KAAK+rE,UAAW,WAAY7lD,GAC5B,MACD,KAAKwb,EAAQihC,KACZ2I,GAAmB,EACnBtrE,KAAK+rE,UAAW,OAAQ7lD,GACxB,MACD,KAAKwb,EAAQmhC,MAGP7iE,KAAKwnC,KAAKlX,SAIdg7C,GAAmB,EACnBplD,EAAMC,iBACNnmB,KAAKwnC,KAAKzY,OAAQ7I,IAEnB,MACD,KAAKwb,EAAQ4hC,IACPtjE,KAAKwnC,KAAKlX,QACdtwB,KAAKwnC,KAAKzY,OAAQ7I,GAEnB,MACD,KAAKwb,EAAQohC,OACP9iE,KAAKwnC,KAAKhP,QAAQpS,GAAI,cACpBpmB,KAAK2rE,aACV3rE,KAAKgsE,OAAQhsE,KAAKmuB,MAEnBnuB,KAAKyX,MAAOyO,GAKZA,EAAMC,kBAEP,MACD,QACColD,GAAyB,EAGzBvrE,KAAKisE,eAAgB/lD,GAGvB,EACAiT,SAAU,SAAUjT,GACnB,GAAKolD,EAKJ,OAJAA,GAAmB,OACbtrE,KAAK2rE,cAAe3rE,KAAKwnC,KAAKhP,QAAQpS,GAAI,aAC/CF,EAAMC,kBAIR,IAAKolD,EAAL,CAKA,IAAI7pC,EAAUphC,EAAEunD,GAAGnmB,QACnB,OAASxb,EAAMwb,SACf,KAAKA,EAAQwhC,QACZljE,KAAKipE,MAAO,eAAgB/iD,GAC5B,MACD,KAAKwb,EAAQuhC,UACZjjE,KAAKipE,MAAO,WAAY/iD,GACxB,MACD,KAAKwb,EAAQ6hC,GACZvjE,KAAK+rE,UAAW,WAAY7lD,GAC5B,MACD,KAAKwb,EAAQihC,KACZ3iE,KAAK+rE,UAAW,OAAQ7lD,GAfzB,CAkBD,EACAmhB,MAAO,SAAUnhB,GAChB,GAAKslD,EAGJ,OAFAA,GAAgB,OAChBtlD,EAAMC,iBAGPnmB,KAAKisE,eAAgB/lD,EACtB,EACA4I,MAAO,WACN9uB,KAAKksE,aAAe,KACpBlsE,KAAKwtC,SAAWxtC,KAAKgsE,QACtB,EACAlE,KAAM,SAAU5hD,GACf+Q,aAAcj3B,KAAKmsE,WACnBnsE,KAAKyX,MAAOyO,GACZlmB,KAAKosE,QAASlmD,EACf,IAGDlmB,KAAKqsE,cACLrsE,KAAKwnC,KAAOlnC,EAAG,QACb6/B,SAAUngC,KAAKssE,aACf9kC,KAAM,CAGNpG,KAAM,OAENnhC,OAQA8V,KAAM,CACN,aAAgB,OAEhByxB,KAAM,YAERxnC,KAAKqsD,UAAWrsD,KAAKwnC,KAAKhP,QAAS,kBAAmB,YACtDx4B,KAAKyqD,IAAKzqD,KAAKwnC,KAAKhP,QAAS,CAC5B+zC,UAAW,SAAUrmD,GAGpBA,EAAMC,gBACP,EACAqmD,UAAW,SAAUtmD,EAAO2hC,GAC3B,IAAI38C,EAAOyvB,EAIX,GAAK36B,KAAK8rE,YACT9rE,KAAK8rE,WAAY,EACZ5lD,EAAMinC,eAAiB,SAAS5jB,KAAMrjB,EAAMinC,cAAclqD,OAO9D,OANAjD,KAAKwnC,KAAKsgC,YAEV9nE,KAAKuJ,SAASkjE,IAAK,aAAa,WAC/BnsE,EAAG4lB,EAAMzY,QAAS/K,QAASwjB,EAAMinC,cAClC,IAMFxyB,EAAOktB,EAAGltB,KAAKt3B,KAAM,yBAChB,IAAUrD,KAAKgiC,SAAU,QAAS9b,EAAO,CAAEyU,KAAMA,KAGhDzU,EAAMinC,eAAiB,OAAO5jB,KAAMrjB,EAAMinC,cAAclqD,OAC5DjD,KAAKgsE,OAAQrxC,EAAK32B,QAKpBkH,EAAQ28C,EAAGltB,KAAK5kB,KAAM,eAAkB4kB,EAAK32B,QAC/B4lB,OAAO3gB,UAAUsW,KAAK5e,KAAMuK,GAAQlJ,SACjDi1B,aAAcj3B,KAAKqrE,iBACnBrrE,KAAKqrE,gBAAkBrrE,KAAK2sD,QAAQ,WACnC3sD,KAAK0sE,WAAW7rE,KAAMP,EAAG,SAAUgB,KAAM4J,GAC1C,GAAG,KAEL,EACAyhE,WAAY,SAAUzmD,EAAO2hC,GAC5B,IAAIltB,EAAOktB,EAAGltB,KAAKt3B,KAAM,wBACxBmqC,EAAWxtC,KAAKwtC,SAGZxtC,KAAKw4B,QAAS,KAAQl4B,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,MACjEvJ,KAAKw4B,QAAQ91B,QAAS,SACtB1C,KAAKwtC,SAAWA,EAKhBxtC,KAAK2sD,QAAQ,WACZ3sD,KAAKwtC,SAAWA,EAChBxtC,KAAKksE,aAAevxC,CACrB,MAGI,IAAU36B,KAAKgiC,SAAU,SAAU9b,EAAO,CAAEyU,KAAMA,KACtD36B,KAAKgsE,OAAQrxC,EAAK32B,OAKnBhE,KAAKmuB,KAAOnuB,KAAKgsE,SAEjBhsE,KAAKyX,MAAOyO,GACZlmB,KAAKksE,aAAevxC,CACrB,IAGD36B,KAAK0sE,WAAapsE,EAAG,QAAS,CAC7B8gC,KAAM,SACN,YAAa,YACb,gBAAiB,cAEhBjB,SAAUngC,KAAKuJ,SAAU,GAAI5B,MAE/B3H,KAAKqsD,UAAWrsD,KAAK0sE,WAAY,KAAM,+BAKvC1sE,KAAKyqD,IAAKzqD,KAAKmE,OAAQ,CACtByoE,aAAc,WACb5sE,KAAKw4B,QAAQ8I,WAAY,eAC1B,GAEF,EAEA2pB,SAAU,WACTh0B,aAAcj3B,KAAKmsE,WACnBnsE,KAAKw4B,QAAQ8I,WAAY,gBACzBthC,KAAKwnC,KAAKhP,QAAQ9gB,SAClB1X,KAAK0sE,WAAWh1D,QACjB,EAEAuqB,WAAY,SAAUp+B,EAAKG,GAC1BhE,KAAKy+C,OAAQ56C,EAAKG,GACL,WAARH,GACJ7D,KAAKqsE,cAEO,aAARxoE,GACJ7D,KAAKwnC,KAAKhP,QAAQ2H,SAAUngC,KAAKssE,aAErB,aAARzoE,GAAsBG,GAAShE,KAAKkI,KACxClI,KAAKkI,IAAI2kE,OAEX,EAEAC,uBAAwB,SAAU5mD,GACjC,IAAI6mD,EAAc/sE,KAAKwnC,KAAKhP,QAAS,GAErC,OAAOtS,EAAMzY,SAAWzN,KAAKw4B,QAAS,IACrCtS,EAAMzY,SAAWs/D,GACjBzsE,EAAEszC,SAAUm5B,EAAa7mD,EAAMzY,OACjC,EAEAu/D,qBAAsB,SAAU9mD,GACzBlmB,KAAK8sE,uBAAwB5mD,IAClClmB,KAAKyX,OAEP,EAEA60D,UAAW,WACV,IAAI9zC,EAAUx4B,KAAKc,QAAQq/B,SAgB3B,OAdK3H,IACJA,EAAUA,EAAQsxB,QAAUtxB,EAAQwnB,SACnC1/C,EAAGk4B,GACHx4B,KAAKuJ,SAASxH,KAAMy2B,GAAUmrC,GAAI,IAG9BnrC,GAAYA,EAAS,KAC1BA,EAAUx4B,KAAKw4B,QAAQ5gB,QAAS,sBAG3B4gB,EAAQx2B,SACbw2B,EAAUx4B,KAAKuJ,SAAU,GAAI5B,MAGvB6wB,CACR,EAEA6zC,YAAa,WACZ,IAAI19B,EAAOxrC,EACV6nD,EAAOhrD,KACHu+B,MAAMC,QAASx+B,KAAKc,QAAQ8Y,SAChC+0B,EAAQ3uC,KAAKc,QAAQ8Y,OACrB5Z,KAAK4Z,OAAS,SAAU9R,EAASN,GAChCA,EAAUlH,EAAEunD,GAAG3gB,aAAa94B,OAAQugC,EAAO7mC,EAAQqmB,MACpD,GAC0C,iBAAxBnuB,KAAKc,QAAQ8Y,QAC/BzW,EAAMnD,KAAKc,QAAQ8Y,OACnB5Z,KAAK4Z,OAAS,SAAU9R,EAASN,GAC3BwjD,EAAK9iD,KACT8iD,EAAK9iD,IAAI2kE,QAEV7hB,EAAK9iD,IAAM5H,EAAEo1C,KAAM,CAClBvyC,IAAKA,EACLE,KAAMyE,EACNwtC,SAAU,OACVhyC,QAAS,SAAUD,GAClBmE,EAAUnE,EACX,EACA3C,MAAO,WACN8G,EAAU,GACX,GAEF,GAEAxH,KAAK4Z,OAAS5Z,KAAKc,QAAQ8Y,MAE7B,EAEAqyD,eAAgB,SAAU/lD,GACzB+Q,aAAcj3B,KAAKmsE,WACnBnsE,KAAKmsE,UAAYnsE,KAAK2sD,QAAQ,WAG7B,IAAIsgB,EAAcjtE,KAAKmuB,OAASnuB,KAAKgsE,SACpCkB,EAAcltE,KAAKwnC,KAAKhP,QAAQpS,GAAI,YACpC+mD,EAAcjnD,EAAMw/C,QAAUx/C,EAAMy/C,SAAWz/C,EAAMknD,SAAWlnD,EAAMmnD,SAEjEJ,KAAiBA,GAAgBC,GAAgBC,KACtDntE,KAAKksE,aAAe,KACpBlsE,KAAK4e,OAAQ,KAAMsH,GAErB,GAAGlmB,KAAKc,QAAQ+a,MACjB,EAEA+C,OAAQ,SAAU5a,EAAOkiB,GAMxB,OALAliB,EAAiB,MAATA,EAAgBA,EAAQhE,KAAKgsE,SAGrChsE,KAAKmuB,KAAOnuB,KAAKgsE,SAEZhoE,EAAMhC,OAAShC,KAAKc,QAAQmqE,UACzBjrE,KAAKyX,MAAOyO,IAGsB,IAArClmB,KAAKgiC,SAAU,SAAU9b,GAIvBlmB,KAAKstE,QAAStpE,QAJrB,CAKD,EAEAspE,QAAS,SAAUtpE,GAClBhE,KAAKorE,UACLprE,KAAKqsD,UAAW,2BAChBrsD,KAAKutE,cAAe,EAEpBvtE,KAAK4Z,OAAQ,CAAEuU,KAAMnqB,GAAShE,KAAKwtE,YACpC,EAEAA,UAAW,WACV,IAAI1lC,IAAU9nC,KAAKmrE,aAEnB,OAAO,SAAU57D,GACXu4B,IAAU9nC,KAAKmrE,cACnBnrE,KAAKytE,WAAYl+D,GAGlBvP,KAAKorE,UACCprE,KAAKorE,SACVprE,KAAKkrD,aAAc,0BAErB,EAAE1nD,KAAMxD,KACT,EAEAytE,WAAY,SAAUl+D,GAChBA,IACJA,EAAUvP,KAAK0tE,WAAYn+D,IAE5BvP,KAAKgiC,SAAU,WAAY,KAAM,CAAEzyB,QAASA,KACtCvP,KAAKc,QAAQopD,UAAY36C,GAAWA,EAAQvN,SAAWhC,KAAKutE,cACjEvtE,KAAK2tE,SAAUp+D,GACfvP,KAAKgiC,SAAU,SAIfhiC,KAAKgqE,QAEP,EAEAvyD,MAAO,SAAUyO,GAChBlmB,KAAKutE,cAAe,EACpBvtE,KAAKgqE,OAAQ9jD,EACd,EAEA8jD,OAAQ,SAAU9jD,GAGjBlmB,KAAKosD,KAAMpsD,KAAKuJ,SAAU,aAErBvJ,KAAKwnC,KAAKhP,QAAQpS,GAAI,cAC1BpmB,KAAKwnC,KAAKhP,QAAQv4B,OAClBD,KAAKwnC,KAAKsgC,OACV9nE,KAAK8rE,WAAY,EACjB9rE,KAAKgiC,SAAU,QAAS9b,GAE1B,EAEAkmD,QAAS,SAAUlmD,GACblmB,KAAKwtC,WAAaxtC,KAAKgsE,UAC3BhsE,KAAKgiC,SAAU,SAAU9b,EAAO,CAAEyU,KAAM36B,KAAKksE,cAE/C,EAEAwB,WAAY,SAAU9F,GAGrB,OAAKA,EAAM5lE,QAAU4lE,EAAO,GAAI18D,OAAS08D,EAAO,GAAI5jE,MAC5C4jE,EAEDtnE,EAAEyM,IAAK66D,GAAO,SAAUjtC,GAC9B,MAAqB,iBAATA,EACJ,CACNzvB,MAAOyvB,EACP32B,MAAO22B,GAGFr6B,EAAEm3B,OAAQ,CAAC,EAAGkD,EAAM,CAC1BzvB,MAAOyvB,EAAKzvB,OAASyvB,EAAK32B,MAC1BA,MAAO22B,EAAK32B,OAAS22B,EAAKzvB,OAE5B,GACD,EAEAyiE,SAAU,SAAU/F,GACnB,IAAIgG,EAAK5tE,KAAKwnC,KAAKhP,QAAQ6J,QAC3BriC,KAAK6tE,YAAaD,EAAIhG,GACtB5nE,KAAK8rE,WAAY,EACjB9rE,KAAKwnC,KAAKq6B,UAGV+L,EAAGvsE,OACHrB,KAAKunC,cACLqmC,EAAG1sD,SAAU5gB,EAAEm3B,OAAQ,CACtB83B,GAAIvvD,KAAKw4B,SACPx4B,KAAKc,QAAQogB,WAEXlhB,KAAKc,QAAQkqE,WACjBhrE,KAAKwnC,KAAKkK,OAIX1xC,KAAKyqD,IAAKzqD,KAAKuJ,SAAU,CACxBgjE,UAAW,wBAEb,EAEAhlC,YAAa,WACZ,IAAIqmC,EAAK5tE,KAAKwnC,KAAKhP,QACnBo1C,EAAGnmC,WAAY72B,KAAKkC,IAInB86D,EAAG76D,MAAO,IAAK00B,aAAe,EAC9BznC,KAAKw4B,QAAQiP,cAEf,EAEAomC,YAAa,SAAUD,EAAIhG,GAC1B,IAAI5c,EAAOhrD,KACXM,EAAED,KAAMunE,GAAO,SAAU9/B,EAAOnN,GAC/BqwB,EAAK8iB,gBAAiBF,EAAIjzC,EAC3B,GACD,EAEAmzC,gBAAiB,SAAUF,EAAIjzC,GAC9B,OAAO36B,KAAK+tE,YAAaH,EAAIjzC,GAAOt3B,KAAM,uBAAwBs3B,EACnE,EAEAozC,YAAa,SAAUH,EAAIjzC,GAC1B,OAAOr6B,EAAG,QACR0V,OAAQ1V,EAAG,SAAUgB,KAAMq5B,EAAKzvB,QAChCi1B,SAAUytC,EACb,EAEA3E,MAAO,SAAUvN,EAAWx1C,GAC3B,GAAMlmB,KAAKwnC,KAAKhP,QAAQpS,GAAI,YAI5B,OAAKpmB,KAAKwnC,KAAKkjC,eAAiB,YAAYnhC,KAAMmyB,IAChD17D,KAAKwnC,KAAKojC,cAAgB,QAAQrhC,KAAMmyB,IAEnC17D,KAAK2rE,aACV3rE,KAAKgsE,OAAQhsE,KAAKmuB,WAGnBnuB,KAAKwnC,KAAKsgC,aAGX9nE,KAAKwnC,KAAMk0B,GAAax1C,GAbvBlmB,KAAK4e,OAAQ,KAAMsH,EAcrB,EAEAyd,OAAQ,WACP,OAAO3jC,KAAKwnC,KAAKhP,OAClB,EAEAwzC,OAAQ,WACP,OAAOhsE,KAAK6rE,YAAYnxD,MAAO1a,KAAKw4B,QAAS3tB,UAC9C,EAEAkhE,UAAW,SAAUiC,EAAU9nD,GACxBlmB,KAAK2rE,cAAe3rE,KAAKwnC,KAAKhP,QAAQpS,GAAI,cAC/CpmB,KAAKipE,MAAO+E,EAAU9nD,GAGtBA,EAAMC,iBAER,EAMAylD,mBAAoB,SAAUpzC,GAC7B,IAAMA,EAAQx2B,OACb,OAAO,EAGR,IAAIisE,EAAWz1C,EAAQviB,KAAM,mBAE7B,MAAkB,YAAbg4D,EACGjuE,KAAK4rE,mBAAoBpzC,EAAQliB,UAGrB,SAAb23D,CACR,IAGD3tE,EAAEm3B,OAAQn3B,EAAEunD,GAAG3gB,aAAc,CAC5BgnC,YAAa,SAAUlqE,GACtB,OAAOA,EAAMsQ,QAAS,8BAA+B,OACtD,EACAlG,OAAQ,SAAUugC,EAAOxgB,GACxB,IAAI8kB,EAAU,IAAI0D,OAAQr2C,EAAEunD,GAAG3gB,aAAagnC,YAAa//C,GAAQ,KACjE,OAAO7tB,EAAE6tE,KAAMx/B,GAAO,SAAU3qC,GAC/B,OAAOivC,EAAQ1J,KAAMvlC,EAAMkH,OAASlH,EAAMA,OAASA,EACpD,GACD,IAMD1D,EAAEqjC,OAAQ,kBAAmBrjC,EAAEunD,GAAG3gB,aAAc,CAC/CpmC,QAAS,CACRstE,SAAU,CACTC,UAAW,qBACX3mE,QAAS,SAAU4mE,GAClB,OAAOA,GAAWA,EAAS,EAAI,eAAiB,cAC/C,qDACF,IAIFb,WAAY,SAAUl+D,GACrB,IAAIhF,EACJvK,KAAK+oD,YAAal+C,WACb7K,KAAKc,QAAQopD,UAAYlqD,KAAKutE,eAIlChjE,EADIgF,GAAWA,EAAQvN,OACbhC,KAAKc,QAAQstE,SAAS1mE,QAAS6H,EAAQvN,QAEvChC,KAAKc,QAAQstE,SAASC,UAEjCp3C,aAAcj3B,KAAKqrE,iBACnBrrE,KAAKqrE,gBAAkBrrE,KAAK2sD,QAAQ,WACnC3sD,KAAK0sE,WAAW7rE,KAAMP,EAAG,SAAUgB,KAAMiJ,GAC1C,GAAG,KACJ,IAGyBjK,EAAEunD,GAAG3gB,aAA/B,IA8+BIqnC,EAx9BAC,EAA0B,0BAw/B9B,SAASC,IACRzuE,KAAK0uE,SAAW,KAChB1uE,KAAK+rE,WAAY,EACjB/rE,KAAK2uE,gBAAkB,GACvB3uE,KAAK4uE,oBAAqB,EAC1B5uE,KAAK6uE,WAAY,EACjB7uE,KAAK8uE,WAAa,oBAClB9uE,KAAK+uE,aAAe,uBACpB/uE,KAAKgvE,aAAe,uBACpBhvE,KAAKivE,cAAgB,wBACrBjvE,KAAKkvE,aAAe,uBACpBlvE,KAAKmvE,cAAgB,yBACrBnvE,KAAKovE,mBAAqB,6BAC1BpvE,KAAKqvE,cAAgB,4BACrBrvE,KAAKsvE,cAAgB,+BACrBtvE,KAAKuvE,SAAW,GAChBvvE,KAAKuvE,SAAU,IAAO,CACrBC,UAAW,OACXC,SAAU,OACVC,SAAU,OACVC,YAAa,QACbC,WAAY,CAAE,UAAW,WAAY,QAAS,QAAS,MAAO,OAC7D,OAAQ,SAAU,YAAa,UAAW,WAAY,YACvDC,gBAAiB,CAAE,MAAO,MAAO,MAAO,MAAO,MAAO,MAAO,MAAO,MAAO,MAAO,MAAO,MAAO,OAChGC,SAAU,CAAE,SAAU,SAAU,UAAW,YAAa,WAAY,SAAU,YAC9EC,cAAe,CAAE,MAAO,MAAO,MAAO,MAAO,MAAO,MAAO,OAC3DC,YAAa,CAAE,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,MACnDC,WAAY,KACZC,WAAY,WACZC,SAAU,EACV7zB,OAAO,EACP8zB,oBAAoB,EACpBC,WAAY,GACZC,iBAAkB,eAClBC,gBAAiB,eAElBvwE,KAAKwwE,UAAY,CAChBC,OAAQ,QAERC,SAAU,SACVC,YAAa,CAAC,EACdC,YAAa,KAEbC,WAAY,GACZC,WAAY,MACZC,YAAa,GACbC,iBAAiB,EACjBC,kBAAkB,EAElBC,wBAAwB,EACxBC,aAAa,EACbC,aAAa,EACbC,YAAY,EACZC,UAAW,YAGXC,iBAAiB,EACjBC,mBAAmB,EACnBC,UAAU,EACVC,cAAe1xE,KAAK2xE,YAEpBC,gBAAiB,MAGjBC,QAAS,KACTC,QAAS,KACTrkB,SAAU,OACVskB,cAAe,KAGfC,WAAY,KAEZC,SAAU,KACVC,kBAAmB,KACnBC,QAAS,KACTC,mBAAoB,KACpBC,eAAgB,EAChBC,iBAAkB,EAClBC,WAAY,EACZC,cAAe,GACfC,SAAU,GACVC,UAAW,GACXC,gBAAgB,EAChBC,iBAAiB,EACjBC,UAAU,EACV3oB,UAAU,GAEX5pD,EAAEm3B,OAAQz3B,KAAKwwE,UAAWxwE,KAAKuvE,SAAU,KACzCvvE,KAAKuvE,SAASuD,GAAKxyE,EAAEm3B,QAAQ,EAAM,CAAC,EAAGz3B,KAAKuvE,SAAU,KACtDvvE,KAAKuvE,SAAU,SAAYjvE,EAAEm3B,QAAQ,EAAM,CAAC,EAAGz3B,KAAKuvE,SAASuD,IAC7D9yE,KAAK+yE,MAAQC,EAAsB1yE,EAAG,YAAcN,KAAK8uE,WAAa,+FACvE,CAs8DA,SAASkE,EAAsBD,GAC9B,IAAIz3D,EAAW,iFACf,OAAOy3D,EAAMh7D,GAAI,WAAYuD,GAAU,WACrChb,EAAGN,MAAOyC,YAAa,mBACkC,IAApDzC,KAAKi7B,UAAUv1B,QAAS,uBAC5BpF,EAAGN,MAAOyC,YAAa,6BAEiC,IAApDzC,KAAKi7B,UAAUv1B,QAAS,uBAC5BpF,EAAGN,MAAOyC,YAAa,2BAEzB,IACCsV,GAAI,YAAauD,EAAU23D,EAC9B,CAEA,SAASA,IACF3yE,EAAE4yE,WAAWC,sBAAuB5E,EAAsB6E,OAAS7E,EAAsBwE,MAAMz8D,SAAU,GAAMi4D,EAAsBlnC,MAAO,MACjJ/mC,EAAGN,MAAO4jE,QAAS,2BAA4B7hE,KAAM,KAAMU,YAAa,kBACxEnC,EAAGN,MAAO2C,SAAU,mBACqC,IAApD3C,KAAKi7B,UAAUv1B,QAAS,uBAC5BpF,EAAGN,MAAO2C,SAAU,6BAEoC,IAApD3C,KAAKi7B,UAAUv1B,QAAS,uBAC5BpF,EAAGN,MAAO2C,SAAU,4BAGvB,CAGA,SAAS0wE,EAAyB5lE,EAAQxI,GAEzC,IAAM,IAAIwG,KADVnL,EAAEm3B,OAAQhqB,EAAQxI,GACAA,EACK,MAAjBA,EAAOwG,KACXgC,EAAQhC,GAASxG,EAAOwG,IAG1B,OAAOgC,CACR,CA3jG0BnN,EAAEqjC,OAAQ,kBAAmB,CACtD/a,QAAS,SACTqhC,eAAgB,QAChBnpD,QAAS,CACR46D,UAAW,aACXxR,SAAU,KACVopB,aAAa,EACb1L,MAAO,CACN,OAAU,uEACV,kBAAqB,yBACrB,cAAiB,8CACjB,WAAc,SACd,QAAW,sBAIb9mC,QAAS,WACR9gC,KAAKuzE,UACN,EAGAA,SAAU,WACTvzE,KAAKw4B,QAAQziB,KAAM,OAAQ,WAC3B/V,KAAK6hE,SACN,EAEA5W,SAAU,WACTjrD,KAAKwzE,iBAAkB,WACvBxzE,KAAKyzE,aAAatoB,WAAY,wBAC9BnrD,KAAKw4B,QAAQ8I,WAAY,QACpBthC,KAAKc,QAAQ8mE,MAAM8L,mBACvB1zE,KAAKw4B,QACHz2B,KAAM/B,KAAKc,QAAQ8mE,MAAM8L,mBACzB3xE,KAAM,mCACN2lC,WAAWisC,QAEf,EAEAC,aAAc,WACb,IAAI5oB,EAAOhrD,KACVyzE,EAAe,GAGhBnzE,EAAED,KAAML,KAAKc,QAAQ8mE,OAAO,SAAUjkC,EAAQroB,GAC7C,IAAIkoD,EACA1iE,EAAU,CAAC,EAGf,GAAMwa,EAIN,MAAgB,sBAAXqoB,IACJ6/B,EAASxY,EAAKxyB,QAAQz2B,KAAMuZ,IACrBjb,MAAM,WACZ,IAAIm4B,EAAUl4B,EAAGN,MAEZw4B,EAAQjiB,SAAU,mCAAoCvU,QAG3Dw2B,EAAQkP,WACNmsC,QAAS,uDACZ,IACA7oB,EAAKqB,UAAWmX,EAAQ,KAAM,qDAC9BiQ,EAAeA,EAAapzC,OAAQmjC,EAAOz7C,cAKtCznB,EAAEkM,GAAIm3B,KAOX7iC,EADIkqD,EAAM,IAAMrnB,EAAS,WACfqnB,EAAM,IAAMrnB,EAAS,WAAa,UAElC,CAAEzsB,QAAS,CAAC,GAIvB8zC,EAAKxyB,QACHz2B,KAAMuZ,GACNjb,MAAM,WACN,IAAIm4B,EAAUl4B,EAAGN,MACb8yC,EAAWta,EAASmL,GAAU,YAI9BmwC,EAAkBxzE,EAAEqjC,OAAOlM,OAAQ,CAAC,EAAG32B,GAI3C,GAAgB,WAAX6iC,IAAuBnL,EAAQliB,OAAQ,eAAgBtU,OAA5D,CAKM8wC,IACLA,EAAWta,EAASmL,KAAYA,GAAU,aAEtCmP,IACJghC,EAAgB58D,QACf8zC,EAAK+oB,sBAAuBD,EAAgB58D,QAAS47B,IAEvDta,EAASmL,GAAUmwC,GAInB,IAAIE,EAAgBx7C,EAASmL,GAAU,UACvCrjC,EAAE+C,KAAM2wE,EAAe,GAAK,uBAC3BlhC,GAAsBta,EAASmL,GAAU,aAE1C8vC,EAAa/lE,KAAMsmE,EAAe,GAlBlC,CAmBD,KACF,IAEAh0E,KAAKyzE,aAAenzE,EAAGA,EAAEyrD,WAAY0nB,IACrCzzE,KAAKqsD,UAAWrsD,KAAKyzE,aAAc,uBACpC,EAEAD,iBAAkB,SAAU5wE,GAC3B5C,KAAKyzE,aAAapzE,MAAM,WACvB,IACCgD,EADa/C,EAAGN,MACDqD,KAAM,wBACjBA,GAAQA,EAAMT,IAClBS,EAAMT,IAER,GACD,EAEAqxE,mBAAoB,SAAUz7C,EAAStX,GACtC,IACI6Z,EAAM/6B,KAAKk0E,oBAAqBhzD,EAAU,SAAUhK,QAAQhM,MAEhElL,KAAKkrD,aAAc1yB,EAAS,KAHf,+EAIbx4B,KAAKqsD,UAAW7zB,EAAS,KAAMuC,EAChC,EAEAm5C,oBAAqB,SAAUhzD,EAAUrd,GACxC,IAAI63D,EAAuC,aAA3B17D,KAAKc,QAAQ46D,UACzB52D,EAAS,CACZoS,QAAS,CAAC,GASX,OAPApS,EAAOoS,QAASrT,GAAQ,CACvB,OAAU,GACV,MAAS,cAAiB63D,EAAY,MAAQ,QAC9C,KAAQ,cAAiBA,EAAY,SAAW,SAChD,KAAQ,iBACNx6C,GAEIpc,CACR,EAEAqvE,gBAAiB,SAAUjzD,GAC1B,IAAIpgB,EAAUd,KAAKk0E,oBAAqBhzD,EAAU,cAKlD,OAHApgB,EAAQoW,QAAS,iBAAoB,GACrCpW,EAAQoW,QAAS,mBAAsB,GAEhCpW,CACR,EAEAszE,eAAgB,SAAUlzD,GACzB,OAAOlhB,KAAKk0E,oBAAqBhzD,EAAU,YAC5C,EAEAmzD,sBAAuB,SAAUnzD,GAChC,OAAOlhB,KAAKk0E,oBAAqBhzD,EAAU,yBAC5C,EAEAozD,mBAAoB,SAAUpzD,GAC7B,IAAIw6C,EAAuC,aAA3B17D,KAAKc,QAAQ46D,UAC7B,MAAO,CACN3oD,QAAO2oD,GAAY,OACnBxkD,QAAS,CACRq9D,OAAQ,CACP,4BAA6B,GAC7B,8BAA+B,IAEhCjkC,MAAO,CACN,4BAA6B,cAAiBorB,EAAY,MAAQ,MAClE,8BAA+B,cAAiBA,EAAY,MAAQ,SAErEvnB,KAAM,CACL,4BAA6BunB,EAAY,GAAK,eAC9C,8BAA+B,cAAiBA,EAAY,SAAW,UAExE8Y,KAAM,CACL,4BAA6B,gBAC7B,8BAA+B,kBAG9BtzD,GAEL,EAEA6yD,sBAAuB,SAAU78D,EAAS47B,GACzC,IAAIhuC,EAAS,CAAC,EAMd,OALAxE,EAAED,KAAM6W,GAAS,SAAUrT,GAC1B,IAAIkpC,EAAU+F,EAAShyC,QAAQoW,QAASrT,IAAS,GACjDkpC,EAAUnjB,OAAO3gB,UAAUsW,KAAK5e,KAAMosC,EAAQz4B,QAASk6D,EAAyB,KAChF1pE,EAAQjB,IAAUkpC,EAAU,IAAM71B,EAASrT,IAAQyQ,QAAS,OAAQ,IACrE,IACOxP,CACR,EAEAm9B,WAAY,SAAUp+B,EAAKG,GACb,cAARH,GACJ7D,KAAKkrD,aAAc,mBAAqBlrD,KAAKc,QAAQ46D,WAGtD17D,KAAKy+C,OAAQ56C,EAAKG,GACL,aAARH,EAKL7D,KAAK6hE,UAJJ7hE,KAAKwzE,iBAAkBxvE,EAAQ,UAAY,SAK7C,EAEA69D,QAAS,WACR,IAAItrD,EACHy0C,EAAOhrD,KAERA,KAAKqsD,UAAW,mCAAqCrsD,KAAKc,QAAQ46D,WAElC,eAA3B17D,KAAKc,QAAQ46D,WACjB17D,KAAKqsD,UAAW,KAAM,sBAEvBrsD,KAAK4zE,eAELr9D,EAAWvW,KAAKyzE,aAGXzzE,KAAKc,QAAQwyE,cACjB/8D,EAAWA,EAASnI,OAAQ,aAGxBmI,EAASvU,SAIb1B,EAAED,KAAM,CAAE,QAAS,SAAU,SAAUynC,EAAO9jC,GAC7C,IAAI8uC,EAAWv8B,EAAUvS,KAAUX,KAAM,wBAEzC,GAAKyvC,GAAYkY,EAAM,IAAMlY,EAASsW,WAAa,WAAc,CAChE,IAAItoD,EAAUkqD,EAAM,IAAMlY,EAASsW,WAAa,WAC3B,IAApB7yC,EAASvU,OAAe,OAASgC,GAElClD,EAAQoW,QAAU8zC,EAAK+oB,sBAAuBjzE,EAAQoW,QAAS47B,GAC/DA,EAASta,QAASsa,EAASsW,YAActoD,EAC1C,MACCkqD,EAAKipB,mBAAoB19D,EAAUvS,KAAWA,EAEhD,IAGAhE,KAAKwzE,iBAAkB,WAEzB,IAuBDlzE,EAAEqjC,OAAQ,mBAAoB,CAAErjC,EAAEunD,GAAG6Z,eAAgB,CACpD94C,QAAS,SACT9nB,QAAS,CACRopD,SAAU,KACVh/C,MAAO,KACP6C,MAAM,EACNmJ,QAAS,CACR,yBAA0B,gBAC1B,wBAAyB,kBAI3B2zC,kBAAmB,WAClB,IAAIX,EAAUsZ,EAAQiR,EAClB3zE,EAAUd,KAAKy+C,UAAY,CAAC,EAyChC,OApCAz+C,KAAK00E,YAELlR,EAASxjE,KAAKw4B,QAAQgrC,SAGtBxjE,KAAKkL,MAAQ5K,EAAGkjE,EAAQA,EAAOxhE,OAAS,IAClChC,KAAKkL,MAAMlJ,QAChB1B,EAAEI,MAAO,2CAGVV,KAAK20E,cAAgB,IAOrBF,EAAgBz0E,KAAKkL,MAAMw8B,WAAWskB,IAAKhsD,KAAKw4B,QAAS,KAEtCx2B,SAClBhC,KAAK20E,eAAiBF,EACpBphE,QACAwgE,QAAS,eACTv9D,SACAzV,QAIEb,KAAK20E,gBACT7zE,EAAQoK,MAAQlL,KAAK20E,eAIL,OADjBzqB,EAAWlqD,KAAKw4B,QAAS,GAAI0xB,YAE5BppD,EAAQopD,SAAWA,GAEbppD,CACR,EAEAggC,QAAS,WACR,IAAI8zC,EAAU50E,KAAKw4B,QAAS,GAAIo8C,QAEhC50E,KAAK8hE,wBAEyB,MAAzB9hE,KAAKc,QAAQopD,WACjBlqD,KAAKc,QAAQopD,SAAWlqD,KAAKw4B,QAAS,GAAI0xB,UAG3ClqD,KAAKiiC,WAAY,WAAYjiC,KAAKc,QAAQopD,UAC1ClqD,KAAKqsD,UAAW,mBAAoB,+BACpCrsD,KAAKqsD,UAAWrsD,KAAKkL,MAAO,yBAA0B,uBAEnC,UAAdlL,KAAKiD,MACTjD,KAAKqsD,UAAWrsD,KAAKkL,MAAO,gCAGxBlL,KAAKc,QAAQoK,OAASlL,KAAKc,QAAQoK,QAAUlL,KAAK20E,cACtD30E,KAAK60E,eACM70E,KAAK20E,gBAChB30E,KAAKc,QAAQoK,MAAQlL,KAAK20E,eAG3B30E,KAAKuzE,WAEAqB,GACJ50E,KAAKqsD,UAAWrsD,KAAKkL,MAAO,2BAA4B,mBAGzDlL,KAAKyqD,IAAK,CACTygB,OAAQ,iBACRp8C,MAAO,WACN9uB,KAAKqsD,UAAWrsD,KAAKkL,MAAO,KAAM,iCACnC,EACA48D,KAAM,WACL9nE,KAAKkrD,aAAclrD,KAAKkL,MAAO,KAAM,iCACtC,GAEF,EAEAwpE,UAAW,WACV,IAAI/yB,EAAW3hD,KAAKw4B,QAAS,GAAImpB,SAASrkC,cAC1Ctd,KAAKiD,KAAOjD,KAAKw4B,QAAS,GAAIv1B,KACZ,UAAb0+C,GAAyB,iBAAiBpY,KAAMvpC,KAAKiD,OACzD3C,EAAEI,MAAO,kDAAoDihD,EAC5D,qBAAuB3hD,KAAKiD,KAE/B,EAGAswE,SAAU,WACTvzE,KAAK80E,YAAa90E,KAAKw4B,QAAS,GAAIo8C,QACrC,EAEAjxC,OAAQ,WACP,OAAO3jC,KAAKkL,KACb,EAEA6pE,eAAgB,WACf,IACItpE,EAAOzL,KAAKw4B,QAAS,GAAI/sB,KACzBupE,EAAe,eAAiB10E,EAAE2hE,eAAgBx2D,GAAS,KAE/D,OAAMA,GAIDzL,KAAKsoC,KAAKtmC,OACN1B,EAAGN,KAAKsoC,KAAM,GAAI+Y,UAAWjzC,OAAQ4mE,GAIrC10E,EAAG00E,GAAe5mE,QAAQ,WACjC,OAAoC,IAA7B9N,EAAGN,MAAOyhE,QAAQz/D,MAC1B,KAGYgqD,IAAKhsD,KAAKw4B,SAbfl4B,EAAG,GAcZ,EAEA20E,eAAgB,WACf,IAAIL,EAAU50E,KAAKw4B,QAAS,GAAIo8C,QAChC50E,KAAKyrD,aAAczrD,KAAKkL,MAAO,2BAA4B,kBAAmB0pE,GAEzE50E,KAAKc,QAAQiN,MAAsB,aAAd/N,KAAKiD,MAC9BjD,KAAKyrD,aAAczrD,KAAK+N,KAAM,KAAM,iCAAkC6mE,GACpEnpB,aAAczrD,KAAK+N,KAAM,KAAM,iBAAkB6mE,GAGjC,UAAd50E,KAAKiD,MACTjD,KAAK+0E,iBACH10E,MAAM,WACN,IAAIyyC,EAAWxyC,EAAGN,MAAOk1E,cAAe,YAEnCpiC,GACJA,EAASoY,aAAcpY,EAAS5nC,MAC/B,2BAA4B,kBAE/B,GAEH,EAEA+/C,SAAU,WACTjrD,KAAK+hE,0BAEA/hE,KAAK+N,OACT/N,KAAK+N,KAAK2J,SACV1X,KAAKm1E,UAAUz9D,SAEjB,EAEAuqB,WAAY,SAAUp+B,EAAKG,GAG1B,GAAa,UAARH,GAAoBG,EAAzB,CAMA,GAFAhE,KAAKy+C,OAAQ56C,EAAKG,GAEL,aAARH,EAKJ,OAJA7D,KAAKyrD,aAAczrD,KAAKkL,MAAO,KAAM,oBAAqBlH,QAC1DhE,KAAKw4B,QAAS,GAAI0xB,SAAWlmD,GAK9BhE,KAAK6hE,SAXL,CAYD,EAEAiT,YAAa,SAAUF,GACtB,IAAIzlC,EAAQ,8BAEPnvC,KAAKc,QAAQiN,MACX/N,KAAK+N,OACV/N,KAAK+N,KAAOzN,EAAG,UACfN,KAAKm1E,UAAY70E,EAAG,kBACpBN,KAAKqsD,UAAWrsD,KAAKm1E,UAAW,gCAGd,aAAdn1E,KAAKiD,MACTksC,GAASylC,EAAU,iCAAmC,gBACtD50E,KAAKkrD,aAAclrD,KAAK+N,KAAM,KAAM6mE,EAAU,gBAAkB,kBAEhEzlC,GAAS,gBAEVnvC,KAAKqsD,UAAWrsD,KAAK+N,KAAM,wBAAyBohC,GAC9CylC,GACL50E,KAAKkrD,aAAclrD,KAAK+N,KAAM,KAAM,kCAErC/N,KAAK+N,KAAKo0B,UAAWniC,KAAKkL,OAAQkqE,MAAOp1E,KAAKm1E,iBACrB/0E,IAAdJ,KAAK+N,OAChB/N,KAAK+N,KAAK2J,SACV1X,KAAKm1E,UAAUz9D,gBACR1X,KAAK+N,KAEd,EAEA8mE,aAAc,WAGb,IAAIntC,EAAW1nC,KAAKkL,MAAMw8B,WAAWskB,IAAKhsD,KAAKw4B,QAAS,IACnDx4B,KAAK+N,OACT25B,EAAWA,EAASskB,IAAKhsD,KAAK+N,KAAM,KAEhC/N,KAAKm1E,YACTztC,EAAWA,EAASskB,IAAKhsD,KAAKm1E,UAAW,KAE1CztC,EAAShwB,SAET1X,KAAKkL,MAAM8K,OAAQhW,KAAKc,QAAQoK,MACjC,EAEA22D,QAAS,WACR,IAAI+S,EAAU50E,KAAKw4B,QAAS,GAAIo8C,QAC/BS,EAAar1E,KAAKw4B,QAAS,GAAI0xB,SAEhClqD,KAAK80E,YAAaF,GAClB50E,KAAKyrD,aAAczrD,KAAKkL,MAAO,2BAA4B,kBAAmB0pE,GAClD,OAAvB50E,KAAKc,QAAQoK,OACjBlL,KAAK60E,eAGDQ,IAAer1E,KAAKc,QAAQopD,UAChClqD,KAAK4hC,YAAa,CAAE,SAAYyzC,GAElC,KAI0B/0E,EAAEunD,GAAGqtB,cAsBhC50E,EAAEqjC,OAAQ,YAAa,CACtB/a,QAAS,SACTqhC,eAAgB,WAChBnpD,QAAS,CACRoW,QAAS,CACR,YAAa,iBAEdgzC,SAAU,KACVn8C,KAAM,KACNunE,aAAc,YACdpqE,MAAO,KACPqqE,WAAW,GAGZ1qB,kBAAmB,WAClB,IAAIX,EAIHppD,EAAUd,KAAKy+C,UAAY,CAAC,EAc7B,OAZAz+C,KAAK0rE,QAAU1rE,KAAKw4B,QAAQpS,GAAI,SAGf,OADjB8jC,EAAWlqD,KAAKw4B,QAAS,GAAI0xB,YAE5BppD,EAAQopD,SAAWA,GAGpBlqD,KAAK20E,cAAgB30E,KAAK0rE,QAAU1rE,KAAKw4B,QAAQ8J,MAAQtiC,KAAKw4B,QAAQ33B,OACjEb,KAAK20E,gBACT7zE,EAAQoK,MAAQlL,KAAK20E,eAGf7zE,CACR,EAEAggC,QAAS,YACF9gC,KAAKgqD,OAAOurB,WAAav1E,KAAKc,QAAQiN,OAC3C/N,KAAKc,QAAQy0E,WAAY,GAMI,MAAzBv1E,KAAKc,QAAQopD,WACjBlqD,KAAKc,QAAQopD,SAAWlqD,KAAKw4B,QAAS,GAAI0xB,WAAY,GAGvDlqD,KAAKw1E,WAAax1E,KAAKw4B,QAAQziB,KAAM,SAGhC/V,KAAKc,QAAQoK,OAASlL,KAAKc,QAAQoK,QAAUlL,KAAK20E,gBACjD30E,KAAK0rE,QACT1rE,KAAKw4B,QAAQ8J,IAAKtiC,KAAKc,QAAQoK,OAE/BlL,KAAKw4B,QAAQ33B,KAAMb,KAAKc,QAAQoK,QAGlClL,KAAKqsD,UAAW,YAAa,aAC7BrsD,KAAKiiC,WAAY,WAAYjiC,KAAKc,QAAQopD,UAC1ClqD,KAAKuzE,WAEAvzE,KAAKw4B,QAAQpS,GAAI,MACrBpmB,KAAKyqD,IAAK,CACT,MAAS,SAAUvkC,GACbA,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQ2hC,QACnCn9C,EAAMC,iBAKDnmB,KAAKw4B,QAAS,GAAIrhB,MACtBnX,KAAKw4B,QAAS,GAAIrhB,QAElBnX,KAAKw4B,QAAQ91B,QAAS,SAGzB,GAGH,EAEA6wE,SAAU,WACHvzE,KAAKw4B,QAAQpS,GAAI,WACtBpmB,KAAKw4B,QAAQziB,KAAM,OAAQ,UAGvB/V,KAAKc,QAAQiN,OACjB/N,KAAK80E,YAAa,OAAQ90E,KAAKc,QAAQiN,MACvC/N,KAAKy1E,iBAEP,EAEAA,eAAgB,WACfz1E,KAAKqK,MAAQrK,KAAKw4B,QAAQziB,KAAM,SAE1B/V,KAAKc,QAAQy0E,WAAcv1E,KAAKqK,OACrCrK,KAAKw4B,QAAQziB,KAAM,QAAS/V,KAAKc,QAAQoK,MAE3C,EAEA4pE,YAAa,SAAU9qB,EAAQhmD,GAC9B,IAAI+J,EAAkB,iBAAXi8C,EACV9oC,EAAWnT,EAAO/N,KAAKc,QAAQw0E,aAAetxE,EAC9C0xE,EAA4B,QAAbx0D,GAAmC,WAAbA,EAGhClhB,KAAK+N,KAQCA,GAGX/N,KAAKkrD,aAAclrD,KAAK+N,KAAM,KAAM/N,KAAKc,QAAQiN,OAVjD/N,KAAK+N,KAAOzN,EAAG,UAEfN,KAAKqsD,UAAWrsD,KAAK+N,KAAM,iBAAkB,WAEvC/N,KAAKc,QAAQy0E,WAClBv1E,KAAKqsD,UAAW,wBASbt+C,GACJ/N,KAAKqsD,UAAWrsD,KAAK+N,KAAM,KAAM/J,GAGlChE,KAAK21E,YAAaz0D,GAIbw0D,GACJ11E,KAAKqsD,UAAWrsD,KAAK+N,KAAM,KAAM,wBAC5B/N,KAAKm1E,WACTn1E,KAAKm1E,UAAUz9D,WAMV1X,KAAKm1E,YACVn1E,KAAKm1E,UAAY70E,EAAG,kBACpBN,KAAKqsD,UAAWrsD,KAAKm1E,UAAW,yBAEjCn1E,KAAKkrD,aAAclrD,KAAK+N,KAAM,KAAM,uBACpC/N,KAAK41E,iBAAkB10D,GAEzB,EAEA+pC,SAAU,WACTjrD,KAAKw4B,QAAQ8I,WAAY,QAEpBthC,KAAK+N,MACT/N,KAAK+N,KAAK2J,SAEN1X,KAAKm1E,WACTn1E,KAAKm1E,UAAUz9D,SAEV1X,KAAKw1E,UACVx1E,KAAKw4B,QAAQ8I,WAAY,QAE3B,EAEAs0C,iBAAkB,SAAUN,GAC3Bt1E,KAAK+N,KAAM,kBAAkBw7B,KAAM+rC,GAAiB,SAAW,SAAWt1E,KAAKm1E,UAChF,EAEAQ,YAAa,SAAUL,GACtBt1E,KAAKw4B,QAAS,kBAAkB+Q,KAAM+rC,GAAiB,SAAW,WAAat1E,KAAK+N,KACrF,EAEA6zB,YAAa,SAAU9gC,GACtB,IAAI+0E,OAAqCz1E,IAAtBU,EAAQy0E,UACzBv1E,KAAKc,QAAQy0E,UACbz0E,EAAQy0E,UACTO,OAA2B11E,IAAjBU,EAAQiN,KAAqB/N,KAAKc,QAAQiN,KAAOjN,EAAQiN,KAE9D8nE,GAAiBC,IACtBh1E,EAAQy0E,WAAY,GAErBv1E,KAAKy+C,OAAQ39C,EACd,EAEAmhC,WAAY,SAAUp+B,EAAKG,GACb,SAARH,IACCG,EACJhE,KAAK80E,YAAajxE,EAAKG,GACZhE,KAAK+N,OAChB/N,KAAK+N,KAAK2J,SACL1X,KAAKm1E,WACTn1E,KAAKm1E,UAAUz9D,WAKL,iBAAR7T,GACJ7D,KAAK80E,YAAajxE,EAAKG,GAIX,cAARH,IACH7D,KAAKyrD,aAAc,sBAAuB,MAAOznD,GACjDhE,KAAKy1E,kBAGM,UAAR5xE,IACC7D,KAAK0rE,QACT1rE,KAAKw4B,QAAQ8J,IAAKt+B,IAKlBhE,KAAKw4B,QAAQ33B,KAAMmD,GACdhE,KAAK+N,OACT/N,KAAK21E,YAAa31E,KAAKc,QAAQw0E,cAC/Bt1E,KAAK41E,iBAAkB51E,KAAKc,QAAQw0E,iBAKvCt1E,KAAKy+C,OAAQ56C,EAAKG,GAEL,aAARH,IACJ7D,KAAKyrD,aAAc,KAAM,oBAAqBznD,GAC9ChE,KAAKw4B,QAAS,GAAI0xB,SAAWlmD,EACxBA,GACJhE,KAAKw4B,QAAQ91B,QAAS,QAGzB,EAEAm/D,QAAS,WAIR,IAAIwT,EAAar1E,KAAKw4B,QAAQpS,GAAI,iBACjCpmB,KAAKw4B,QAAS,GAAI0xB,SAAWlqD,KAAKw4B,QAAQH,SAAU,sBAEhDg9C,IAAer1E,KAAKc,QAAQopD,UAChClqD,KAAK4hC,YAAa,CAAEsoB,SAAUmrB,IAG/Br1E,KAAKy1E,gBACN,KAIuB,IAAnBn1E,EAAEq6D,eAGNr6D,EAAEqjC,OAAQ,YAAarjC,EAAEunD,GAAG16C,OAAQ,CACnCrM,QAAS,CACRQ,MAAM,EACNijE,MAAO,CACNwR,QAAS,KACTC,UAAW,OAIbl1C,QAAS,WACH9gC,KAAKc,QAAQy0E,YAAcv1E,KAAKc,QAAQQ,OAC5CtB,KAAKc,QAAQy0E,UAAYv1E,KAAKc,QAAQQ,OAEjCtB,KAAKc,QAAQy0E,WAAav1E,KAAKc,QAAQQ,OAC5CtB,KAAKc,QAAQQ,KAAOtB,KAAKc,QAAQy0E,WAE5Bv1E,KAAKc,QAAQiN,OAAU/N,KAAKc,QAAQyjE,MAAMwR,UAC9C/1E,KAAKc,QAAQyjE,MAAMyR,UAOTh2E,KAAKc,QAAQiN,OACxB/N,KAAKc,QAAQyjE,MAAMwR,QAAU/1E,KAAKc,QAAQiN,MAPrC/N,KAAKc,QAAQyjE,MAAMwR,QACvB/1E,KAAKc,QAAQiN,KAAO/N,KAAKc,QAAQyjE,MAAMwR,SAEvC/1E,KAAKc,QAAQiN,KAAO/N,KAAKc,QAAQyjE,MAAMyR,UACvCh2E,KAAKc,QAAQw0E,aAAe,OAK9Bt1E,KAAKy+C,QACN,EAEAxc,WAAY,SAAUp+B,EAAKG,GACb,SAARH,GAIQ,cAARA,IACJ7D,KAAKc,QAAQQ,KAAO0C,GAER,SAARH,IACJ7D,KAAKc,QAAQyjE,MAAMwR,QAAU/xE,GAEjB,UAARH,IACCG,EAAM+xE,SACV/1E,KAAKy+C,OAAQ,OAAQz6C,EAAM+xE,SAC3B/1E,KAAKy+C,OAAQ,eAAgB,cAClBz6C,EAAMgyE,YACjBh2E,KAAKy+C,OAAQ,OAAQz6C,EAAMgyE,WAC3Bh2E,KAAKy+C,OAAQ,eAAgB,SAG/Bz+C,KAAK+oD,YAAal+C,YAlBjB7K,KAAKy+C,OAAQ,YAAaz6C,EAmB5B,IAGD1D,EAAEkM,GAAGW,OAAS,SAAY26C,GACzB,OAAO,SAAUhnD,GAChB,IAAI8oD,EAAkC,iBAAZ9oD,EACtB6lC,EAAOpI,MAAMt1B,UAAU4D,MAAMlM,KAAMkK,UAAW,GAC9Cm+C,EAAchpD,KAwElB,OAtEK4pD,EAIE5pD,KAAKgC,QAAsB,aAAZlB,EAGpBd,KAAKK,MAAM,WACV,IAAIwpD,EACA5mD,EAAO3C,EAAGN,MAAO+V,KAAM,QACvBtK,EAAgB,aAATxI,GAAgC,UAATA,EACjC,SACA,gBACG6vC,EAAWxyC,EAAE+C,KAAMrD,KAAM,MAAQyL,GAErC,MAAiB,aAAZ3K,GACJkoD,EAAclW,GACP,GAGFA,EAM8B,mBAAxBA,EAAUhyC,IACG,MAAxBA,EAAQme,OAAQ,GACT3e,EAAEI,MAAO,mBAAqBI,EAArB,iCAIjB+oD,EAAc/W,EAAUhyC,GAAU4Z,MAAOo4B,EAAUnM,MAE9BmM,QAA4B1yC,IAAhBypD,GAChCb,EAAca,GAAeA,EAAYC,OACxCd,EAAYe,UAAWF,EAAY9hC,OACnC8hC,GACM,QAJR,EAbQvpD,EAAEI,MAAO,oFAEgBI,EAAU,IAiB5C,IAnCAkoD,OAAc5oD,GAwCVumC,EAAK3kC,SACTlB,EAAUR,EAAEqjC,OAAOlM,OAAO/c,MAAO,KAAM,CAAE5Z,GAAUu/B,OAAQsG,KAG5D3mC,KAAKK,MAAM,WACV,IAAI4C,EAAO3C,EAAGN,MAAO+V,KAAM,QACvBtK,EAAgB,aAATxI,GAAgC,UAATA,EAAmB,SAAW,gBAC5D6vC,EAAWxyC,EAAE+C,KAAMrD,KAAM,MAAQyL,GAErC,GAAKqnC,EACJA,EAASkX,OAAQlpD,GAAW,CAAC,GACxBgyC,EAAS/Q,OACb+Q,EAAS/Q,YAEJ,CACN,GAAc,WAATt2B,EAEJ,YADAq8C,EAAKnnD,KAAML,EAAGN,MAAQc,GAIvBR,EAAGN,MAAOk1E,cAAe50E,EAAEm3B,OAAQ,CAAE1pB,MAAM,GAASjN,GACrD,CACD,KAGMkoD,CACR,CACC,CA9EY,CA8ET1oD,EAAEkM,GAAGW,QAEV7M,EAAEkM,GAAGypE,UAAY,WAIhB,OAHM31E,EAAEunD,GAAGquB,cACV51E,EAAEI,MAAO,+BAEc,WAAnBmK,UAAW,IAAuC,UAAnBA,UAAW,IAAmBA,UAAW,GACrE7K,KAAKk2E,aAAax7D,MAAO1a,KAC/B,CAAE6K,UAAW,GAAK,eAAgBA,UAAW,KAEvB,WAAnBA,UAAW,IAAuC,UAAnBA,UAAW,GACvC7K,KAAKk2E,aAAax7D,MAAO1a,KAAM,CAAE6K,UAAW,GAAK,kBAE1B,iBAAnBA,UAAW,IAAoBA,UAAW,GAAI+8D,QACzD/8D,UAAW,GAAI+8D,MAAQ,CACtBz6D,OAAQtC,UAAW,GAAI+8D,QAGlB5nE,KAAKk2E,aAAax7D,MAAO1a,KAAM6K,WACvC,GAGmBvK,EAAEunD,GAAG16C,OAuBzB7M,EAAEm3B,OAAQn3B,EAAEunD,GAAI,CAAEqrB,WAAY,CAAEtqD,QAAS,YA+HzCtoB,EAAEm3B,OAAQg3C,EAAWxlE,UAAW,CAG/BktE,gBAAiB,gBAGjBC,QAAS,EAGTC,kBAAmB,WAClB,OAAOr2E,KAAK+yE,KACb,EAMAuD,YAAa,SAAUlgD,GAEtB,OADAi9C,EAAyBrzE,KAAKwwE,UAAWp6C,GAAY,CAAC,GAC/Cp2B,IACR,EAMAu2E,kBAAmB,SAAU9oE,EAAQ2oB,GACpC,IAAIurB,EAAUyxB,EAAQhf,EAEtBgf,EAAwB,SADxBzxB,EAAWl0C,EAAOk0C,SAASrkC,gBACmB,SAAbqkC,EAC3Bl0C,EAAOlI,KACZvF,KAAKmqD,MAAQ,EACb18C,EAAOlI,GAAK,KAAOvF,KAAKmqD,OAEzBiK,EAAOp0D,KAAKw2E,SAAUl2E,EAAGmN,GAAU2lE,IAC9Bh9C,SAAW91B,EAAEm3B,OAAQ,CAAC,EAAGrB,GAAY,CAAC,GACzB,UAAburB,EACJ3hD,KAAKy2E,mBAAoBhpE,EAAQ2mD,GACtBgf,GACXpzE,KAAK02E,kBAAmBjpE,EAAQ2mD,EAElC,EAGAoiB,SAAU,SAAU/oE,EAAQ2lE,GAE3B,MAAO,CAAE7tE,GADAkI,EAAQ,GAAIlI,GAAG+O,QAAS,qBAAsB,UACtC+yB,MAAO55B,EACvBkpE,YAAa,EAAGC,cAAe,EAAGC,aAAc,EAChDC,UAAW,EAAGC,SAAU,EACxB3D,OAAQA,EACRL,MAAUK,EACVJ,EAAsB1yE,EAAG,eAAiBN,KAAK+uE,aAAe,wFAD3C/uE,KAAK+yE,MAE1B,EAGA0D,mBAAoB,SAAUhpE,EAAQ2mD,GACrC,IAAI/sB,EAAQ/mC,EAAGmN,GACf2mD,EAAKp+C,OAAS1V,EAAG,IACjB8zD,EAAK1xD,QAAUpC,EAAG,IACb+mC,EAAMhP,SAAUr4B,KAAKm2E,mBAG1Bn2E,KAAKg3E,aAAc3vC,EAAO+sB,GAC1B/sB,EAAM1kC,SAAU3C,KAAKm2E,iBAAkBp+D,GAAI,UAAW/X,KAAKi3E,YAC1Dl/D,GAAI,WAAY/X,KAAKk3E,aAAcn/D,GAAI,QAAS/X,KAAKm3E,UACtDn3E,KAAKo3E,UAAWhjB,GAChB9zD,EAAE+C,KAAMoK,EAAQ,aAAc2mD,GAGzBA,EAAKh+B,SAAS8zB,UAClBlqD,KAAKq3E,mBAAoB5pE,GAE3B,EAGAupE,aAAc,SAAU3vC,EAAO+sB,GAC9B,IAAIqc,EAAQK,EAAYC,EACvBF,EAAa7wE,KAAKs3E,KAAMljB,EAAM,cAC9B9X,EAAQt8C,KAAKs3E,KAAMljB,EAAM,SAErBA,EAAKp+C,QACTo+C,EAAKp+C,OAAO0B,SAERm5D,IACJzc,EAAKp+C,OAAS1V,EAAG,UACfqC,SAAU3C,KAAKgvE,cACf1tE,KAAMuvE,GACRxpC,EAAOiV,EAAQ,SAAW,SAAW8X,EAAKp+C,SAG3CqxB,EAAM7gB,IAAK,QAASxmB,KAAKu3E,iBAEpBnjB,EAAK1xD,SACT0xD,EAAK1xD,QAAQgV,SAIE,WADhB+4D,EAASzwE,KAAKs3E,KAAMljB,EAAM,YACY,SAAXqc,GAC1BppC,EAAMtvB,GAAI,QAAS/X,KAAKu3E,iBAET,WAAX9G,GAAkC,SAAXA,IAC3BK,EAAa9wE,KAAKs3E,KAAMljB,EAAM,cAC9B2c,EAAc/wE,KAAKs3E,KAAMljB,EAAM,eAE1Bp0D,KAAKs3E,KAAMljB,EAAM,mBACrBA,EAAK1xD,QAAUpC,EAAG,SAChBqC,SAAU3C,KAAKivE,eACfl5D,KAAM,CACNX,IAAK27D,EACLnxC,IAAKkxC,EACLzmE,MAAOymE,KAGT1c,EAAK1xD,QAAUpC,EAAG,0BAChBqC,SAAU3C,KAAKivE,eACZ8B,EACJ3c,EAAK1xD,QAAQ7B,KACZP,EAAG,SACDyV,KAAM,CACNX,IAAK27D,EACLnxC,IAAKkxC,EACLzmE,MAAOymE,KAIV1c,EAAK1xD,QAAQpB,KAAMwvE,IAIrBzpC,EAAOiV,EAAQ,SAAW,SAAW8X,EAAK1xD,SAC1C0xD,EAAK1xD,QAAQqV,GAAI,SAAS,WASzB,OARKzX,EAAE4yE,WAAWtE,oBAAsBtuE,EAAE4yE,WAAWsE,aAAenwC,EAAO,GAC1E/mC,EAAE4yE,WAAWuE,kBACFn3E,EAAE4yE,WAAWtE,oBAAsBtuE,EAAE4yE,WAAWsE,aAAenwC,EAAO,IACjF/mC,EAAE4yE,WAAWuE,kBACbn3E,EAAE4yE,WAAWqE,gBAAiBlwC,EAAO,KAErC/mC,EAAE4yE,WAAWqE,gBAAiBlwC,EAAO,KAE/B,CACR,IAEF,EAGA+vC,UAAW,SAAUhjB,GACpB,GAAKp0D,KAAKs3E,KAAMljB,EAAM,cAAiBA,EAAKgf,OAAS,CACpD,IAAIsE,EAAS5kE,EAAK6kE,EAAMlmE,EACvBqQ,EAAO,IAAIC,KAAM,KAAM,GAAQ,IAC/BmuD,EAAalwE,KAAKs3E,KAAMljB,EAAM,cAE1B8b,EAAWxwD,MAAO,UACtBg4D,EAAU,SAAUpuC,GAGnB,IAFAx2B,EAAM,EACN6kE,EAAO,EACDlmE,EAAI,EAAGA,EAAI63B,EAAMtnC,OAAQyP,IACzB63B,EAAO73B,GAAIzP,OAAS8Q,IACxBA,EAAMw2B,EAAO73B,GAAIzP,OACjB21E,EAAOlmE,GAGT,OAAOkmE,CACR,EACA71D,EAAK81D,SAAUF,EAAS13E,KAAKs3E,KAAMljB,EAAQ8b,EAAWxwD,MAAO,MAC5D,aAAe,qBAChBoC,EAAK+1D,QAASH,EAAS13E,KAAKs3E,KAAMljB,EAAQ8b,EAAWxwD,MAAO,MAC3D,WAAa,kBAAwB,GAAKoC,EAAKg2D,WAEjD1jB,EAAK/sB,MAAMtxB,KAAM,OAAQ/V,KAAK+3E,YAAa3jB,EAAMtyC,GAAO9f,OACzD,CACD,EAGA00E,kBAAmB,SAAUjpE,EAAQ2mD,GACpC,IAAI4jB,EAAU13E,EAAGmN,GACZuqE,EAAQ3/C,SAAUr4B,KAAKm2E,mBAG5B6B,EAAQr1E,SAAU3C,KAAKm2E,iBAAkBngE,OAAQo+C,EAAK2e,OACtDzyE,EAAE+C,KAAMoK,EAAQ,aAAc2mD,GAC9Bp0D,KAAKi4E,SAAU7jB,EAAMp0D,KAAKk4E,gBAAiB9jB,IAAQ,GACnDp0D,KAAKm4E,kBAAmB/jB,GACxBp0D,KAAKo4E,iBAAkBhkB,GAGlBA,EAAKh+B,SAAS8zB,UAClBlqD,KAAKq3E,mBAAoB5pE,GAK1B2mD,EAAK2e,MAAMx+D,IAAK,UAAW,SAC5B,EAYA8jE,kBAAmB,SAAUhxC,EAAOvlB,EAAMmwD,EAAU77C,EAAU7X,GAC7D,IAAIhZ,EAAI+yE,EAAcC,EAAeC,EAASC,EAC7CrkB,EAAOp0D,KAAK04E,YAqCb,OAnCMtkB,IACLp0D,KAAKmqD,MAAQ,EACb5kD,EAAK,KAAOvF,KAAKmqD,KACjBnqD,KAAK24E,aAAer4E,EAAG,0BAA4BiF,EAClD,4DACDvF,KAAK24E,aAAa5gE,GAAI,UAAW/X,KAAKi3E,YACtC32E,EAAG,QAAS0V,OAAQhW,KAAK24E,eACzBvkB,EAAOp0D,KAAK04E,YAAc14E,KAAKw2E,SAAUx2E,KAAK24E,cAAc,IACvDviD,SAAW,CAAC,EACjB91B,EAAE+C,KAAMrD,KAAK24E,aAAc,GAAK,aAAcvkB,IAE/Cif,EAAyBjf,EAAKh+B,SAAUA,GAAY,CAAC,GACrDtU,EAASA,GAAQA,EAAKmsB,cAAgBlsB,KAAO/hB,KAAK+3E,YAAa3jB,EAAMtyC,GAASA,EAC9E9hB,KAAK24E,aAAar2C,IAAKxgB,GAEvB9hB,KAAK44E,KAASr6D,EAAQA,EAAIvc,OAASuc,EAAM,CAAEA,EAAI0xC,MAAO1xC,EAAIyxC,OAAY,KAChEhwD,KAAK44E,OACVN,EAAe/uE,SAASgzC,gBAAgB56B,YACxC42D,EAAgBhvE,SAASgzC,gBAAgBs8B,aACzCL,EAAUjvE,SAASgzC,gBAAgB+S,YAAc/lD,SAAS5B,KAAK2nD,WAC/DmpB,EAAUlvE,SAASgzC,gBAAgBO,WAAavzC,SAAS5B,KAAKm1C,UAC9D98C,KAAK44E,KACJ,CAAIN,EAAe,EAAM,IAAME,EAAWD,EAAgB,EAAM,IAAME,IAIxEz4E,KAAK24E,aAAapkE,IAAK,OAAUvU,KAAK44E,KAAM,GAAM,GAAO,MAAOrkE,IAAK,MAAOvU,KAAK44E,KAAM,GAAM,MAC7FxkB,EAAKh+B,SAAS67C,SAAWA,EACzBjyE,KAAK6uE,WAAY,EACjB7uE,KAAK+yE,MAAMpwE,SAAU3C,KAAKkvE,cAC1BlvE,KAAKu3E,gBAAiBv3E,KAAK24E,aAAc,IACpCr4E,EAAEw4E,SACNx4E,EAAEw4E,QAAS94E,KAAK+yE,OAEjBzyE,EAAE+C,KAAMrD,KAAK24E,aAAc,GAAK,aAAcvkB,GACvCp0D,IACR,EAKA+4E,mBAAoB,SAAUtrE,GAC7B,IAAIk0C,EACHtoB,EAAU/4B,EAAGmN,GACb2mD,EAAO9zD,EAAE+C,KAAMoK,EAAQ,cAElB4rB,EAAQhB,SAAUr4B,KAAKm2E,mBAI7Bx0B,EAAWl0C,EAAOk0C,SAASrkC,cAC3Bhd,EAAE6qD,WAAY19C,EAAQ,cACJ,UAAbk0C,GACJyS,EAAKp+C,OAAO0B,SACZ08C,EAAK1xD,QAAQgV,SACb2hB,EAAQ52B,YAAazC,KAAKm2E,iBACzB3vD,IAAK,QAASxmB,KAAKu3E,iBACnB/wD,IAAK,UAAWxmB,KAAKi3E,YACrBzwD,IAAK,WAAYxmB,KAAKk3E,aACtB1wD,IAAK,QAASxmB,KAAKm3E,WACI,QAAbx1B,GAAmC,SAAbA,GACjCtoB,EAAQ52B,YAAazC,KAAKm2E,iBAAkB9zC,QAGxCksC,IAA0Bna,IAC9Bma,EAAwB,KACxBvuE,KAAK0uE,SAAW,MAElB,EAKAsK,kBAAmB,SAAUvrE,GAC5B,IAAIk0C,EAAUyxB,EACb/5C,EAAU/4B,EAAGmN,GACb2mD,EAAO9zD,EAAE+C,KAAMoK,EAAQ,cAElB4rB,EAAQhB,SAAUr4B,KAAKm2E,mBAKX,WADlBx0B,EAAWl0C,EAAOk0C,SAASrkC,gBAE1B7P,EAAOy8C,UAAW,EAClBkK,EAAK1xD,QAAQ0L,OAAQ,UACpB/N,MAAM,WACLL,KAAKkqD,UAAW,CACjB,IAAI/jB,MACJ/3B,OAAQ,OAAQmG,IAAK,CAAEirD,QAAS,MAAOyZ,OAAQ,MACxB,QAAbt3B,GAAmC,SAAbA,KACjCyxB,EAAS/5C,EAAQ9iB,SAAU,IAAMvW,KAAK+uE,eAC/Bx4D,WAAW9T,YAAa,qBAC/B2wE,EAAOrxE,KAAM,yDACZkU,KAAM,YAAY,IAEpBjW,KAAK2uE,gBAAkBruE,EAAEyM,IAAK/M,KAAK2uE,iBAGlC,SAAU3qE,GACT,OAASA,IAAUyJ,EAAS,KAAOzJ,CACpC,IACF,EAKAqzE,mBAAoB,SAAU5pE,GAC7B,IAAIk0C,EAAUyxB,EACb/5C,EAAU/4B,EAAGmN,GACb2mD,EAAO9zD,EAAE+C,KAAMoK,EAAQ,cAElB4rB,EAAQhB,SAAUr4B,KAAKm2E,mBAKX,WADlBx0B,EAAWl0C,EAAOk0C,SAASrkC,gBAE1B7P,EAAOy8C,UAAW,EAClBkK,EAAK1xD,QAAQ0L,OAAQ,UACpB/N,MAAM,WACLL,KAAKkqD,UAAW,CACjB,IAAI/jB,MACJ/3B,OAAQ,OAAQmG,IAAK,CAAEirD,QAAS,MAAOyZ,OAAQ,aACxB,QAAbt3B,GAAmC,SAAbA,KACjCyxB,EAAS/5C,EAAQ9iB,SAAU,IAAMvW,KAAK+uE,eAC/Bx4D,WAAW5T,SAAU,qBAC5BywE,EAAOrxE,KAAM,yDACZkU,KAAM,YAAY,IAEpBjW,KAAK2uE,gBAAkBruE,EAAEyM,IAAK/M,KAAK2uE,iBAGlC,SAAU3qE,GACT,OAASA,IAAUyJ,EAAS,KAAOzJ,CACpC,IACDhE,KAAK2uE,gBAAiB3uE,KAAK2uE,gBAAgB3sE,QAAWyL,EACvD,EAMA0lE,sBAAuB,SAAU1lE,GAChC,IAAMA,EACL,OAAO,EAER,IAAM,IAAIgE,EAAI,EAAGA,EAAIzR,KAAK2uE,gBAAgB3sE,OAAQyP,IACjD,GAAKzR,KAAK2uE,gBAAiBl9D,KAAQhE,EAClC,OAAO,EAGT,OAAO,CACR,EAOAyrE,SAAU,SAAUzrE,GACnB,IACC,OAAOnN,EAAE+C,KAAMoK,EAAQ,aACxB,CAAE,MAAQsnB,GACT,KAAM,2CACP,CACD,EAWAokD,kBAAmB,SAAU1rE,EAAQhC,EAAMzH,GAC1C,IAAIoyB,EAAUtU,EAAM+vD,EAASC,EAC5B1d,EAAOp0D,KAAKk5E,SAAUzrE,GAEvB,GAA0B,IAArB5C,UAAU7I,QAAgC,iBAATyJ,EACrC,MAAkB,aAATA,EAAsBnL,EAAEm3B,OAAQ,CAAC,EAAGn3B,EAAE4yE,WAAW1C,WACvDpc,EAAkB,QAAT3oD,EAAiBnL,EAAEm3B,OAAQ,CAAC,EAAG28B,EAAKh+B,UAC/Cp2B,KAAKs3E,KAAMljB,EAAM3oD,GAAW,KAG9B2qB,EAAW3qB,GAAQ,CAAC,EACC,iBAATA,KACX2qB,EAAW,CAAC,GACF3qB,GAASzH,GAGfowD,IACCp0D,KAAK0uE,WAAata,GACtBp0D,KAAKy3E,kBAGN31D,EAAO9hB,KAAKo5E,mBAAoB3rE,GAAQ,GACxCokE,EAAU7xE,KAAKq5E,eAAgBjlB,EAAM,OACrC0d,EAAU9xE,KAAKq5E,eAAgBjlB,EAAM,OACrCif,EAAyBjf,EAAKh+B,SAAUA,GAGvB,OAAZy7C,QAA4CzxE,IAAxBg2B,EAAS85C,iBAAiD9vE,IAArBg2B,EAASy7C,UACtEzd,EAAKh+B,SAASy7C,QAAU7xE,KAAK+3E,YAAa3jB,EAAMyd,IAEhC,OAAZC,QAA4C1xE,IAAxBg2B,EAAS85C,iBAAiD9vE,IAArBg2B,EAAS07C,UACtE1d,EAAKh+B,SAAS07C,QAAU9xE,KAAK+3E,YAAa3jB,EAAM0d,IAE5C,aAAc17C,IACbA,EAAS8zB,SACblqD,KAAKq3E,mBAAoB5pE,GAEzBzN,KAAKg5E,kBAAmBvrE,IAG1BzN,KAAKg3E,aAAc12E,EAAGmN,GAAU2mD,GAChCp0D,KAAKo3E,UAAWhjB,GAChBp0D,KAAKi4E,SAAU7jB,EAAMtyC,GACrB9hB,KAAKo4E,iBAAkBhkB,GACvBp0D,KAAKm4E,kBAAmB/jB,GAE1B,EAGAklB,kBAAmB,SAAU7rE,EAAQhC,EAAMzH,GAC1ChE,KAAKm5E,kBAAmB1rE,EAAQhC,EAAMzH,EACvC,EAKAu1E,mBAAoB,SAAU9rE,GAC7B,IAAI2mD,EAAOp0D,KAAKk5E,SAAUzrE,GACrB2mD,GACJp0D,KAAKm4E,kBAAmB/jB,EAE1B,EAMAolB,mBAAoB,SAAU/rE,EAAQqU,GACrC,IAAIsyC,EAAOp0D,KAAKk5E,SAAUzrE,GACrB2mD,IACJp0D,KAAKi4E,SAAU7jB,EAAMtyC,GACrB9hB,KAAKm4E,kBAAmB/jB,GACxBp0D,KAAKo4E,iBAAkBhkB,GAEzB,EAOAglB,mBAAoB,SAAU3rE,EAAQgsE,GACrC,IAAIrlB,EAAOp0D,KAAKk5E,SAAUzrE,GAI1B,OAHK2mD,IAASA,EAAKgf,QAClBpzE,KAAK05E,kBAAmBtlB,EAAMqlB,GAEtBrlB,EAAOp0D,KAAK25E,SAAUvlB,GAAS,IACzC,EAGA6iB,WAAY,SAAU/wD,GACrB,IAAI+rD,EAAU2H,EAASvX,EACtBjO,EAAO9zD,EAAE4yE,WAAWgG,SAAUhzD,EAAMzY,QACpCosE,GAAU,EACVv9B,EAAQ8X,EAAK2e,MAAM3sD,GAAI,sBAGxB,GADAguC,EAAK2X,WAAY,EACZzrE,EAAE4yE,WAAWtE,mBACjB,OAAS1oD,EAAMwb,SACd,KAAK,EAAGphC,EAAE4yE,WAAWuE,kBACnBoC,GAAU,EACV,MACF,KAAK,GAgBH,OAhBOxX,EAAM/hE,EAAG,MAAQA,EAAE4yE,WAAW5D,cAAgB,SAClDhvE,EAAE4yE,WAAW7D,cAAgB,IAAKjb,EAAK2e,QAChC,IACTzyE,EAAE4yE,WAAW4G,WAAY5zD,EAAMzY,OAAQ2mD,EAAKwiB,cAAexiB,EAAKyiB,aAAcxU,EAAK,KAGpF4P,EAAW3xE,EAAE4yE,WAAWoE,KAAMljB,EAAM,cAEnCwlB,EAAUt5E,EAAE4yE,WAAW6E,YAAa3jB,GAGpC6d,EAASv3D,MAAS05C,EAAK/sB,MAAQ+sB,EAAK/sB,MAAO,GAAM,KAAQ,CAAEuyC,EAASxlB,KAEpE9zD,EAAE4yE,WAAWuE,mBAGP,EACT,KAAK,GAAIn3E,EAAE4yE,WAAWuE,kBACpB,MACF,KAAK,GAAIn3E,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,OAAUyY,EAAMy/C,SACrDrlE,EAAE4yE,WAAWoE,KAAMljB,EAAM,kBACzB9zD,EAAE4yE,WAAWoE,KAAMljB,EAAM,cAAkB,KAC7C,MACF,KAAK,GAAI9zD,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,OAAUyY,EAAMy/C,SACrDrlE,EAAE4yE,WAAWoE,KAAMljB,EAAM,kBACzB9zD,EAAE4yE,WAAWoE,KAAMljB,EAAM,cAAkB,KAC7C,MACF,KAAK,IAASluC,EAAMy/C,SAAWz/C,EAAMknD,UAClC9sE,EAAE4yE,WAAW8G,WAAY9zD,EAAMzY,QAEhCosE,EAAU3zD,EAAMy/C,SAAWz/C,EAAMknD,QACjC,MACF,KAAK,IAASlnD,EAAMy/C,SAAWz/C,EAAMknD,UAClC9sE,EAAE4yE,WAAW+G,WAAY/zD,EAAMzY,QAEhCosE,EAAU3zD,EAAMy/C,SAAWz/C,EAAMknD,QACjC,MACF,KAAK,IAASlnD,EAAMy/C,SAAWz/C,EAAMknD,UAClC9sE,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,OAAU6uC,EAAQ,GAAM,EAAK,KAE9Du9B,EAAU3zD,EAAMy/C,SAAWz/C,EAAMknD,QAG5BlnD,EAAMinC,cAAcuY,QACxBplE,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,OAAUyY,EAAMy/C,SAC9CrlE,EAAE4yE,WAAWoE,KAAMljB,EAAM,kBACzB9zD,EAAE4yE,WAAWoE,KAAMljB,EAAM,cAAkB,KAI9C,MACF,KAAK,IAASluC,EAAMy/C,SAAWz/C,EAAMknD,UAClC9sE,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,QAAS,EAAG,KAE7CosE,EAAU3zD,EAAMy/C,SAAWz/C,EAAMknD,QACjC,MACF,KAAK,IAASlnD,EAAMy/C,SAAWz/C,EAAMknD,UAClC9sE,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,OAAU6uC,GAAS,EAAI,EAAM,KAE9Du9B,EAAU3zD,EAAMy/C,SAAWz/C,EAAMknD,QAG5BlnD,EAAMinC,cAAcuY,QACxBplE,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,OAAUyY,EAAMy/C,SAC9CrlE,EAAE4yE,WAAWoE,KAAMljB,EAAM,kBACzB9zD,EAAE4yE,WAAWoE,KAAMljB,EAAM,cAAkB,KAI9C,MACF,KAAK,IAASluC,EAAMy/C,SAAWz/C,EAAMknD,UAClC9sE,EAAE4yE,WAAW6G,YAAa7zD,EAAMzY,OAAQ,EAAI,KAE7CosE,EAAU3zD,EAAMy/C,SAAWz/C,EAAMknD,QACjC,MACF,QAASyM,GAAU,OAES,KAAlB3zD,EAAMwb,SAAkBxb,EAAMy/C,QACzCrlE,EAAE4yE,WAAWqE,gBAAiBv3E,MAE9B65E,GAAU,EAGNA,IACJ3zD,EAAMC,iBACND,EAAM6c,kBAER,EAGAm0C,YAAa,SAAUhxD,GACtB,IAAIg0D,EAAOC,EACV/lB,EAAO9zD,EAAE4yE,WAAWgG,SAAUhzD,EAAMzY,QAErC,GAAKnN,EAAE4yE,WAAWoE,KAAMljB,EAAM,kBAG7B,OAFA8lB,EAAQ55E,EAAE4yE,WAAWkH,eAAgB95E,EAAE4yE,WAAWoE,KAAMljB,EAAM,eAC9D+lB,EAAMvwD,OAAO8wB,aAAgC,MAAlBx0B,EAAMm0D,SAAmBn0D,EAAMwb,QAAUxb,EAAMm0D,UACnEn0D,EAAMy/C,SAAWz/C,EAAMknD,SAAa+M,EAAM,MAAQD,GAASA,EAAMx0E,QAASy0E,IAAS,CAE5F,EAGAhD,SAAU,SAAUjxD,GACnB,IACCkuC,EAAO9zD,EAAE4yE,WAAWgG,SAAUhzD,EAAMzY,QAErC,GAAK2mD,EAAK/sB,MAAM/E,QAAU8xB,EAAKkmB,QAC9B,IACQh6E,EAAE4yE,WAAWqH,UAAWj6E,EAAE4yE,WAAWoE,KAAMljB,EAAM,cACrDA,EAAK/sB,MAAQ+sB,EAAK/sB,MAAM/E,MAAQ,KAClChiC,EAAE4yE,WAAWsH,iBAAkBpmB,MAG/B9zD,EAAE4yE,WAAWwG,kBAAmBtlB,GAChC9zD,EAAE4yE,WAAWkF,iBAAkBhkB,GAC/B9zD,EAAE4yE,WAAWiF,kBAAmB/jB,GAElC,CAAE,MAAQr/B,GACV,CAED,OAAO,CACR,EAOAwiD,gBAAiB,SAAUlwC,GAU1B,IAAI+sB,EAAM4d,EAAYyI,EAAoBC,EACzCrrB,EAAQqhB,EAAUjjB,EATmB,WADtCpmB,EAAQA,EAAM55B,QAAU45B,GACbsa,SAASrkC,gBACnB+pB,EAAQ/mC,EAAG,QAAS+mC,EAAM2Z,YAAc,IAGpC1gD,EAAE4yE,WAAWC,sBAAuB9rC,IAAW/mC,EAAE4yE,WAAWsE,aAAenwC,IAOhF+sB,EAAO9zD,EAAE4yE,WAAWgG,SAAU7xC,GACzB/mC,EAAE4yE,WAAWxE,UAAYpuE,EAAE4yE,WAAWxE,WAAata,IACvD9zD,EAAE4yE,WAAWxE,SAASqE,MAAMv3D,MAAM,GAAM,GACnC44C,GAAQ9zD,EAAE4yE,WAAWtE,oBACzBtuE,EAAE4yE,WAAWuE,gBAAiBn3E,EAAE4yE,WAAWxE,SAASrnC,MAAO,MAMjC,KAD5BozC,GADAzI,EAAa1xE,EAAE4yE,WAAWoE,KAAMljB,EAAM,eACJ4d,EAAWt3D,MAAO2sB,EAAO,CAAEA,EAAO+sB,IAAW,CAAC,KAIhFif,EAAyBjf,EAAKh+B,SAAUqkD,GAExCrmB,EAAKkmB,QAAU,KACfh6E,EAAE4yE,WAAWsE,WAAanwC,EAC1B/mC,EAAE4yE,WAAWwG,kBAAmBtlB,GAE3B9zD,EAAE4yE,WAAWrE,YACjBxnC,EAAMrjC,MAAQ,IAET1D,EAAE4yE,WAAW0F,OAClBt4E,EAAE4yE,WAAW0F,KAAOt4E,EAAE4yE,WAAWyH,SAAUtzC,GAC3C/mC,EAAE4yE,WAAW0F,KAAM,IAAOvxC,EAAMwjC,cAGjC6P,GAAU,EACVp6E,EAAG+mC,GAAQu8B,UAAUvjE,MAAM,WAE1B,QADAq6E,GAA2C,UAAhCp6E,EAAGN,MAAOuU,IAAK,YAE3B,IAEA86C,EAAS,CAAEjuC,KAAM9gB,EAAE4yE,WAAW0F,KAAM,GAAKz3D,IAAK7gB,EAAE4yE,WAAW0F,KAAM,IACjEt4E,EAAE4yE,WAAW0F,KAAO,KAGpBxkB,EAAK2e,MAAM1wC,QAGX+xB,EAAK2e,MAAMx+D,IAAK,CAAE2M,SAAU,WAAY8f,QAAS,QAAS7f,IAAK,YAC/D7gB,EAAE4yE,WAAWiF,kBAAmB/jB,GAIhC/E,EAAS/uD,EAAE4yE,WAAW0H,aAAcxmB,EAAM/E,EAAQqrB,GAClDtmB,EAAK2e,MAAMx+D,IAAK,CAAE2M,SAAY5gB,EAAE4yE,WAAWrE,WAAavuE,EAAEw4E,QACzD,SAAa4B,EAAU,QAAU,WAAgB15C,QAAS,OAC1D5f,KAAMiuC,EAAOjuC,KAAO,KAAMD,IAAKkuC,EAAOluC,IAAM,OAEvCizC,EAAKgf,SACV1C,EAAWpwE,EAAE4yE,WAAWoE,KAAMljB,EAAM,YACpC3G,EAAWntD,EAAE4yE,WAAWoE,KAAMljB,EAAM,YACpCA,EAAK2e,MAAMx+D,IAAK,UApyBnB,SAA+B2vB,GAE9B,IADA,IAAIhjB,EAAUld,EACNkgC,EAAKliC,QAAUkiC,EAAM,KAAQ36B,UAAW,CAM/C,IAAkB,cADlB2X,EAAWgjB,EAAK3vB,IAAK,cACwB,aAAb2M,GAAwC,UAAbA,KAM1Dld,EAAQuZ,SAAU2mB,EAAK3vB,IAAK,UAAY,KAClCmV,MAAO1lB,IAAqB,IAAVA,GACvB,OAAOA,EAGTkgC,EAAOA,EAAK5tB,QACb,CAEA,OAAO,CACR,CA6wB8BukE,CAAsBv6E,EAAG+mC,IAAY,GAChE/mC,EAAE4yE,WAAWtE,oBAAqB,EAE7BtuE,EAAEqtD,SAAWrtD,EAAEqtD,QAAQJ,OAAQmjB,GACnCtc,EAAK2e,MAAM1xE,KAAMqvE,EAAUpwE,EAAE4yE,WAAWoE,KAAMljB,EAAM,eAAiB3G,GAErE2G,EAAK2e,MAAOrC,GAAY,QAAUA,EAAWjjB,EAAW,MAGpDntD,EAAE4yE,WAAW4H,kBAAmB1mB,IACpCA,EAAK/sB,MAAM3kC,QAAS,SAGrBpC,EAAE4yE,WAAWxE,SAAWta,IAE1B,EAGA+jB,kBAAmB,SAAU/jB,GAC5Bp0D,KAAKo2E,QAAU,EACf7H,EAAwBna,EACxBA,EAAK2e,MAAM1wC,QAAQrsB,OAAQhW,KAAK+6E,cAAe3mB,IAC/Cp0D,KAAKg7E,gBAAiB5mB,GAEtB,IAAI6mB,EACHC,EAAYl7E,KAAKm7E,mBAAoB/mB,GACrCgnB,EAAOF,EAAW,GAElBG,EAAajnB,EAAK2e,MAAMhxE,KAAM,IAAM/B,KAAKsvE,cAAgB,MACzD8C,EAAqB9xE,EAAE4yE,WAAWoE,KAAMljB,EAAM,sBAE1CinB,EAAWr5E,OAAS,GACxBixE,EAA2Bv4D,MAAO2gE,EAAWtzD,IAAK,IAGnDqsC,EAAK2e,MAAMtwE,YAAa,qEAAsEsQ,MAAO,IAChGqoE,EAAO,GACXhnB,EAAK2e,MAAMpwE,SAAU,uBAAyBy4E,GAAO7mE,IAAK,QAVlD,GAUqE6mE,EAAS,MAEvFhnB,EAAK2e,OAA4B,IAAnBmI,EAAW,IAAgC,IAAnBA,EAAW,GAAY,MAAQ,UACpE,SAAW,uBACZ9mB,EAAK2e,OAAS/yE,KAAKs3E,KAAMljB,EAAM,SAAY,MAAQ,UAClD,SAAW,qBAEPA,IAAS9zD,EAAE4yE,WAAWxE,UAAYpuE,EAAE4yE,WAAWtE,oBAAsBtuE,EAAE4yE,WAAW4H,kBAAmB1mB,IACzGA,EAAK/sB,MAAM3kC,QAAS,SAIhB0xD,EAAKknB,YACTL,EAAgB7mB,EAAKknB,UACrBv4D,YAAY,WAGNk4D,IAAkB7mB,EAAKknB,WAAalnB,EAAKknB,WAC7ClnB,EAAK2e,MAAMhxE,KAAM,6BAA8BuuC,QAAQgrB,YAAalH,EAAKknB,WAE1EL,EAAgB7mB,EAAKknB,UAAY,IAClC,GAAG,IAGClJ,GACJA,EAAmB13D,MAAS05C,EAAK/sB,MAAQ+sB,EAAK/sB,MAAO,GAAM,KAAQ,CAAE+sB,GAEvE,EAKA0mB,kBAAmB,SAAU1mB,GAC5B,OAAOA,EAAK/sB,OAAS+sB,EAAK/sB,MAAMjhB,GAAI,cAAiBguC,EAAK/sB,MAAMjhB,GAAI,eAAkBguC,EAAK/sB,MAAMjhB,GAAI,SACtG,EAGAw0D,aAAc,SAAUxmB,EAAM/E,EAAQqrB,GACrC,IAAIa,EAAUnnB,EAAK2e,MAAMtrC,aACxB+zC,EAAWpnB,EAAK2e,MAAMnwC,cACtB64C,EAAarnB,EAAK/sB,MAAQ+sB,EAAK/sB,MAAMI,aAAe,EACpDi0C,EAActnB,EAAK/sB,MAAQ+sB,EAAK/sB,MAAMzE,cAAgB,EACtD+4C,EAAYpyE,SAASgzC,gBAAgB56B,aAAgB+4D,EAAU,EAAIp6E,EAAGiJ,UAAW+lD,cACjFssB,EAAaryE,SAASgzC,gBAAgBs8B,cAAiB6B,EAAU,EAAIp6E,EAAGiJ,UAAWuzC,aAYpF,OAVAuS,EAAOjuC,MAAUphB,KAAKs3E,KAAMljB,EAAM,SAAcmnB,EAAUE,EAAe,EACzEpsB,EAAOjuC,MAAUs5D,GAAWrrB,EAAOjuC,OAASgzC,EAAK/sB,MAAMgoB,SAASjuC,KAAS9gB,EAAGiJ,UAAW+lD,aAAe,EACtGD,EAAOluC,KAASu5D,GAAWrrB,EAAOluC,MAAUizC,EAAK/sB,MAAMgoB,SAASluC,IAAMu6D,EAAkBp7E,EAAGiJ,UAAWuzC,YAAc,EAGpHuS,EAAOjuC,MAAQxQ,KAAK0E,IAAK+5C,EAAOjuC,KAAQiuC,EAAOjuC,KAAOm6D,EAAUI,GAAaA,EAAYJ,EACxF3qE,KAAK0B,IAAK+8C,EAAOjuC,KAAOm6D,EAAUI,GAAc,GACjDtsB,EAAOluC,KAAOvQ,KAAK0E,IAAK+5C,EAAOluC,IAAOkuC,EAAOluC,IAAMq6D,EAAWI,GAAcA,EAAaJ,EACxF5qE,KAAK0B,IAAKkpE,EAAWE,GAAgB,GAE/BrsB,CACR,EAGAsrB,SAAU,SAAU5wC,GAKnB,IAJA,IAAI7oB,EACHkzC,EAAOp0D,KAAKk5E,SAAUnvC,GACtBuS,EAAQt8C,KAAKs3E,KAAMljB,EAAM,SAElBrqB,IAAsB,WAAbA,EAAI9mC,MAAsC,IAAjB8mC,EAAIiW,UAAkB1/C,EAAEooD,KAAKC,QAAQuT,OAAQnyB,KACtFA,EAAMA,EAAKuS,EAAQ,kBAAoB,eAIxC,MAAO,EADPp7B,EAAW5gB,EAAGypC,GAAMslB,UACFjuC,KAAMF,EAASC,IAClC,EAKAs2D,gBAAiB,SAAUpwC,GAC1B,IAAIqpC,EAAUjjB,EAAUouB,EAAa1J,EACpC/d,EAAOp0D,KAAK0uE,UAEPta,GAAU/sB,GAAS+sB,IAAS9zD,EAAE+C,KAAMgkC,EAAO,eAI5CrnC,KAAK4uE,qBACT8B,EAAW1wE,KAAKs3E,KAAMljB,EAAM,YAC5B3G,EAAWztD,KAAKs3E,KAAMljB,EAAM,YAC5BynB,EAAc,WACbv7E,EAAE4yE,WAAW4I,YAAa1nB,EAC3B,EAGK9zD,EAAEqtD,UAAartD,EAAEqtD,QAAQJ,OAAQmjB,IAAcpwE,EAAEqtD,QAAS+iB,IAC9Dtc,EAAK2e,MAAM9yE,KAAMywE,EAAUpwE,EAAE4yE,WAAWoE,KAAMljB,EAAM,eAAiB3G,EAAUouB,GAE/EznB,EAAK2e,MAAsB,cAAbrC,EAA2B,UACzB,WAAbA,EAAwB,UAAY,QAAgBA,EAAWjjB,EAAW,KAAQouB,GAGhFnL,GACLmL,IAED77E,KAAK4uE,oBAAqB,GAE1BuD,EAAUnyE,KAAKs3E,KAAMljB,EAAM,aAE1B+d,EAAQz3D,MAAS05C,EAAK/sB,MAAQ+sB,EAAK/sB,MAAO,GAAM,KAAQ,CAAI+sB,EAAK/sB,MAAQ+sB,EAAK/sB,MAAM/E,MAAQ,GAAM8xB,IAGnGp0D,KAAKw3E,WAAa,KACbx3E,KAAK6uE,YACT7uE,KAAK24E,aAAapkE,IAAK,CAAE2M,SAAU,WAAYE,KAAM,IAAKD,IAAK,WAC1D7gB,EAAEw4E,UACNx4E,EAAEy7E,YACFz7E,EAAG,QAAS0V,OAAQhW,KAAK+yE,SAG3B/yE,KAAK6uE,WAAY,EAEnB,EAGAiN,YAAa,SAAU1nB,GACtBA,EAAK2e,MAAMtwE,YAAazC,KAAKkvE,cAAe1oD,IAAK,0BAClD,EAGAw1D,oBAAqB,SAAU91D,GAC9B,GAAM5lB,EAAE4yE,WAAWxE,SAAnB,CAIA,IAAIr1C,EAAU/4B,EAAG4lB,EAAMzY,QACtB2mD,EAAO9zD,EAAE4yE,WAAWgG,SAAU7/C,EAAS,KAE/BA,EAAS,GAAI9zB,KAAOjF,EAAE4yE,WAAWpE,YACoB,IAA5Dz1C,EAAQuqC,QAAS,IAAMtjE,EAAE4yE,WAAWpE,YAAa9sE,QAChDq3B,EAAQhB,SAAU/3B,EAAE4yE,WAAWiD,kBAC/B98C,EAAQzhB,QAAS,IAAMtX,EAAE4yE,WAAWjE,eAAgBjtE,SACrD1B,EAAE4yE,WAAWtE,oBAAyBtuE,EAAE4yE,WAAWrE,WAAavuE,EAAEw4E,YACjEz/C,EAAQhB,SAAU/3B,EAAE4yE,WAAWiD,kBAAqB71E,EAAE4yE,WAAWxE,WAAata,IAC/E9zD,EAAE4yE,WAAWuE,iBAXf,CAaD,EAGAsC,YAAa,SAAUx0E,EAAI8pD,EAAQ4sB,GAClC,IAAIxuE,EAASnN,EAAGiF,GACf6uD,EAAOp0D,KAAKk5E,SAAUzrE,EAAQ,IAE1BzN,KAAKmzE,sBAAuB1lE,EAAQ,MAGzCzN,KAAKk8E,gBAAiB9nB,EAAM/E,EAAQ4sB,GACpCj8E,KAAKm4E,kBAAmB/jB,GACzB,EAGA6lB,WAAY,SAAU10E,GACrB,IAAIuc,EACHrU,EAASnN,EAAGiF,GACZ6uD,EAAOp0D,KAAKk5E,SAAUzrE,EAAQ,IAE1BzN,KAAKs3E,KAAMljB,EAAM,gBAAmBA,EAAK+nB,YAC7C/nB,EAAKuiB,YAAcviB,EAAK+nB,WACxB/nB,EAAK0iB,UAAY1iB,EAAKwiB,cAAgBxiB,EAAKgoB,aAC3ChoB,EAAK2iB,SAAW3iB,EAAKyiB,aAAeziB,EAAKioB,cAEzCv6D,EAAO,IAAIC,KACXqyC,EAAKuiB,YAAc70D,EAAKI,UACxBkyC,EAAK0iB,UAAY1iB,EAAKwiB,cAAgB90D,EAAKG,WAC3CmyC,EAAK2iB,SAAW3iB,EAAKyiB,aAAe/0D,EAAKE,eAE1ChiB,KAAKs8E,cAAeloB,GACpBp0D,KAAK+5E,YAAatsE,EACnB,EAGA8uE,iBAAkB,SAAUh3E,EAAIwpB,EAAQktD,GACvC,IAAIxuE,EAASnN,EAAGiF,GACf6uD,EAAOp0D,KAAKk5E,SAAUzrE,EAAQ,IAE/B2mD,EAAM,YAA0B,MAAX6nB,EAAiB,QAAU,SAChD7nB,EAAM,QAAsB,MAAX6nB,EAAiB,QAAU,SAC3C1+D,SAAUwR,EAAOjuB,QAASiuB,EAAOytD,eAAgBx4E,MAAO,IAEzDhE,KAAKs8E,cAAeloB,GACpBp0D,KAAK+5E,YAAatsE,EACnB,EAGAqsE,WAAY,SAAUv0E,EAAIk3E,EAAOC,EAAMC,GACtC,IAAIvoB,EACH3mD,EAASnN,EAAGiF,GAERjF,EAAGq8E,GAAKtkD,SAAUr4B,KAAKovE,qBAAwBpvE,KAAKmzE,sBAAuB1lE,EAAQ,OAIxF2mD,EAAOp0D,KAAKk5E,SAAUzrE,EAAQ,KACzBkpE,YAAcviB,EAAK+nB,WAAa5+D,SAAUjd,EAAG,IAAKq8E,GAAK5mE,KAAM,cAClEq+C,EAAKwiB,cAAgBxiB,EAAKgoB,aAAeK,EACzCroB,EAAKyiB,aAAeziB,EAAKioB,YAAcK,EACvC18E,KAAK48E,YAAar3E,EAAIvF,KAAK+3E,YAAa3jB,EACvCA,EAAK+nB,WAAY/nB,EAAKgoB,aAAchoB,EAAKioB,cAC3C,EAGArC,WAAY,SAAUz0E,GACrB,IAAIkI,EAASnN,EAAGiF,GAChBvF,KAAK48E,YAAanvE,EAAQ,GAC3B,EAGAmvE,YAAa,SAAUr3E,EAAIq0E,GAC1B,IAAI3H,EACHxkE,EAASnN,EAAGiF,GACZ6uD,EAAOp0D,KAAKk5E,SAAUzrE,EAAQ,IAE/BmsE,EAAuB,MAAXA,EAAkBA,EAAU55E,KAAK+3E,YAAa3jB,GACrDA,EAAK/sB,OACT+sB,EAAK/sB,MAAM/E,IAAKs3C,GAEjB55E,KAAKo4E,iBAAkBhkB,IAEvB6d,EAAWjyE,KAAKs3E,KAAMljB,EAAM,aAE3B6d,EAASv3D,MAAS05C,EAAK/sB,MAAQ+sB,EAAK/sB,MAAO,GAAM,KAAQ,CAAEuyC,EAASxlB,IACzDA,EAAK/sB,OAChB+sB,EAAK/sB,MAAM3kC,QAAS,UAGhB0xD,EAAKgf,OACTpzE,KAAKm4E,kBAAmB/jB,IAExBp0D,KAAKy3E,kBACLz3E,KAAKw3E,WAAapjB,EAAK/sB,MAAO,GACK,iBAAtB+sB,EAAK/sB,MAAO,IACxB+sB,EAAK/sB,MAAM3kC,QAAS,SAErB1C,KAAKw3E,WAAa,KAEpB,EAGAY,iBAAkB,SAAUhkB,GAC3B,IAAIse,EAAW5wD,EAAM83D,EACpBnH,EAAWzyE,KAAKs3E,KAAMljB,EAAM,YAExBqe,IACJC,EAAY1yE,KAAKs3E,KAAMljB,EAAM,cAAiBp0D,KAAKs3E,KAAMljB,EAAM,cAC/DtyC,EAAO9hB,KAAK25E,SAAUvlB,GACtBwlB,EAAU55E,KAAK2T,WAAY++D,EAAW5wD,EAAM9hB,KAAKw6E,iBAAkBpmB,IACnE9zD,EAAGiJ,UAAWxH,KAAM0wE,GAAWnwC,IAAKs3C,GAEtC,EAMAiD,WAAY,SAAU/6D,GACrB,IAAIg7D,EAAMh7D,EAAKg2D,SACf,MAAO,CAAIgF,EAAM,GAAKA,EAAM,EAAK,GAClC,EAMAnL,YAAa,SAAU7vD,GACtB,IAAIi7D,EACHC,EAAY,IAAIj7D,KAAMD,EAAKrT,WAQ5B,OALAuuE,EAAUnF,QAASmF,EAAU96D,UAAY,GAAM86D,EAAUlF,UAAY,IAErEiF,EAAOC,EAAUvuE,UACjBuuE,EAAUpF,SAAU,GACpBoF,EAAUnF,QAAS,GACZjnE,KAAKwB,MAAOxB,KAAKC,OAASksE,EAAOC,GAAc,OAAa,GAAM,CAC1E,EAeAzC,UAAW,SAAUh6D,EAAQvc,EAAOoyB,GACnC,GAAe,MAAV7V,GAA2B,MAATvc,EACtB,KAAM,oBAIP,GAAe,MADfA,EAA2B,iBAAVA,EAAqBA,EAAMzC,WAAayC,EAAQ,IAEhE,OAAO,KAGR,IAAIi5E,EAASC,EAAKjxB,EAcjBnqC,EAbAq7D,EAAS,EACTC,GAAwBhnD,EAAWA,EAASw7C,gBAAkB,OAAU5xE,KAAKwwE,UAAUoB,gBACvFA,EAAmD,iBAAxBwL,EAAmCA,GAC7D,IAAIr7D,MAAOC,cAAgB,IAAMzE,SAAU6/D,EAAqB,IACjErN,GAAkB35C,EAAWA,EAAS25C,cAAgB,OAAU/vE,KAAKwwE,UAAUT,cAC/ED,GAAa15C,EAAWA,EAAS05C,SAAW,OAAU9vE,KAAKwwE,UAAUV,SACrED,GAAoBz5C,EAAWA,EAASy5C,gBAAkB,OAAU7vE,KAAKwwE,UAAUX,gBACnFD,GAAex5C,EAAWA,EAASw5C,WAAa,OAAU5vE,KAAKwwE,UAAUZ,WACzE8M,GAAQ,EACRD,GAAS,EACTK,GAAO,EACPO,GAAO,EACPC,GAAU,EAIVC,EAAY,SAAU79D,GACrB,IAAID,EAAYw9D,EAAU,EAAI18D,EAAOve,QAAUue,EAAOtB,OAAQg+D,EAAU,KAAQv9D,EAIhF,OAHKD,GACJw9D,IAEMx9D,CACR,EAGA+9D,EAAY,SAAU99D,GACrB,IAAI+9D,EAAYF,EAAW79D,GAC1BhM,EAAmB,MAAVgM,EAAgB,GAAiB,MAAVA,EAAgB,GACpC,MAAVA,GAAiB+9D,EAAY,EAAgB,MAAV/9D,EAAgB,EAAI,EAEzDg+D,EAAS,IAAI/mC,OAAQ,SADC,MAAVj3B,EAAgBhM,EAAO,GACM,IAAMA,EAAO,KACtDgmC,EAAM11C,EAAM25E,UAAWR,GAASz9D,MAAOg+D,GACxC,IAAMhkC,EACL,KAAM,8BAAgCyjC,EAGvC,OADAA,GAAUzjC,EAAK,GAAI13C,OACZub,SAAUm8B,EAAK,GAAK,GAC5B,EAGAkkC,EAAU,SAAUl+D,EAAOm+D,EAAYC,GACtC,IAAIh2C,GAAS,EACZwB,EAAQhpC,EAAEyM,IAAKwwE,EAAW79D,GAAUo+D,EAAYD,GAAY,SAAU3nB,EAAGp2C,GACxE,MAAO,CAAE,CAAEA,EAAGo2C,GACf,IAAI3mB,MAAM,SAAUntB,EAAGvC,GACtB,QAAUuC,EAAG,GAAIpgB,OAAS6d,EAAG,GAAI7d,OAClC,IAUD,GARA1B,EAAED,KAAMipC,GAAO,SAAU73B,EAAGssE,GAC3B,IAAItyE,EAAOsyE,EAAM,GACjB,GAAK/5E,EAAM2B,OAAQw3E,EAAQ1xE,EAAKzJ,QAASsb,gBAAkB7R,EAAK6R,cAG/D,OAFAwqB,EAAQi2C,EAAM,GACdZ,GAAU1xE,EAAKzJ,QACR,CAET,KACgB,IAAX8lC,EACJ,OAAOA,EAAQ,EAEf,KAAM,4BAA8Bq1C,CAEtC,EAGAa,EAAe,WACd,GAAKh6E,EAAMib,OAAQk+D,KAAa58D,EAAOtB,OAAQg+D,GAC9C,KAAM,kCAAoCE,EAE3CA,GACD,EAED,IAAMF,EAAU,EAAGA,EAAU18D,EAAOve,OAAQi7E,IAC3C,GAAKK,EAC8B,MAA7B/8D,EAAOtB,OAAQg+D,IAAsBM,EAAW,KAGpDS,IAFAV,GAAU,OAKX,OAAS/8D,EAAOtB,OAAQg+D,IACvB,IAAK,IACJH,EAAMU,EAAW,KACjB,MACD,IAAK,IACJI,EAAS,IAAK7N,EAAeD,GAC7B,MACD,IAAK,IACJuN,EAAMG,EAAW,KACjB,MACD,IAAK,IACJf,EAAQe,EAAW,KACnB,MACD,IAAK,IACJf,EAAQmB,EAAS,IAAK/N,EAAiBD,GACvC,MACD,IAAK,IACJ8M,EAAOc,EAAW,KAClB,MACD,IAAK,IAEJd,GADA56D,EAAO,IAAIC,KAAMy7D,EAAW,OAChBx7D,cACZy6D,EAAQ36D,EAAKG,WAAa,EAC1B66D,EAAMh7D,EAAKI,UACX,MACD,IAAK,IAEJw6D,GADA56D,EAAO,IAAIC,MAAQy7D,EAAW,KAAQx9E,KAAKi+E,cAAiB,MAChDj8D,cACZy6D,EAAQ36D,EAAKG,WAAa,EAC1B66D,EAAMh7D,EAAKI,UACX,MACD,IAAK,IACCq7D,EAAW,KACfS,IAEAV,GAAU,EAEX,MACD,QACCU,IAKJ,GAAKb,EAASn5E,EAAMhC,SACnBiqD,EAAQjoD,EAAM2B,OAAQw3E,IAChB,OAAO5zC,KAAM0iB,IAClB,KAAM,4CAA8CA,EAWtD,IAPe,IAAVywB,EACJA,GAAO,IAAI36D,MAAOC,cACP06D,EAAO,MAClBA,IAAQ,IAAI36D,MAAOC,eAAgB,IAAID,MAAOC,cAAgB,KAC3D06D,GAAQ9K,EAAkB,GAAK,MAG9ByL,GAAO,EAGX,IAFAZ,EAAQ,EACRK,EAAMO,IAGAP,IADLI,EAAMl9E,KAAKk+E,gBAAiBxB,EAAMD,EAAQ,MAI1CA,IACAK,GAAOI,EAKT,IADAp7D,EAAO9hB,KAAKm+E,sBAAuB,IAAIp8D,KAAM26D,EAAMD,EAAQ,EAAGK,KACpD96D,gBAAkB06D,GAAQ56D,EAAKG,WAAa,IAAMw6D,GAAS36D,EAAKI,YAAc46D,EACvF,KAAM,eAEP,OAAOh7D,CACR,EAGAs8D,KAAM,WACNC,OAAQ,aACRC,SAAU,WACVC,QAAS,WACTC,QAAS,aACTC,SAAU,WACVC,SAAU,YACVC,SAAU,YACVC,IAAK,WACLC,MAAO,IACPC,UAAW,IACXC,IAAK,WAELd,aAC8B,IADZ,OAAqBrtE,KAAKwB,MAAO,OAAaxB,KAAKwB,MAAO,MAC3ExB,KAAKwB,MAAO,QAAsB,GAAK,GAAK,IA8B7CuB,WAAY,SAAU4M,EAAQuB,EAAMsU,GACnC,IAAMtU,EACL,MAAO,GAGR,IAAIm7D,EACHlN,GAAkB35C,EAAWA,EAAS25C,cAAgB,OAAU/vE,KAAKwwE,UAAUT,cAC/ED,GAAa15C,EAAWA,EAAS05C,SAAW,OAAU9vE,KAAKwwE,UAAUV,SACrED,GAAoBz5C,EAAWA,EAASy5C,gBAAkB,OAAU7vE,KAAKwwE,UAAUX,gBACnFD,GAAex5C,EAAWA,EAASw5C,WAAa,OAAU5vE,KAAKwwE,UAAUZ,WAGzE2N,EAAY,SAAU79D,GACrB,IAAID,EAAYw9D,EAAU,EAAI18D,EAAOve,QAAUue,EAAOtB,OAAQg+D,EAAU,KAAQv9D,EAIhF,OAHKD,GACJw9D,IAEMx9D,CACR,EAGAu/D,EAAe,SAAUt/D,EAAO1b,EAAOk2C,GACtC,IAAIR,EAAM,GAAK11C,EACf,GAAKu5E,EAAW79D,GACf,KAAQg6B,EAAI13C,OAASk4C,GACpBR,EAAM,IAAMA,EAGd,OAAOA,CACR,EAGAulC,EAAa,SAAUv/D,EAAO1b,EAAO65E,EAAYC,GAChD,OAASP,EAAW79D,GAAUo+D,EAAW95E,GAAU65E,EAAY75E,EAChE,EACAw2C,EAAS,GACT8iC,GAAU,EAEX,GAAKx7D,EACJ,IAAMm7D,EAAU,EAAGA,EAAU18D,EAAOve,OAAQi7E,IAC3C,GAAKK,EAC8B,MAA7B/8D,EAAOtB,OAAQg+D,IAAsBM,EAAW,KAGpD/iC,GAAUj6B,EAAOtB,OAAQg+D,GAFzBK,GAAU,OAKX,OAAS/8D,EAAOtB,OAAQg+D,IACvB,IAAK,IACJziC,GAAUwkC,EAAc,IAAKl9D,EAAKI,UAAW,GAC7C,MACD,IAAK,IACJs4B,GAAUykC,EAAY,IAAKn9D,EAAKg2D,SAAU/H,EAAeD,GACzD,MACD,IAAK,IACJt1B,GAAUwkC,EAAc,IACvBpuE,KAAKC,OAAS,IAAIkR,KAAMD,EAAKE,cAAeF,EAAKG,WAAYH,EAAKI,WAAYzT,UAAY,IAAIsT,KAAMD,EAAKE,cAAe,EAAG,GAAIvT,WAAc,OAAY,GAC1J,MACD,IAAK,IACJ+rC,GAAUwkC,EAAc,IAAKl9D,EAAKG,WAAa,EAAG,GAClD,MACD,IAAK,IACJu4B,GAAUykC,EAAY,IAAKn9D,EAAKG,WAAY4tD,EAAiBD,GAC7D,MACD,IAAK,IACJp1B,GAAY+iC,EAAW,KAAQz7D,EAAKE,eACjCF,EAAKE,cAAgB,IAAM,GAAK,IAAM,IAAOF,EAAKE,cAAgB,IACrE,MACD,IAAK,IACJw4B,GAAU14B,EAAKrT,UACf,MACD,IAAK,IACJ+rC,GAA2B,IAAjB14B,EAAKrT,UAAoBzO,KAAKi+E,aACxC,MACD,IAAK,IACCV,EAAW,KACf/iC,GAAU,IAEV8iC,GAAU,EAEX,MACD,QACC9iC,GAAUj6B,EAAOtB,OAAQg+D,GAK9B,OAAOziC,CACR,EAGA4/B,eAAgB,SAAU75D,GACzB,IAAI08D,EACH/C,EAAQ,GACRoD,GAAU,EAGVC,EAAY,SAAU79D,GACrB,IAAID,EAAYw9D,EAAU,EAAI18D,EAAOve,QAAUue,EAAOtB,OAAQg+D,EAAU,KAAQv9D,EAIhF,OAHKD,GACJw9D,IAEMx9D,CACR,EAED,IAAMw9D,EAAU,EAAGA,EAAU18D,EAAOve,OAAQi7E,IAC3C,GAAKK,EAC8B,MAA7B/8D,EAAOtB,OAAQg+D,IAAsBM,EAAW,KAGpDrD,GAAS35D,EAAOtB,OAAQg+D,GAFxBK,GAAU,OAKX,OAAS/8D,EAAOtB,OAAQg+D,IACvB,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAClC/C,GAAS,aACT,MACD,IAAK,IAAK,IAAK,IACd,OAAO,KACR,IAAK,IACCqD,EAAW,KACfrD,GAAS,IAEToD,GAAU,EAEX,MACD,QACCpD,GAAS35D,EAAOtB,OAAQg+D,GAI5B,OAAO/C,CACR,EAGA5C,KAAM,SAAUljB,EAAM3oD,GACrB,YAAiCrL,IAA1Bg0D,EAAKh+B,SAAU3qB,GACrB2oD,EAAKh+B,SAAU3qB,GAASzL,KAAKwwE,UAAW/kE,EAC1C,EAGAiuE,kBAAmB,SAAUtlB,EAAMqlB,GAClC,GAAKrlB,EAAK/sB,MAAM/E,QAAU8xB,EAAKkmB,QAA/B,CAIA,IAAIpK,EAAalwE,KAAKs3E,KAAMljB,EAAM,cACjC8qB,EAAQ9qB,EAAKkmB,QAAUlmB,EAAK/sB,MAAQ+sB,EAAK/sB,MAAM/E,MAAQ,KACvDsuC,EAAc5wE,KAAKk4E,gBAAiB9jB,GACpCtyC,EAAO8uD,EACPx6C,EAAWp2B,KAAKw6E,iBAAkBpmB,GAEnC,IACCtyC,EAAO9hB,KAAKu6E,UAAWrK,EAAYgP,EAAO9oD,IAAcw6C,CACzD,CAAE,MAAQ1qD,GACTg5D,EAAUzF,EAAY,GAAKyF,CAC5B,CACA9qB,EAAKuiB,YAAc70D,EAAKI,UACxBkyC,EAAK0iB,UAAY1iB,EAAKwiB,cAAgB90D,EAAKG,WAC3CmyC,EAAK2iB,SAAW3iB,EAAKyiB,aAAe/0D,EAAKE,cACzCoyC,EAAK+nB,WAAe+C,EAAQp9D,EAAKI,UAAY,EAC7CkyC,EAAKgoB,aAAiB8C,EAAQp9D,EAAKG,WAAa,EAChDmyC,EAAKioB,YAAgB6C,EAAQp9D,EAAKE,cAAgB,EAClDhiB,KAAKk8E,gBAAiB9nB,EAnBtB,CAoBD,EAGA8jB,gBAAiB,SAAU9jB,GAC1B,OAAOp0D,KAAKm/E,gBAAiB/qB,EAC5Bp0D,KAAKo/E,eAAgBhrB,EAAMp0D,KAAKs3E,KAAMljB,EAAM,eAAiB,IAAIryC,MACnE,EAGAq9D,eAAgB,SAAUhrB,EAAMtyC,EAAM8uD,GACrC,IAyCCyO,EAAoB,MAARv9D,GAAyB,KAATA,EAAc8uD,EAAgC,iBAAT9uD,EApClD,SAAUutC,GACxB,IACC,OAAO/uD,EAAE4yE,WAAWqH,UAAWj6E,EAAE4yE,WAAWoE,KAAMljB,EAAM,cACvD/E,EAAQ/uD,EAAE4yE,WAAWsH,iBAAkBpmB,GACzC,CAAE,MAAQz/C,GAGV,CAUA,IARA,IAAImN,GAASutC,EAAO/xC,cAAcoC,MAAO,MACxCpf,EAAE4yE,WAAWyG,SAAUvlB,GAAS,OAAU,IAAIryC,KAC9C26D,EAAO56D,EAAKE,cACZy6D,EAAQ36D,EAAKG,WACb66D,EAAMh7D,EAAKI,UACXxE,EAAU,uCACV+B,EAAU/B,EAAQk5B,KAAMyY,GAEjB5vC,GAAU,CACjB,OAASA,EAAS,IAAO,KACxB,IAAK,IAAM,IAAK,IACfq9D,GAAOv/D,SAAUkC,EAAS,GAAK,IAAM,MACtC,IAAK,IAAM,IAAK,IACfq9D,GAAsC,EAA/Bv/D,SAAUkC,EAAS,GAAK,IAAU,MAC1C,IAAK,IAAM,IAAK,IACfg9D,GAASl/D,SAAUkC,EAAS,GAAK,IACjCq9D,EAAMlsE,KAAK0E,IAAKwnE,EAAKx8E,EAAE4yE,WAAWgL,gBAAiBxB,EAAMD,IACzD,MACD,IAAK,IAAK,IAAK,IACdC,GAAQn/D,SAAUkC,EAAS,GAAK,IAChCq9D,EAAMlsE,KAAK0E,IAAKwnE,EAAKx8E,EAAE4yE,WAAWgL,gBAAiBxB,EAAMD,IAG3Dh9D,EAAU/B,EAAQk5B,KAAMyY,EACzB,CACA,OAAO,IAAIttC,KAAM26D,EAAMD,EAAOK,EAC/B,CACqFwC,CAAcx9D,GAChF,iBAATA,EAAsB4H,MAAO5H,GAAS8uD,EA1C7B,SAAUvhB,GAC5B,IAAIvtC,EAAO,IAAIC,KAEf,OADAD,EAAK+1D,QAAS/1D,EAAKI,UAAYmtC,GACxBvtC,CACR,CAsC8Dy9D,CAAez9D,GAAW,IAAIC,KAAMD,EAAKrT,WASxG,OAPA4wE,EAAYA,GAAkC,iBAAvBA,EAAQ99E,WAAgCqvE,EAAcyO,KAE5EA,EAAQG,SAAU,GAClBH,EAAQI,WAAY,GACpBJ,EAAQK,WAAY,GACpBL,EAAQM,gBAAiB,IAEnB3/E,KAAKm+E,sBAAuBkB,EACpC,EASAlB,sBAAuB,SAAUr8D,GAChC,OAAMA,GAGNA,EAAK09D,SAAU19D,EAAK89D,WAAa,GAAK99D,EAAK89D,WAAa,EAAI,GACrD99D,GAHC,IAIT,EAGAm2D,SAAU,SAAU7jB,EAAMtyC,EAAM+9D,GAC/B,IAAIzyC,GAAStrB,EACZg+D,EAAY1rB,EAAKwiB,cACjBmJ,EAAW3rB,EAAKyiB,aAChBwI,EAAUr/E,KAAKm/E,gBAAiB/qB,EAAMp0D,KAAKo/E,eAAgBhrB,EAAMtyC,EAAM,IAAIC,OAE5EqyC,EAAKuiB,YAAcviB,EAAK+nB,WAAakD,EAAQn9D,UAC7CkyC,EAAK0iB,UAAY1iB,EAAKwiB,cAAgBxiB,EAAKgoB,aAAeiD,EAAQp9D,WAClEmyC,EAAK2iB,SAAW3iB,EAAKyiB,aAAeziB,EAAKioB,YAAcgD,EAAQr9D,cACxD89D,IAAc1rB,EAAKwiB,eAAiBmJ,IAAa3rB,EAAKyiB,cAAmBgJ,GAC/E7/E,KAAKs8E,cAAeloB,GAErBp0D,KAAKk8E,gBAAiB9nB,GACjBA,EAAK/sB,OACT+sB,EAAK/sB,MAAM/E,IAAK8K,EAAQ,GAAKptC,KAAK+3E,YAAa3jB,GAEjD,EAGAulB,SAAU,SAAUvlB,GAIlB,OAHkBA,EAAKioB,aAAiBjoB,EAAK/sB,OAA8B,KAArB+sB,EAAK/sB,MAAM/E,MAAiB,KAClFtiC,KAAKm+E,sBAAuB,IAAIp8D,KAChCqyC,EAAKioB,YAAajoB,EAAKgoB,aAAchoB,EAAK+nB,YAE5C,EAKAnB,gBAAiB,SAAU5mB,GAC1B,IAAIme,EAAavyE,KAAKs3E,KAAMljB,EAAM,cACjC7uD,EAAK,IAAM6uD,EAAK7uD,GAAG+O,QAAS,QAAS,MACtC8/C,EAAK2e,MAAMhxE,KAAM,kBAAmBgL,KAAK,WACxC,IAAIsR,EAAU,CACb2uB,KAAM,WACL1sC,EAAE4yE,WAAW6G,YAAax0E,GAAKgtE,EAAY,IAC5C,EACA7gC,KAAM,WACLpxC,EAAE4yE,WAAW6G,YAAax0E,GAAKgtE,EAAY,IAC5C,EACAtyE,KAAM,WACLK,EAAE4yE,WAAWuE,iBACd,EACAuI,MAAO,WACN1/E,EAAE4yE,WAAW+G,WAAY10E,EAC1B,EACA06E,UAAW,WAEV,OADA3/E,EAAE4yE,WAAW4G,WAAYv0E,GAAKvF,KAAKyJ,aAAc,eAAiBzJ,KAAKyJ,aAAc,aAAezJ,OAC7F,CACR,EACAkgF,YAAa,WAEZ,OADA5/E,EAAE4yE,WAAWqJ,iBAAkBh3E,EAAIvF,KAAM,MAClC,CACR,EACAmgF,WAAY,WAEX,OADA7/E,EAAE4yE,WAAWqJ,iBAAkBh3E,EAAIvF,KAAM,MAClC,CACR,GAEDM,EAAGN,MAAO+X,GAAI/X,KAAKyJ,aAAc,cAAgB4U,EAASre,KAAKyJ,aAAc,iBAC9E,GACD,EAGAsxE,cAAe,SAAU3mB,GACxB,IAAIgsB,EAAS3Q,EAAUziC,EAAM0iC,EAAUh+B,EAAMi+B,EAAa0Q,EACzDC,EAAUC,EAAapQ,EAAUsB,EAAU3B,EAAUE,EACrDJ,EAAYC,EAAiBkC,EAAeR,EAC5CC,EAAmBZ,EAAa/vE,EAAM2/E,EAAKC,EAAKC,EAAOC,EAAKC,EAC5DC,EAAaC,EAAUC,EAAOjE,EAAKkE,EAAaC,EAAUC,EAASC,EACnEC,EAAWC,EAAMC,EAAOC,EAAaC,EAAYC,EACjDC,EAAW,IAAI3/D,KACfi+D,EAAQhgF,KAAKm+E,sBACZ,IAAIp8D,KAAM2/D,EAAS1/D,cAAe0/D,EAASz/D,WAAYy/D,EAASx/D,YACjEo6B,EAAQt8C,KAAKs3E,KAAMljB,EAAM,SACzBwe,EAAkB5yE,KAAKs3E,KAAMljB,EAAM,mBACnC6c,EAAmBjxE,KAAKs3E,KAAMljB,EAAM,oBACpC8c,EAAyBlxE,KAAKs3E,KAAMljB,EAAM,0BAC1C8mB,EAAYl7E,KAAKm7E,mBAAoB/mB,GACrCke,EAAmBtyE,KAAKs3E,KAAMljB,EAAM,oBACpCme,EAAavyE,KAAKs3E,KAAMljB,EAAM,cAC9ButB,EAAoC,IAAnBzG,EAAW,IAAgC,IAAnBA,EAAW,GACpD0G,EAAc5hF,KAAKm+E,sBAA0B/pB,EAAK+nB,WACjD,IAAIp6D,KAAMqyC,EAAKioB,YAAajoB,EAAKgoB,aAAchoB,EAAK+nB,YADU,IAAIp6D,KAAM,KAAM,EAAG,IAElF8vD,EAAU7xE,KAAKq5E,eAAgBjlB,EAAM,OACrC0d,EAAU9xE,KAAKq5E,eAAgBjlB,EAAM,OACrC0iB,GAAY1iB,EAAK0iB,UAAYxE,EAC7ByE,GAAW3iB,EAAK2iB,SAMjB,GAJKD,GAAY,IAChBA,IAAa,GACbC,MAEIjF,EAIJ,IAHAsO,EAAUpgF,KAAKm+E,sBAAuB,IAAIp8D,KAAM+vD,EAAQ9vD,cACvD8vD,EAAQ7vD,WAAei5D,EAAW,GAAMA,EAAW,GAAQ,EAAGpJ,EAAQ5vD,YACvEk+D,EAAYvO,GAAWuO,EAAUvO,EAAUA,EAAUuO,EAC7CpgF,KAAKm+E,sBAAuB,IAAIp8D,KAAMg1D,GAAUD,GAAW,IAAQsJ,KAC1EtJ,GACiB,IAChBA,GAAY,GACZC,MA6HH,IAzHA3iB,EAAK0iB,UAAYA,GACjB1iB,EAAK2iB,SAAWA,GAEhBtH,EAAWzvE,KAAKs3E,KAAMljB,EAAM,YAC5Bqb,EAAcyB,EAAoClxE,KAAK2T,WAAY87D,EAClEzvE,KAAKm+E,sBAAuB,IAAIp8D,KAAMg1D,GAAUD,GAAYvE,EAAY,IACxEvyE,KAAKw6E,iBAAkBpmB,IAFeqb,EAKtCziC,EADIhtC,KAAK6hF,gBAAiBztB,GAAO,EAAG2iB,GAAUD,IACvCx2E,EAAG,OACRyV,KAAM,CACN,MAAS,mCACT,eAAgB,OAChB,aAAc,QACd1L,MAAOolE,IAEPz5D,OACA1V,EAAG,UACDqC,SAAU,oCACR25C,EAAQ,IAAM,MAChBh7C,KAAMmuE,IACN,GAAIlrC,UACG0sC,EACJ,GAEA3wE,EAAG,OACRyV,KAAM,CACN,MAAS,qDACT1L,MAAOolE,IAEPz5D,OACA1V,EAAG,UACDqC,SAAU,oCACR25C,EAAQ,IAAM,MAChBh7C,KAAMmuE,IACN,GAAIlrC,UAGTmrC,EAAW1vE,KAAKs3E,KAAMljB,EAAM,YAC5Bsb,EAAcwB,EAAoClxE,KAAK2T,WAAY+7D,EAClE1vE,KAAKm+E,sBAAuB,IAAIp8D,KAAMg1D,GAAUD,GAAYvE,EAAY,IACxEvyE,KAAKw6E,iBAAkBpmB,IAFesb,EAKtCh+B,EADI1xC,KAAK6hF,gBAAiBztB,EAAM,EAAI2iB,GAAUD,IACvCx2E,EAAG,OACRyV,KAAM,CACN,MAAS,mCACT,eAAgB,OAChB,aAAc,QACd1L,MAAOqlE,IAEP15D,OACA1V,EAAG,UACDqC,SAAU,oCACR25C,EAAQ,IAAM,MAChBh7C,KAAMouE,IACN,GAAInrC,UACG0sC,EACJ,GAEA3wE,EAAG,OACRyV,KAAM,CACN,MAAS,qDACT1L,MAAOqlE,IAEP15D,OACA1V,EAAG,UACDyV,KAAM,QAAS,oCACbumC,EAAQ,IAAM,MAChBh7C,KAAMouE,IACN,GAAInrC,UAGTorC,EAAc3vE,KAAKs3E,KAAMljB,EAAM,eAC/BisB,EAAargF,KAAKs3E,KAAMljB,EAAM,gBAAmBA,EAAK+nB,WAAayF,EAAc5B,EACjFrQ,EAAiBuB,EAChBlxE,KAAK2T,WAAYg8D,EAAa0Q,EAAUrgF,KAAKw6E,iBAAkBpmB,IADtBub,EAG1C2Q,EAAW,GACLlsB,EAAKgf,SACVkN,EAAWhgF,EAAG,YACZyV,KAAM,CACN9S,KAAM,SACN,MAAS,yEACT,eAAgB,OAChB,aAAc,UAEd3B,KAAMtB,KAAKs3E,KAAMljB,EAAM,cAAiB,GAAI7vB,WAG/Cg8C,EAAc,GACT3N,IACJ2N,EAAcjgF,EAAG,4DACf0V,OAAQsmC,EAAQgkC,EAAW,IAC3BtqE,OAAQhW,KAAK8hF,WAAY1tB,EAAMisB,GAC/B//E,EAAG,YACDyV,KAAM,CACN9S,KAAM,SACN,MAAS,6EACT,eAAgB,QAChB,aAAc,UAEd3B,KAAMquE,GACR,IACA35D,OAAQsmC,EAAQ,GAAKgkC,GAAY,GAAI/7C,WAGxC4rC,EAAW5yD,SAAUvd,KAAKs3E,KAAMljB,EAAM,YAAc,IACpD+b,EAAazmD,MAAOymD,GAAa,EAAIA,EAErCsB,EAAWzxE,KAAKs3E,KAAMljB,EAAM,YAC5B0b,EAAW9vE,KAAKs3E,KAAMljB,EAAM,YAC5B4b,EAAchwE,KAAKs3E,KAAMljB,EAAM,eAC/Bwb,EAAa5vE,KAAKs3E,KAAMljB,EAAM,cAC9Byb,EAAkB7vE,KAAKs3E,KAAMljB,EAAM,mBACnC2d,EAAgB/xE,KAAKs3E,KAAMljB,EAAM,iBACjCmd,EAAkBvxE,KAAKs3E,KAAMljB,EAAM,mBACnCod,EAAoBxxE,KAAKs3E,KAAMljB,EAAM,qBACrCwc,EAAc5wE,KAAKk4E,gBAAiB9jB,GACpCvzD,EAAO,GAED4/E,EAAM,EAAGA,EAAMvF,EAAW,GAAKuF,IAAQ,CAG5C,IAFAC,EAAQ,GACR1gF,KAAKo2E,QAAU,EACTuK,EAAM,EAAGA,EAAMzF,EAAW,GAAKyF,IAAQ,CAI5C,GAHAC,EAAe5gF,KAAKm+E,sBAAuB,IAAIp8D,KAAMg1D,GAAUD,GAAW1iB,EAAKuiB,cAC/EkK,EAAc,iBACdC,EAAW,GACNa,EAAe,CAEnB,GADAb,GAAY,kCACP5F,EAAW,GAAM,EACrB,OAASyF,GACR,KAAK,EAAGG,GAAY,6BACnBD,EAAc,eAAkBvkC,EAAQ,QAAU,QAAU,MAC7D,KAAK4+B,EAAW,GAAM,EAAG4F,GAAY,4BACpCD,EAAc,eAAkBvkC,EAAQ,OAAS,SAAW,MAC7D,QAASwkC,GAAY,8BAA+BD,EAAc,GAGpEC,GAAY,IACb,CASA,IARAA,GAAY,uEAAyED,EAAc,MAChG,WAAWt3C,KAAMs3C,IAAyB,IAARJ,EAAcnkC,EAAQ5K,EAAO1E,EAAS,KACxE,YAAYzD,KAAMs3C,IAAyB,IAARJ,EAAcnkC,EAAQtP,EAAO0E,EAAS,IAC3E1xC,KAAK+hF,yBAA0B3tB,EAAM0iB,GAAWC,GAAUlF,EAASC,EACnE2O,EAAM,GAAKE,EAAM,EAAG/Q,EAAYC,GAJrB,0DAOZkR,EAAUtP,EAAW,sCAAwCzxE,KAAKs3E,KAAMljB,EAAM,cAAiB,QAAU,GACnGosB,EAAM,EAAGA,EAAM,EAAGA,IAEvBO,GAAS,oBAAwBP,EAAMrQ,EAAW,GAAM,GAAK,EAAI,kCAAoC,IAA5F,iBACUL,EAFnBgN,GAAQ0D,EAAMrQ,GAAa,GAEU,KAAOH,EAAa8M,GAAQ,eAYlE,IAVAgE,GAAYC,EAAQ,uBACpBC,EAAchhF,KAAKk+E,gBAAiBnH,GAAUD,IACzCC,KAAa3iB,EAAKyiB,cAAgBC,KAAc1iB,EAAKwiB,gBACzDxiB,EAAKuiB,YAAc/lE,KAAK0E,IAAK8+C,EAAKuiB,YAAaqK,IAEhDC,GAAajhF,KAAKgiF,oBAAqBjL,GAAUD,IAAc3G,EAAW,GAAM,EAChF+Q,EAAUtwE,KAAKU,MAAQ2vE,EAAWD,GAAgB,GAClDG,EAAYQ,GAAe3hF,KAAKo2E,QAAU8K,EAAUlhF,KAAKo2E,QAAoB8K,EAC7ElhF,KAAKo2E,QAAU+K,EACfC,EAAYphF,KAAKm+E,sBAAuB,IAAIp8D,KAAMg1D,GAAUD,GAAW,EAAImK,IACrEI,EAAO,EAAGA,EAAOF,EAASE,IAAS,CAIxC,IAHAP,GAAY,OACZQ,EAAW7P,EAAgB,sCAC1BzxE,KAAKs3E,KAAMljB,EAAM,gBAAjBp0D,CAAoCohF,GAAc,QAD7B,GAEhBZ,EAAM,EAAGA,EAAM,EAAGA,IACvBe,EAAgBxP,EACfA,EAAcr3D,MAAS05C,EAAK/sB,MAAQ+sB,EAAK/sB,MAAO,GAAM,KAAQ,CAAE+5C,IAAgB,EAAE,EAAM,IAEzFK,GADAD,EAAeJ,EAAUn/D,aAAe60D,MACRtF,IAAwB+P,EAAa,IAClE1P,GAAWuP,EAAYvP,GAAeC,GAAWsP,EAAYtP,EAChEwP,GAAS,gBACJd,EAAMrQ,EAAW,GAAM,GAAK,EAAI,0BAA4B,KAC9DqR,EAAa,6BAA+B,KAC1CJ,EAAU3yE,YAAcmyE,EAAanyE,WAAaqoE,KAAc1iB,EAAKwiB,eAAiBxiB,EAAK2X,WAC7F6E,EAAYniE,YAAc2yE,EAAU3yE,WAAamiE,EAAYniE,YAAcmyE,EAAanyE,UAG1F,IAAMzO,KAAKsvE,cAAgB,KACzBmS,EAAe,IAAMzhF,KAAKovE,mBAAqB,qBAAuB,KACtEoS,IAAejQ,EAAkB,GAAK,IAAMgQ,EAAa,IACzDH,EAAU3yE,YAAcmzE,EAAYnzE,UAAY,IAAMzO,KAAKqvE,cAAgB,KAC3E+R,EAAU3yE,YAAcuxE,EAAMvxE,UAAY,uBAAyB,KAAS,KACzE+yE,IAAcjQ,IAAqBgQ,EAAa,GAAqE,GAA/D,WAAaA,EAAa,GAAIjtE,QAAS,KAAM,SAAY,MAClHmtE,EAAe,GAAK,4DAA8DL,EAAUn/D,WAAa,gBAAkBm/D,EAAUp/D,cAAgB,KAAQ,KAC7Jw/D,IAAejQ,EAAkB,SACjCkQ,EAAe,kCAAoCL,EAAUl/D,UAAY,UAAY,8BACrFk/D,EAAU3yE,YAAcuxE,EAAMvxE,UAAY,sBAAwB,KAClE2yE,EAAU3yE,YAAcmzE,EAAYnzE,UAAY,mBAAqB,KACrE+yE,EAAa,yBAA2B,IAC1C,6BAAgCJ,EAAU3yE,YAAcmzE,EAAYnzE,UAAY,OAAS,SACzF,gBAAkB2yE,EAAUl/D,UAC5B,KAAOk/D,EAAUl/D,UAAY,QAAa,QAC3Ck/D,EAAUvJ,QAASuJ,EAAUl/D,UAAY,GACzCk/D,EAAYphF,KAAKm+E,sBAAuBiD,GAEzCN,GAAYQ,EAAQ,OACrB,GACAxK,GACiB,KAChBA,GAAY,EACZC,MAID2J,GAFAI,GAAY,oBAAuBa,EAAe,UAC3CzG,EAAW,GAAM,GAAKyF,IAAQzF,EAAW,GAAM,EAAM,8CAAgD,IAAO,GAEpH,CACAr6E,GAAQ6/E,CACT,CAGA,OAFA7/E,GAAQ0/E,EACRnsB,EAAK2X,WAAY,EACVlrE,CACR,EAGAkhF,yBAA0B,SAAU3tB,EAAM0iB,EAAWC,EAAUlF,EAASC,EACtEkE,EAAWpG,EAAYC,GAExB,IAAIoS,EAAWC,EAAWzF,EAAO0F,EAAOC,EAAUC,EAAe3F,EAAM4F,EACtElR,EAAcpxE,KAAKs3E,KAAMljB,EAAM,eAC/Bid,EAAarxE,KAAKs3E,KAAMljB,EAAM,cAC9Bgc,EAAqBpwE,KAAKs3E,KAAMljB,EAAM,sBACtCkc,EAAmBtwE,KAAKs3E,KAAMljB,EAAM,oBACpCmc,EAAkBvwE,KAAKs3E,KAAMljB,EAAM,mBACnCvzD,EAAO,oCACP0hF,EAAY,GAGb,GAAKvM,IAAc5E,EAClBmR,GAAa,qCAAuC3S,EAAYkH,GAAc,cACxE,CAIN,IAHAmL,EAAcpQ,GAAWA,EAAQ7vD,gBAAkB+0D,EACnDmL,EAAcpQ,GAAWA,EAAQ9vD,gBAAkB+0D,EACnDwL,GAAa,mDAAqDjS,EAAmB,oDAC/EmM,EAAQ,EAAGA,EAAQ,GAAIA,MACpBwF,GAAaxF,GAAS5K,EAAQ5vD,eAAmBigE,GAAazF,GAAS3K,EAAQ7vD,cACtFsgE,GAAa,kBAAoB9F,EAAQ,KACtCA,IAAU3F,EAAY,uBAAyB,IACjD,IAAMjH,EAAiB4M,GAAU,aAGpC8F,GAAa,WACd,CAOA,GALMnS,IACLvvE,GAAQ0hF,IAAcvM,GAAgB5E,GAAeC,EAA0B,GAAX,YAI/Djd,EAAKknB,UAEV,GADAlnB,EAAKknB,UAAY,GACZtF,IAAc3E,EAClBxwE,GAAQ,oCAAsCk2E,EAAW,cACnD,CAgBN,IAbAoL,EAAQniF,KAAKs3E,KAAMljB,EAAM,aAAc5yD,MAAO,KAC9C4gF,GAAW,IAAIrgE,MAAOC,cACtBqgE,EAAgB,SAAUr+E,GACzB,IAAI04E,EAAS14E,EAAM0b,MAAO,YAAeq3D,EAAWx5D,SAAUvZ,EAAM25E,UAAW,GAAK,IACjF35E,EAAM0b,MAAO,WAAc0iE,EAAW7kE,SAAUvZ,EAAO,IACzDuZ,SAAUvZ,EAAO,IAClB,OAAS0lB,MAAOgzD,GAAS0F,EAAW1F,CACrC,EACAA,EAAO2F,EAAeF,EAAO,IAC7BG,EAAU1xE,KAAKkC,IAAK4pE,EAAM2F,EAAeF,EAAO,IAAO,KACvDzF,EAAS7K,EAAUjhE,KAAKkC,IAAK4pE,EAAM7K,EAAQ7vD,eAAkB06D,EAC7D4F,EAAYxQ,EAAUlhE,KAAK0E,IAAKgtE,EAASxQ,EAAQ9vD,eAAkBsgE,EACnEluB,EAAKknB,WAAa,kDAAoD/K,EAAkB,mDAChFmM,GAAQ4F,EAAS5F,IACxBtoB,EAAKknB,WAAa,kBAAoBoB,EAAO,KAC1CA,IAAS3F,EAAW,uBAAyB,IAC/C,IAAM2F,EAAO,YAEftoB,EAAKknB,WAAa,YAElBz6E,GAAQuzD,EAAKknB,UACblnB,EAAKknB,UAAY,IAClB,CAQD,OALAz6E,GAAQb,KAAKs3E,KAAMljB,EAAM,cACpBgc,IACJvvE,KAAUm1E,GAAgB5E,GAAeC,EAA0B,GAAX,UAAkBkR,GAE3E1hF,EAAQ,QAET,EAGAq7E,gBAAiB,SAAU9nB,EAAM/E,EAAQ4sB,GACxC,IAAIS,EAAOtoB,EAAKyiB,cAA4B,MAAXoF,EAAiB5sB,EAAS,GAC1DotB,EAAQroB,EAAKwiB,eAA6B,MAAXqF,EAAiB5sB,EAAS,GACzDytB,EAAMlsE,KAAK0E,IAAK8+C,EAAKuiB,YAAa32E,KAAKk+E,gBAAiBxB,EAAMD,KAAyB,MAAXR,EAAiB5sB,EAAS,GACtGvtC,EAAO9hB,KAAKm/E,gBAAiB/qB,EAAMp0D,KAAKm+E,sBAAuB,IAAIp8D,KAAM26D,EAAMD,EAAOK,KAEvF1oB,EAAKuiB,YAAc70D,EAAKI,UACxBkyC,EAAK0iB,UAAY1iB,EAAKwiB,cAAgB90D,EAAKG,WAC3CmyC,EAAK2iB,SAAW3iB,EAAKyiB,aAAe/0D,EAAKE,cACzB,MAAXi6D,GAA6B,MAAXA,GACtBj8E,KAAKs8E,cAAeloB,EAEtB,EAGA+qB,gBAAiB,SAAU/qB,EAAMtyC,GAChC,IAAI+vD,EAAU7xE,KAAKq5E,eAAgBjlB,EAAM,OACxC0d,EAAU9xE,KAAKq5E,eAAgBjlB,EAAM,OACrCirB,EAAYxN,GAAW/vD,EAAO+vD,EAAUA,EAAU/vD,EACnD,OAASgwD,GAAWuN,EAAUvN,EAAUA,EAAUuN,CACnD,EAGA/C,cAAe,SAAUloB,GACxB,IAAIouB,EAAWxiF,KAAKs3E,KAAMljB,EAAM,qBAC3BouB,GACJA,EAAS9nE,MAAS05C,EAAK/sB,MAAQ+sB,EAAK/sB,MAAO,GAAM,KAChD,CAAE+sB,EAAKyiB,aAAcziB,EAAKwiB,cAAgB,EAAGxiB,GAEhD,EAGA+mB,mBAAoB,SAAU/mB,GAC7B,IAAI8mB,EAAYl7E,KAAKs3E,KAAMljB,EAAM,kBACjC,OAAsB,MAAb8mB,EAAoB,CAAE,EAAG,GAA6B,iBAAdA,EAAyB,CAAE,EAAGA,GAAcA,CAC9F,EAGA7B,eAAgB,SAAUjlB,EAAMquB,GAC/B,OAAOziF,KAAKo/E,eAAgBhrB,EAAMp0D,KAAKs3E,KAAMljB,EAAMquB,EAAS,QAAU,KACvE,EAGAvE,gBAAiB,SAAUxB,EAAMD,GAChC,OAAO,GAAKz8E,KAAKm+E,sBAAuB,IAAIp8D,KAAM26D,EAAMD,EAAO,KAAOv6D,SACvE,EAGA8/D,oBAAqB,SAAUtF,EAAMD,GACpC,OAAO,IAAI16D,KAAM26D,EAAMD,EAAO,GAAI3E,QACnC,EAGA+J,gBAAiB,SAAUztB,EAAM/E,EAAQqzB,EAASC,GACjD,IAAIzH,EAAYl7E,KAAKm7E,mBAAoB/mB,GACxCtyC,EAAO9hB,KAAKm+E,sBAAuB,IAAIp8D,KAAM2gE,EAC7CC,GAAatzB,EAAS,EAAIA,EAAS6rB,EAAW,GAAMA,EAAW,IAAO,IAKvE,OAHK7rB,EAAS,GACbvtC,EAAK+1D,QAAS73E,KAAKk+E,gBAAiBp8D,EAAKE,cAAeF,EAAKG,aAEvDjiB,KAAK8hF,WAAY1tB,EAAMtyC,EAC/B,EAGAggE,WAAY,SAAU1tB,EAAMtyC,GAC3B,IAAI8gE,EAAWvG,EACdxK,EAAU7xE,KAAKq5E,eAAgBjlB,EAAM,OACrC0d,EAAU9xE,KAAKq5E,eAAgBjlB,EAAM,OACrCyuB,EAAU,KACVC,EAAU,KACVX,EAAQniF,KAAKs3E,KAAMljB,EAAM,aAc1B,OAbM+tB,IACJS,EAAYT,EAAM3gF,MAAO,KACzB66E,GAAc,IAAIt6D,MAAOC,cACzB6gE,EAAUtlE,SAAUqlE,EAAW,GAAK,IACpCE,EAAUvlE,SAAUqlE,EAAW,GAAK,IAC/BA,EAAW,GAAIljE,MAAO,aAC1BmjE,GAAWxG,GAEPuG,EAAW,GAAIljE,MAAO,aAC1BojE,GAAWzG,MAIFxK,GAAW/vD,EAAKrT,WAAaojE,EAAQpjE,cAC7CqjE,GAAWhwD,EAAKrT,WAAaqjE,EAAQrjE,cACrCo0E,GAAW/gE,EAAKE,eAAiB6gE,MACjCC,GAAWhhE,EAAKE,eAAiB8gE,EACtC,EAGAtI,iBAAkB,SAAUpmB,GAC3B,IAAIwd,EAAkB5xE,KAAKs3E,KAAMljB,EAAM,mBAGvC,MAAO,CAAEwd,gBAFTA,EAA+C,iBAApBA,EAA+BA,GACzD,IAAI7vD,MAAOC,cAAgB,IAAMzE,SAAUq0D,EAAiB,IAE5D7B,cAAe/vE,KAAKs3E,KAAMljB,EAAM,iBAAmB0b,SAAU9vE,KAAKs3E,KAAMljB,EAAM,YAC9Eyb,gBAAiB7vE,KAAKs3E,KAAMljB,EAAM,mBAAqBwb,WAAY5vE,KAAKs3E,KAAMljB,EAAM,cACtF,EAGA2jB,YAAa,SAAU3jB,EAAM0oB,EAAKL,EAAOC,GAClCI,IACL1oB,EAAK+nB,WAAa/nB,EAAKuiB,YACvBviB,EAAKgoB,aAAehoB,EAAKwiB,cACzBxiB,EAAKioB,YAAcjoB,EAAKyiB,cAEzB,IAAI/0D,EAASg7D,EAAuB,iBAARA,EAAmBA,EAC9C98E,KAAKm+E,sBAAuB,IAAIp8D,KAAM26D,EAAMD,EAAOK,IACnD98E,KAAKm+E,sBAAuB,IAAIp8D,KAAMqyC,EAAKioB,YAAajoB,EAAKgoB,aAAchoB,EAAK+nB,aACjF,OAAOn8E,KAAK2T,WAAY3T,KAAKs3E,KAAMljB,EAAM,cAAgBtyC,EAAM9hB,KAAKw6E,iBAAkBpmB,GACvF,IAkDD9zD,EAAEkM,GAAG0mE,WAAa,SAAUpyE,GAG3B,IAAMd,KAAKgC,OACV,OAAOhC,KAIFM,EAAE4yE,WAAW6P,cAClBziF,EAAGiJ,UAAWwO,GAAI,YAAazX,EAAE4yE,WAAW8I,qBAC5C17E,EAAE4yE,WAAW6P,aAAc,GAIuB,IAA9CziF,EAAG,IAAMA,EAAE4yE,WAAWpE,YAAa9sE,QACvC1B,EAAG,QAAS0V,OAAQ1V,EAAE4yE,WAAWH,OAGlC,IAAIiQ,EAAYzkD,MAAMt1B,UAAU4D,MAAMlM,KAAMkK,UAAW,GACvD,MAAwB,iBAAZ/J,GAAsC,eAAZA,GAAwC,YAAZA,GAAqC,WAAZA,EAI1E,WAAZA,GAA6C,IAArB+J,UAAU7I,QAA0C,iBAAnB6I,UAAW,GACjEvK,EAAE4yE,WAAY,IAAMpyE,EAAU,cACpC4Z,MAAOpa,EAAE4yE,WAAY,CAAElzE,KAAM,IAAMqgC,OAAQ2iD,IAEtChjF,KAAKK,MAAM,WACO,iBAAZS,EACXR,EAAE4yE,WAAY,IAAMpyE,EAAU,cAC5B4Z,MAAOpa,EAAE4yE,WAAY,CAAElzE,MAAOqgC,OAAQ2iD,IAExC1iF,EAAE4yE,WAAWqD,kBAAmBv2E,KAAMc,EAExC,IAdQR,EAAE4yE,WAAY,IAAMpyE,EAAU,cACpC4Z,MAAOpa,EAAE4yE,WAAY,CAAElzE,KAAM,IAAMqgC,OAAQ2iD,GAc9C,EAEA1iF,EAAE4yE,WAAa,IAAIzE,EACnBnuE,EAAE4yE,WAAW6P,aAAc,EAC3BziF,EAAE4yE,WAAW/oB,MAAO,IAAIpoC,MAAOtT,UAC/BnO,EAAE4yE,WAAWtqD,QAAU,SAECtoB,EAAE4yE,WAKjB5yE,EAAEunD,GAAGo7B,KAAO,cAAcrsC,KAAMx5B,UAAUC,UAAUC,eAL7D,IAq/PM4lE,EA/9PFlb,GAAe,EAq5OnB,SAASmb,EAAiB32E,GACzB,OAAO,WACN,IAAIghC,EAAWxtC,KAAKw4B,QAAQ8J,MAC5B91B,EAAGkO,MAAO1a,KAAM6K,WAChB7K,KAAKmlE,WACA33B,IAAaxtC,KAAKw4B,QAAQ8J,OAC9BtiC,KAAKgiC,SAAU,SAEjB,CACD,CA75OA1hC,EAAGiJ,UAAWwO,GAAI,WAAW,WAC5BiwD,GAAe,CAChB,IAEmB1nE,EAAEqjC,OAAQ,WAAY,CACxC/a,QAAS,SACT9nB,QAAS,CACRgP,OAAQ,0CACR8lD,SAAU,EACV/5C,MAAO,GAERunE,WAAY,WACX,IAAIp4B,EAAOhrD,KAEXA,KAAKw4B,QACHzgB,GAAI,aAAe/X,KAAKopD,YAAY,SAAUljC,GAC9C,OAAO8kC,EAAKq4B,WAAYn9D,EACzB,IACCnO,GAAI,SAAW/X,KAAKopD,YAAY,SAAUljC,GAC1C,IAAK,IAAS5lB,EAAE+C,KAAM6iB,EAAMzY,OAAQu9C,EAAK5B,WAAa,sBAGrD,OAFA9oD,EAAE6qD,WAAYjlC,EAAMzY,OAAQu9C,EAAK5B,WAAa,sBAC9CljC,EAAMyb,4BACC,CAET,IAED3hC,KAAKk3C,SAAU,CAChB,EAIAosC,cAAe,WACdtjF,KAAKw4B,QAAQhS,IAAK,IAAMxmB,KAAKopD,YACxBppD,KAAKujF,oBACTvjF,KAAKuJ,SACHid,IAAK,aAAexmB,KAAKopD,WAAYppD,KAAKujF,oBAC1C/8D,IAAK,WAAaxmB,KAAKopD,WAAYppD,KAAKwjF,iBAE5C,EAEAH,WAAY,SAAUn9D,GAGrB,IAAK8hD,EAAL,CAIAhoE,KAAKyjF,aAAc,EAGdzjF,KAAK0jF,eACT1jF,KAAK2jF,SAAUz9D,GAGhBlmB,KAAK4jF,gBAAkB19D,EAEvB,IAAI8kC,EAAOhrD,KACV6jF,EAA8B,IAAhB39D,EAAM49D,MAIpBC,IAA8C,iBAAxB/jF,KAAKc,QAAQgP,SAAuBoW,EAAMzY,OAAOk0C,WACtErhD,EAAG4lB,EAAMzY,QAASmK,QAAS5X,KAAKc,QAAQgP,QAAS9N,OACnD,QAAM6hF,IAAaE,GAAe/jF,KAAKgkF,cAAe99D,KAItDlmB,KAAKikF,eAAiBjkF,KAAKc,QAAQ+a,MAC7B7b,KAAKikF,gBACVjkF,KAAKkkF,iBAAmBnhE,YAAY,WACnCioC,EAAKi5B,eAAgB,CACtB,GAAGjkF,KAAKc,QAAQ+a,QAGZ7b,KAAKmkF,kBAAmBj+D,IAAWlmB,KAAKokF,eAAgBl+D,KAC5DlmB,KAAK0jF,eAAgD,IAA9B1jF,KAAKqkF,YAAan+D,IACnClmB,KAAK0jF,gBACVx9D,EAAMC,iBACC,KAKJ,IAAS7lB,EAAE+C,KAAM6iB,EAAMzY,OAAQzN,KAAKopD,WAAa,uBACrD9oD,EAAE6qD,WAAYjlC,EAAMzY,OAAQzN,KAAKopD,WAAa,sBAI/CppD,KAAKujF,mBAAqB,SAAUr9D,GACnC,OAAO8kC,EAAKs5B,WAAYp+D,EACzB,EACAlmB,KAAKwjF,iBAAmB,SAAUt9D,GACjC,OAAO8kC,EAAK24B,SAAUz9D,EACvB,EAEAlmB,KAAKuJ,SACHwO,GAAI,aAAe/X,KAAKopD,WAAYppD,KAAKujF,oBACzCxrE,GAAI,WAAa/X,KAAKopD,WAAYppD,KAAKwjF,kBAEzCt9D,EAAMC,iBAEN6hD,GAAe,EACR,IAzDP,CA0DD,EAEAsc,WAAY,SAAUp+D,GAMrB,GAAKlmB,KAAKyjF,YAAc,CAGvB,GAAKnjF,EAAEunD,GAAGo7B,MAAS15E,SAASyuC,cAAgBzuC,SAASyuC,aAAe,KACjE9xB,EAAM/Y,OACR,OAAOnN,KAAK2jF,SAAUz9D,GAGhB,IAAMA,EAAM49D,MAKlB,GAAK59D,EAAMinC,cAAcuY,QAAUx/C,EAAMinC,cAAcwY,SACrDz/C,EAAMinC,cAAcigB,SAAWlnD,EAAMinC,cAAckgB,SACpDrtE,KAAKukF,oBAAqB,OACpB,IAAMvkF,KAAKukF,mBACjB,OAAOvkF,KAAK2jF,SAAUz9D,EAGzB,CAMA,OAJKA,EAAM49D,OAAS59D,EAAM/Y,UACzBnN,KAAKyjF,aAAc,GAGfzjF,KAAK0jF,eACT1jF,KAAKwkF,WAAYt+D,GACVA,EAAMC,mBAGTnmB,KAAKmkF,kBAAmBj+D,IAAWlmB,KAAKokF,eAAgBl+D,KAC5DlmB,KAAK0jF,eACkD,IAApD1jF,KAAKqkF,YAAarkF,KAAK4jF,gBAAiB19D,GACtClmB,KAAK0jF,cACT1jF,KAAKwkF,WAAYt+D,GAEjBlmB,KAAK2jF,SAAUz9D,KAITlmB,KAAK0jF,cACd,EAEAC,SAAU,SAAUz9D,GACnBlmB,KAAKuJ,SACHid,IAAK,aAAexmB,KAAKopD,WAAYppD,KAAKujF,oBAC1C/8D,IAAK,WAAaxmB,KAAKopD,WAAYppD,KAAKwjF,kBAErCxjF,KAAK0jF,gBACT1jF,KAAK0jF,eAAgB,EAEhBx9D,EAAMzY,SAAWzN,KAAK4jF,gBAAgBn2E,QAC1CnN,EAAE+C,KAAM6iB,EAAMzY,OAAQzN,KAAKopD,WAAa,sBAAsB,GAG/DppD,KAAKykF,WAAYv+D,IAGblmB,KAAKkkF,mBACTjtD,aAAcj3B,KAAKkkF,yBACZlkF,KAAKkkF,kBAGblkF,KAAKukF,oBAAqB,EAC1Bvc,GAAe,EACf9hD,EAAMC,gBACP,EAEAg+D,kBAAmB,SAAUj+D,GAC5B,OAAStV,KAAKkC,IACZlC,KAAK0B,IAAKtS,KAAK4jF,gBAAgB3zB,MAAQ/pC,EAAM+pC,OAC7Cr/C,KAAK0B,IAAKtS,KAAK4jF,gBAAgB5zB,MAAQ9pC,EAAM8pC,SACzChwD,KAAKc,QAAQ80D,QAEpB,EAEAwuB,eAAgB,WACf,OAAOpkF,KAAKikF,aACb,EAGAI,YAAa,WAAyB,EACtCG,WAAY,WAAyB,EACrCC,WAAY,WAAyB,EACrCT,cAAe,WACd,OAAO,CACR,IAMY1jF,EAAEunD,GAAGzrC,OAAS,CAC1B2e,IAAK,SAAUylB,EAAQwJ,EAAQ9hC,GAC9B,IAAIzW,EACHivC,EAAQpgD,EAAEunD,GAAIrH,GAASv3C,UACxB,IAAMwI,KAAKyW,EACVw4B,EAAMrkC,QAAS5K,GAAMivC,EAAMrkC,QAAS5K,IAAO,GAC3CivC,EAAMrkC,QAAS5K,GAAI/D,KAAM,CAAEs8C,EAAQ9hC,EAAKzW,IAE1C,EACA9Q,KAAM,SAAUmyC,EAAUrnC,EAAMk7B,EAAM+9C,GACrC,IAAIjzE,EACHyW,EAAM4qB,EAASz2B,QAAS5Q,GAEzB,GAAMyc,IAIAw8D,GAAwB5xC,EAASta,QAAS,GAAIwoB,YACJ,KAA9ClO,EAASta,QAAS,GAAIwoB,WAAWhB,UAInC,IAAMvuC,EAAI,EAAGA,EAAIyW,EAAIlmB,OAAQyP,IACvBqhC,EAAShyC,QAASonB,EAAKzW,GAAK,KAChCyW,EAAKzW,GAAK,GAAIiJ,MAAOo4B,EAASta,QAASmO,EAG1C,GAKcrmC,EAAEunD,GAAG88B,SAAW,SAAUnsD,GAInCA,GAA8C,SAAnCA,EAAQmpB,SAASrkC,eAChChd,EAAGk4B,GAAU91B,QAAS,OAExB,EAoBApC,EAAEqjC,OAAQ,eAAgBrjC,EAAEunD,GAAG+8B,MAAO,CACrCh8D,QAAS,SACTugC,kBAAmB,OACnBroD,QAAS,CACR+jF,YAAY,EACZ1kD,SAAU,SACV2kD,MAAM,EACNC,mBAAmB,EACnBC,aAAa,EACb/L,OAAQ,OACRgM,UAAU,EACVC,MAAM,EACNC,QAAQ,EACRn+B,OAAQ,WACRo+B,WAAW,EACX5lB,SAAS,EACT6lB,kBAAkB,EAClBC,QAAQ,EACRC,eAAgB,IAChBC,MAAO,UACPtb,QAAQ,EACRub,kBAAmB,GACnBC,YAAa,GACbC,MAAM,EACNC,SAAU,OACVC,cAAe,GACfC,OAAO,EACP1qB,QAAQ,EAGR2qB,KAAM,KACN7/C,MAAO,KACP1qB,KAAM,MAEPslB,QAAS,WAEqB,aAAxB9gC,KAAKc,QAAQkmD,QACjBhnD,KAAKgmF,uBAEDhmF,KAAKc,QAAQ+jF,YACjB7kF,KAAKqsD,UAAW,gBAEjBrsD,KAAKimF,sBAELjmF,KAAKojF,YACN,EAEAnhD,WAAY,SAAUp+B,EAAKG,GAC1BhE,KAAKy+C,OAAQ56C,EAAKG,GACL,WAARH,IACJ7D,KAAKkmF,yBACLlmF,KAAKimF,sBAEP,EAEAh7B,SAAU,YACFjrD,KAAKgnD,QAAUhnD,KAAKw4B,SAAUpS,GAAI,0BACxCpmB,KAAKmmF,gBAAiB,GAGvBnmF,KAAKkmF,yBACLlmF,KAAKsjF,gBACN,EAEAU,cAAe,SAAU99D,GACxB,IAAIoe,EAAItkC,KAAKc,QAGb,QAAKd,KAAKgnD,QAAU1iB,EAAE4lB,UACpB5pD,EAAG4lB,EAAMzY,QAASmK,QAAS,wBAAyB5V,OAAS,IAK/DhC,KAAKmlF,OAASnlF,KAAKomF,WAAYlgE,IACzBlmB,KAAKmlF,SAIXnlF,KAAKqmF,mBAAoBngE,GAEzBlmB,KAAKsmF,cAA8B,IAAhBhiD,EAAE8gD,UAAqB,SAAW9gD,EAAE8gD,WAEhD,IAER,EAEAkB,aAAc,SAAUhrE,GACvBtb,KAAKumF,aAAevmF,KAAKuJ,SAASxH,KAAMuZ,GAAWvO,KAAK,WACvD,IAAI4M,EAASrZ,EAAGN,MAEhB,OAAOM,EAAG,SACRiU,IAAK,WAAY,YACjB4rB,SAAUxmB,EAAOrD,UACjBmxB,WAAY9tB,EAAO8tB,cACnB7E,YAAajpB,EAAOipB,eACpBysB,OAAQ11C,EAAO01C,UAAY,EAC9B,GACD,EAEAm3B,eAAgB,WACVxmF,KAAKumF,eACTvmF,KAAKumF,aAAa7uE,gBACX1X,KAAKumF,aAEd,EAEAF,mBAAoB,SAAUngE,GAC7B,IAAIg1C,EAAgB56D,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,IACjDjJ,EAAG4lB,EAAMzY,QAKPmK,QAASsjD,GAAgBl5D,QAKrC1B,EAAEunD,GAAG88B,SAAUzpB,EAChB,EAEAmpB,YAAa,SAAUn+D,GAEtB,IAAIoe,EAAItkC,KAAKc,QAiDb,OA9CAd,KAAKgnD,OAAShnD,KAAKymF,cAAevgE,GAElClmB,KAAKqsD,UAAWrsD,KAAKgnD,OAAQ,yBAG7BhnD,KAAK0mF,0BAGApmF,EAAEunD,GAAG8+B,YACTrmF,EAAEunD,GAAG8+B,UAAU55C,QAAU/sC,MAS1BA,KAAK4mF,gBAGL5mF,KAAKu8D,YAAcv8D,KAAKgnD,OAAOzyC,IAAK,YACpCvU,KAAK8jE,aAAe9jE,KAAKgnD,OAAO8c,cAAc,GAC9C9jE,KAAK6mF,aAAe7mF,KAAKgnD,OAAO6/B,eAChC7mF,KAAK8mF,iBAAmB9mF,KAAKgnD,OAAO4c,UAAUx1D,QAAQ,WACpD,MAAuC,UAAhC9N,EAAGN,MAAOuU,IAAK,WACvB,IAAIvS,OAAS,EAGdhC,KAAK+mF,YAAc/mF,KAAKw4B,QAAQ62B,SAChCrvD,KAAKgnF,gBAAiB9gE,GAGtBlmB,KAAKinF,iBAAmBjnF,KAAKkhB,SAAWlhB,KAAKknF,kBAAmBhhE,GAAO,GACvElmB,KAAKmnF,cAAgBjhE,EAAM+pC,MAC3BjwD,KAAKonF,cAAgBlhE,EAAM8pC,MAGtB1rB,EAAE2gD,UACNjlF,KAAKqnF,wBAAyB/iD,EAAE2gD,UAIjCjlF,KAAKsnF,mBAGoC,IAApCtnF,KAAKgiC,SAAU,QAAS9b,IAC5BlmB,KAAKunF,UACE,IAIRvnF,KAAK0mF,0BAGApmF,EAAEunD,GAAG8+B,YAAcriD,EAAEkjD,eACzBlnF,EAAEunD,GAAG8+B,UAAUc,eAAgBznF,KAAMkmB,GAKtClmB,KAAKwkF,WAAYt+D,GAAO,GAInB5lB,EAAEunD,GAAG8+B,WACTrmF,EAAEunD,GAAG8+B,UAAUe,UAAW1nF,KAAMkmB,IAG1B,EACR,EAEA8gE,gBAAiB,SAAU9gE,GAC1BlmB,KAAKqvD,OAAS,CACbluC,IAAKnhB,KAAK+mF,YAAY5lE,IAAMnhB,KAAK2nF,QAAQxmE,IACzCC,KAAMphB,KAAK+mF,YAAY3lE,KAAOphB,KAAK2nF,QAAQvmE,KAC3C8oD,QAAQ,EACR5zD,OAAQtW,KAAK4nF,mBACbC,SAAU7nF,KAAK8nF,sBAGhB9nF,KAAKqvD,OAAOl4C,MAAQ,CACnBiK,KAAM8E,EAAM+pC,MAAQjwD,KAAKqvD,OAAOjuC,KAChCD,IAAK+E,EAAM8pC,MAAQhwD,KAAKqvD,OAAOluC,IAEjC,EAEAqjE,WAAY,SAAUt+D,EAAO6hE,GAY5B,GATK/nF,KAAK8mF,mBACT9mF,KAAKqvD,OAAO/4C,OAAStW,KAAK4nF,oBAI3B5nF,KAAKkhB,SAAWlhB,KAAKknF,kBAAmBhhE,GAAO,GAC/ClmB,KAAK+mF,YAAc/mF,KAAKgoF,mBAAoB,aAGtCD,EAAgB,CACrB,IAAIlgC,EAAK7nD,KAAKioF,UACd,IAA4C,IAAvCjoF,KAAKgiC,SAAU,OAAQ9b,EAAO2hC,GAElC,OADA7nD,KAAK2jF,SAAU,IAAIrjF,EAAE4sD,MAAO,UAAWhnC,KAChC,EAERlmB,KAAKkhB,SAAW2mC,EAAG3mC,QACpB,CASA,OAPAlhB,KAAKgnD,OAAQ,GAAIppC,MAAMwD,KAAOphB,KAAKkhB,SAASE,KAAO,KACnDphB,KAAKgnD,OAAQ,GAAIppC,MAAMuD,IAAMnhB,KAAKkhB,SAASC,IAAM,KAE5C7gB,EAAEunD,GAAG8+B,WACTrmF,EAAEunD,GAAG8+B,UAAUZ,KAAM/lF,KAAMkmB,IAGrB,CACR,EAEAu+D,WAAY,SAAUv+D,GAGrB,IAAI8kC,EAAOhrD,KACVkoF,GAAU,EA+BX,OA9BK5nF,EAAEunD,GAAG8+B,YAAc3mF,KAAKc,QAAQ0mF,gBACpCU,EAAU5nF,EAAEunD,GAAG8+B,UAAUzyC,KAAMl0C,KAAMkmB,IAIjClmB,KAAKkoF,UACTA,EAAUloF,KAAKkoF,QACfloF,KAAKkoF,SAAU,GAGe,YAAxBloF,KAAKc,QAAQwkF,SAAyB4C,GACjB,UAAxBloF,KAAKc,QAAQwkF,QAAsB4C,IACb,IAAxBloF,KAAKc,QAAQwkF,QAAoD,mBAAxBtlF,KAAKc,QAAQwkF,QACtDtlF,KAAKc,QAAQwkF,OAAO3kF,KAAMX,KAAKw4B,QAAS0vD,GAEzC5nF,EAAGN,KAAKgnD,QAASiT,QAChBj6D,KAAKinF,iBACL1pE,SAAUvd,KAAKc,QAAQykF,eAAgB,KACvC,YACyC,IAAnCv6B,EAAKhpB,SAAU,OAAQ9b,IAC3B8kC,EAAKu8B,QAEP,KAGuC,IAAnCvnF,KAAKgiC,SAAU,OAAQ9b,IAC3BlmB,KAAKunF,UAIA,CACR,EAEA5D,SAAU,SAAUz9D,GAiBnB,OAhBAlmB,KAAKwmF,iBAIAlmF,EAAEunD,GAAG8+B,WACTrmF,EAAEunD,GAAG8+B,UAAUwB,SAAUnoF,KAAMkmB,GAI3BlmB,KAAKooF,cAAchiE,GAAIF,EAAMzY,SAIjCzN,KAAKw4B,QAAQ91B,QAAS,SAGhBpC,EAAEunD,GAAG+8B,MAAM37E,UAAU06E,SAAShjF,KAAMX,KAAMkmB,EAClD,EAEApW,OAAQ,WAQP,OANK9P,KAAKgnD,OAAO5gC,GAAI,0BACpBpmB,KAAK2jF,SAAU,IAAIrjF,EAAE4sD,MAAO,UAAW,CAAEz/C,OAAQzN,KAAKw4B,QAAS,MAE/Dx4B,KAAKunF,SAGCvnF,IAER,EAEAomF,WAAY,SAAUlgE,GACrB,OAAOlmB,KAAKc,QAAQqkF,UACjB7kF,EAAG4lB,EAAMzY,QAASmK,QAAS5X,KAAKw4B,QAAQz2B,KAAM/B,KAAKc,QAAQqkF,SAAWnjF,MAE1E,EAEAikF,oBAAqB,WACpBjmF,KAAKooF,cAAgBpoF,KAAKc,QAAQqkF,OACjCnlF,KAAKw4B,QAAQz2B,KAAM/B,KAAKc,QAAQqkF,QAAWnlF,KAAKw4B,QACjDx4B,KAAKqsD,UAAWrsD,KAAKooF,cAAe,sBACrC,EAEAlC,uBAAwB,WACvBlmF,KAAKkrD,aAAclrD,KAAKooF,cAAe,sBACxC,EAEA3B,cAAe,SAAUvgE,GAExB,IAAIoe,EAAItkC,KAAKc,QACZunF,EAAuC,mBAAb/jD,EAAE0iB,OAC5BA,EAASqhC,EACR/nF,EAAGgkC,EAAE0iB,OAAOtsC,MAAO1a,KAAKw4B,QAAS,GAAK,CAAEtS,KACzB,UAAboe,EAAE0iB,OACHhnD,KAAKw4B,QAAQnlB,QAAQiuB,WAAY,MACjCthC,KAAKw4B,QAoBR,OAlBMwuB,EAAO4c,QAAS,QAAS5hE,QAC9BglD,EAAO7mB,SAA2B,WAAfmE,EAAEnE,SACpBngC,KAAKw4B,QAAS,GAAIwoB,WAClB1c,EAAEnE,UAMCkoD,GAAoBrhC,EAAQ,KAAQhnD,KAAKw4B,QAAS,IACtDx4B,KAAKgmF,uBAGDh/B,EAAQ,KAAQhnD,KAAKw4B,QAAS,IAChC,mBAAuB+Q,KAAMyd,EAAOzyC,IAAK,cAC3CyyC,EAAOzyC,IAAK,WAAY,YAGlByyC,CAER,EAEAg/B,qBAAsB,WACf,aAAiBz8C,KAAMvpC,KAAKw4B,QAAQjkB,IAAK,eAC9CvU,KAAKw4B,QAAS,GAAI5a,MAAMsD,SAAW,WAErC,EAEAmmE,wBAAyB,SAAUt9C,GACd,iBAARA,IACXA,EAAMA,EAAIvoC,MAAO,MAEb+8B,MAAMC,QAASuL,KACnBA,EAAM,CAAE3oB,MAAO2oB,EAAK,GAAK5oB,KAAM4oB,EAAK,IAAO,IAEvC,SAAUA,IACd/pC,KAAKqvD,OAAOl4C,MAAMiK,KAAO2oB,EAAI3oB,KAAOphB,KAAK2nF,QAAQvmE,MAE7C,UAAW2oB,IACf/pC,KAAKqvD,OAAOl4C,MAAMiK,KAAOphB,KAAKsoF,kBAAkBv1E,MAAQg3B,EAAIgnB,MAAQ/wD,KAAK2nF,QAAQvmE,MAE7E,QAAS2oB,IACb/pC,KAAKqvD,OAAOl4C,MAAMgK,IAAM4oB,EAAI5oB,IAAMnhB,KAAK2nF,QAAQxmE,KAE3C,WAAY4oB,IAChB/pC,KAAKqvD,OAAOl4C,MAAMgK,IAAMnhB,KAAKsoF,kBAAkBt1E,OAAS+2B,EAAIinB,OAAShxD,KAAK2nF,QAAQxmE,IAEpF,EAEAonE,YAAa,SAAU/vD,GACtB,MAAO,eAAmB+Q,KAAM/Q,EAAQuZ,UAAavZ,IAAYx4B,KAAKuJ,SAAU,EACjF,EAEAq+E,iBAAkB,WAGjB,IAAIY,EAAKxoF,KAAK6mF,aAAax3B,SAC1B9lD,EAAWvJ,KAAKuJ,SAAU,GAmB3B,MAV0B,aAArBvJ,KAAKu8D,aAA8Bv8D,KAAK8jE,aAAc,KAAQv6D,GACjEjJ,EAAEszC,SAAU5zC,KAAK8jE,aAAc,GAAK9jE,KAAK6mF,aAAc,MACxD2B,EAAGpnE,MAAQphB,KAAK8jE,aAAaxU,aAC7Bk5B,EAAGrnE,KAAOnhB,KAAK8jE,aAAahnB,aAGxB98C,KAAKuoF,YAAavoF,KAAK6mF,aAAc,MACzC2B,EAAK,CAAErnE,IAAK,EAAGC,KAAM,IAGf,CACND,IAAKqnE,EAAGrnE,KAAQ5D,SAAUvd,KAAK6mF,aAAatyE,IAAK,kBAAoB,KAAQ,GAC7E6M,KAAMonE,EAAGpnE,MAAS7D,SAAUvd,KAAK6mF,aAAatyE,IAAK,mBAAqB,KAAQ,GAGlF,EAEAuzE,mBAAoB,WACnB,GAA0B,aAArB9nF,KAAKu8D,YACT,MAAO,CAAEp7C,IAAK,EAAGC,KAAM,GAGxB,IAAIf,EAAIrgB,KAAKw4B,QAAQtX,WACpBunE,EAAmBzoF,KAAKuoF,YAAavoF,KAAK8jE,aAAc,IAEzD,MAAO,CACN3iD,IAAKd,EAAEc,KAAQ5D,SAAUvd,KAAKgnD,OAAOzyC,IAAK,OAAS,KAAQ,IACvDk0E,EAAmD,EAAhCzoF,KAAK8jE,aAAahnB,aACzC17B,KAAMf,EAAEe,MAAS7D,SAAUvd,KAAKgnD,OAAOzyC,IAAK,QAAU,KAAQ,IAC1Dk0E,EAAoD,EAAjCzoF,KAAK8jE,aAAaxU,cAG3C,EAEAs3B,cAAe,WACd5mF,KAAK2nF,QAAU,CACdvmE,KAAQ7D,SAAUvd,KAAKw4B,QAAQjkB,IAAK,cAAgB,KAAQ,EAC5D4M,IAAO5D,SAAUvd,KAAKw4B,QAAQjkB,IAAK,aAAe,KAAQ,EAC1Dw8C,MAASxzC,SAAUvd,KAAKw4B,QAAQjkB,IAAK,eAAiB,KAAQ,EAC9Dy8C,OAAUzzC,SAAUvd,KAAKw4B,QAAQjkB,IAAK,gBAAkB,KAAQ,EAElE,EAEAmyE,wBAAyB,WACxB1mF,KAAKsoF,kBAAoB,CACxBv1E,MAAO/S,KAAKgnD,OAAOvf,aACnBz0B,OAAQhT,KAAKgnD,OAAOpkB,cAEtB,EAEA0kD,gBAAiB,WAEhB,IAAIoB,EAAkBz0E,EAAG00E,EACxBrkD,EAAItkC,KAAKc,QACTyI,EAAWvJ,KAAKuJ,SAAU,GAE3BvJ,KAAK4oF,kBAAoB,KAEnBtkD,EAAE0gD,YAKe,WAAlB1gD,EAAE0gD,YAagB,aAAlB1gD,EAAE0gD,YAWF1gD,EAAE0gD,YAAY/2C,cAAgB1P,OAKZ,WAAlB+F,EAAE0gD,cACN1gD,EAAE0gD,YAAchlF,KAAKgnD,OAAQ,GAAIhG,aAIlC2nC,GADA10E,EAAI3T,EAAGgkC,EAAE0gD,cACD,MAMR0D,EAAmB,gBAAgBn/C,KAAMt1B,EAAEM,IAAK,aAEhDvU,KAAKglF,YAAc,EAChBznE,SAAUtJ,EAAEM,IAAK,mBAAqB,KAAQ,IAC7CgJ,SAAUtJ,EAAEM,IAAK,eAAiB,KAAQ,IAC3CgJ,SAAUtJ,EAAEM,IAAK,kBAAoB,KAAQ,IAC5CgJ,SAAUtJ,EAAEM,IAAK,cAAgB,KAAQ,IAC1Cm0E,EAAmB93E,KAAKkC,IAAK61E,EAAG14D,YAAa04D,EAAGlnE,aAAgBknE,EAAGlnE,cAClElE,SAAUtJ,EAAEM,IAAK,oBAAsB,KAAQ,IAC/CgJ,SAAUtJ,EAAEM,IAAK,gBAAkB,KAAQ,GAC7CvU,KAAKsoF,kBAAkBv1E,MACvB/S,KAAK2nF,QAAQvmE,KACbphB,KAAK2nF,QAAQ52B,OACZ23B,EAAmB93E,KAAKkC,IAAK61E,EAAG15B,aAAc05B,EAAG9d,cAAiB8d,EAAG9d,eACpEttD,SAAUtJ,EAAEM,IAAK,qBAAuB,KAAQ,IAChDgJ,SAAUtJ,EAAEM,IAAK,iBAAmB,KAAQ,GAC9CvU,KAAKsoF,kBAAkBt1E,OACvBhT,KAAK2nF,QAAQxmE,IACbnhB,KAAK2nF,QAAQ32B,QAEfhxD,KAAK4oF,kBAAoB30E,IAnCxBjU,KAAKglF,YAAc1gD,EAAE0gD,YAXrBhlF,KAAKglF,YAAc,CAClB,EACA,EACA1kF,EAAGiJ,GAAWwJ,QAAU/S,KAAKsoF,kBAAkBv1E,MAAQ/S,KAAK2nF,QAAQvmE,MAClE9gB,EAAGiJ,GAAWyJ,UAAYzJ,EAAS5B,KAAKq5C,WAAWiO,cACpDjvD,KAAKsoF,kBAAkBt1E,OAAShT,KAAK2nF,QAAQxmE,KAlB/CnhB,KAAKglF,YAAc,CAClB1kF,EAAG6D,QAASmrD,aAAetvD,KAAKqvD,OAAOw4B,SAASzmE,KAAOphB,KAAKqvD,OAAO/4C,OAAO8K,KAC1E9gB,EAAG6D,QAAS24C,YAAc98C,KAAKqvD,OAAOw4B,SAAS1mE,IAAMnhB,KAAKqvD,OAAO/4C,OAAO6K,IACxE7gB,EAAG6D,QAASmrD,aAAehvD,EAAG6D,QAAS4O,QACtC/S,KAAKsoF,kBAAkBv1E,MAAQ/S,KAAK2nF,QAAQvmE,KAC7C9gB,EAAG6D,QAAS24C,aACTx8C,EAAG6D,QAAS6O,UAAYzJ,EAAS5B,KAAKq5C,WAAWiO,cACnDjvD,KAAKsoF,kBAAkBt1E,OAAShT,KAAK2nF,QAAQxmE,KAZ/CnhB,KAAKglF,YAAc,IAiErB,EAEAgD,mBAAoB,SAAUnuC,EAAGt7B,GAE1BA,IACLA,EAAMve,KAAKkhB,UAGZ,IAAI2yC,EAAY,aAANha,EAAmB,GAAK,EACjC4uC,EAAmBzoF,KAAKuoF,YAAavoF,KAAK8jE,aAAc,IAEzD,MAAO,CACN3iD,IAGC5C,EAAI4C,IAGJnhB,KAAKqvD,OAAOw4B,SAAS1mE,IAAM0yC,EAG3B7zD,KAAKqvD,OAAO/4C,OAAO6K,IAAM0yC,GACA,UAArB7zD,KAAKu8D,aACPv8D,KAAKqvD,OAAO6a,OAAO/oD,IAClBsnE,EAAmB,EAAIzoF,KAAKqvD,OAAO6a,OAAO/oD,KAAU0yC,EAExDzyC,KAGC7C,EAAI6C,KAGJphB,KAAKqvD,OAAOw4B,SAASzmE,KAAOyyC,EAG5B7zD,KAAKqvD,OAAO/4C,OAAO8K,KAAOyyC,GACD,UAArB7zD,KAAKu8D,aACPv8D,KAAKqvD,OAAO6a,OAAO9oD,KAClBqnE,EAAmB,EAAIzoF,KAAKqvD,OAAO6a,OAAO9oD,MAAWyyC,EAI3D,EAEAqzB,kBAAmB,SAAUhhE,EAAO2iE,GAEnC,IAAI7D,EAAa8D,EAAI3nE,EAAKC,EACzBkjB,EAAItkC,KAAKc,QACT2nF,EAAmBzoF,KAAKuoF,YAAavoF,KAAK8jE,aAAc,IACxD7T,EAAQ/pC,EAAM+pC,MACdD,EAAQ9pC,EAAM8pC,MA2Ef,OAxEMy4B,GAAqBzoF,KAAKqvD,OAAO6a,SACtClqE,KAAKqvD,OAAO6a,OAAS,CACpB/oD,IAAKnhB,KAAK8jE,aAAahnB,YACvB17B,KAAMphB,KAAK8jE,aAAaxU,eAUrBu5B,IACC7oF,KAAKglF,cACJhlF,KAAK4oF,mBACTE,EAAK9oF,KAAK4oF,kBAAkBv5B,SAC5B21B,EAAc,CACbhlF,KAAKglF,YAAa,GAAM8D,EAAG1nE,KAC3BphB,KAAKglF,YAAa,GAAM8D,EAAG3nE,IAC3BnhB,KAAKglF,YAAa,GAAM8D,EAAG1nE,KAC3BphB,KAAKglF,YAAa,GAAM8D,EAAG3nE,MAG5B6jE,EAAchlF,KAAKglF,YAGf9+D,EAAM+pC,MAAQjwD,KAAKqvD,OAAOl4C,MAAMiK,KAAO4jE,EAAa,KACxD/0B,EAAQ+0B,EAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMiK,MAEzC8E,EAAM8pC,MAAQhwD,KAAKqvD,OAAOl4C,MAAMgK,IAAM6jE,EAAa,KACvDh1B,EAAQg1B,EAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMgK,KAEzC+E,EAAM+pC,MAAQjwD,KAAKqvD,OAAOl4C,MAAMiK,KAAO4jE,EAAa,KACxD/0B,EAAQ+0B,EAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMiK,MAEzC8E,EAAM8pC,MAAQhwD,KAAKqvD,OAAOl4C,MAAMgK,IAAM6jE,EAAa,KACvDh1B,EAAQg1B,EAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMgK,MAI1CmjB,EAAE4gD,OAIN/jE,EAAMmjB,EAAE4gD,KAAM,GAAMllF,KAAKonF,cAAgBx2E,KAAKC,OAASm/C,EACtDhwD,KAAKonF,eAAkB9iD,EAAE4gD,KAAM,IAAQ5gD,EAAE4gD,KAAM,GAAMllF,KAAKonF,cAC3Dp3B,EAAQg1B,EAAkB7jE,EAAMnhB,KAAKqvD,OAAOl4C,MAAMgK,KAAO6jE,EAAa,IACrE7jE,EAAMnhB,KAAKqvD,OAAOl4C,MAAMgK,IAAM6jE,EAAa,GAC1C7jE,EACIA,EAAMnhB,KAAKqvD,OAAOl4C,MAAMgK,KAAO6jE,EAAa,GAC/C7jE,EAAMmjB,EAAE4gD,KAAM,GAAM/jE,EAAMmjB,EAAE4gD,KAAM,GAAU/jE,EAE/CC,EAAOkjB,EAAE4gD,KAAM,GAAMllF,KAAKmnF,cACzBv2E,KAAKC,OAASo/C,EAAQjwD,KAAKmnF,eAAkB7iD,EAAE4gD,KAAM,IAAQ5gD,EAAE4gD,KAAM,GACrEllF,KAAKmnF,cACNl3B,EAAQ+0B,EAAkB5jE,EAAOphB,KAAKqvD,OAAOl4C,MAAMiK,MAAQ4jE,EAAa,IACvE5jE,EAAOphB,KAAKqvD,OAAOl4C,MAAMiK,KAAO4jE,EAAa,GAC5C5jE,EACIA,EAAOphB,KAAKqvD,OAAOl4C,MAAMiK,MAAQ4jE,EAAa,GACjD5jE,EAAOkjB,EAAE4gD,KAAM,GAAM9jE,EAAOkjB,EAAE4gD,KAAM,GAAU9jE,GAGlC,MAAXkjB,EAAEwgD,OACN70B,EAAQjwD,KAAKmnF,eAGE,MAAX7iD,EAAEwgD,OACN90B,EAAQhwD,KAAKonF,gBAIR,CACNjmE,IAGC6uC,EAGAhwD,KAAKqvD,OAAOl4C,MAAMgK,IAGlBnhB,KAAKqvD,OAAOw4B,SAAS1mE,IAGrBnhB,KAAKqvD,OAAO/4C,OAAO6K,KACI,UAArBnhB,KAAKu8D,aACLv8D,KAAKqvD,OAAO6a,OAAO/oD,IAClBsnE,EAAmB,EAAIzoF,KAAKqvD,OAAO6a,OAAO/oD,KAE9CC,KAGC6uC,EAGAjwD,KAAKqvD,OAAOl4C,MAAMiK,KAGlBphB,KAAKqvD,OAAOw4B,SAASzmE,KAGrBphB,KAAKqvD,OAAO/4C,OAAO8K,MACI,UAArBphB,KAAKu8D,aACLv8D,KAAKqvD,OAAO6a,OAAO9oD,KAClBqnE,EAAmB,EAAIzoF,KAAKqvD,OAAO6a,OAAO9oD,MAIhD,EAEAmmE,OAAQ,WACPvnF,KAAKkrD,aAAclrD,KAAKgnD,OAAQ,yBAC3BhnD,KAAKgnD,OAAQ,KAAQhnD,KAAKw4B,QAAS,IAAQx4B,KAAK+oF,qBACpD/oF,KAAKgnD,OAAOtvC,SAEb1X,KAAKgnD,OAAS,KACdhnD,KAAK+oF,qBAAsB,EACtB/oF,KAAKmmF,gBACTnmF,KAAK8jC,SAEP,EAIA9B,SAAU,SAAU/+B,EAAMijB,EAAO2hC,GAShC,OARAA,EAAKA,GAAM7nD,KAAKioF,UAChB3nF,EAAEunD,GAAGzrC,OAAOzb,KAAMX,KAAMiD,EAAM,CAAEijB,EAAO2hC,EAAI7nD,OAAQ,GAG9C,qBAAqBupC,KAAMtmC,KAC/BjD,KAAK+mF,YAAc/mF,KAAKgoF,mBAAoB,YAC5CngC,EAAGwH,OAASrvD,KAAK+mF,aAEXzmF,EAAEmoD,OAAOx/C,UAAU+4B,SAASrhC,KAAMX,KAAMiD,EAAMijB,EAAO2hC,EAC7D,EAEAxrC,QAAS,CAAC,EAEV4rE,QAAS,WACR,MAAO,CACNjhC,OAAQhnD,KAAKgnD,OACb9lC,SAAUlhB,KAAKkhB,SACf+lE,iBAAkBjnF,KAAKinF,iBACvB53B,OAAQrvD,KAAK+mF,YAEf,IAIDzmF,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,oBAAqB,CAClDmL,MAAO,SAAUhgB,EAAO2hC,EAAImhC,GAC3B,IAAIC,EAAa3oF,EAAEm3B,OAAQ,CAAC,EAAGowB,EAAI,CAClCltB,KAAMquD,EAAUxwD,UAGjBwwD,EAAUE,UAAY,GACtB5oF,EAAG0oF,EAAUloF,QAAQikF,mBAAoB1kF,MAAM,WAC9C,IAAImvC,EAAWlvC,EAAGN,MAAOwvC,SAAU,YAE9BA,IAAaA,EAAS1uC,QAAQopD,WAClC8+B,EAAUE,UAAUx7E,KAAM8hC,GAK1BA,EAAS61C,mBACT71C,EAASxN,SAAU,WAAY9b,EAAO+iE,GAExC,GACD,EACAztE,KAAM,SAAU0K,EAAO2hC,EAAImhC,GAC1B,IAAIC,EAAa3oF,EAAEm3B,OAAQ,CAAC,EAAGowB,EAAI,CAClCltB,KAAMquD,EAAUxwD,UAGjBwwD,EAAUD,qBAAsB,EAEhCzoF,EAAED,KAAM2oF,EAAUE,WAAW,WAC5B,IAAI15C,EAAWxvC,KAEVwvC,EAAS25C,QACb35C,EAAS25C,OAAS,EAGlBH,EAAUD,qBAAsB,EAChCv5C,EAASu5C,qBAAsB,EAK/Bv5C,EAAS45C,WAAa,CACrBloE,SAAUsuB,EAAS8sB,YAAY/nD,IAAK,YACpC4M,IAAKquB,EAAS8sB,YAAY/nD,IAAK,OAC/B6M,KAAMouB,EAAS8sB,YAAY/nD,IAAK,SAGjCi7B,EAASi1C,WAAYv+D,GAIrBspB,EAAS1uC,QAAQkmD,OAASxX,EAAS1uC,QAAQuoF,UAM3C75C,EAASu5C,qBAAsB,EAE/Bv5C,EAASxN,SAAU,aAAc9b,EAAO+iE,GAE1C,GACD,EACAlD,KAAM,SAAU7/D,EAAO2hC,EAAImhC,GAC1B1oF,EAAED,KAAM2oF,EAAUE,WAAW,WAC5B,IAAII,GAAwB,EAC3B95C,EAAWxvC,KAGZwvC,EAASu3C,YAAciC,EAAUjC,YACjCv3C,EAAS84C,kBAAoBU,EAAUV,kBACvC94C,EAAS6f,OAAOl4C,MAAQ6xE,EAAU35B,OAAOl4C,MAEpCq4B,EAAS+5C,gBAAiB/5C,EAASg6C,kBACvCF,GAAwB,EAExBhpF,EAAED,KAAM2oF,EAAUE,WAAW,WAa5B,OAVAlpF,KAAK+mF,YAAciC,EAAUjC,YAC7B/mF,KAAKsoF,kBAAoBU,EAAUV,kBACnCtoF,KAAKqvD,OAAOl4C,MAAQ6xE,EAAU35B,OAAOl4C,MAEhCnX,OAASwvC,GACZxvC,KAAKupF,gBAAiBvpF,KAAKwpF,iBAC3BlpF,EAAEszC,SAAUpE,EAAShX,QAAS,GAAKx4B,KAAKw4B,QAAS,MAClD8wD,GAAwB,GAGlBA,CACR,KAGIA,GAIE95C,EAAS25C,SACd35C,EAAS25C,OAAS,EAGlBH,EAAUS,QAAU5hC,EAAGb,OAAO1wC,SAE9Bk5B,EAASk6C,YAAc7hC,EAAGb,OACxB7mB,SAAUqP,EAAShX,SACnBn1B,KAAM,oBAAoB,GAG5BmsC,EAAS1uC,QAAQuoF,QAAU75C,EAAS1uC,QAAQkmD,OAE5CxX,EAAS1uC,QAAQkmD,OAAS,WACzB,OAAOa,EAAGb,OAAQ,EACnB,EAIA9gC,EAAMzY,OAAS+hC,EAASk6C,YAAa,GACrCl6C,EAASw0C,cAAe99D,GAAO,GAC/BspB,EAAS60C,YAAan+D,GAAO,GAAM,GAInCspB,EAAS6f,OAAOl4C,MAAMgK,IAAM6nE,EAAU35B,OAAOl4C,MAAMgK,IACnDquB,EAAS6f,OAAOl4C,MAAMiK,KAAO4nE,EAAU35B,OAAOl4C,MAAMiK,KACpDouB,EAAS6f,OAAO/4C,OAAO8K,MAAQ4nE,EAAU35B,OAAO/4C,OAAO8K,KACtDouB,EAAS6f,OAAO/4C,OAAO8K,KACxBouB,EAAS6f,OAAO/4C,OAAO6K,KAAO6nE,EAAU35B,OAAO/4C,OAAO6K,IACrDquB,EAAS6f,OAAO/4C,OAAO6K,IAExB6nE,EAAUhnD,SAAU,aAAc9b,GAIlC8iE,EAAUd,QAAU14C,EAAShX,QAI7Bl4B,EAAED,KAAM2oF,EAAUE,WAAW,WAC5BlpF,KAAKqlF,kBACN,IAGA2D,EAAUU,YAAcV,EAAUxwD,QAClCgX,EAASm6C,YAAcX,GAGnBx5C,EAASk6C,cACbl6C,EAASg1C,WAAYt+D,GAKrB2hC,EAAG3mC,SAAWsuB,EAAStuB,WAOnBsuB,EAAS25C,SAEb35C,EAAS25C,OAAS,EAClB35C,EAASu5C,qBAAsB,EAI/Bv5C,EAAS1uC,QAAQ8oF,QAAUp6C,EAAS1uC,QAAQwkF,OAC5C91C,EAAS1uC,QAAQwkF,QAAS,EAE1B91C,EAASxN,SAAU,MAAO9b,EAAOspB,EAASy4C,QAASz4C,IACnDA,EAASi1C,WAAYv+D,GAAO,GAI5BspB,EAAS1uC,QAAQwkF,OAAS91C,EAAS1uC,QAAQ8oF,QAC3Cp6C,EAAS1uC,QAAQkmD,OAASxX,EAAS1uC,QAAQuoF,QAEtC75C,EAAS8sB,aACb9sB,EAAS8sB,YAAY5kD,SAKtBmwC,EAAGb,OAAO7mB,SAAU6oD,EAAUS,SAC9BT,EAAUhC,gBAAiB9gE,GAC3B2hC,EAAG3mC,SAAW8nE,EAAU9B,kBAAmBhhE,GAAO,GAElD8iE,EAAUhnD,SAAU,eAAgB9b,GAGpC8iE,EAAUd,SAAU,EAIpB5nF,EAAED,KAAM2oF,EAAUE,WAAW,WAC5BlpF,KAAKqlF,kBACN,IAGH,GACD,IAGD/kF,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,SAAU,CACvCmL,MAAO,SAAUhgB,EAAO2hC,EAAI/U,GAC3B,IAAI3wC,EAAI7B,EAAG,QACVgkC,EAAIwO,EAAShyC,QAETqB,EAAEoS,IAAK,YACX+vB,EAAEulD,QAAU1nF,EAAEoS,IAAK,WAEpBpS,EAAEoS,IAAK,SAAU+vB,EAAE20C,OACpB,EACAz9D,KAAM,SAAU0K,EAAO2hC,EAAI/U,GAC1B,IAAIxO,EAAIwO,EAAShyC,QACZwjC,EAAEulD,SACNvpF,EAAG,QAASiU,IAAK,SAAU+vB,EAAEulD,QAE/B,IAGDvpF,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,UAAW,CACxCmL,MAAO,SAAUhgB,EAAO2hC,EAAI/U,GAC3B,IAAI3wC,EAAI7B,EAAGunD,EAAGb,QACb1iB,EAAIwO,EAAShyC,QACTqB,EAAEoS,IAAK,aACX+vB,EAAEwlD,SAAW3nF,EAAEoS,IAAK,YAErBpS,EAAEoS,IAAK,UAAW+vB,EAAEk7B,QACrB,EACAhkD,KAAM,SAAU0K,EAAO2hC,EAAI/U,GAC1B,IAAIxO,EAAIwO,EAAShyC,QACZwjC,EAAEwlD,UACNxpF,EAAGunD,EAAGb,QAASzyC,IAAK,UAAW+vB,EAAEwlD,SAEnC,IAGDxpF,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,SAAU,CACvCmL,MAAO,SAAUhgB,EAAO2hC,EAAIp2C,GACrBA,EAAEs4E,wBACPt4E,EAAEs4E,sBAAwBt4E,EAAEu1C,OAAO8c,cAAc,IAG7CryD,EAAEs4E,sBAAuB,KAAQt4E,EAAElI,SAAU,IACP,SAAzCkI,EAAEs4E,sBAAuB,GAAIh4C,UAC9BtgC,EAAEu4E,eAAiBv4E,EAAEs4E,sBAAsB16B,SAE7C,EACA02B,KAAM,SAAU7/D,EAAO2hC,EAAIp2C,GAE1B,IAAI6yB,EAAI7yB,EAAE3Q,QACTmpF,GAAW,EACXnmB,EAAeryD,EAAEs4E,sBAAuB,GACxCxgF,EAAWkI,EAAElI,SAAU,GAEnBu6D,IAAiBv6D,GAAqC,SAAzBu6D,EAAa/xB,SACxCzN,EAAEwgD,MAAmB,MAAXxgD,EAAEwgD,OACVrzE,EAAEu4E,eAAe7oE,IAAM2iD,EAAa+G,aAAiB3kD,EAAM8pC,MAChE1rB,EAAEmhD,kBACH3hB,EAAahnB,UAAYmtC,EAAWnmB,EAAahnB,UAAYxY,EAAEohD,YACpDx/D,EAAM8pC,MAAQv+C,EAAEu4E,eAAe7oE,IAAMmjB,EAAEmhD,oBAClD3hB,EAAahnB,UAAYmtC,EAAWnmB,EAAahnB,UAAYxY,EAAEohD,cAI3DphD,EAAEwgD,MAAmB,MAAXxgD,EAAEwgD,OACVrzE,EAAEu4E,eAAe5oE,KAAO0iD,EAAariD,YAAgByE,EAAM+pC,MAChE3rB,EAAEmhD,kBACH3hB,EAAaxU,WAAa26B,EAAWnmB,EAAaxU,WAAahrB,EAAEohD,YACtDx/D,EAAM+pC,MAAQx+C,EAAEu4E,eAAe5oE,KAAOkjB,EAAEmhD,oBACnD3hB,EAAaxU,WAAa26B,EAAWnmB,EAAaxU,WAAahrB,EAAEohD,gBAM7DphD,EAAEwgD,MAAmB,MAAXxgD,EAAEwgD,OACZ5+D,EAAM8pC,MAAQ1vD,EAAGiJ,GAAWuzC,YAAcxY,EAAEmhD,kBAChDwE,EAAW3pF,EAAGiJ,GAAWuzC,UAAWx8C,EAAGiJ,GAAWuzC,YAAcxY,EAAEohD,aACvDplF,EAAG6D,QAAS6O,UAAakT,EAAM8pC,MAAQ1vD,EAAGiJ,GAAWuzC,aAC/DxY,EAAEmhD,oBACHwE,EAAW3pF,EAAGiJ,GAAWuzC,UAAWx8C,EAAGiJ,GAAWuzC,YAAcxY,EAAEohD,eAI9DphD,EAAEwgD,MAAmB,MAAXxgD,EAAEwgD,OACZ5+D,EAAM+pC,MAAQ3vD,EAAGiJ,GAAW+lD,aAAehrB,EAAEmhD,kBACjDwE,EAAW3pF,EAAGiJ,GAAW+lD,WACxBhvD,EAAGiJ,GAAW+lD,aAAehrB,EAAEohD,aAErBplF,EAAG6D,QAAS4O,SAAYmT,EAAM+pC,MAAQ3vD,EAAGiJ,GAAW+lD,cAC9DhrB,EAAEmhD,oBACHwE,EAAW3pF,EAAGiJ,GAAW+lD,WACxBhvD,EAAGiJ,GAAW+lD,aAAehrB,EAAEohD,iBAOjB,IAAbuE,GAAsB3pF,EAAEunD,GAAG8+B,YAAcriD,EAAEkjD,eAC/ClnF,EAAEunD,GAAG8+B,UAAUc,eAAgBh2E,EAAGyU,EAGpC,IAGD5lB,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,OAAQ,CACrCmL,MAAO,SAAUhgB,EAAO2hC,EAAIp2C,GAE3B,IAAI6yB,EAAI7yB,EAAE3Q,QAEV2Q,EAAEy4E,aAAe,GAEjB5pF,EAAGgkC,EAAEqhD,KAAK13C,cAAgBrkB,OAAW0a,EAAEqhD,KAAK/d,OAAS,sBAA0BtjC,EAAEqhD,MAC/EtlF,MAAM,WACN,IAAI8pF,EAAK7pF,EAAGN,MACXoqF,EAAKD,EAAG96B,SACJrvD,OAASyR,EAAE+mB,QAAS,IACxB/mB,EAAEy4E,aAAax8E,KAAM,CACpBitB,KAAM36B,KACN+S,MAAOo3E,EAAG1iD,aAAcz0B,OAAQm3E,EAAGvnD,cACnCzhB,IAAKipE,EAAGjpE,IAAKC,KAAMgpE,EAAGhpE,MAGzB,GAEF,EACA2kE,KAAM,SAAU7/D,EAAO2hC,EAAIuM,GAE1B,IAAIi2B,EAAIC,EAAIC,EAAIC,EAAIh/C,EAAGhH,EAAGriC,EAAG0d,EAAGpO,EAAG6+B,EAClChM,EAAI8vB,EAAKtzD,QACT+4C,EAAIvV,EAAEuhD,cACN4E,EAAK5iC,EAAGwH,OAAOjuC,KAAM1P,EAAK+4E,EAAKr2B,EAAKk0B,kBAAkBv1E,MACtD23E,EAAK7iC,EAAGwH,OAAOluC,IAAKwpE,EAAKD,EAAKt2B,EAAKk0B,kBAAkBt1E,OAEtD,IAAMvB,EAAI2iD,EAAK81B,aAAaloF,OAAS,EAAGyP,GAAK,EAAGA,IAG/C+yB,GADAgH,EAAI4oB,EAAK81B,aAAcz4E,GAAI2P,KAAOgzC,EAAKuzB,QAAQvmE,MACvCgzC,EAAK81B,aAAcz4E,GAAIsB,MAE/B8M,GADA1d,EAAIiyD,EAAK81B,aAAcz4E,GAAI0P,IAAMizC,EAAKuzB,QAAQxmE,KACtCizC,EAAK81B,aAAcz4E,GAAIuB,OAE1BtB,EAAK85B,EAAIqO,GAAK4wC,EAAKjmD,EAAIqV,GAAK8wC,EAAKxoF,EAAI03C,GAAK6wC,EAAK7qE,EAAIg6B,IACrDv5C,EAAEszC,SAAUwgB,EAAK81B,aAAcz4E,GAAIkpB,KAAK+vB,cACzC0J,EAAK81B,aAAcz4E,GAAIkpB,OACnBy5B,EAAK81B,aAAcz4E,GAAIm5E,UACtBx2B,EAAKtzD,QAAQ6kF,KAAKkF,SACtBz2B,EAAKtzD,QAAQ6kF,KAAKkF,QAAQlqF,KACzByzD,EAAK57B,QACLtS,EACA5lB,EAAEm3B,OAAQ28B,EAAK6zB,UAAW,CAAE6C,SAAU12B,EAAK81B,aAAcz4E,GAAIkpB,QAIhEy5B,EAAK81B,aAAcz4E,GAAIm5E,UAAW,IAIf,UAAftmD,EAAEshD,WACNyE,EAAKz5E,KAAK0B,IAAKnQ,EAAIwoF,IAAQ9wC,EAC3BywC,EAAK15E,KAAK0B,IAAKuN,EAAI6qE,IAAQ7wC,EAC3B0wC,EAAK35E,KAAK0B,IAAKk5B,EAAI95B,IAAQmoC,EAC3B2wC,EAAK55E,KAAK0B,IAAKkyB,EAAIimD,IAAQ5wC,EACtBwwC,IACJxiC,EAAG3mC,SAASC,IAAMizC,EAAK4zB,mBAAoB,WAAY,CACtD7mE,IAAKhf,EAAIiyD,EAAKk0B,kBAAkBt1E,OAChCoO,KAAM,IACHD,KAEAmpE,IACJziC,EAAG3mC,SAASC,IAAMizC,EAAK4zB,mBAAoB,WAAY,CACtD7mE,IAAKtB,EACLuB,KAAM,IACHD,KAEAopE,IACJ1iC,EAAG3mC,SAASE,KAAOgzC,EAAK4zB,mBAAoB,WAAY,CACvD7mE,IAAK,EACLC,KAAMoqB,EAAI4oB,EAAKk0B,kBAAkBv1E,QAC9BqO,MAEAopE,IACJ3iC,EAAG3mC,SAASE,KAAOgzC,EAAK4zB,mBAAoB,WAAY,CACvD7mE,IAAK,EACLC,KAAMojB,IACHpjB,OAINkvB,EAAU+5C,GAAMC,GAAMC,GAAMC,EAER,UAAflmD,EAAEshD,WACNyE,EAAKz5E,KAAK0B,IAAKnQ,EAAIuoF,IAAQ7wC,EAC3BywC,EAAK15E,KAAK0B,IAAKuN,EAAI8qE,IAAQ9wC,EAC3B0wC,EAAK35E,KAAK0B,IAAKk5B,EAAIi/C,IAAQ5wC,EAC3B2wC,EAAK55E,KAAK0B,IAAKkyB,EAAI9yB,IAAQmoC,EACtBwwC,IACJxiC,EAAG3mC,SAASC,IAAMizC,EAAK4zB,mBAAoB,WAAY,CACtD7mE,IAAKhf,EACLif,KAAM,IACHD,KAEAmpE,IACJziC,EAAG3mC,SAASC,IAAMizC,EAAK4zB,mBAAoB,WAAY,CACtD7mE,IAAKtB,EAAIu0C,EAAKk0B,kBAAkBt1E,OAChCoO,KAAM,IACHD,KAEAopE,IACJ1iC,EAAG3mC,SAASE,KAAOgzC,EAAK4zB,mBAAoB,WAAY,CACvD7mE,IAAK,EACLC,KAAMoqB,IACHpqB,MAEAopE,IACJ3iC,EAAG3mC,SAASE,KAAOgzC,EAAK4zB,mBAAoB,WAAY,CACvD7mE,IAAK,EACLC,KAAMojB,EAAI4vB,EAAKk0B,kBAAkBv1E,QAC9BqO,QAIAgzC,EAAK81B,aAAcz4E,GAAIm5E,WAAcP,GAAMC,GAAMC,GAAMC,GAAMl6C,IAC7D8jB,EAAKtzD,QAAQ6kF,KAAKA,MACtBvxB,EAAKtzD,QAAQ6kF,KAAKA,KAAKhlF,KACtByzD,EAAK57B,QACLtS,EACA5lB,EAAEm3B,OAAQ28B,EAAK6zB,UAAW,CACzB6C,SAAU12B,EAAK81B,aAAcz4E,GAAIkpB,QAIrCy5B,EAAK81B,aAAcz4E,GAAIm5E,SAAaP,GAAMC,GAAMC,GAAMC,GAAMl6C,EAI9D,IAGDhwC,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,QAAS,CACtCmL,MAAO,SAAUhgB,EAAO2hC,EAAI/U,GAC3B,IAAIx9B,EACHgvB,EAAIwO,EAAShyC,QACb4/E,EAAQpgF,EAAEyqF,UAAWzqF,EAAGgkC,EAAEwhD,QAAUv2C,MAAM,SAAUntB,EAAGvC,GACtD,OAAStC,SAAUjd,EAAG8hB,GAAI7N,IAAK,UAAY,KAAQ,IAChDgJ,SAAUjd,EAAGuf,GAAItL,IAAK,UAAY,KAAQ,EAC9C,IAEKmsE,EAAM1+E,SAIZsT,EAAMiI,SAAUjd,EAAGogF,EAAO,IAAMnsE,IAAK,UAAY,KAAQ,EACzDjU,EAAGogF,GAAQrgF,MAAM,SAAUoR,GAC1BnR,EAAGN,MAAOuU,IAAK,SAAUe,EAAM7D,EAChC,IACAzR,KAAKuU,IAAK,SAAYe,EAAMorE,EAAM1+E,QACnC,IAGD1B,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,SAAU,CACvCmL,MAAO,SAAUhgB,EAAO2hC,EAAI/U,GAC3B,IAAI3wC,EAAI7B,EAAGunD,EAAGb,QACb1iB,EAAIwO,EAAShyC,QAETqB,EAAEoS,IAAK,YACX+vB,EAAE0mD,QAAU7oF,EAAEoS,IAAK,WAEpBpS,EAAEoS,IAAK,SAAU+vB,EAAE82B,OACpB,EACA5/C,KAAM,SAAU0K,EAAO2hC,EAAI/U,GAC1B,IAAIxO,EAAIwO,EAAShyC,QAEZwjC,EAAE0mD,SACN1qF,EAAGunD,EAAGb,QAASzyC,IAAK,SAAU+vB,EAAE0mD,QAElC,IAGsB1qF,EAAEunD,GAAGmhC,UAsB5B1oF,EAAEqjC,OAAQ,eAAgBrjC,EAAEunD,GAAG+8B,MAAO,CACrCh8D,QAAS,SACTugC,kBAAmB,SACnBroD,QAAS,CACRmqF,YAAY,EACZhxB,SAAS,EACTixB,gBAAiB,OACjBC,cAAe,QACfC,aAAa,EACbC,UAAU,EACVn0E,QAAS,CACR,kBAAmB,yCAEpB8tE,aAAa,EACbsG,OAAO,EACPpG,MAAM,EACNqG,QAAS,SACTvkC,QAAQ,EACRmf,UAAW,KACXn2C,SAAU,KACVw7D,UAAW,GACXC,SAAU,GAGVrwB,OAAQ,GAGRthC,OAAQ,KACRoM,MAAO,KACP1qB,KAAM,MAGPkwE,KAAM,SAAU1nF,GACf,OAAO2b,WAAY3b,IAAW,CAC/B,EAEA2nF,UAAW,SAAU3nF,GACpB,OAAQ0lB,MAAO/J,WAAY3b,GAC5B,EAEAqmE,WAAY,SAAUvyC,EAAI1V,GAEzB,GAAmC,WAA9B9hB,EAAGw3B,GAAKvjB,IAAK,YACjB,OAAO,EAGR,IAAI21D,EAAW9nD,GAAW,SAANA,EAAiB,aAAe,YACnDoS,GAAM,EAEP,GAAKsD,EAAIoyC,GAAW,EACnB,OAAO,EAMR,IACCpyC,EAAIoyC,GAAW,EACf11C,EAAQsD,EAAIoyC,GAAW,EACvBpyC,EAAIoyC,GAAW,CAChB,CAAE,MAAQv1D,GAIV,CACA,OAAO6f,CACR,EAEAsM,QAAS,WAER,IAAI6mD,EACHrjD,EAAItkC,KAAKc,QACTkqD,EAAOhrD,KACRA,KAAKqsD,UAAW,gBAEhB/rD,EAAEm3B,OAAQz3B,KAAM,CACf4rF,eAAkBtnD,EAAc,YAChC8mD,YAAa9mD,EAAE8mD,YACfS,gBAAiB7rF,KAAKw4B,QACtBszD,8BAA+B,GAC/BzC,QAAS/kD,EAAE0iB,QAAU1iB,EAAEgnD,OAAShnD,EAAE21B,QAAU31B,EAAE0iB,QAAU,sBAAwB,OAI5EhnD,KAAKw4B,QAAS,GAAImpB,SAASjiC,MAAO,kDAEtC1f,KAAKw4B,QAAQ2iC,KACZ76D,EAAG,kCAAmCiU,IAAK,CAC1C+M,SAAU,SACVJ,SAAUlhB,KAAKw4B,QAAQjkB,IAAK,YAC5BxB,MAAO/S,KAAKw4B,QAAQiP,aACpBz0B,OAAQhT,KAAKw4B,QAAQoK,cACrBzhB,IAAKnhB,KAAKw4B,QAAQjkB,IAAK,OACvB6M,KAAMphB,KAAKw4B,QAAQjkB,IAAK,WAI1BvU,KAAKw4B,QAAUx4B,KAAKw4B,QAAQliB,SAASjT,KACpC,eAAgBrD,KAAKw4B,QAAQuzD,UAAW,aAGzC/rF,KAAKgsF,kBAAmB,EAExBrE,EAAU,CACTl3B,UAAWzwD,KAAK6rF,gBAAgBt3E,IAAK,aACrCkoD,YAAaz8D,KAAK6rF,gBAAgBt3E,IAAK,eACvCioD,aAAcx8D,KAAK6rF,gBAAgBt3E,IAAK,gBACxCi8C,WAAYxwD,KAAK6rF,gBAAgBt3E,IAAK,eAGvCvU,KAAKw4B,QAAQjkB,IAAKozE,GAClB3nF,KAAK6rF,gBAAgBt3E,IAAK,SAAU,GAIpCvU,KAAKisF,oBAAsBjsF,KAAK6rF,gBAAgBt3E,IAAK,UACrDvU,KAAK6rF,gBAAgBt3E,IAAK,SAAU,QAEpCvU,KAAK8rF,8BAA8Bp+E,KAAM1N,KAAK6rF,gBAAgBt3E,IAAK,CAClE2M,SAAU,SACVgrE,KAAM,EACNlrD,QAAS,WAKVhhC,KAAK6rF,gBAAgBt3E,IAAKozE,GAE1B3nF,KAAKmsF,yBAGNnsF,KAAKosF,gBAEA9nD,EAAE+mD,UACN/qF,EAAGN,KAAKw4B,SACNzgB,GAAI,cAAc,WACbusB,EAAE4lB,WAGPc,EAAKE,aAAc,yBACnBF,EAAKqhC,SAAShrF,OACf,IACC0W,GAAI,cAAc,WACbusB,EAAE4lB,UAGDc,EAAKshC,WACVthC,EAAKqB,UAAW,yBAChBrB,EAAKqhC,SAASpsF,OAEhB,IAGFD,KAAKojF,YACN,EAEAn4B,SAAU,WAETjrD,KAAKsjF,gBACLtjF,KAAKusF,cAAc70E,SAEnB,IAAIsjD,EACH/P,EAAW,SAAUuhC,GACpBlsF,EAAGksF,GACDrhC,WAAY,aACZA,WAAY,gBACZ3kC,IAAK,aACR,EAmBD,OAhBKxmB,KAAKgsF,mBACT/gC,EAAUjrD,KAAKw4B,SACfwiC,EAAUh7D,KAAKw4B,QACfx4B,KAAK6rF,gBAAgBt3E,IAAK,CACzB2M,SAAU85C,EAAQzmD,IAAK,YACvBxB,MAAOioD,EAAQvzB,aACfz0B,OAAQgoD,EAAQp4B,cAChBzhB,IAAK65C,EAAQzmD,IAAK,OAClB6M,KAAM45C,EAAQzmD,IAAK,UAChB6yB,YAAa4zB,GACjBA,EAAQtjD,UAGT1X,KAAK6rF,gBAAgBt3E,IAAK,SAAUvU,KAAKisF,qBACzChhC,EAAUjrD,KAAK6rF,iBAER7rF,IACR,EAEAiiC,WAAY,SAAUp+B,EAAKG,GAG1B,OAFAhE,KAAKy+C,OAAQ56C,EAAKG,GAETH,GACT,IAAK,UACJ7D,KAAKysF,iBACLzsF,KAAKosF,gBACL,MACD,IAAK,cACJpsF,KAAK4rF,eAAiB5nF,EAKxB,EAEAooF,cAAe,WACd,IAAsBjH,EAAQ1zE,EAAG4E,EAAGq2E,EAAO5H,EAAvCxgD,EAAItkC,KAAKc,QAAoCkqD,EAAOhrD,KAgBxD,GAfAA,KAAKurF,QAAUjnD,EAAEinD,UACbjrF,EAAG,uBAAwBN,KAAKw4B,SAAUx2B,OACjC,CACVqU,EAAG,kBACH1B,EAAG,kBACH2K,EAAG,kBACH3M,EAAG,kBACHg6E,GAAI,mBACJC,GAAI,mBACJC,GAAI,mBACJC,GAAI,oBARL,UAWF9sF,KAAKqsF,SAAW/rF,IAChBN,KAAKusF,cAAgBjsF,IAChBN,KAAKurF,QAAQt9C,cAAgBrkB,OASjC,IAPsB,QAAjB5pB,KAAKurF,UACTvrF,KAAKurF,QAAU,uBAGhBl1E,EAAIrW,KAAKurF,QAAQ/pF,MAAO,KACxBxB,KAAKurF,QAAU,CAAC,EAEV95E,EAAI,EAAGA,EAAI4E,EAAErU,OAAQyP,IAG1Bi7E,EAAQ,iBADRvH,EAASv7D,OAAO3gB,UAAUsW,KAAK5e,KAAM0V,EAAG5E,KAExCqzE,EAAOxkF,EAAG,SACVN,KAAKqsD,UAAWy4B,EAAM,uBAAyB4H,GAE/C5H,EAAKvwE,IAAK,CAAE6mD,OAAQ92B,EAAE82B,SAEtBp7D,KAAKurF,QAASpG,GAAW,iBAAmBA,EACtCnlF,KAAKw4B,QAAQjiB,SAAUvW,KAAKurF,QAASpG,IAAWnjF,SACrDhC,KAAKw4B,QAAQxiB,OAAQ8uE,GACrB9kF,KAAKusF,cAAgBvsF,KAAKusF,cAAcxxD,IAAK+pD,IAMhD9kF,KAAK+sF,YAAc,SAAUt/E,GAE5B,IAAIgE,EAAGqzE,EAAMkI,EAAQC,EAIrB,IAAMx7E,KAFNhE,EAASA,GAAUzN,KAAKw4B,QAEbx4B,KAAKurF,QAEVvrF,KAAKurF,QAAS95E,GAAIw8B,cAAgBrkB,OACtC5pB,KAAKurF,QAAS95E,GAAMzR,KAAKw4B,QAAQjiB,SAAUvW,KAAKurF,QAAS95E,IAAM6+B,QAAQjvC,QAC5DrB,KAAKurF,QAAS95E,GAAIq4C,QAAU9pD,KAAKurF,QAAS95E,GAAIuuC,YACzDhgD,KAAKurF,QAAS95E,GAAMnR,EAAGN,KAAKurF,QAAS95E,IACrCzR,KAAKyqD,IAAKzqD,KAAKurF,QAAS95E,GAAK,CAAE,UAAau5C,EAAKq4B,cAG7CrjF,KAAKgsF,kBACRhsF,KAAK6rF,gBAAiB,GACpBlqC,SACAjiC,MAAO,uCACVolE,EAAOxkF,EAAGN,KAAKurF,QAAS95E,GAAKzR,KAAKw4B,SAElCy0D,EAAa,kBAAkB1jD,KAAM93B,GACpCqzE,EAAKliD,cACLkiD,EAAKr9C,aAENulD,EAAS,CAAE,UACV,UAAUzjD,KAAM93B,GAAM,MACtB,UAAU83B,KAAM93B,GAAM,SACtB,MAAM83B,KAAM93B,GAAM,QAAU,QAAShQ,KAAM,IAE5CgM,EAAO8G,IAAKy4E,EAAQC,GAEpBjtF,KAAKmsF,yBAGNnsF,KAAKqsF,SAAWrsF,KAAKqsF,SAAStxD,IAAK/6B,KAAKurF,QAAS95E,GAEnD,EAGAzR,KAAK+sF,YAAa/sF,KAAKw4B,SAEvBx4B,KAAKqsF,SAAWrsF,KAAKqsF,SAAStxD,IAAK/6B,KAAKw4B,QAAQz2B,KAAM,yBACtD/B,KAAKqsF,SAAS95B,mBAEdvyD,KAAKqsF,SAASt0E,GAAI,aAAa,WACxBizC,EAAKshC,WACLtsF,KAAKi7B,YACT6pD,EAAO9kF,KAAKi7B,UAAUvb,MAAO,wCAE9BsrC,EAAK85B,KAAOA,GAAQA,EAAM,GAAMA,EAAM,GAAM,KAE9C,IAEKxgD,EAAE+mD,WACNrrF,KAAKqsF,SAASpsF,OACdD,KAAKqsD,UAAW,yBAElB,EAEAogC,eAAgB,WACfzsF,KAAKusF,cAAc70E,QACpB,EAEAssE,cAAe,SAAU99D,GACxB,IAAIzU,EAAG0zE,EACN+H,GAAU,EAEX,IAAMz7E,KAAKzR,KAAKurF,UACfpG,EAAS7kF,EAAGN,KAAKurF,QAAS95E,IAAO,MACjByU,EAAMzY,QAAUnN,EAAEszC,SAAUuxC,EAAQj/D,EAAMzY,WACzDy/E,GAAU,GAIZ,OAAQltF,KAAKc,QAAQopD,UAAYgjC,CAClC,EAEA7I,YAAa,SAAUn+D,GAEtB,IAAIinE,EAASC,EAAQnU,EACpB30C,EAAItkC,KAAKc,QACTg3B,EAAK93B,KAAKw4B,QAkDX,OAhDAx4B,KAAKssF,UAAW,EAEhBtsF,KAAKqtF,eAELF,EAAUntF,KAAK0rF,KAAM1rF,KAAKgnD,OAAOzyC,IAAK,SACtC64E,EAASptF,KAAK0rF,KAAM1rF,KAAKgnD,OAAOzyC,IAAK,QAEhC+vB,EAAE0gD,cACNmI,GAAW7sF,EAAGgkC,EAAE0gD,aAAc11B,cAAgB,EAC9C89B,GAAU9sF,EAAGgkC,EAAE0gD,aAAcloC,aAAe,GAG7C98C,KAAKqvD,OAASrvD,KAAKgnD,OAAOqI,SAC1BrvD,KAAKkhB,SAAW,CAAEE,KAAM+rE,EAAShsE,IAAKisE,GAEtCptF,KAAK0T,KAAO1T,KAAKqpF,QAAU,CACzBt2E,MAAO/S,KAAKgnD,OAAOj0C,QACnBC,OAAQhT,KAAKgnD,OAAOh0C,UACjB,CACHD,MAAO+kB,EAAG/kB,QACVC,OAAQ8kB,EAAG9kB,UAGbhT,KAAKstF,aAAettF,KAAKqpF,QAAU,CACjCt2E,MAAO+kB,EAAG2P,aACVz0B,OAAQ8kB,EAAG8K,eACR,CACH7vB,MAAO+kB,EAAG/kB,QACVC,OAAQ8kB,EAAG9kB,UAGbhT,KAAKutF,SAAW,CACfx6E,MAAO+kB,EAAG2P,aAAe3P,EAAG/kB,QAC5BC,OAAQ8kB,EAAG8K,cAAgB9K,EAAG9kB,UAG/BhT,KAAKinF,iBAAmB,CAAE7lE,KAAM+rE,EAAShsE,IAAKisE,GAC9CptF,KAAKwtF,sBAAwB,CAAEpsE,KAAM8E,EAAM+pC,MAAO9uC,IAAK+E,EAAM8pC,OAE7DhwD,KAAKorF,YAAyC,iBAAlB9mD,EAAE8mD,YAC7B9mD,EAAE8mD,YACEprF,KAAKstF,aAAav6E,MAAQ/S,KAAKstF,aAAat6E,QAAY,EAE7DimE,EAAS34E,EAAG,iBAAmBN,KAAK8kF,MAAOvwE,IAAK,UAChDjU,EAAG,QAASiU,IAAK,SAAqB,SAAX0kE,EAAoBj5E,KAAK8kF,KAAO,UAAY7L,GAEvEj5E,KAAKqsD,UAAW,yBAChBrsD,KAAKytF,WAAY,QAASvnE,IACnB,CACR,EAEAs+D,WAAY,SAAUt+D,GAErB,IAAI7iB,EAAM4B,EACTyoF,EAAM1tF,KAAKwtF,sBACXprE,EAAIpiB,KAAK8kF,KACTpyE,EAAOwT,EAAM+pC,MAAQy9B,EAAItsE,MAAU,EACnC/O,EAAO6T,EAAM8pC,MAAQ09B,EAAIvsE,KAAS,EAClCze,EAAU1C,KAAKosE,QAAShqD,GAIzB,OAFApiB,KAAK2tF,0BAECjrF,IAINW,EAAOX,EAAQgY,MAAO1a,KAAM,CAAEkmB,EAAOxT,EAAIL,IAEzCrS,KAAK4tF,yBAA0B1nE,EAAMmnD,WAChCrtE,KAAK4rF,cAAgB1lE,EAAMmnD,YAC/BhqE,EAAOrD,KAAK6tF,aAAcxqF,EAAM6iB,IAGjC7iB,EAAOrD,KAAK8tF,aAAczqF,EAAM6iB,GAEhClmB,KAAK+tF,aAAc1qF,GAEnBrD,KAAKytF,WAAY,SAAUvnE,GAE3BjhB,EAAQjF,KAAKguF,iBAEPhuF,KAAKqpF,SAAWrpF,KAAK8rF,8BAA8B9pF,QACxDhC,KAAKmsF,wBAGA7rF,EAAEotD,cAAezoD,KACtBjF,KAAK2tF,wBACL3tF,KAAKgiC,SAAU,SAAU9b,EAAOlmB,KAAK6nD,MACrC7nD,KAAKguF,kBAGC,EACR,EAEAvJ,WAAY,SAAUv+D,GAErBlmB,KAAKssF,UAAW,EAChB,IAAI2B,EAAIC,EAAMC,EAAUC,EAAU9uE,EAAG8B,EAAMD,EAC1CmjB,EAAItkC,KAAKc,QAASkqD,EAAOhrD,KAwC1B,OAtCKA,KAAKqpF,UAIT8E,GADAD,GADAD,EAAKjuF,KAAK8rF,+BACA9pF,QAAU,YAAgBunC,KAAM0kD,EAAI,GAAItsC,YAC/B3hD,KAAKqqE,WAAY4jB,EAAI,GAAK,QAAW,EAAIjjC,EAAKuiC,SAASv6E,OAC1Eo7E,EAAWF,EAAO,EAAIljC,EAAKuiC,SAASx6E,MAEpCuM,EAAI,CACHvM,MAASi4C,EAAKhE,OAAOj0C,QAAWq7E,EAChCp7E,OAAUg4C,EAAKhE,OAAOh0C,SAAWm7E,GAElC/sE,EAASzB,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,UACpCy2C,EAAK9pC,SAASE,KAAO4pC,EAAKi8B,iBAAiB7lE,OAAY,KAC1DD,EAAQxB,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,SACnCy2C,EAAK9pC,SAASC,IAAM6pC,EAAKi8B,iBAAiB9lE,MAAW,KAElDmjB,EAAE21B,SACPj6D,KAAKw4B,QAAQjkB,IAAKjU,EAAEm3B,OAAQnY,EAAG,CAAE6B,IAAKA,EAAKC,KAAMA,KAGlD4pC,EAAKhE,OAAOh0C,OAAQg4C,EAAKt3C,KAAKV,QAC9Bg4C,EAAKhE,OAAOj0C,MAAOi4C,EAAKt3C,KAAKX,OAExB/S,KAAKqpF,UAAY/kD,EAAE21B,SACvBj6D,KAAKmsF,yBAIP7rF,EAAG,QAASiU,IAAK,SAAU,QAE3BvU,KAAKkrD,aAAc,yBAEnBlrD,KAAKytF,WAAY,OAAQvnE,GAEpBlmB,KAAKqpF,SACTrpF,KAAKgnD,OAAOtvC,UAGN,CAER,EAEAi2E,sBAAuB,WACtB3tF,KAAKquF,aAAe,CACnBltE,IAAKnhB,KAAKkhB,SAASC,IACnBC,KAAMphB,KAAKkhB,SAASE,MAErBphB,KAAKsuF,SAAW,CACfv7E,MAAO/S,KAAK0T,KAAKX,MACjBC,OAAQhT,KAAK0T,KAAKV,OAEpB,EAEAg7E,cAAe,WACd,IAAI/oF,EAAQ,CAAC,EAoBb,OAlBKjF,KAAKkhB,SAASC,MAAQnhB,KAAKquF,aAAaltE,MAC5Clc,EAAMkc,IAAMnhB,KAAKkhB,SAASC,IAAM,MAE5BnhB,KAAKkhB,SAASE,OAASphB,KAAKquF,aAAajtE,OAC7Cnc,EAAMmc,KAAOphB,KAAKkhB,SAASE,KAAO,MAGnCphB,KAAKgnD,OAAOzyC,IAAKtP,GAEZjF,KAAK0T,KAAKX,QAAU/S,KAAKsuF,SAASv7E,QACtC9N,EAAM8N,MAAQ/S,KAAK0T,KAAKX,MAAQ,KAChC/S,KAAKgnD,OAAOj0C,MAAO9N,EAAM8N,QAErB/S,KAAK0T,KAAKV,SAAWhT,KAAKsuF,SAASt7E,SACvC/N,EAAM+N,OAAShT,KAAK0T,KAAKV,OAAS,KAClChT,KAAKgnD,OAAOh0C,OAAQ/N,EAAM+N,SAGpB/N,CACR,EAEA2oF,yBAA0B,SAAUW,GACnC,IAAIC,EAAWC,EAAWC,EAAYC,EAAY9uE,EACjDykB,EAAItkC,KAAKc,QAEV+e,EAAI,CACH4rE,SAAUzrF,KAAK2rF,UAAWrnD,EAAEmnD,UAAannD,EAAEmnD,SAAW,EACtDz7D,SAAUhwB,KAAK2rF,UAAWrnD,EAAEtU,UAAasU,EAAEtU,SAAW4+D,IACtDpD,UAAWxrF,KAAK2rF,UAAWrnD,EAAEknD,WAAclnD,EAAEknD,UAAY,EACzDrlB,UAAWnmE,KAAK2rF,UAAWrnD,EAAE6hC,WAAc7hC,EAAE6hC,UAAYyoB,MAGrD5uF,KAAK4rF,cAAgB2C,KACzBC,EAAY3uE,EAAE2rE,UAAYxrF,KAAKorF,YAC/BsD,EAAa7uE,EAAE4rE,SAAWzrF,KAAKorF,YAC/BqD,EAAY5uE,EAAEsmD,UAAYnmE,KAAKorF,YAC/BuD,EAAa9uE,EAAEmQ,SAAWhwB,KAAKorF,YAE1BoD,EAAY3uE,EAAE4rE,WAClB5rE,EAAE4rE,SAAW+C,GAETE,EAAa7uE,EAAE2rE,YACnB3rE,EAAE2rE,UAAYkD,GAEVD,EAAY5uE,EAAEmQ,WAClBnQ,EAAEmQ,SAAWy+D,GAETE,EAAa9uE,EAAEsmD,YACnBtmD,EAAEsmD,UAAYwoB,IAGhB3uF,KAAK6uF,aAAehvE,CACrB,EAEAkuE,aAAc,SAAU1qF,GACvBrD,KAAKqvD,OAASrvD,KAAKgnD,OAAOqI,SACrBrvD,KAAK2rF,UAAWtoF,EAAK+d,QACzBphB,KAAKkhB,SAASE,KAAO/d,EAAK+d,MAEtBphB,KAAK2rF,UAAWtoF,EAAK8d,OACzBnhB,KAAKkhB,SAASC,IAAM9d,EAAK8d,KAErBnhB,KAAK2rF,UAAWtoF,EAAK2P,UACzBhT,KAAK0T,KAAKV,OAAS3P,EAAK2P,QAEpBhT,KAAK2rF,UAAWtoF,EAAK0P,SACzB/S,KAAK0T,KAAKX,MAAQ1P,EAAK0P,MAEzB,EAEA86E,aAAc,SAAUxqF,GAEvB,IAAIyrF,EAAO9uF,KAAKkhB,SACf6tE,EAAQ/uF,KAAK0T,KACb0O,EAAIpiB,KAAK8kF,KAiBV,OAfK9kF,KAAK2rF,UAAWtoF,EAAK2P,QACzB3P,EAAK0P,MAAU1P,EAAK2P,OAAShT,KAAKorF,YACvBprF,KAAK2rF,UAAWtoF,EAAK0P,SAChC1P,EAAK2P,OAAW3P,EAAK0P,MAAQ/S,KAAKorF,aAGxB,OAANhpE,IACJ/e,EAAK+d,KAAO0tE,EAAK1tE,MAAS2tE,EAAMh8E,MAAQ1P,EAAK0P,OAC7C1P,EAAK8d,IAAM,MAED,OAANiB,IACJ/e,EAAK8d,IAAM2tE,EAAK3tE,KAAQ4tE,EAAM/7E,OAAS3P,EAAK2P,QAC5C3P,EAAK+d,KAAO0tE,EAAK1tE,MAAS2tE,EAAMh8E,MAAQ1P,EAAK0P,QAGvC1P,CACR,EAEAyqF,aAAc,SAAUzqF,GAEvB,IAAIihC,EAAItkC,KAAK6uF,aACZzsE,EAAIpiB,KAAK8kF,KACTkK,EAAShvF,KAAK2rF,UAAWtoF,EAAK0P,QAAWuxB,EAAEtU,UAAcsU,EAAEtU,SAAW3sB,EAAK0P,MAC3Ek8E,EAASjvF,KAAK2rF,UAAWtoF,EAAK2P,SAAYsxB,EAAE6hC,WAAe7hC,EAAE6hC,UAAY9iE,EAAK2P,OAC9Ek8E,EAASlvF,KAAK2rF,UAAWtoF,EAAK0P,QAAWuxB,EAAEmnD,UAAcnnD,EAAEmnD,SAAWpoF,EAAK0P,MAC3Eo8E,EAASnvF,KAAK2rF,UAAWtoF,EAAK2P,SAAYsxB,EAAEknD,WAAelnD,EAAEknD,UAAYnoF,EAAK2P,OAC9Eo8E,EAAKpvF,KAAKinF,iBAAiB7lE,KAAOphB,KAAKstF,aAAav6E,MACpDs8E,EAAKrvF,KAAKinF,iBAAiB9lE,IAAMnhB,KAAKstF,aAAat6E,OACnDs8E,EAAK,UAAU/lD,KAAMnnB,GAAK0hC,EAAK,UAAUva,KAAMnnB,GAkChD,OAjCK8sE,IACJ7rF,EAAK0P,MAAQuxB,EAAEmnD,UAEX0D,IACJ9rF,EAAK2P,OAASsxB,EAAEknD,WAEZwD,IACJ3rF,EAAK0P,MAAQuxB,EAAEtU,UAEXi/D,IACJ5rF,EAAK2P,OAASsxB,EAAE6hC,WAGZ+oB,GAAUI,IACdjsF,EAAK+d,KAAOguE,EAAK9qD,EAAEmnD,UAEfuD,GAAUM,IACdjsF,EAAK+d,KAAOguE,EAAK9qD,EAAEtU,UAEfm/D,GAAUrrC,IACdzgD,EAAK8d,IAAMkuE,EAAK/qD,EAAEknD,WAEdyD,GAAUnrC,IACdzgD,EAAK8d,IAAMkuE,EAAK/qD,EAAE6hC,WAIb9iE,EAAK0P,OAAU1P,EAAK2P,QAAW3P,EAAK+d,OAAQ/d,EAAK8d,IAE1C9d,EAAK0P,OAAU1P,EAAK2P,QAAW3P,EAAK8d,MAAO9d,EAAK+d,OAC5D/d,EAAK+d,KAAO,MAFZ/d,EAAK8d,IAAM,KAKL9d,CACR,EAEAksF,gCAAiC,SAAU/2D,GAgB1C,IAfA,IAAI/mB,EAAI,EACP+9E,EAAS,GACTC,EAAU,CACTj3D,EAAQjkB,IAAK,kBACbikB,EAAQjkB,IAAK,oBACbikB,EAAQjkB,IAAK,qBACbikB,EAAQjkB,IAAK,oBAEdm7E,EAAW,CACVl3D,EAAQjkB,IAAK,cACbikB,EAAQjkB,IAAK,gBACbikB,EAAQjkB,IAAK,iBACbikB,EAAQjkB,IAAK,gBAGP9C,EAAI,EAAGA,IACd+9E,EAAQ/9E,GAAQkO,WAAY8vE,EAASh+E,KAAS,EAC9C+9E,EAAQ/9E,IAASkO,WAAY+vE,EAAUj+E,KAAS,EAGjD,MAAO,CACNuB,OAAQw8E,EAAQ,GAAMA,EAAQ,GAC9Bz8E,MAAOy8E,EAAQ,GAAMA,EAAQ,GAE/B,EAEArD,sBAAuB,WAEtB,GAAMnsF,KAAK8rF,8BAA8B9pF,OAQzC,IAJA,IAAI2tF,EACHl+E,EAAI,EACJ+mB,EAAUx4B,KAAKgnD,QAAUhnD,KAAKw4B,QAEvB/mB,EAAIzR,KAAK8rF,8BAA8B9pF,OAAQyP,IAEtDk+E,EAAO3vF,KAAK8rF,8BAA+Br6E,GAIrCzR,KAAK4vF,kBACV5vF,KAAK4vF,gBAAkB5vF,KAAKuvF,gCAAiCI,IAG9DA,EAAKp7E,IAAK,CACTvB,OAAUwlB,EAAQxlB,SAAWhT,KAAK4vF,gBAAgB58E,QAAY,EAC9DD,MAASylB,EAAQzlB,QAAU/S,KAAK4vF,gBAAgB78E,OAAW,GAK9D,EAEAs6E,aAAc,WAEb,IAAIv1D,EAAK93B,KAAKw4B,QAAS8L,EAAItkC,KAAKc,QAChCd,KAAK6vF,cAAgB/3D,EAAGu3B,SAEnBrvD,KAAKqpF,SAETrpF,KAAKgnD,OAAShnD,KAAKgnD,QAAU1mD,EAAG,eAAgBiU,IAAK,CAAE+M,SAAU,WAEjEthB,KAAKqsD,UAAWrsD,KAAKgnD,OAAQhnD,KAAKqpF,SAClCrpF,KAAKgnD,OAAOzyC,IAAK,CAChBxB,MAAO/S,KAAKw4B,QAAQiP,aACpBz0B,OAAQhT,KAAKw4B,QAAQoK,cACrB1hB,SAAU,WACVE,KAAMphB,KAAK6vF,cAAczuE,KAAO,KAChCD,IAAKnhB,KAAK6vF,cAAc1uE,IAAM,KAC9Bi6C,SAAU92B,EAAE82B,SAGbp7D,KAAKgnD,OACH7mB,SAAU,QACVoyB,oBAGFvyD,KAAKgnD,OAAShnD,KAAKw4B,OAGrB,EAEA4zC,QAAS,CACRz3D,EAAG,SAAUuR,EAAOxT,GACnB,MAAO,CAAEK,MAAO/S,KAAKstF,aAAav6E,MAAQL,EAC3C,EACAC,EAAG,SAAUuT,EAAOxT,GACnB,IAAIo9E,EAAK9vF,KAAKstF,aACd,MAAO,CAAElsE,KADwBphB,KAAKinF,iBACpB7lE,KAAO1O,EAAIK,MAAO+8E,EAAG/8E,MAAQL,EAChD,EACA2D,EAAG,SAAU6P,EAAOxT,EAAIL,GACvB,IAAIy9E,EAAK9vF,KAAKstF,aACd,MAAO,CAAEnsE,IADwBnhB,KAAKinF,iBACrB9lE,IAAM9O,EAAIW,OAAQ88E,EAAG98E,OAASX,EAChD,EACAiN,EAAG,SAAU4G,EAAOxT,EAAIL,GACvB,MAAO,CAAEW,OAAQhT,KAAKstF,aAAat6E,OAASX,EAC7C,EACAs6E,GAAI,SAAUzmE,EAAOxT,EAAIL,GACxB,OAAO/R,EAAEm3B,OAAQz3B,KAAKosE,QAAQ9sD,EAAE5E,MAAO1a,KAAM6K,WAC5C7K,KAAKosE,QAAQz3D,EAAE+F,MAAO1a,KAAM,CAAEkmB,EAAOxT,EAAIL,IAC3C,EACAu6E,GAAI,SAAU1mE,EAAOxT,EAAIL,GACxB,OAAO/R,EAAEm3B,OAAQz3B,KAAKosE,QAAQ9sD,EAAE5E,MAAO1a,KAAM6K,WAC5C7K,KAAKosE,QAAQz5D,EAAE+H,MAAO1a,KAAM,CAAEkmB,EAAOxT,EAAIL,IAC3C,EACAw6E,GAAI,SAAU3mE,EAAOxT,EAAIL,GACxB,OAAO/R,EAAEm3B,OAAQz3B,KAAKosE,QAAQ/1D,EAAEqE,MAAO1a,KAAM6K,WAC5C7K,KAAKosE,QAAQz3D,EAAE+F,MAAO1a,KAAM,CAAEkmB,EAAOxT,EAAIL,IAC3C,EACAy6E,GAAI,SAAU5mE,EAAOxT,EAAIL,GACxB,OAAO/R,EAAEm3B,OAAQz3B,KAAKosE,QAAQ/1D,EAAEqE,MAAO1a,KAAM6K,WAC5C7K,KAAKosE,QAAQz5D,EAAE+H,MAAO1a,KAAM,CAAEkmB,EAAOxT,EAAIL,IAC3C,GAGDo7E,WAAY,SAAUp3E,EAAG6P,GACxB5lB,EAAEunD,GAAGzrC,OAAOzb,KAAMX,KAAMqW,EAAG,CAAE6P,EAAOlmB,KAAK6nD,OAC9B,WAANxxC,GACJrW,KAAKgiC,SAAU3rB,EAAG6P,EAAOlmB,KAAK6nD,KAEhC,EAEAxrC,QAAS,CAAC,EAEVwrC,GAAI,WACH,MAAO,CACNgkC,gBAAiB7rF,KAAK6rF,gBACtBrzD,QAASx4B,KAAKw4B,QACdwuB,OAAQhnD,KAAKgnD,OACb9lC,SAAUlhB,KAAKkhB,SACfxN,KAAM1T,KAAK0T,KACX45E,aAActtF,KAAKstF,aACnBrG,iBAAkBjnF,KAAKinF,iBAEzB,IAQD3mF,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,UAAW,CAExCvf,KAAM,SAAU0K,GACf,IAAI8kC,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC/BznD,EAAI0mB,EAAKlqD,QACTmtF,EAAKjjC,EAAK8gC,8BACVoC,EAAOD,EAAGjsF,QAAU,YAAgBunC,KAAM0kD,EAAI,GAAItsC,UAClDwsC,EAAWD,GAAQljC,EAAKqf,WAAY4jB,EAAI,GAAK,QAAW,EAAIjjC,EAAKuiC,SAASv6E,OAC1Eo7E,EAAWF,EAAO,EAAIljC,EAAKuiC,SAASx6E,MACpC6K,EAAQ,CACP7K,MAASi4C,EAAKt3C,KAAKX,MAAQq7E,EAC3Bp7E,OAAUg4C,EAAKt3C,KAAKV,OAASm7E,GAE9B/sE,EAASzB,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,UACpCy2C,EAAK9pC,SAASE,KAAO4pC,EAAKi8B,iBAAiB7lE,OAAY,KAC1DD,EAAQxB,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,SACnCy2C,EAAK9pC,SAASC,IAAM6pC,EAAKi8B,iBAAiB9lE,MAAW,KAEzD6pC,EAAKxyB,QAAQyhC,QACZ35D,EAAEm3B,OAAQ7Z,EAAOuD,GAAOC,EAAO,CAAED,IAAKA,EAAKC,KAAMA,GAAS,CAAC,GAAK,CAC/DqsC,SAAUnpB,EAAE4mD,gBACZt9B,OAAQtpB,EAAE6mD,cACVnmD,KAAM,WAEL,IAAI3hC,EAAO,CACV0P,MAAO4M,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,UACrCvB,OAAQ2M,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,WACtC4M,IAAKxB,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,QACnC6M,KAAMzB,WAAYqrC,EAAKxyB,QAAQjkB,IAAK,UAGhC05E,GAAMA,EAAGjsF,QACb1B,EAAG2tF,EAAI,IAAM15E,IAAK,CAAExB,MAAO1P,EAAK0P,MAAOC,OAAQ3P,EAAK2P,SAIrDg4C,EAAK+iC,aAAc1qF,GACnB2nD,EAAKyiC,WAAY,SAAUvnE,EAE5B,GAGH,IAID5lB,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,cAAe,CAE5CmL,MAAO,WACN,IAAI1N,EAASnY,EAAGyoE,EAAIhlC,EAAIwrC,EAAIv8E,EAAOC,EAClCg4C,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC5BznD,EAAI0mB,EAAKlqD,QACTg3B,EAAKkzB,EAAKxyB,QACVu3D,EAAKzrD,EAAE0gD,YACP2D,EAAOoH,aAAczvF,EACpByvF,EAAGhoE,IAAK,GACN,SAASwhB,KAAMwmD,GAASj4D,EAAGxhB,SAASyR,IAAK,GAAMgoE,EAE7CpH,IAIN39B,EAAKp7B,iBAAmBtvB,EAAGqoF,GAEtB,WAAWp/C,KAAMwmD,IAAQA,IAAOxmF,UACpCyhD,EAAKglC,gBAAkB,CACtB5uE,KAAM,EACND,IAAK,GAEN6pC,EAAKilC,kBAAoB,CACxB7uE,KAAM,EACND,IAAK,GAGN6pC,EAAKklC,WAAa,CACjB13D,QAASl4B,EAAGiJ,UACZ6X,KAAM,EACND,IAAK,EACLpO,MAAOzS,EAAGiJ,UAAWwJ,QACrBC,OAAQ1S,EAAGiJ,UAAWyJ,UAAYzJ,SAAS5B,KAAKq5C,WAAWiO,gBAG5Dz2B,EAAUl4B,EAAGqoF,GACbtoE,EAAI,GACJ/f,EAAG,CAAE,MAAO,QAAS,OAAQ,WAAaD,MAAM,SAAUoR,EAAGhG,GAC5D4U,EAAG5O,GAAMu5C,EAAK0gC,KAAMlzD,EAAQjkB,IAAK,UAAY9I,GAC9C,IAEAu/C,EAAKglC,gBAAkBx3D,EAAQ62B,SAC/BrE,EAAKilC,kBAAoBz3D,EAAQtX,WACjC8pC,EAAKmlC,cAAgB,CACpBn9E,OAAUwlB,EAAQulC,cAAgB19C,EAAG,GACrCtN,MAASylB,EAAQwlC,aAAe39C,EAAG,IAGpCyoE,EAAK99B,EAAKglC,gBACVlsC,EAAKkH,EAAKmlC,cAAcn9E,OACxBs8E,EAAKtkC,EAAKmlC,cAAcp9E,MACxBA,EAAUi4C,EAAKqf,WAAYse,EAAI,QAAWA,EAAG14D,YAAcq/D,EAC3Dt8E,EAAWg4C,EAAKqf,WAAYse,GAAOA,EAAG15B,aAAenL,EAErDkH,EAAKklC,WAAa,CACjB13D,QAASmwD,EACTvnE,KAAM0nE,EAAG1nE,KACTD,IAAK2nE,EAAG3nE,IACRpO,MAAOA,EACPC,OAAQA,IAGX,EAEA8mB,OAAQ,SAAU5T,GACjB,IAAIkqE,EAAOC,EAAOC,EAAUC,EAC3BvlC,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC5BznD,EAAI0mB,EAAKlqD,QACTgoF,EAAK99B,EAAKglC,gBACVQ,EAAKxlC,EAAK9pC,SACVuvE,EAASzlC,EAAK4gC,cAAgB1lE,EAAMmnD,SACpCqjB,EAAM,CACLvvE,IAAK,EACLC,KAAM,GAEPunE,EAAK39B,EAAKp7B,iBACV+gE,GAAiB,EAEbhI,EAAI,KAAQp/E,UAAY,SAAaggC,KAAMo/C,EAAGp0E,IAAK,eACvDm8E,EAAM5H,GAGF0H,EAAGpvE,MAAS4pC,EAAKq+B,QAAUP,EAAG1nE,KAAO,KACzC4pC,EAAKt3C,KAAKX,MAAQi4C,EAAKt3C,KAAKX,OACzBi4C,EAAKq+B,QACJr+B,EAAK9pC,SAASE,KAAO0nE,EAAG1nE,KACxB4pC,EAAK9pC,SAASE,KAAOsvE,EAAItvE,MAExBqvE,IACJzlC,EAAKt3C,KAAKV,OAASg4C,EAAKt3C,KAAKX,MAAQi4C,EAAKogC,YAC1CuF,GAAiB,GAElB3lC,EAAK9pC,SAASE,KAAOkjB,EAAE0iB,OAAS8hC,EAAG1nE,KAAO,GAGtCovE,EAAGrvE,KAAQ6pC,EAAKq+B,QAAUP,EAAG3nE,IAAM,KACvC6pC,EAAKt3C,KAAKV,OAASg4C,EAAKt3C,KAAKV,QAC1Bg4C,EAAKq+B,QACJr+B,EAAK9pC,SAASC,IAAM2nE,EAAG3nE,IACzB6pC,EAAK9pC,SAASC,KAEXsvE,IACJzlC,EAAKt3C,KAAKX,MAAQi4C,EAAKt3C,KAAKV,OAASg4C,EAAKogC,YAC1CuF,GAAiB,GAElB3lC,EAAK9pC,SAASC,IAAM6pC,EAAKq+B,QAAUP,EAAG3nE,IAAM,GAG7CmvE,EAAWtlC,EAAKp7B,iBAAiB7H,IAAK,KAAQijC,EAAKxyB,QAAQliB,SAASyR,IAAK,GACzEwoE,EAAmB,oBAAoBhnD,KAAMyhB,EAAKp7B,iBAAiBrb,IAAK,aAEnE+7E,GAAYC,GAChBvlC,EAAKqE,OAAOjuC,KAAO4pC,EAAKklC,WAAW9uE,KAAO4pC,EAAK9pC,SAASE,KACxD4pC,EAAKqE,OAAOluC,IAAM6pC,EAAKklC,WAAW/uE,IAAM6pC,EAAK9pC,SAASC,MAEtD6pC,EAAKqE,OAAOjuC,KAAO4pC,EAAKxyB,QAAQ62B,SAASjuC,KACzC4pC,EAAKqE,OAAOluC,IAAM6pC,EAAKxyB,QAAQ62B,SAASluC,KAGzCivE,EAAQx/E,KAAK0B,IAAK04C,EAAKuiC,SAASx6E,OAC7Bi4C,EAAKq+B,QACNr+B,EAAKqE,OAAOjuC,KAAOsvE,EAAItvE,KACrB4pC,EAAKqE,OAAOjuC,KAAO0nE,EAAG1nE,OAE1BivE,EAAQz/E,KAAK0B,IAAK04C,EAAKuiC,SAASv6E,QAC7Bg4C,EAAKq+B,QACNr+B,EAAKqE,OAAOluC,IAAMuvE,EAAIvvE,IACpB6pC,EAAKqE,OAAOluC,IAAM2nE,EAAG3nE,MAEpBivE,EAAQplC,EAAKt3C,KAAKX,OAASi4C,EAAKklC,WAAWn9E,QAC/Ci4C,EAAKt3C,KAAKX,MAAQi4C,EAAKklC,WAAWn9E,MAAQq9E,EACrCK,IACJzlC,EAAKt3C,KAAKV,OAASg4C,EAAKt3C,KAAKX,MAAQi4C,EAAKogC,YAC1CuF,GAAiB,IAIdN,EAAQrlC,EAAKt3C,KAAKV,QAAUg4C,EAAKklC,WAAWl9E,SAChDg4C,EAAKt3C,KAAKV,OAASg4C,EAAKklC,WAAWl9E,OAASq9E,EACvCI,IACJzlC,EAAKt3C,KAAKX,MAAQi4C,EAAKt3C,KAAKV,OAASg4C,EAAKogC,YAC1CuF,GAAiB,IAIbA,IACL3lC,EAAK9pC,SAASE,KAAO4pC,EAAKqjC,aAAajtE,KACvC4pC,EAAK9pC,SAASC,IAAM6pC,EAAKqjC,aAAaltE,IACtC6pC,EAAKt3C,KAAKX,MAAQi4C,EAAKsjC,SAASv7E,MAChCi4C,EAAKt3C,KAAKV,OAASg4C,EAAKsjC,SAASt7E,OAEnC,EAEAwI,KAAM,WACL,IAAIwvC,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC/BznD,EAAI0mB,EAAKlqD,QACTgoF,EAAK99B,EAAKglC,gBACVU,EAAM1lC,EAAKilC,kBACXtH,EAAK39B,EAAKp7B,iBACVo3B,EAAS1mD,EAAG0qD,EAAKhE,QACjB4pC,EAAK5pC,EAAOqI,SACZ18C,EAAIq0C,EAAOvf,aAAeujB,EAAKuiC,SAASx6E,MACxCilB,EAAIgvB,EAAOpkB,cAAgBooB,EAAKuiC,SAASv6E,OAErCg4C,EAAKq+B,UAAY/kD,EAAE21B,SAAW,WAAe1wB,KAAMo/C,EAAGp0E,IAAK,cAC/DjU,EAAGN,MAAOuU,IAAK,CACd6M,KAAMwvE,EAAGxvE,KAAOsvE,EAAItvE,KAAO0nE,EAAG1nE,KAC9BrO,MAAOJ,EACPK,OAAQglB,IAILgzB,EAAKq+B,UAAY/kD,EAAE21B,SAAW,SAAa1wB,KAAMo/C,EAAGp0E,IAAK,cAC7DjU,EAAGN,MAAOuU,IAAK,CACd6M,KAAMwvE,EAAGxvE,KAAOsvE,EAAItvE,KAAO0nE,EAAG1nE,KAC9BrO,MAAOJ,EACPK,OAAQglB,GAGX,IAGD13B,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,aAAc,CAE3CmL,MAAO,WACN,IACC5B,EADUhkC,EAAGN,MAAO+rF,UAAW,YACtBjrF,QAEVR,EAAGgkC,EAAE2mD,YAAa5qF,MAAM,WACvB,IAAIy3B,EAAKx3B,EAAGN,MACZ83B,EAAGz0B,KAAM,0BAA2B,CACnC0P,MAAO4M,WAAYmY,EAAGvjB,IAAK,UAAavB,OAAQ2M,WAAYmY,EAAGvjB,IAAK,WACpE6M,KAAMzB,WAAYmY,EAAGvjB,IAAK,SAAY4M,IAAKxB,WAAYmY,EAAGvjB,IAAK,SAEjE,GACD,EAEAulB,OAAQ,SAAU5T,EAAO2hC,GACxB,IAAImD,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC/BznD,EAAI0mB,EAAKlqD,QACT+vF,EAAK7lC,EAAKsiC,aACVwD,EAAK9lC,EAAKi8B,iBACV8J,EAAQ,CACP/9E,OAAUg4C,EAAKt3C,KAAKV,OAAS69E,EAAG79E,QAAY,EAC5CD,MAASi4C,EAAKt3C,KAAKX,MAAQ89E,EAAG99E,OAAW,EACzCoO,IAAO6pC,EAAK9pC,SAASC,IAAM2vE,EAAG3vE,KAAS,EACvCC,KAAQ4pC,EAAK9pC,SAASE,KAAO0vE,EAAG1vE,MAAU,GAG3C9gB,EAAGgkC,EAAE2mD,YAAa5qF,MAAM,WACvB,IAAIy3B,EAAKx3B,EAAGN,MAAQkmC,EAAQ5lC,EAAGN,MAAOqD,KAAM,2BAA6Bua,EAAQ,CAAC,EACjFrJ,EAAMujB,EAAG8rC,QAAS/b,EAAGgkC,gBAAiB,IAAM7pF,OAC1C,CAAE,QAAS,UACX,CAAE,QAAS,SAAU,MAAO,QAE/B1B,EAAED,KAAMkU,GAAK,SAAU9C,EAAGwE,GACzB,IAAI+6E,GAAQ9qD,EAAOjwB,IAAU,IAAQ86E,EAAO96E,IAAU,GACjD+6E,GAAOA,GAAO,IAClBpzE,EAAO3H,GAAS+6E,GAAO,KAEzB,IAEAl5D,EAAGvjB,IAAKqJ,EACT,GACF,EAEApC,KAAM,WACLlb,EAAGN,MAAOmrD,WAAY,0BACvB,IAGD7qD,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,QAAS,CAEtCmL,MAAO,WAEN,IAAI8kB,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAAc+D,EAAK9kC,EAAKt3C,KAExDs3C,EAAKsgC,MAAQtgC,EAAK6gC,gBAAgBx4E,QAClC23C,EAAKsgC,MAAM/2E,IAAK,CACfirD,QAAS,IACTx+B,QAAS,QACT9f,SAAU,WACVlO,OAAQ88E,EAAG98E,OACXD,MAAO+8E,EAAG/8E,MACV4pC,OAAQ,EACRv7B,KAAM,EACND,IAAK,IAGN6pC,EAAKqB,UAAWrB,EAAKsgC,MAAO,uBAIJ,IAAnBhrF,EAAEq6D,cAAwD,iBAAvB3P,EAAKlqD,QAAQwqF,OAGpDtgC,EAAKsgC,MAAM3oF,SAAU3C,KAAKc,QAAQwqF,OAGnCtgC,EAAKsgC,MAAMnrD,SAAU6qB,EAAKhE,OAE3B,EAEAltB,OAAQ,WACP,IAAIkxB,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC3B/gC,EAAKsgC,OACTtgC,EAAKsgC,MAAM/2E,IAAK,CACf2M,SAAU,WACVlO,OAAQg4C,EAAKt3C,KAAKV,OAClBD,MAAOi4C,EAAKt3C,KAAKX,OAGpB,EAEAyI,KAAM,WACL,IAAIwvC,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC3B/gC,EAAKsgC,OAAStgC,EAAKhE,QACvBgE,EAAKhE,OAAOj/B,IAAK,GAAInG,YAAaopC,EAAKsgC,MAAMvjE,IAAK,GAEpD,IAIDznB,EAAEunD,GAAGzrC,OAAO2e,IAAK,YAAa,OAAQ,CAErCjB,OAAQ,WACP,IAAI81D,EACH5kC,EAAO1qD,EAAGN,MAAO+rF,UAAW,YAC5BznD,EAAI0mB,EAAKlqD,QACTgvF,EAAK9kC,EAAKt3C,KACVm9E,EAAK7lC,EAAKsiC,aACVwD,EAAK9lC,EAAKi8B,iBACV7kE,EAAI4oC,EAAK85B,KACTI,EAAyB,iBAAX5gD,EAAE4gD,KAAoB,CAAE5gD,EAAE4gD,KAAM5gD,EAAE4gD,MAAS5gD,EAAE4gD,KAC3D+L,EAAU/L,EAAM,IAAO,EACvBgM,EAAUhM,EAAM,IAAO,EACvBiM,EAAKvgF,KAAKC,OAASi/E,EAAG/8E,MAAQ89E,EAAG99E,OAAUk+E,GAAUA,EACrDG,EAAKxgF,KAAKC,OAASi/E,EAAG98E,OAAS69E,EAAG79E,QAAWk+E,GAAUA,EACvDG,EAAWR,EAAG99E,MAAQo+E,EACtBG,EAAYT,EAAG79E,OAASo+E,EACxBG,EAAajtD,EAAEtU,UAAcsU,EAAEtU,SAAWqhE,EAC1CG,EAAcltD,EAAE6hC,WAAe7hC,EAAE6hC,UAAYmrB,EAC7CG,EAAantD,EAAEmnD,UAAcnnD,EAAEmnD,SAAW4F,EAC1CK,EAAcptD,EAAEknD,WAAelnD,EAAEknD,UAAY8F,EAE9ChtD,EAAE4gD,KAAOA,EAEJuM,IACJJ,GAAYJ,GAERS,IACJJ,GAAaJ,GAETK,IACJF,GAAYJ,GAERO,IACJF,GAAaJ,GAGT,aAAa3nD,KAAMnnB,IACvB4oC,EAAKt3C,KAAKX,MAAQs+E,EAClBrmC,EAAKt3C,KAAKV,OAASs+E,GACR,SAAS/nD,KAAMnnB,IAC1B4oC,EAAKt3C,KAAKX,MAAQs+E,EAClBrmC,EAAKt3C,KAAKV,OAASs+E,EACnBtmC,EAAK9pC,SAASC,IAAM2vE,EAAG3vE,IAAMiwE,GAClB,SAAS7nD,KAAMnnB,IAC1B4oC,EAAKt3C,KAAKX,MAAQs+E,EAClBrmC,EAAKt3C,KAAKV,OAASs+E,EACnBtmC,EAAK9pC,SAASE,KAAO0vE,EAAG1vE,KAAO+vE,KAE1BG,EAAYJ,GAAS,GAAKG,EAAWJ,GAAS,KAClDrB,EAAkB5kC,EAAKukC,gCAAiCvvF,OAGpDsxF,EAAYJ,EAAQ,GACxBlmC,EAAKt3C,KAAKV,OAASs+E,EACnBtmC,EAAK9pC,SAASC,IAAM2vE,EAAG3vE,IAAMiwE,IAE7BE,EAAYJ,EAAQtB,EAAgB58E,OACpCg4C,EAAKt3C,KAAKV,OAASs+E,EACnBtmC,EAAK9pC,SAASC,IAAM2vE,EAAG3vE,IAAM0vE,EAAG79E,OAASs+E,GAErCD,EAAWJ,EAAQ,GACvBjmC,EAAKt3C,KAAKX,MAAQs+E,EAClBrmC,EAAK9pC,SAASE,KAAO0vE,EAAG1vE,KAAO+vE,IAE/BE,EAAWJ,EAAQrB,EAAgB78E,MACnCi4C,EAAKt3C,KAAKX,MAAQs+E,EAClBrmC,EAAK9pC,SAASE,KAAO0vE,EAAG1vE,KAAOyvE,EAAG99E,MAAQs+E,GAG7C,IAIsB/wF,EAAEunD,GAAGkkC,UAsB5BzrF,EAAEqjC,OAAQ,YAAa,CACtB/a,QAAS,SACT9nB,QAAS,CACRq/B,SAAU,OACVwxD,UAAU,EACV/mF,QAAS,GACTsM,QAAS,CACR,YAAa,gBACb,qBAAsB,iBAEvBK,eAAe,EACfi4D,UAAW,QACXwZ,WAAW,EACX/oF,KAAM,KACN+S,OAAQ,OACRmzD,UAAW,KACXn2C,SAAU,KACVw7D,UAAW,IACXC,SAAU,IACVnhF,OAAO,EACP4W,SAAU,CACT2vC,GAAI,SACJjiB,GAAI,SACJ2gB,GAAIprD,OACJ4rD,UAAW,MAGXM,MAAO,SAAU9xC,GAChB,IAAIqzE,EAAYtxF,EAAGN,MAAOuU,IAAKgK,GAAM8wC,SAASluC,IACzCywE,EAAY,GAChBtxF,EAAGN,MAAOuU,IAAK,MAAOgK,EAAI4C,IAAMywE,EAElC,GAED7F,WAAW,EACX1qF,KAAM,KACNgJ,MAAO,KACP0I,MAAO,IAGP8+E,YAAa,KACbp6E,MAAO,KACPsuE,KAAM,KACN2B,UAAW,KACXS,SAAU,KACVr5D,MAAO,KACPoF,KAAM,KACN4F,OAAQ,KACRg4D,YAAa,KACbC,WAAY,MAGbC,mBAAoB,CACnBpnF,SAAS,EACToI,QAAQ,EACRmzD,WAAW,EACXn2C,UAAU,EACVw7D,WAAW,EACXC,UAAU,EACV14E,OAAO,GAGRk/E,wBAAyB,CACxB9rB,WAAW,EACXn2C,UAAU,EACVw7D,WAAW,EACXC,UAAU,GAGX3qD,QAAS,WACR9gC,KAAK+gC,YAAc,CAClBC,QAAShhC,KAAKw4B,QAAS,GAAI5a,MAAMojB,QACjCjuB,MAAO/S,KAAKw4B,QAAS,GAAI5a,MAAM7K,MAC/By4E,UAAWxrF,KAAKw4B,QAAS,GAAI5a,MAAM4tE,UACnCrlB,UAAWnmE,KAAKw4B,QAAS,GAAI5a,MAAMuoD,UACnCnzD,OAAQhT,KAAKw4B,QAAS,GAAI5a,MAAM5K,QAEjChT,KAAKinF,iBAAmB,CACvB3wE,OAAQtW,KAAKw4B,QAAQliB,SACrBwxB,MAAO9nC,KAAKw4B,QAAQliB,SAASC,WAAWuxB,MAAO9nC,KAAKw4B,UAErDx4B,KAAKihC,cAAgBjhC,KAAKw4B,QAAQziB,KAAM,SACb,MAAtB/V,KAAKc,QAAQuJ,OAAuC,MAAtBrK,KAAKihC,gBACvCjhC,KAAKc,QAAQuJ,MAAQrK,KAAKihC,eAItBjhC,KAAKc,QAAQopD,WACjBlqD,KAAKc,QAAQopD,UAAW,GAGzBlqD,KAAKkyF,iBAELlyF,KAAKw4B,QACHn3B,OACAigC,WAAY,SACZnB,SAAUngC,KAAKmyF,UAEjBnyF,KAAKqsD,UAAW,oBAAqB,qBAErCrsD,KAAKoyF,kBACLpyF,KAAKqyF,oBAEAryF,KAAKc,QAAQkoF,WAAa1oF,EAAEkM,GAAGw8E,WACnChpF,KAAKsyF,iBAEDtyF,KAAKc,QAAQirF,WAAazrF,EAAEkM,GAAGu/E,WACnC/rF,KAAKuyF,iBAGNvyF,KAAKwyF,SAAU,EAEfxyF,KAAKyyF,aACN,EAEA1wD,MAAO,WACD/hC,KAAKc,QAAQ6wF,UACjB3xF,KAAKk0B,MAEP,EAEAo4C,UAAW,WACV,IAAI9zC,EAAUx4B,KAAKc,QAAQq/B,SAC3B,OAAK3H,IAAaA,EAAQsxB,QAAUtxB,EAAQwnB,UACpC1/C,EAAGk4B,GAEJx4B,KAAKuJ,SAASxH,KAAMy2B,GAAW,QAASmrC,GAAI,EACpD,EAEA1Y,SAAU,WACT,IAAIvZ,EACHu1C,EAAmBjnF,KAAKinF,iBAEzBjnF,KAAK0yF,mBACL1yF,KAAKgjC,kBAELhjC,KAAKw4B,QACH2rC,iBACA5vD,IAAKvU,KAAK+gC,aAGVtkB,SAEFzc,KAAKmyF,SAASz6E,SAET1X,KAAKihC,eACTjhC,KAAKw4B,QAAQziB,KAAM,QAAS/V,KAAKihC,gBAGlCyQ,EAAOu1C,EAAiB3wE,OAAOC,WAAWotD,GAAIsjB,EAAiBn/C,QAGrD9lC,QAAU0vC,EAAM,KAAQ1xC,KAAKw4B,QAAS,GAC/CkZ,EAAKihD,OAAQ3yF,KAAKw4B,SAElByuD,EAAiB3wE,OAAON,OAAQhW,KAAKw4B,QAEvC,EAEAmL,OAAQ,WACP,OAAO3jC,KAAKmyF,QACb,EAEA15D,QAASn4B,EAAEsnD,KACXluB,OAAQp5B,EAAEsnD,KAEVnwC,MAAO,SAAUyO,GAChB,IAAI8kC,EAAOhrD,KAELA,KAAKwyF,UAAqD,IAA1CxyF,KAAKgiC,SAAU,cAAe9b,KAIpDlmB,KAAKwyF,SAAU,EACfxyF,KAAK4yF,gBAAkB,KACvB5yF,KAAKgjC,kBACLhjC,KAAK0yF,mBAEC1yF,KAAK6yF,OAAOzkF,OAAQ,cAAe1L,QAAS,SAAUV,QAK3D1B,EAAEunD,GAAG88B,SAAUrkF,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,KAGvDvJ,KAAK8yF,MAAO9yF,KAAKmyF,SAAUnyF,KAAKc,QAAQb,MAAM,WAC7C+qD,EAAKhpB,SAAU,QAAS9b,EACzB,IACD,EAEA6sE,OAAQ,WACP,OAAO/yF,KAAKwyF,OACb,EAEAQ,UAAW,WACVhzF,KAAKizF,YACN,EAEAA,WAAY,SAAU/sE,EAAOwmB,GAC5B,IAAIwmD,GAAQ,EACXC,EAAWnzF,KAAKmyF,SAAStuB,SAAU,qBAAsB92D,KAAK,WAC7D,OAAQzM,EAAGN,MAAOuU,IAAK,UACxB,IAAIwT,MACJqrE,EAAYxiF,KAAKkC,IAAI4H,MAAO,KAAMy4E,GAUnC,OARKC,IAAcpzF,KAAKmyF,SAAS59E,IAAK,aACrCvU,KAAKmyF,SAAS59E,IAAK,UAAW6+E,EAAY,GAC1CF,GAAQ,GAGJA,IAAUxmD,GACd1sC,KAAKgiC,SAAU,QAAS9b,GAElBgtE,CACR,EAEAh/D,KAAM,WACL,IAAI82B,EAAOhrD,KACNA,KAAKwyF,QACJxyF,KAAKizF,cACTjzF,KAAKqzF,kBAKPrzF,KAAKwyF,SAAU,EACfxyF,KAAK6yF,OAASvyF,EAAGA,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,KAExDvJ,KAAKszF,QACLtzF,KAAKouD,YACLpuD,KAAK6hC,iBACL7hC,KAAKizF,WAAY,MAAM,GAKlBjzF,KAAK8iC,SACT9iC,KAAK8iC,QAAQvuB,IAAK,UAAWvU,KAAKmyF,SAAS59E,IAAK,WAAc,GAG/DvU,KAAKuzF,MAAOvzF,KAAKmyF,SAAUnyF,KAAKc,QAAQO,MAAM,WAC7C2pD,EAAKqoC,iBACLroC,EAAKhpB,SAAU,QAChB,IAKAhiC,KAAKwzF,mBAELxzF,KAAKgiC,SAAU,QAChB,EAEAqxD,eAAgB,WASf,IAAII,EAAWzzF,KAAK4yF,gBACda,IACLA,EAAWzzF,KAAKw4B,QAAQz2B,KAAM,gBAEzB0xF,EAASzxF,SACdyxF,EAAWzzF,KAAKw4B,QAAQz2B,KAAM,cAEzB0xF,EAASzxF,SACdyxF,EAAWzzF,KAAK0zF,mBAAmB3xF,KAAM,cAEpC0xF,EAASzxF,SACdyxF,EAAWzzF,KAAK2zF,sBAAsBvlF,OAAQ,cAEzCqlF,EAASzxF,SACdyxF,EAAWzzF,KAAKmyF,UAEjBsB,EAAS9vB,GAAI,GAAIjhE,QAAS,QAC3B,EAEAkxF,sBAAuB,WACtB,IAAI14B,EAAgB56D,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,IAC/CvJ,KAAKmyF,SAAU,KAAQj3B,GACjC56D,EAAEszC,SAAU5zC,KAAKmyF,SAAU,GAAKj3B,IAEjCl7D,KAAKqzF,gBAEP,EAEAQ,WAAY,SAAU3tE,GACrBA,EAAMC,iBACNnmB,KAAK4zF,wBAKL5zF,KAAK2sD,OAAQ3sD,KAAK4zF,sBACnB,EAEA1B,eAAgB,WACflyF,KAAKmyF,SAAW7xF,EAAG,SACjBL,OACA8V,KAAM,CAGNorB,UAAW,EACXC,KAAM,WAENjB,SAAUngC,KAAKssE,aAEjBtsE,KAAKqsD,UAAWrsD,KAAKmyF,SAAU,YAAa,wCAC5CnyF,KAAKyqD,IAAKzqD,KAAKmyF,SAAU,CACxB3rB,QAAS,SAAUtgD,GAClB,GAAKlmB,KAAKc,QAAQyW,gBAAkB2O,EAAMknC,sBAAwBlnC,EAAMwb,SACtExb,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQohC,OAGhC,OAFA58C,EAAMC,sBACNnmB,KAAKyX,MAAOyO,GAKb,GAAKA,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQ4hC,MAAOp9C,EAAMknC,qBAAjD,CAGA,IAAI0mC,EAAY9zF,KAAKmyF,SAASpwF,KAAM,aACnCuuC,EAAQwjD,EAAUxjD,QAClB6D,EAAO2/C,EAAU3/C,OAEXjuB,EAAMzY,SAAW0mC,EAAM,IAAOjuB,EAAMzY,SAAWzN,KAAKmyF,SAAU,IAClEjsE,EAAMmnD,SAKKnnD,EAAMzY,SAAW6iC,EAAO,IACpCpqB,EAAMzY,SAAWzN,KAAKmyF,SAAU,KAASjsE,EAAMmnD,WAChDrtE,KAAK2sD,QAAQ,WACZxY,EAAKzxC,QAAS,QACf,IACAwjB,EAAMC,mBATNnmB,KAAK2sD,QAAQ,WACZrc,EAAM5tC,QAAS,QAChB,IACAwjB,EAAMC,iBAVP,CAkBD,EACAomD,UAAW,SAAUrmD,GACflmB,KAAKizF,WAAY/sE,IACrBlmB,KAAKqzF,gBAEP,IAMKrzF,KAAKw4B,QAAQz2B,KAAM,sBAAuBC,QAC/ChC,KAAKmyF,SAASp8E,KAAM,CACnB,mBAAoB/V,KAAKw4B,QAAQyR,WAAWl0B,KAAM,OAGrD,EAEAq8E,gBAAiB,WAChB,IAAI2B,EAEJ/zF,KAAKg0F,iBAAmB1zF,EAAG,SAC3BN,KAAKqsD,UAAWrsD,KAAKg0F,iBACpB,qBAAsB,uCACvBh0F,KAAKyqD,IAAKzqD,KAAKg0F,iBAAkB,CAChCznB,UAAW,SAAUrmD,GAKd5lB,EAAG4lB,EAAMzY,QAASmK,QAAS,8BAGhC5X,KAAKmyF,SAASzvF,QAAS,QAEzB,IAMD1C,KAAK2zF,sBAAwBrzF,EAAG,mCAC9B6M,OAAQ,CACRjC,MAAO5K,EAAG,OAAQgB,KAAMtB,KAAKc,QAAQ0uE,WAAY3uE,OACjDkN,KAAM,qBACNwnE,WAAW,IAEXp1C,SAAUngC,KAAKg0F,kBAEjBh0F,KAAKqsD,UAAWrsD,KAAK2zF,sBAAuB,4BAC5C3zF,KAAKyqD,IAAKzqD,KAAK2zF,sBAAuB,CACrCx8E,MAAO,SAAU+O,GAChBA,EAAMC,iBACNnmB,KAAKyX,MAAOyO,EACb,IAGD6tE,EAAgBzzF,EAAG,UAAW2pC,WAAW9H,UAAWniC,KAAKg0F,kBACzDh0F,KAAKqsD,UAAW0nC,EAAe,mBAC/B/zF,KAAKi0F,OAAQF,GAEb/zF,KAAKg0F,iBAAiB7xD,UAAWniC,KAAKmyF,UAEtCnyF,KAAKmyF,SAASp8E,KAAM,CACnB,kBAAmBg+E,EAAch+E,KAAM,OAEzC,EAEAk+E,OAAQ,SAAU5pF,GACZrK,KAAKc,QAAQuJ,MACjBA,EAAM/I,KAAMtB,KAAKc,QAAQuJ,OAEzBA,EAAMxJ,KAAM,SAEd,EAEAwxF,kBAAmB,WAClBryF,KAAK0zF,mBAAqBpzF,EAAG,SAC7BN,KAAKqsD,UAAWrsD,KAAK0zF,mBAAoB,uBACxC,wCAED1zF,KAAKk0F,YAAc5zF,EAAG,SACpB6/B,SAAUngC,KAAK0zF,oBACjB1zF,KAAKqsD,UAAWrsD,KAAKk0F,YAAa,uBAElCl0F,KAAKm0F,gBACN,EAEAA,eAAgB,WACf,IAAInpC,EAAOhrD,KACV4K,EAAU5K,KAAKc,QAAQ8J,QAGxB5K,KAAK0zF,mBAAmBh8E,SACxB1X,KAAKk0F,YAAY7xD,QAEZ/hC,EAAEotD,cAAe9iD,IAAe2zB,MAAMC,QAAS5zB,KAAcA,EAAQ5I,OACzEhC,KAAKkrD,aAAclrD,KAAKmyF,SAAU,sBAInC7xF,EAAED,KAAMuK,GAAS,SAAUa,EAAMxG,GAChC,IAAIkS,EAAOi9E,EACXnvF,EAAyB,mBAAVA,EACd,CAAEkS,MAAOlS,EAAO3D,KAAMmK,GACtBxG,EAGDA,EAAQ3E,EAAEm3B,OAAQ,CAAEx0B,KAAM,UAAYgC,GAGtCkS,EAAQlS,EAAMkS,MACdi9E,EAAgB,CACfrmF,KAAM9I,EAAM8I,KACZunE,aAAcrwE,EAAMqwE,aACpBC,UAAWtwE,EAAMswE,UAGjBhR,MAAOt/D,EAAMs/D,MACbjjE,KAAM2D,EAAM3D,aAGN2D,EAAMkS,aACNlS,EAAM8I,YACN9I,EAAMqwE,oBACNrwE,EAAMswE,iBAGNtwE,EAAMs/D,MACc,kBAAft/D,EAAM3D,aACV2D,EAAM3D,KAGdhB,EAAG,oBAAqB2E,GACtBkI,OAAQinF,GACRj0D,SAAU6qB,EAAKkpC,aACfn8E,GAAI,SAAS,WACbZ,EAAMuD,MAAOswC,EAAKxyB,QAAS,GAAK3tB,UACjC,GACF,IACA7K,KAAKqsD,UAAWrsD,KAAKmyF,SAAU,qBAC/BnyF,KAAK0zF,mBAAmBvzD,SAAUngC,KAAKmyF,UACxC,EAEAG,eAAgB,WACf,IAAItnC,EAAOhrD,KACVc,EAAUd,KAAKc,QAEhB,SAASuzF,EAAYxsC,GACpB,MAAO,CACN3mC,SAAU2mC,EAAG3mC,SACbmuC,OAAQxH,EAAGwH,OAEb,CAEArvD,KAAKmyF,SAASnJ,UAAW,CACxBl5E,OAAQ,gDACRq1E,OAAQ,sBACRH,YAAa,WACb9+C,MAAO,SAAUhgB,EAAO2hC,GACvBmD,EAAKqB,UAAW/rD,EAAGN,MAAQ,sBAC3BgrD,EAAKs7B,eACLt7B,EAAKhpB,SAAU,YAAa9b,EAAOmuE,EAAYxsC,GAChD,EACAk+B,KAAM,SAAU7/D,EAAO2hC,GACtBmD,EAAKhpB,SAAU,OAAQ9b,EAAOmuE,EAAYxsC,GAC3C,EACArsC,KAAM,SAAU0K,EAAO2hC,GACtB,IAAIzmC,EAAOymC,EAAGwH,OAAOjuC,KAAO4pC,EAAKzhD,SAAS+lD,aACzCnuC,EAAM0mC,EAAGwH,OAAOluC,IAAM6pC,EAAKzhD,SAASuzC,YAErCh8C,EAAQogB,SAAW,CAClB2vC,GAAI,WACJjiB,GAAI,QAAWxtB,GAAQ,EAAI,IAAM,IAAOA,EAApC,QACOD,GAAO,EAAI,IAAM,IAAOA,EACnCouC,GAAIvE,EAAK7mD,QAEV6mD,EAAKE,aAAc5qD,EAAGN,MAAQ,sBAC9BgrD,EAAKw7B,iBACLx7B,EAAKhpB,SAAU,WAAY9b,EAAOmuE,EAAYxsC,GAC/C,GAEF,EAEA0qC,eAAgB,WACf,IAAIvnC,EAAOhrD,KACVc,EAAUd,KAAKc,QACfyqF,EAAUzqF,EAAQirF,UAIlB7qE,EAAWlhB,KAAKmyF,SAAS59E,IAAK,YAC9B+/E,EAAmC,iBAAZ/I,EACtBA,EACA,sBAEF,SAAS8I,EAAYxsC,GACpB,MAAO,CACNo/B,iBAAkBp/B,EAAGo/B,iBACrBqG,aAAczlC,EAAGylC,aACjBpsE,SAAU2mC,EAAG3mC,SACbxN,KAAMm0C,EAAGn0C,KAEX,CAEA1T,KAAKmyF,SAASpG,UAAW,CACxBj8E,OAAQ,qBACRk1E,YAAa,WACbiG,WAAYjrF,KAAKw4B,QACjBxI,SAAUlvB,EAAQkvB,SAClBm2C,UAAWrlE,EAAQqlE,UACnBslB,SAAU3qF,EAAQ2qF,SAClBD,UAAWxrF,KAAKu0F,aAChBhJ,QAAS+I,EACTpuD,MAAO,SAAUhgB,EAAO2hC,GACvBmD,EAAKqB,UAAW/rD,EAAGN,MAAQ,sBAC3BgrD,EAAKs7B,eACLt7B,EAAKhpB,SAAU,cAAe9b,EAAOmuE,EAAYxsC,GAClD,EACA/tB,OAAQ,SAAU5T,EAAO2hC,GACxBmD,EAAKhpB,SAAU,SAAU9b,EAAOmuE,EAAYxsC,GAC7C,EACArsC,KAAM,SAAU0K,EAAO2hC,GACtB,IAAIwH,EAASrE,EAAKmnC,SAAS9iC,SAC1BjuC,EAAOiuC,EAAOjuC,KAAO4pC,EAAKzhD,SAAS+lD,aACnCnuC,EAAMkuC,EAAOluC,IAAM6pC,EAAKzhD,SAASuzC,YAElCh8C,EAAQkS,OAASg4C,EAAKmnC,SAASn/E,SAC/BlS,EAAQiS,MAAQi4C,EAAKmnC,SAASp/E,QAC9BjS,EAAQogB,SAAW,CAClB2vC,GAAI,WACJjiB,GAAI,QAAWxtB,GAAQ,EAAI,IAAM,IAAOA,EAApC,QACOD,GAAO,EAAI,IAAM,IAAOA,EACnCouC,GAAIvE,EAAK7mD,QAEV6mD,EAAKE,aAAc5qD,EAAGN,MAAQ,sBAC9BgrD,EAAKw7B,iBACLx7B,EAAKhpB,SAAU,aAAc9b,EAAOmuE,EAAYxsC,GACjD,IAECtzC,IAAK,WAAY2M,EACpB,EAEAuxE,YAAa,WACZzyF,KAAKyqD,IAAKzqD,KAAK2jC,SAAU,CACxBqpB,QAAS,SAAU9mC,GAClBlmB,KAAKwzF,mBACLxzF,KAAK4yF,gBAAkBtyF,EAAG4lB,EAAMzY,OACjC,GAEF,EAEA+lF,iBAAkB,WACjBxzF,KAAK0yF,mBACL1yF,KAAKw0F,qBAAqBtkD,QAASlwC,KACpC,EAEA0yF,iBAAkB,WACjB,IAAI9wB,EAAY5hE,KAAKw0F,qBACpB/zD,EAASngC,EAAE6rD,QAASnsD,KAAM4hE,IACV,IAAZnhC,GACJmhC,EAAUlzB,OAAQjO,EAAQ,EAE5B,EAEA+zD,mBAAoB,WACnB,IAAI5yB,EAAY5hE,KAAKuJ,SAASlG,KAAM,uBAKpC,OAJMu+D,IACLA,EAAY,GACZ5hE,KAAKuJ,SAASlG,KAAM,sBAAuBu+D,IAErCA,CACR,EAEA2yB,WAAY,WACX,IAAIzzF,EAAUd,KAAKc,QAEnB,MAA0B,SAAnBA,EAAQkS,OACdlS,EAAQ0qF,UACR56E,KAAK0E,IAAKxU,EAAQ0qF,UAAW1qF,EAAQkS,OACvC,EAEAo7C,UAAW,WAGV,IAAImY,EAAYvmE,KAAKmyF,SAAS/rE,GAAI,YAC5BmgD,GACLvmE,KAAKmyF,SAAS9wF,OAEfrB,KAAKmyF,SAASjxE,SAAUlhB,KAAKc,QAAQogB,UAC/BqlD,GACLvmE,KAAKmyF,SAASlyF,MAEhB,EAEA2hC,YAAa,SAAU9gC,GACtB,IAAIkqD,EAAOhrD,KACV85B,GAAS,EACT26D,EAAmB,CAAC,EAErBn0F,EAAED,KAAMS,GAAS,SAAU+C,EAAKG,GAC/BgnD,EAAK/oB,WAAYp+B,EAAKG,GAEjBH,KAAOmnD,EAAKgnC,qBAChBl4D,GAAS,GAELj2B,KAAOmnD,EAAKinC,0BAChBwC,EAAkB5wF,GAAQG,EAE5B,IAEK81B,IACJ95B,KAAKszF,QACLtzF,KAAKouD,aAEDpuD,KAAKmyF,SAAS/rE,GAAI,wBACtBpmB,KAAKmyF,SAASpG,UAAW,SAAU0I,EAErC,EAEAxyD,WAAY,SAAUp+B,EAAKG,GAC1B,IAAI0wF,EAAaC,EAChBxC,EAAWnyF,KAAKmyF,SAEJ,aAARtuF,IAIL7D,KAAKy+C,OAAQ56C,EAAKG,GAEL,aAARH,GACJ7D,KAAKmyF,SAAShyD,SAAUngC,KAAKssE,aAGjB,YAARzoE,GACJ7D,KAAKm0F,iBAGO,cAARtwF,GACJ7D,KAAK2zF,sBAAsBxmF,OAAQ,CAGlCjC,MAAO5K,EAAG,OAAQgB,KAAM,GAAKtB,KAAKc,QAAQ0uE,WAAY3uE,SAI3C,cAARgD,KACJ6wF,EAAcvC,EAAS/rE,GAAI,0BACNpiB,GACpBmuF,EAASnJ,UAAW,YAGf0L,GAAe1wF,GACpBhE,KAAKsyF,kBAIM,aAARzuF,GACJ7D,KAAKouD,YAGO,cAARvqD,KAGJ8wF,EAAcxC,EAAS/rE,GAAI,0BACNpiB,GACpBmuF,EAASpG,UAAW,WAIhB4I,GAAgC,iBAAV3wF,GAC1BmuF,EAASpG,UAAW,SAAU,UAAW/nF,GAIpC2wF,IAAyB,IAAV3wF,GACpBhE,KAAKuyF,kBAIM,UAAR1uF,GACJ7D,KAAKi0F,OAAQj0F,KAAKg0F,iBAAiBjyF,KAAM,qBAE3C,EAEAuxF,MAAO,WAIN,IAAIsB,EAAkBC,EAAkBC,EACvCh0F,EAAUd,KAAKc,QAGhBd,KAAKw4B,QAAQn3B,OAAOkT,IAAK,CACxBxB,MAAO,OACPy4E,UAAW,EACXrlB,UAAW,OACXnzD,OAAQ,IAGJlS,EAAQ2qF,SAAW3qF,EAAQiS,QAC/BjS,EAAQiS,MAAQjS,EAAQ2qF,UAKzBmJ,EAAmB50F,KAAKmyF,SAAS59E,IAAK,CACrCvB,OAAQ,OACRD,MAAOjS,EAAQiS,QAEd6vB,cACFiyD,EAAmBjkF,KAAKkC,IAAK,EAAGhS,EAAQ0qF,UAAYoJ,GACpDE,EAAgD,iBAAtBh0F,EAAQqlE,UACjCv1D,KAAKkC,IAAK,EAAGhS,EAAQqlE,UAAYyuB,GACjC,OAEuB,SAAnB9zF,EAAQkS,OACZhT,KAAKw4B,QAAQjkB,IAAK,CACjBi3E,UAAWqJ,EACX1uB,UAAW2uB,EACX9hF,OAAQ,SAGThT,KAAKw4B,QAAQxlB,OAAQpC,KAAKkC,IAAK,EAAGhS,EAAQkS,OAAS4hF,IAG/C50F,KAAKmyF,SAAS/rE,GAAI,wBACtBpmB,KAAKmyF,SAASpG,UAAW,SAAU,YAAa/rF,KAAKu0F,aAEvD,EAEAjO,aAAc,WACbtmF,KAAKumF,aAAevmF,KAAKuJ,SAASxH,KAAM,UAAWgL,KAAK,WACvD,IAAI4M,EAASrZ,EAAGN,MAEhB,OAAOM,EAAG,SACRiU,IAAK,CACL2M,SAAU,WACVnO,MAAO4G,EAAO8tB,aACdz0B,OAAQ2G,EAAOipB,gBAEfzC,SAAUxmB,EAAOrD,UACjB+4C,OAAQ11C,EAAO01C,UAAY,EAC9B,GACD,EAEAm3B,eAAgB,WACVxmF,KAAKumF,eACTvmF,KAAKumF,aAAa7uE,gBACX1X,KAAKumF,aAEd,EAEAwO,kBAAmB,SAAU7uE,GAC5B,QAAK5lB,EAAG4lB,EAAMzY,QAASmK,QAAS,cAAe5V,UAMtC1B,EAAG4lB,EAAMzY,QAASmK,QAAS,kBAAmB5V,MACxD,EAEA6/B,eAAgB,WACf,GAAM7hC,KAAKc,QAAQwJ,MAAnB,CAIA,IAAI0qF,EAAU10F,EAAEkM,GAAGs9C,OAAO6zB,UAAW,EAAG,GAIpCsX,GAAY,EAChBj1F,KAAK2sD,QAAQ,WACZsoC,GAAY,CACb,IAEMj1F,KAAKuJ,SAASlG,KAAM,uBAKzBrD,KAAKuJ,SAASwO,GAAI,oBAAqB,SAAUmO,GAChD,IAAK+uE,EAAL,CAIA,IAAIniD,EAAW9yC,KAAKw0F,qBAAsB,GACpC1hD,EAASiiD,kBAAmB7uE,KACjCA,EAAMC,iBACN2sB,EAASugD,iBAUQ,SAAZ2B,GAAkC,SAAZA,GAAkC,SAAZA,GAChDliD,EAAS6Z,OAAQ7Z,EAAS8gD,uBAhB5B,CAmBD,EAAEpwF,KAAMxD,OAGTA,KAAK8iC,QAAUxiC,EAAG,SAChB6/B,SAAUngC,KAAKssE,aAEjBtsE,KAAKqsD,UAAWrsD,KAAK8iC,QAAS,KAAM,8BACpC9iC,KAAKyqD,IAAKzqD,KAAK8iC,QAAS,CACvBypC,UAAW,eAEZvsE,KAAKuJ,SAASlG,KAAM,sBACjBrD,KAAKuJ,SAASlG,KAAM,uBAA0B,GAAM,EAjDvD,CAkDD,EAEA2/B,gBAAiB,WAChB,GAAMhjC,KAAKc,QAAQwJ,OAIdtK,KAAK8iC,QAAU,CACnB,IAAIoyD,EAAWl1F,KAAKuJ,SAASlG,KAAM,sBAAyB,EAEtD6xF,EAILl1F,KAAKuJ,SAASlG,KAAM,qBAAsB6xF,IAH1Cl1F,KAAKuJ,SAASid,IAAK,qBACnBxmB,KAAKuJ,SAAS4hD,WAAY,uBAK3BnrD,KAAK8iC,QAAQprB,SACb1X,KAAK8iC,QAAU,IAChB,CACD,KAKuB,IAAnBxiC,EAAEq6D,cAGNr6D,EAAEqjC,OAAQ,YAAarjC,EAAEunD,GAAGl4C,OAAQ,CACnC7O,QAAS,CACRq0F,YAAa,IAEdjD,eAAgB,WACflyF,KAAKy+C,SACLz+C,KAAKmyF,SAASxvF,SAAU3C,KAAKc,QAAQq0F,YACtC,EACAlzD,WAAY,SAAUp+B,EAAKG,GACb,gBAARH,GACJ7D,KAAKmyF,SACH1vF,YAAazC,KAAKc,QAAQq0F,aAC1BxyF,SAAUqB,GAEbhE,KAAK+oD,YAAal+C,UACnB,IAIkBvK,EAAEunD,GAAGl4C,OAmBzBrP,EAAEqjC,OAAQ,eAAgB,CACzB/a,QAAS,SACTugC,kBAAmB,OACnBroD,QAAS,CACRs0F,OAAQ,IACRvQ,YAAY,EACZwQ,QAAQ,EACR7P,MAAO,UACP8P,UAAW,YAGX9xD,SAAU,KACVE,WAAY,KACZwQ,KAAM,KACNqhD,IAAK,KACLC,KAAM,MAEP10D,QAAS,WAER,IAAI20D,EACHnxD,EAAItkC,KAAKc,QACTs0F,EAAS9wD,EAAE8wD,OAEZp1F,KAAK01F,QAAS,EACd11F,KAAK21F,OAAQ,EAEb31F,KAAKo1F,OAA2B,mBAAXA,EAAwBA,EAAS,SAAUv7C,GAC/D,OAAOA,EAAEzzB,GAAIgvE,EACd,EAEAp1F,KAAKy1F,YAAc,WAClB,IAAK5qF,UAAU7I,OAOd,OAAOyzF,IAENA,EAAc,CACb1iF,MAAO/S,KAAKw4B,QAAS,GAAI/W,YACzBzO,OAAQhT,KAAKw4B,QAAS,GAAIqyC,eAR5B4qB,EAAc5qF,UAAW,EAW3B,EAEA7K,KAAK41F,cAAetxD,EAAEkhD,OAEjBlhD,EAAEugD,YACN7kF,KAAKqsD,UAAW,eAGlB,EAEAupC,cAAe,SAAUpQ,GAGxBllF,EAAEunD,GAAG8+B,UAAUkP,WAAYrQ,GAAUllF,EAAEunD,GAAG8+B,UAAUkP,WAAYrQ,IAAW,GAC3EllF,EAAEunD,GAAG8+B,UAAUkP,WAAYrQ,GAAQ93E,KAAM1N,KAC1C,EAEA81F,QAAS,SAAU5hD,GAElB,IADA,IAAIziC,EAAI,EACAA,EAAIyiC,EAAKlyC,OAAQyP,IACnByiC,EAAMziC,KAAQzR,MAClBk0C,EAAKxF,OAAQj9B,EAAG,EAGnB,EAEAw5C,SAAU,WACT,IAAI/W,EAAO5zC,EAAEunD,GAAG8+B,UAAUkP,WAAY71F,KAAKc,QAAQ0kF,OAEnDxlF,KAAK81F,QAAS5hD,EACf,EAEAjS,WAAY,SAAUp+B,EAAKG,GAE1B,GAAa,WAARH,EACJ7D,KAAKo1F,OAA0B,mBAAVpxF,EAAuBA,EAAQ,SAAU61C,GAC7D,OAAOA,EAAEzzB,GAAIpiB,EACd,OACM,GAAa,UAARH,EAAkB,CAC7B,IAAIqwC,EAAO5zC,EAAEunD,GAAG8+B,UAAUkP,WAAY71F,KAAKc,QAAQ0kF,OAEnDxlF,KAAK81F,QAAS5hD,GACdl0C,KAAK41F,cAAe5xF,EACrB,CAEAhE,KAAKy+C,OAAQ56C,EAAKG,EACnB,EAEAwhE,UAAW,SAAUt/C,GACpB,IAAI8iE,EAAY1oF,EAAEunD,GAAG8+B,UAAU55C,QAE/B/sC,KAAK+1F,kBACA/M,GACJhpF,KAAKgiC,SAAU,WAAY9b,EAAOlmB,KAAK6nD,GAAImhC,GAE7C,EAEAgN,YAAa,SAAU9vE,GACtB,IAAI8iE,EAAY1oF,EAAEunD,GAAG8+B,UAAU55C,QAE/B/sC,KAAKi2F,qBACAjN,GACJhpF,KAAKgiC,SAAU,aAAc9b,EAAOlmB,KAAK6nD,GAAImhC,GAE/C,EAEAkN,MAAO,SAAUhwE,GAEhB,IAAI8iE,EAAY1oF,EAAEunD,GAAG8+B,UAAU55C,QAGzBi8C,IAAeA,EAAUU,aAC7BV,EAAUxwD,SAAW,KAAQx4B,KAAKw4B,QAAS,IAIxCx4B,KAAKo1F,OAAOz0F,KAAMX,KAAKw4B,QAAS,GAAOwwD,EAAUU,aACpDV,EAAUxwD,WACXx4B,KAAKm2F,iBACLn2F,KAAKgiC,SAAU,OAAQ9b,EAAOlmB,KAAK6nD,GAAImhC,IAGzC,EAEAoN,KAAM,SAAUlwE,GAEf,IAAI8iE,EAAY1oF,EAAEunD,GAAG8+B,UAAU55C,QAGzBi8C,IAAeA,EAAUU,aAC7BV,EAAUxwD,SAAW,KAAQx4B,KAAKw4B,QAAS,IAIxCx4B,KAAKo1F,OAAOz0F,KAAMX,KAAKw4B,QAAS,GAAOwwD,EAAUU,aACpDV,EAAUxwD,WACXx4B,KAAKq2F,oBACLr2F,KAAKgiC,SAAU,MAAO9b,EAAOlmB,KAAK6nD,GAAImhC,IAGxC,EAEAsN,MAAO,SAAUpwE,EAAOqwE,GAEvB,IAAIvN,EAAYuN,GAAUj2F,EAAEunD,GAAG8+B,UAAU55C,QACxCypD,GAAuB,EAGxB,SAAMxN,IAAeA,EAAUU,aAC7BV,EAAUxwD,SAAW,KAAQx4B,KAAKw4B,QAAS,MAI7Cx4B,KAAKw4B,QACHz2B,KAAM,uBACNiqD,IAAK,0BACL3rD,MAAM,WACN,IAAI+zD,EAAO9zD,EAAGN,MAAOy2F,UAAW,YAChC,GACCriC,EAAKtzD,QAAQu0F,SACZjhC,EAAKtzD,QAAQopD,UACdkK,EAAKtzD,QAAQ0kF,QAAUwD,EAAUloF,QAAQ0kF,OACzCpxB,EAAKghC,OAAOz0F,KACXyzD,EAAK57B,QAAS,GAAOwwD,EAAUU,aAAeV,EAAUxwD,UAEzDl4B,EAAEunD,GAAG6uC,UACJ1N,EACA1oF,EAAEm3B,OAAQ28B,EAAM,CAAE/E,OAAQ+E,EAAK57B,QAAQ62B,WACvC+E,EAAKtzD,QAAQw0F,UAAWpvE,GAIzB,OADAswE,GAAuB,GAChB,CAET,KACIA,KAIAx2F,KAAKo1F,OAAOz0F,KAAMX,KAAKw4B,QAAS,GACjCwwD,EAAUU,aAAeV,EAAUxwD,WACtCx4B,KAAKi2F,qBACLj2F,KAAKq2F,oBAELr2F,KAAKgiC,SAAU,OAAQ9b,EAAOlmB,KAAK6nD,GAAImhC,IAChChpF,KAAKw4B,SAKd,EAEAqvB,GAAI,SAAU5zC,GACb,MAAO,CACN+0E,UAAa/0E,EAAEy1E,aAAez1E,EAAEukB,QAChCwuB,OAAQ/yC,EAAE+yC,OACV9lC,SAAUjN,EAAEiN,SACZmuC,OAAQp7C,EAAE8yE,YAEZ,EAIAoP,eAAgB,WACfn2F,KAAKqsD,UAAW,qBACjB,EAEAgqC,kBAAmB,WAClBr2F,KAAKkrD,aAAc,qBACpB,EAEA6qC,gBAAiB,WAChB/1F,KAAKqsD,UAAW,sBACjB,EAEA4pC,mBAAoB,WACnBj2F,KAAKkrD,aAAc,sBACpB,IAGD5qD,EAAEunD,GAAG6uC,UAAY,WAChB,SAASC,EAAY5iF,EAAG6iF,EAAWljF,GAClC,OAASK,GAAK6iF,GAAiB7iF,EAAM6iF,EAAYljF,CAClD,CAEA,OAAO,SAAUs1E,EAAWyN,EAAWI,EAAe3wE,GAErD,IAAMuwE,EAAUpnC,OACf,OAAO,EAGR,IAAIo7B,GAAOzB,EAAUjC,aACnBiC,EAAU9nE,SAAS41E,UAAW11E,KAAO4nE,EAAUrB,QAAQvmE,KACxDspE,GAAO1B,EAAUjC,aAChBiC,EAAU9nE,SAAS41E,UAAW31E,IAAM6nE,EAAUrB,QAAQxmE,IACvDzP,EAAK+4E,EAAKzB,EAAUV,kBAAkBv1E,MACtC43E,EAAKD,EAAK1B,EAAUV,kBAAkBt1E,OACtCw4B,EAAIirD,EAAUpnC,OAAOjuC,KACrBjf,EAAIs0F,EAAUpnC,OAAOluC,IACrBqjB,EAAIgH,EAAIirD,EAAUhB,cAAc1iF,MAChC8M,EAAI1d,EAAIs0F,EAAUhB,cAAcziF,OAEjC,OAAS6jF,GACT,IAAK,MACJ,OAASrrD,GAAKi/C,GAAM/4E,GAAM8yB,GAAKriC,GAAKuoF,GAAMC,GAAM9qE,EACjD,IAAK,YACJ,OAAS2rB,EAAIi/C,EAAOzB,EAAUV,kBAAkBv1E,MAAQ,GACvDrB,EAAOs3E,EAAUV,kBAAkBv1E,MAAQ,EAAMyxB,GACjDriC,EAAIuoF,EAAO1B,EAAUV,kBAAkBt1E,OAAS,GAChD23E,EAAO3B,EAAUV,kBAAkBt1E,OAAS,EAAM6M,EACpD,IAAK,UACJ,OAAO82E,EAAYzwE,EAAM8pC,MAAO7tD,EAAGs0F,EAAUhB,cAAcziF,SAC1D2jF,EAAYzwE,EAAM+pC,MAAOzkB,EAAGirD,EAAUhB,cAAc1iF,OACtD,IAAK,QACJ,OACG23E,GAAMvoF,GAAKuoF,GAAM7qE,GACjB8qE,GAAMxoF,GAAKwoF,GAAM9qE,GACjB6qE,EAAKvoF,GAAKwoF,EAAK9qE,KAEf4qE,GAAMj/C,GAAKi/C,GAAMjmD,GACjB9yB,GAAM85B,GAAK95B,GAAM8yB,GACjBimD,EAAKj/C,GAAK95B,EAAK8yB,GAEnB,QACC,OAAO,EAET,CACC,CA/Ce,GAoDjBlkC,EAAEunD,GAAG8+B,UAAY,CAChB55C,QAAS,KACT8oD,WAAY,CAAE,QAAW,IACzBpO,eAAgB,SAAUtlF,EAAG+jB,GAE5B,IAAIzU,EAAGD,EACN0N,EAAI5e,EAAEunD,GAAG8+B,UAAUkP,WAAY1zF,EAAErB,QAAQ0kF,QAAW,GACpDviF,EAAOijB,EAAQA,EAAMjjB,KAAO,KAC5B+3B,GAAS74B,EAAEunF,aAAevnF,EAAEq2B,SAAUz2B,KAAM,uBAAwBo3D,UAErE49B,EAAgB,IAAMtlF,EAAI,EAAGA,EAAIyN,EAAEld,OAAQyP,IAG1C,KAAKyN,EAAGzN,GAAI3Q,QAAQopD,UAAc/nD,IAAM+c,EAAGzN,GAAI2jF,OAAOz0F,KAAMue,EAAGzN,GAAI+mB,QAAS,GACxEr2B,EAAEunF,aAAevnF,EAAEq2B,UADvB,CAMA,IAAMhnB,EAAI,EAAGA,EAAIwpB,EAAKh5B,OAAQwP,IAC7B,GAAKwpB,EAAMxpB,KAAQ0N,EAAGzN,GAAI+mB,QAAS,GAAM,CACxCtZ,EAAGzN,GAAIgkF,cAAcziF,OAAS,EAC9B,SAAS+jF,CACV,CAGD73E,EAAGzN,GAAI+vD,QAA8C,SAApCtiD,EAAGzN,GAAI+mB,QAAQjkB,IAAK,WAC/B2K,EAAGzN,GAAI+vD,UAKC,cAATv+D,GACJic,EAAGzN,GAAI+zD,UAAU7kE,KAAMue,EAAGzN,GAAKyU,GAGhChH,EAAGzN,GAAI49C,OAASnwC,EAAGzN,GAAI+mB,QAAQ62B,SAC/BnwC,EAAGzN,GAAIgkF,YAAa,CACnB1iF,MAAOmM,EAAGzN,GAAI+mB,QAAS,GAAI/W,YAC3BzO,OAAQkM,EAAGzN,GAAI+mB,QAAS,GAAIqyC,eAvB7B,CA4BF,EACA32B,KAAM,SAAU80C,EAAW9iE,GAE1B,IAAIgiE,GAAU,EAqBd,OAlBA5nF,EAAED,MAAQC,EAAEunD,GAAG8+B,UAAUkP,WAAY7M,EAAUloF,QAAQ0kF,QAAW,IAAK34E,SAAS,WAEzE7M,KAAKc,WAGLd,KAAKc,QAAQopD,UAAYlqD,KAAKwhE,SAClClhE,EAAEunD,GAAG6uC,UAAW1N,EAAWhpF,KAAMA,KAAKc,QAAQw0F,UAAWpvE,KAC1DgiE,EAAUloF,KAAKs2F,MAAM31F,KAAMX,KAAMkmB,IAAWgiE,IAGvCloF,KAAKc,QAAQopD,UAAYlqD,KAAKwhE,SAAWxhE,KAAKo1F,OAAOz0F,KAAMX,KAAKw4B,QAAS,GAC3EwwD,EAAUU,aAAeV,EAAUxwD,WACtCx4B,KAAK21F,OAAQ,EACb31F,KAAK01F,QAAS,EACd11F,KAAKg2F,YAAYr1F,KAAMX,KAAMkmB,IAG/B,IACOgiE,CAER,EACAR,UAAW,SAAUsB,EAAW9iE,GAI/B8iE,EAAUxwD,QAAQw+D,aAAc,QAASj/E,GAAI,oBAAoB,WAC1DixE,EAAUloF,QAAQukF,kBACvB/kF,EAAEunD,GAAG8+B,UAAUc,eAAgBuB,EAAW9iE,EAE5C,GACD,EACA6/D,KAAM,SAAUiD,EAAW9iE,GAIrB8iE,EAAUloF,QAAQukF,kBACtB/kF,EAAEunD,GAAG8+B,UAAUc,eAAgBuB,EAAW9iE,GAI3C5lB,EAAED,KAAMC,EAAEunD,GAAG8+B,UAAUkP,WAAY7M,EAAUloF,QAAQ0kF,QAAW,IAAI,WAEnE,IAAKxlF,KAAKc,QAAQopD,WAAYlqD,KAAKi3F,aAAgBj3F,KAAKwhE,QAAxD,CAIA,IAAI01B,EAAgB1R,EAAOlvE,EAC1B6gF,EAAa72F,EAAEunD,GAAG6uC,UAAW1N,EAAWhpF,KAAMA,KAAKc,QAAQw0F,UAAWpvE,GACtEjS,GAAKkjF,GAAcn3F,KAAK01F,OACvB,QACEyB,IAAen3F,KAAK01F,OAAS,SAAW,KACtCzhF,IAIDjU,KAAKc,QAAQu0F,SAGjB7P,EAAQxlF,KAAKc,QAAQ0kF,OACrBlvE,EAAStW,KAAKw4B,QAAQorC,QAAS,uBAAwBx1D,QAAQ,WAC9D,OAAO9N,EAAGN,MAAOy2F,UAAW,YAAa31F,QAAQ0kF,QAAUA,CAC5D,KAEYxjF,UACXk1F,EAAiB52F,EAAGgW,EAAQ,IAAMmgF,UAAW,aAC9BQ,YAAsB,WAANhjF,IAK5BijF,GAAwB,WAANjjF,IACtBijF,EAAexB,QAAS,EACxBwB,EAAevB,OAAQ,EACvBuB,EAAed,KAAKz1F,KAAMu2F,EAAgBhxE,IAG3ClmB,KAAMiU,IAAM,EACZjU,KAAY,UAANiU,EAAgB,SAAW,UAAY,EAC7CjU,KAAY,WAANiU,EAAiB,QAAU,QAAStT,KAAMX,KAAMkmB,GAGjDgxE,GAAwB,UAANjjF,IACtBijF,EAAevB,OAAQ,EACvBuB,EAAexB,QAAS,EACxBwB,EAAehB,MAAMv1F,KAAMu2F,EAAgBhxE,IAxC5C,CA0CD,GAED,EACAiiE,SAAU,SAAUa,EAAW9iE,GAC9B8iE,EAAUxwD,QAAQw+D,aAAc,QAASxwE,IAAK,oBAIxCwiE,EAAUloF,QAAQukF,kBACvB/kF,EAAEunD,GAAG8+B,UAAUc,eAAgBuB,EAAW9iE,EAE5C,IAKuB,IAAnB5lB,EAAEq6D,cAGNr6D,EAAEqjC,OAAQ,eAAgBrjC,EAAEunD,GAAG4uC,UAAW,CACzC31F,QAAS,CACRs2F,YAAY,EACZC,aAAa,GAEdtB,gBAAiB,WAChB/1F,KAAKy+C,SACAz+C,KAAKc,QAAQu2F,aACjBr3F,KAAKw4B,QAAQ71B,SAAU3C,KAAKc,QAAQu2F,YAEtC,EACApB,mBAAoB,WACnBj2F,KAAKy+C,SACAz+C,KAAKc,QAAQu2F,aACjBr3F,KAAKw4B,QAAQ/1B,YAAazC,KAAKc,QAAQu2F,YAEzC,EACAlB,eAAgB,WACfn2F,KAAKy+C,SACAz+C,KAAKc,QAAQs2F,YACjBp3F,KAAKw4B,QAAQ71B,SAAU3C,KAAKc,QAAQs2F,WAEtC,EACAf,kBAAmB,WAClBr2F,KAAKy+C,SACAz+C,KAAKc,QAAQs2F,YACjBp3F,KAAKw4B,QAAQ/1B,YAAazC,KAAKc,QAAQs2F,WAEzC,IAIqB92F,EAAEunD,GAAG4uC,UAwBHn2F,EAAEqjC,OAAQ,iBAAkB,CACpD/a,QAAS,SACT9nB,QAAS,CACRoW,QAAS,CACR,iBAAkB,gBAClB,uBAAwB,iBACxB,0BAA2B,mBAE5BpE,IAAK,IACL9O,MAAO,EAEPknE,OAAQ,KACR3wD,SAAU,MAGXjF,IAAK,EAELwrB,QAAS,WAGR9gC,KAAKs3F,SAAWt3F,KAAKc,QAAQkD,MAAQhE,KAAKu3F,oBAE1Cv3F,KAAKw4B,QAAQziB,KAAM,CAIlBqrB,KAAM,cACN,gBAAiBphC,KAAKsV,MAEvBtV,KAAKqsD,UAAW,iBAAkB,+BAElCrsD,KAAKw3F,SAAWl3F,EAAG,SAAU6/B,SAAUngC,KAAKw4B,SAC5Cx4B,KAAKqsD,UAAWrsD,KAAKw3F,SAAU,uBAAwB,oBACvDx3F,KAAKy3F,eACN,EAEAxsC,SAAU,WACTjrD,KAAKw4B,QAAQ8I,WAAY,kDAEzBthC,KAAKw3F,SAAS9/E,QACf,EAEA1T,MAAO,SAAU8yB,GAChB,QAAkB12B,IAAb02B,EACJ,OAAO92B,KAAKc,QAAQkD,MAGrBhE,KAAKc,QAAQkD,MAAQhE,KAAKu3F,kBAAmBzgE,GAC7C92B,KAAKy3F,eACN,EAEAF,kBAAmB,SAAUzgE,GAY5B,YAXkB12B,IAAb02B,IACJA,EAAW92B,KAAKc,QAAQkD,OAGzBhE,KAAK03F,eAA6B,IAAb5gE,EAGI,iBAAbA,IACXA,EAAW,IAGL92B,KAAK03F,eACX9mF,KAAK0E,IAAKtV,KAAKc,QAAQgS,IAAKlC,KAAKkC,IAAK9S,KAAKsV,IAAKwhB,GAClD,EAEA8K,YAAa,SAAU9gC,GAGtB,IAAIkD,EAAQlD,EAAQkD,aACblD,EAAQkD,MAEfhE,KAAKy+C,OAAQ39C,GAEbd,KAAKc,QAAQkD,MAAQhE,KAAKu3F,kBAAmBvzF,GAC7ChE,KAAKy3F,eACN,EAEAx1D,WAAY,SAAUp+B,EAAKG,GACb,QAARH,IAGJG,EAAQ4M,KAAKkC,IAAK9S,KAAKsV,IAAKtR,IAE7BhE,KAAKy+C,OAAQ56C,EAAKG,EACnB,EAEA8mD,mBAAoB,SAAU9mD,GAC7BhE,KAAKy+C,OAAQz6C,GAEbhE,KAAKw4B,QAAQziB,KAAM,gBAAiB/R,GACpChE,KAAKyrD,aAAc,KAAM,sBAAuBznD,EACjD,EAEA2zF,YAAa,WACZ,OAAO33F,KAAK03F,cACX,IACA,KAAQ13F,KAAKc,QAAQkD,MAAQhE,KAAKsV,MAAUtV,KAAKc,QAAQgS,IAAM9S,KAAKsV,IACtE,EAEAmiF,cAAe,WACd,IAAIzzF,EAAQhE,KAAKc,QAAQkD,MACxB4zF,EAAa53F,KAAK23F,cAEnB33F,KAAKw3F,SACHzxE,OAAQ/lB,KAAK03F,eAAiB1zF,EAAQhE,KAAKsV,KAC3CvC,MAAO6kF,EAAW3kC,QAAS,GAAM,KAEnCjzD,KACEyrD,aAAczrD,KAAKw3F,SAAU,0BAA2B,KACxDxzF,IAAUhE,KAAKc,QAAQgS,KACvB24C,aAAc,+BAAgC,KAAMzrD,KAAK03F,eAEtD13F,KAAK03F,eACT13F,KAAKw4B,QAAQ8I,WAAY,iBACnBthC,KAAK63F,aACV73F,KAAK63F,WAAav3F,EAAG,SAAU6/B,SAAUngC,KAAKw3F,UAC9Cx3F,KAAKqsD,UAAWrsD,KAAK63F,WAAY,6BAGlC73F,KAAKw4B,QAAQziB,KAAM,CAClB,gBAAiB/V,KAAKc,QAAQgS,IAC9B,gBAAiB9O,IAEbhE,KAAK63F,aACT73F,KAAK63F,WAAWngF,SAChB1X,KAAK63F,WAAa,OAIf73F,KAAKs3F,WAAatzF,IACtBhE,KAAKs3F,SAAWtzF,EAChBhE,KAAKgiC,SAAU,WAEXh+B,IAAUhE,KAAKc,QAAQgS,KAC3B9S,KAAKgiC,SAAU,WAEjB,IAqBuB1hC,EAAEqjC,OAAQ,gBAAiBrjC,EAAEunD,GAAG+8B,MAAO,CAC9Dh8D,QAAS,SACT9nB,QAAS,CACRq/B,SAAU,OACV23D,aAAa,EACbliC,SAAU,EACVxnD,OAAQ,IACRknF,UAAW,QAGXyC,SAAU,KACVC,UAAW,KACX9xD,MAAO,KACP1qB,KAAM,KACNy8E,WAAY,KACZC,YAAa,MAEdp3D,QAAS,WACR,IAAIkqB,EAAOhrD,KAEXA,KAAKqsD,UAAW,iBAEhBrsD,KAAKm4F,SAAU,EAGfn4F,KAAK6hE,QAAU,WACd7W,EAAKotC,WAAa93F,EAAG0qD,EAAKxyB,QAAS,IAAM62B,SACzCrE,EAAKqtC,UAAY/3F,EAAG0qD,EAAKlqD,QAAQsN,OAAQ48C,EAAKxyB,QAAS,IACvDwyB,EAAKqB,UAAWrB,EAAKqtC,UAAW,eAChCrtC,EAAKqtC,UAAUh4F,MAAM,WACpB,IAAIm6B,EAAQl6B,EAAGN,MACds4F,EAAiB99D,EAAM60B,SACvB9wC,EAAM,CACL6C,KAAMk3E,EAAel3E,KAAO4pC,EAAKotC,WAAWh3E,KAC5CD,IAAKm3E,EAAen3E,IAAM6pC,EAAKotC,WAAWj3E,KAE5C7gB,EAAE+C,KAAMrD,KAAM,kBAAmB,CAChCw4B,QAASx4B,KACTgnC,SAAUxM,EACVpZ,KAAM7C,EAAI6C,KACVD,IAAK5C,EAAI4C,IACT4vC,MAAOxyC,EAAI6C,KAAOoZ,EAAMiN,aACxBupB,OAAQzyC,EAAI4C,IAAMqZ,EAAMoI,cACxB21D,eAAe,EACfR,SAAUv9D,EAAMnC,SAAU,eAC1B2/D,UAAWx9D,EAAMnC,SAAU,gBAC3B6/D,YAAa19D,EAAMnC,SAAU,mBAE/B,GACD,EACAr4B,KAAK6hE,UAEL7hE,KAAKojF,aAELpjF,KAAKgnD,OAAS1mD,EAAG,SACjBN,KAAKqsD,UAAWrsD,KAAKgnD,OAAQ,uBAC9B,EAEAiE,SAAU,WACTjrD,KAAKq4F,UAAUltC,WAAY,mBAC3BnrD,KAAKsjF,eACN,EAEAe,YAAa,SAAUn+D,GACtB,IAAI8kC,EAAOhrD,KACVc,EAAUd,KAAKc,QAEhBd,KAAKw4F,KAAO,CAAEtyE,EAAM+pC,MAAO/pC,EAAM8pC,OACjChwD,KAAKo4F,WAAa93F,EAAGN,KAAKw4B,QAAS,IAAM62B,SAEpCrvD,KAAKc,QAAQopD,WAIlBlqD,KAAKq4F,UAAY/3F,EAAGQ,EAAQsN,OAAQpO,KAAKw4B,QAAS,IAElDx4B,KAAKgiC,SAAU,QAAS9b,GAExB5lB,EAAGQ,EAAQq/B,UAAWnqB,OAAQhW,KAAKgnD,QAGnChnD,KAAKgnD,OAAOzyC,IAAK,CAChB,KAAQ2R,EAAM+pC,MACd,IAAO/pC,EAAM8pC,MACb,MAAS,EACT,OAAU,IAGNlvD,EAAQg3F,aACZ93F,KAAK6hE,UAGN7hE,KAAKq4F,UAAUjqF,OAAQ,gBAAiB/N,MAAM,WAC7C,IAAIo4F,EAAWn4F,EAAE+C,KAAMrD,KAAM,mBAC7By4F,EAASF,eAAgB,EACnBryE,EAAMknD,SAAYlnD,EAAMy/C,UAC7B3a,EAAKE,aAAcutC,EAASzxD,SAAU,eACtCyxD,EAASV,UAAW,EACpB/sC,EAAKqB,UAAWosC,EAASzxD,SAAU,kBACnCyxD,EAASP,aAAc,EAGvBltC,EAAKhpB,SAAU,cAAe9b,EAAO,CACpCgyE,YAAaO,EAASjgE,UAGzB,IAEAl4B,EAAG4lB,EAAMzY,QAASm2D,UAAUzK,UAAU94D,MAAM,WAC3C,IAAIq4F,EACHD,EAAWn4F,EAAE+C,KAAMrD,KAAM,mBAC1B,GAAKy4F,EAmBJ,OAlBAC,GAAcxyE,EAAMknD,UAAYlnD,EAAMy/C,UACpC8yB,EAASzxD,SAAS3O,SAAU,eAC9B2yB,EAAKE,aAAcutC,EAASzxD,SAAU0xD,EAAW,iBAAmB,eAClErsC,UAAWosC,EAASzxD,SAAU0xD,EAAW,eAAiB,kBAC5DD,EAASP,aAAeQ,EACxBD,EAAST,UAAYU,EACrBD,EAASV,SAAWW,EAGfA,EACJ1tC,EAAKhpB,SAAU,YAAa9b,EAAO,CAClC8xE,UAAWS,EAASjgE,UAGrBwyB,EAAKhpB,SAAU,cAAe9b,EAAO,CACpCgyE,YAAaO,EAASjgE,WAGjB,CAET,IAED,EAEAgsD,WAAY,SAAUt+D,GAIrB,GAFAlmB,KAAKm4F,SAAU,GAEVn4F,KAAKc,QAAQopD,SAAlB,CAIA,IAAIyuC,EACH3tC,EAAOhrD,KACPc,EAAUd,KAAKc,QACf2pF,EAAKzqF,KAAKw4F,KAAM,GAChB9N,EAAK1qF,KAAKw4F,KAAM,GAChB9mF,EAAKwU,EAAM+pC,MACX06B,EAAKzkE,EAAM8pC,MA6FZ,OA3FKy6B,EAAK/4E,IACTinF,EAAMjnF,EAAIA,EAAK+4E,EAAIA,EAAKkO,GAEpBjO,EAAKC,IACTgO,EAAMhO,EAAIA,EAAKD,EAAIA,EAAKiO,GAEzB34F,KAAKgnD,OAAOzyC,IAAK,CAAE6M,KAAMqpE,EAAItpE,IAAKupE,EAAI33E,MAAOrB,EAAK+4E,EAAIz3E,OAAQ23E,EAAKD,IAEnE1qF,KAAKq4F,UAAUh4F,MAAM,WACpB,IAAIo4F,EAAWn4F,EAAE+C,KAAMrD,KAAM,mBAC5B44F,GAAM,EACNvpC,EAAS,CAAC,EAGLopC,GAAYA,EAASjgE,UAAYwyB,EAAKxyB,QAAS,KAIrD62B,EAAOjuC,KAASq3E,EAASr3E,KAAS4pC,EAAKotC,WAAWh3E,KAClDiuC,EAAO0B,MAAS0nC,EAAS1nC,MAAS/F,EAAKotC,WAAWh3E,KAClDiuC,EAAOluC,IAASs3E,EAASt3E,IAAS6pC,EAAKotC,WAAWj3E,IAClDkuC,EAAO2B,OAASynC,EAASznC,OAAShG,EAAKotC,WAAWj3E,IAEvB,UAAtBrgB,EAAQw0F,UACZsD,IAAWvpC,EAAOjuC,KAAO1P,GAAM29C,EAAO0B,MAAQ05B,GAAMp7B,EAAOluC,IAAMwpE,GACjDt7B,EAAO2B,OAAS05B,GACC,QAAtB5pF,EAAQw0F,YACnBsD,EAAQvpC,EAAOjuC,KAAOqpE,GAAMp7B,EAAO0B,MAAQr/C,GAAM29C,EAAOluC,IAAMupE,GAC9Cr7B,EAAO2B,OAAS25B,GAG5BiO,GAGCH,EAASV,WACb/sC,EAAKE,aAAcutC,EAASzxD,SAAU,eACtCyxD,EAASV,UAAW,GAEhBU,EAASP,cACbltC,EAAKE,aAAcutC,EAASzxD,SAAU,kBACtCyxD,EAASP,aAAc,GAElBO,EAAST,YACdhtC,EAAKqB,UAAWosC,EAASzxD,SAAU,gBACnCyxD,EAAST,WAAY,EAGrBhtC,EAAKhpB,SAAU,YAAa9b,EAAO,CAClC8xE,UAAWS,EAASjgE,aAMjBigE,EAAST,aACN9xE,EAAMknD,SAAWlnD,EAAMy/C,UAAa8yB,EAASF,eACnDvtC,EAAKE,aAAcutC,EAASzxD,SAAU,gBACtCyxD,EAAST,WAAY,EACrBhtC,EAAKqB,UAAWosC,EAASzxD,SAAU,eACnCyxD,EAASV,UAAW,IAEpB/sC,EAAKE,aAAcutC,EAASzxD,SAAU,gBACtCyxD,EAAST,WAAY,EAChBS,EAASF,gBACbvtC,EAAKqB,UAAWosC,EAASzxD,SAAU,kBACnCyxD,EAASP,aAAc,GAIxBltC,EAAKhpB,SAAU,cAAe9b,EAAO,CACpCgyE,YAAaO,EAASjgE,YAIpBigE,EAASV,WACP7xE,EAAMknD,SAAYlnD,EAAMy/C,SAAY8yB,EAASF,gBAClDvtC,EAAKE,aAAcutC,EAASzxD,SAAU,eACtCyxD,EAASV,UAAW,EAEpB/sC,EAAKqB,UAAWosC,EAASzxD,SAAU,kBACnCyxD,EAASP,aAAc,EAGvBltC,EAAKhpB,SAAU,cAAe9b,EAAO,CACpCgyE,YAAaO,EAASjgE,aAK3B,KAEO,CArGP,CAsGD,EAEAisD,WAAY,SAAUv+D,GACrB,IAAI8kC,EAAOhrD,KA4BX,OA1BAA,KAAKm4F,SAAU,EAEf73F,EAAG,kBAAmBN,KAAKw4B,QAAS,IAAMn4B,MAAM,WAC/C,IAAIo4F,EAAWn4F,EAAE+C,KAAMrD,KAAM,mBAC7BgrD,EAAKE,aAAcutC,EAASzxD,SAAU,kBACtCyxD,EAASP,aAAc,EACvBO,EAASF,eAAgB,EACzBvtC,EAAKhpB,SAAU,aAAc9b,EAAO,CACnC+xE,WAAYQ,EAASjgE,SAEvB,IACAl4B,EAAG,gBAAiBN,KAAKw4B,QAAS,IAAMn4B,MAAM,WAC7C,IAAIo4F,EAAWn4F,EAAE+C,KAAMrD,KAAM,mBAC7BgrD,EAAKE,aAAcutC,EAASzxD,SAAU,gBACpCqlB,UAAWosC,EAASzxD,SAAU,eAChCyxD,EAAST,WAAY,EACrBS,EAASV,UAAW,EACpBU,EAASF,eAAgB,EACzBvtC,EAAKhpB,SAAU,WAAY9b,EAAO,CACjC6xE,SAAUU,EAASjgE,SAErB,IACAx4B,KAAKgiC,SAAU,OAAQ9b,GAEvBlmB,KAAKgnD,OAAOtvC,UAEL,CACR,IA0BuBpX,EAAEqjC,OAAQ,gBAAiB,CAAErjC,EAAEunD,GAAG6Z,eAAgB,CACzE94C,QAAS,SACTqhC,eAAgB,WAChBnpD,QAAS,CACRq/B,SAAU,KACVjpB,QAAS,CACR,4BAA6B,gBAC7B,8BAA+B,iBAEhCgzC,SAAU,KACVqa,MAAO,CACNp3D,OAAQ,wBAET+T,SAAU,CACT2vC,GAAI,WACJjiB,GAAI,cACJmhB,UAAW,QAEZh9C,OAAO,EAGPm4D,OAAQ,KACRzzD,MAAO,KACPqX,MAAO,KACPoF,KAAM,KACNnF,OAAQ,MAGT+R,QAAS,WACR,IAAI+3D,EAAe74F,KAAKw4B,QAAQyR,WAAWl0B,KAAM,MACjD/V,KAAKyqC,IAAM,CACVjS,QAASqgE,EACT1rF,OAAQ0rF,EAAe,UACvBrxD,KAAMqxD,EAAe,SAGtB74F,KAAK84F,cACL94F,KAAK+4F,YACL/4F,KAAK8hE,wBAEL9hE,KAAKg5F,WAAY,EACjBh5F,KAAKi5F,UAAY34F,GAClB,EAEAw4F,YAAa,WACZ,IAAI/qF,EACHi9C,EAAOhrD,KACP26B,EAAO36B,KAAKk5F,aACXl5F,KAAKw4B,QAAQz2B,KAAM,mBACnB/B,KAAKw4B,QAAS,GAAIgkD,eAIpBx8E,KAAKwjE,OAASxjE,KAAKw4B,QAAQgrC,SAASztD,KAAM,MAAO/V,KAAKyqC,IAAIt9B,QAC1DnN,KAAKyqD,IAAKzqD,KAAKwjE,OAAQ,CACtBrsD,MAAO,SAAU+O,GAChBlmB,KAAKmN,OAAOzK,QAAS,SACrBwjB,EAAMC,gBACP,IAIDnmB,KAAKw4B,QAAQv4B,OAGbD,KAAKmN,OAAS7M,EAAG,SAAU,CAC1B2mC,SAAUjnC,KAAKc,QAAQopD,UAAY,EAAI,EACvC3kD,GAAIvF,KAAKyqC,IAAIt9B,OACbi0B,KAAM,WACN,gBAAiB,QACjB,oBAAqB,OACrB,YAAaphC,KAAKyqC,IAAIjD,KACtB,gBAAiB,OACjBn9B,MAAOrK,KAAKw4B,QAAQziB,KAAM,WAEzBqxB,YAAapnC,KAAKw4B,SAEpBx4B,KAAKqsD,UAAWrsD,KAAKmN,OAAQ,mDAC5B,uBAEDY,EAAOzN,EAAG,UAAW6/B,SAAUngC,KAAKmN,QACpCnN,KAAKqsD,UAAWt+C,EAAM,qBAAsB,WAAa/N,KAAKc,QAAQyjE,MAAMp3D,QAC5EnN,KAAKm5F,WAAan5F,KAAKo5F,kBAAmBz+D,GACxCwF,SAAUngC,KAAKmN,SAEW,IAAvBnN,KAAKc,QAAQiS,OACjB/S,KAAKq5F,gBAGNr5F,KAAKyqD,IAAKzqD,KAAKmN,OAAQnN,KAAKs5F,eAC5Bt5F,KAAKmN,OAAOs/D,IAAK,WAAW,WAIrBzhB,EAAKguC,WACVhuC,EAAKuuC,cAEP,GACD,EAEAR,UAAW,WACV,IAAI/tC,EAAOhrD,KAGXA,KAAKwnC,KAAOlnC,EAAG,OAAQ,CACtB,cAAe,OACf,kBAAmBN,KAAKyqC,IAAIt9B,OAC5B5H,GAAIvF,KAAKyqC,IAAIjD,OAIdxnC,KAAKw5F,SAAWl5F,EAAG,SAAU0V,OAAQhW,KAAKwnC,MAC1CxnC,KAAKqsD,UAAWrsD,KAAKw5F,SAAU,qBAAsB,YACrDx5F,KAAKw5F,SAASr5D,SAAUngC,KAAKssE,aAG7BtsE,KAAKy5F,aAAez5F,KAAKwnC,KACvBA,KAAM,CACNtwB,QAAS,CACR,UAAW,oBAEZkqB,KAAM,UACNrS,OAAQ,SAAU7I,EAAO2hC,GACxB3hC,EAAMC,iBAKN6kC,EAAK0uC,gBAEL1uC,EAAK2uC,QAAS9xC,EAAGltB,KAAKt3B,KAAM,sBAAwB6iB,EACrD,EACA4I,MAAO,SAAU5I,EAAO2hC,GACvB,IAAIltB,EAAOktB,EAAGltB,KAAKt3B,KAAM,sBAGD,MAAnB2nD,EAAK4uC,YAAsBj/D,EAAKmN,QAAUkjB,EAAK4uC,aACnD5uC,EAAKhpB,SAAU,QAAS9b,EAAO,CAAEyU,KAAMA,IACjCqwB,EAAK+nC,QACV/nC,EAAK2uC,QAASh/D,EAAMzU,IAGtB8kC,EAAK4uC,WAAaj/D,EAAKmN,MAEvBkjB,EAAK79C,OAAO4I,KAAM,wBACjBi1C,EAAKiuC,UAAUt1B,GAAIhpC,EAAKmN,OAAQ/xB,KAAM,MACxC,IAEAyxB,KAAM,YAGRxnC,KAAKy5F,aAAartC,KAAMpsD,KAAKwnC,KAAM,cAGnCxnC,KAAKy5F,aAAalxB,sBAAwB,WACzC,OAAO,CACR,EAGAvoE,KAAKy5F,aAAahwB,WAAa,WAC9B,OAAO,CACR,CACD,EAEA5H,QAAS,WACR7hE,KAAKu5F,eACLv5F,KAAKm5F,WAAW79B,YACft7D,KAAKm5F,WAAan5F,KAAKo5F,kBAGtBp5F,KAAK65F,mBAAmBx2F,KAAM,uBAA0B,CAAC,IAG/B,OAAvBrD,KAAKc,QAAQiS,OACjB/S,KAAKq5F,eAEP,EAEAE,aAAc,WACb,IAAI5+D,EACH75B,EAAUd,KAAKw4B,QAAQz2B,KAAM,UAE9B/B,KAAKwnC,KAAKnF,QAEVriC,KAAK85F,cAAeh5F,GACpBd,KAAK6tE,YAAa7tE,KAAKwnC,KAAMxnC,KAAK4nE,OAElC5nE,KAAKy5F,aAAa53B,UAClB7hE,KAAKi5F,UAAYj5F,KAAKwnC,KAAKzlC,KAAM,MAC/BiqD,IAAK,2BACJjqD,KAAM,yBAET/B,KAAKg5F,WAAY,EAEXl4F,EAAQkB,SAId24B,EAAO36B,KAAK65F,mBAGZ75F,KAAKy5F,aAAa3qE,MAAO,KAAM6L,GAC/B36B,KAAK+5F,SAAUp/D,EAAKt3B,KAAM,uBAG1BrD,KAAKiiC,WAAY,WAAYjiC,KAAKw4B,QAAQviB,KAAM,aACjD,EAEAie,KAAM,SAAUhO,GACVlmB,KAAKc,QAAQopD,WAKZlqD,KAAKg5F,WAKVh5F,KAAKkrD,aAAclrD,KAAKwnC,KAAKzlC,KAAM,oBAAsB,KAAM,mBAC/D/B,KAAKy5F,aAAa3qE,MAAO,KAAM9uB,KAAK65F,qBALpC75F,KAAKu5F,eASAv5F,KAAKi5F,UAAUj3F,SAIrBhC,KAAK+yF,QAAS,EACd/yF,KAAKg6F,cACLh6F,KAAKunC,cACLvnC,KAAKouD,YAELpuD,KAAKyqD,IAAKzqD,KAAKuJ,SAAUvJ,KAAKi6F,gBAE9Bj6F,KAAKgiC,SAAU,OAAQ9b,IACxB,EAEAkoC,UAAW,WACVpuD,KAAKw5F,SAASt4E,SAAU5gB,EAAEm3B,OAAQ,CAAE83B,GAAIvvD,KAAKmN,QAAUnN,KAAKc,QAAQogB,UACrE,EAEAzJ,MAAO,SAAUyO,GACVlmB,KAAK+yF,SAIX/yF,KAAK+yF,QAAS,EACd/yF,KAAKg6F,cAELh6F,KAAKsmC,MAAQ,KACbtmC,KAAKosD,KAAMpsD,KAAKuJ,UAEhBvJ,KAAKgiC,SAAU,QAAS9b,GACzB,EAEAyd,OAAQ,WACP,OAAO3jC,KAAKmN,MACb,EAEA+sF,WAAY,WACX,OAAOl6F,KAAKwnC,IACb,EAEA4xD,kBAAmB,SAAUz+D,GAC5B,IAAIw+D,EAAa74F,EAAG,UAKpB,OAHAN,KAAKm6F,SAAUhB,EAAYx+D,EAAKzvB,OAChClL,KAAKqsD,UAAW8sC,EAAY,sBAErBA,CACR,EAEAtrB,YAAa,SAAUD,EAAIhG,GAC1B,IAAI5c,EAAOhrD,KACVo6F,EAAkB,GAEnB95F,EAAED,KAAMunE,GAAO,SAAU9/B,EAAOnN,GAC/B,IAAI0/D,EAEC1/D,EAAK2/D,WAAaF,IACtBC,EAAK/5F,EAAG,OAAQ,CACfgB,KAAMq5B,EAAK2/D,WAEZtvC,EAAKqB,UAAWguC,EAAI,yBAA0B,mBAC3C1/D,EAAKnC,QAAQliB,OAAQ,YAAaL,KAAM,YACzC,qBACA,KAEFokF,EAAGl6D,SAAUytC,GAEbwsB,EAAkBz/D,EAAK2/D,UAGxBtvC,EAAK8iB,gBAAiBF,EAAIjzC,EAC3B,GACD,EAEAmzC,gBAAiB,SAAUF,EAAIjzC,GAC9B,OAAO36B,KAAK+tE,YAAaH,EAAIjzC,GAAOt3B,KAAM,qBAAsBs3B,EACjE,EAEAozC,YAAa,SAAUH,EAAIjzC,GAC1B,IAAI0/D,EAAK/5F,EAAG,QACX06D,EAAU16D,EAAG,QAAS,CACrB+J,MAAOswB,EAAKnC,QAAQziB,KAAM,WAa5B,OAVK4kB,EAAKuvB,UACTlqD,KAAKqsD,UAAWguC,EAAI,KAAM,qBAGtB1/D,EAAKuhC,OACTm+B,EAAGpkF,KAAM,UAAU,GAEnBjW,KAAKm6F,SAAUn/B,EAASrgC,EAAKzvB,OAGvBmvF,EAAGrkF,OAAQglD,GAAU76B,SAAUytC,EACvC,EAEAusB,SAAU,SAAU3hE,EAASx0B,GACvBA,EACJw0B,EAAQl3B,KAAM0C,GAEdw0B,EAAQ33B,KAAM,SAEhB,EAEAooE,MAAO,SAAUvN,EAAWx1C,GAC3B,IAAIyU,EAAM+W,EACTtjC,EAAS,gBAELpO,KAAK+yF,OACTp4D,EAAO36B,KAAKi5F,UAAUt1B,GAAI3jE,KAAK45F,YAAatjF,OAAQ,OAEpDqkB,EAAO36B,KAAKi5F,UAAUt1B,GAAI3jE,KAAKw4B,QAAS,GAAIgkD,eAAgBlmE,OAAQ,MACpElI,GAAU,6BAIVsjC,EADkB,UAAdgqB,GAAuC,SAAdA,EACtB/gC,EAAoB,UAAd+gC,EAAwB,UAAY,WAAattD,GAASu1D,IAAK,GAErEhpC,EAAM+gC,EAAY,OAASttD,GAASu1D,GAAI,IAGtC3hE,QACThC,KAAKy5F,aAAa3qE,MAAO5I,EAAOwrB,EAElC,EAEAmoD,iBAAkB,WACjB,OAAO75F,KAAKi5F,UAAUt1B,GAAI3jE,KAAKw4B,QAAS,GAAIgkD,eAAgBlmE,OAAQ,KACrE,EAEA8wD,QAAS,SAAUlhD,GAClBlmB,KAAMA,KAAK+yF,OAAS,QAAU,QAAU7sE,EACzC,EAEAwzE,cAAe,WACd,IAAI73C,EAEE7hD,KAAKsmC,QAINniC,OAAOg8C,eACX0B,EAAY19C,OAAOg8C,gBACTC,kBACVyB,EAAUG,SAAUhiD,KAAKsmC,QAIzBtmC,KAAKsmC,MAAMvX,SAMZ/uB,KAAKmN,OAAOzK,QAAS,SACtB,EAEAu3F,eAAgB,CACf1tB,UAAW,SAAUrmD,GACdlmB,KAAK+yF,SAILzyF,EAAG4lB,EAAMzY,QAASmK,QAAS,yBAChCtX,EAAE2hE,eAAgBjiE,KAAKyqC,IAAIt9B,SAAWnL,QACtChC,KAAKyX,MAAOyO,GAEd,GAGDozE,cAAe,CAGd/sB,UAAW,WACV,IAAI1qB,EAEC19C,OAAOg8C,cACX0B,EAAY19C,OAAOg8C,gBACJo6C,aACdv6F,KAAKsmC,MAAQub,EAAU24C,WAAY,IAKpCx6F,KAAKsmC,MAAQ/8B,SAASs4C,UAAUC,aAElC,EAEA3qC,MAAO,SAAU+O,GAChBlmB,KAAK05F,gBACL15F,KAAKonE,QAASlhD,EACf,EAEAsgD,QAAS,SAAUtgD,GAClB,IAAIC,GAAiB,EACrB,OAASD,EAAMwb,SACf,KAAKphC,EAAEunD,GAAGnmB,QAAQ4hC,IAClB,KAAKhjE,EAAEunD,GAAGnmB,QAAQohC,OACjB9iE,KAAKyX,MAAOyO,GACZC,GAAiB,EACjB,MACD,KAAK7lB,EAAEunD,GAAGnmB,QAAQmhC,MACZ7iE,KAAK+yF,QACT/yF,KAAKy6F,mBAAoBv0E,GAE1B,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQ6hC,GACZr9C,EAAMw/C,OACV1lE,KAAKonE,QAASlhD,GAEdlmB,KAAKipE,MAAO,OAAQ/iD,GAErB,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQihC,KACZz8C,EAAMw/C,OACV1lE,KAAKonE,QAASlhD,GAEdlmB,KAAKipE,MAAO,OAAQ/iD,GAErB,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQ2hC,MACZrjE,KAAK+yF,OACT/yF,KAAKy6F,mBAAoBv0E,GAEzBlmB,KAAKonE,QAASlhD,GAEf,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQshC,KACjBhjE,KAAKipE,MAAO,OAAQ/iD,GACpB,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQ0hC,MACjBpjE,KAAKipE,MAAO,OAAQ/iD,GACpB,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQqhC,KAClB,KAAKziE,EAAEunD,GAAGnmB,QAAQwhC,QACjBljE,KAAKipE,MAAO,QAAS/iD,GACrB,MACD,KAAK5lB,EAAEunD,GAAGnmB,QAAQkhC,IAClB,KAAKtiE,EAAEunD,GAAGnmB,QAAQuhC,UACjBjjE,KAAKipE,MAAO,OAAQ/iD,GACpB,MACD,QACClmB,KAAKwnC,KAAK9kC,QAASwjB,GACnBC,GAAiB,EAGbA,GACJD,EAAMC,gBAER,GAGDs0E,mBAAoB,SAAUv0E,GAC7B,IAAIyU,EAAO36B,KAAKi5F,UAAUt1B,GAAI3jE,KAAK45F,YAAatjF,OAAQ,MAClDqkB,EAAKtC,SAAU,sBACpBr4B,KAAK25F,QAASh/D,EAAKt3B,KAAM,sBAAwB6iB,EAEnD,EAEAyzE,QAAS,SAAUh/D,EAAMzU,GACxB,IAAIw0E,EAAW16F,KAAKw4B,QAAS,GAAIgkD,cAGjCx8E,KAAKw4B,QAAS,GAAIgkD,cAAgB7hD,EAAKmN,MACvC9nC,KAAKm5F,WAAW79B,YAAat7D,KAAKm5F,WAAan5F,KAAKo5F,kBAAmBz+D,IACvE36B,KAAK+5F,SAAUp/D,GACf36B,KAAKgiC,SAAU,SAAU9b,EAAO,CAAEyU,KAAMA,IAEnCA,EAAKmN,QAAU4yD,GACnB16F,KAAKgiC,SAAU,SAAU9b,EAAO,CAAEyU,KAAMA,IAGzC36B,KAAKyX,MAAOyO,EACb,EAEA6zE,SAAU,SAAUp/D,GACnB,IAAIp1B,EAAKvF,KAAKi5F,UAAUt1B,GAAIhpC,EAAKmN,OAAQ/xB,KAAM,MAE/C/V,KAAKmN,OAAO4I,KAAM,CACjB,kBAAmBxQ,EACnB,wBAAyBA,IAE1BvF,KAAKwnC,KAAKzxB,KAAM,wBAAyBxQ,EAC1C,EAEA08B,WAAY,SAAUp+B,EAAKG,GAC1B,GAAa,UAARH,EAAkB,CACtB,IAAIkK,EAAO/N,KAAKmN,OAAOpL,KAAM,gBAC7B/B,KAAKkrD,aAAcn9C,EAAM,KAAM/N,KAAKc,QAAQyjE,MAAMp3D,QAChDk/C,UAAWt+C,EAAM,KAAM/J,EAAMmJ,OAChC,CAEAnN,KAAKy+C,OAAQ56C,EAAKG,GAEL,aAARH,GACJ7D,KAAKw5F,SAASr5D,SAAUngC,KAAKssE,aAGjB,UAARzoE,GACJ7D,KAAKq5F,eAEP,EAEAvuC,mBAAoB,SAAU9mD,GAC7BhE,KAAKy+C,OAAQz6C,GAEbhE,KAAKy5F,aAAazvC,OAAQ,WAAYhmD,GACtChE,KAAKmN,OAAO4I,KAAM,gBAAiB/R,GACnChE,KAAKyrD,aAAczrD,KAAKmN,OAAQ,KAAM,oBAAqBnJ,GAE3DhE,KAAKw4B,QAAQviB,KAAM,WAAYjS,GAC1BA,GACJhE,KAAKmN,OAAO4I,KAAM,YAAa,GAC/B/V,KAAKyX,SAELzX,KAAKmN,OAAO4I,KAAM,WAAY,EAEhC,EAEAu2D,UAAW,WACV,IAAI9zC,EAAUx4B,KAAKc,QAAQq/B,SAgB3B,OAdK3H,IACJA,EAAUA,EAAQsxB,QAAUtxB,EAAQwnB,SACnC1/C,EAAGk4B,GACHx4B,KAAKuJ,SAASxH,KAAMy2B,GAAUmrC,GAAI,IAG9BnrC,GAAYA,EAAS,KAC1BA,EAAUx4B,KAAKw4B,QAAQ5gB,QAAS,sBAG3B4gB,EAAQx2B,SACbw2B,EAAUx4B,KAAKuJ,SAAU,GAAI5B,MAGvB6wB,CACR,EAEAwhE,YAAa,WACZh6F,KAAKmN,OAAO4I,KAAM,gBAAiB/V,KAAK+yF,QAKxC/yF,KAAKkrD,aAAclrD,KAAKmN,OAAQ,yBAC7BnN,KAAK+yF,OAAS,SAAW,SAC1B1mC,UAAWrsD,KAAKmN,OAAQ,yBACtBnN,KAAK+yF,OAAS,OAAS,WACzBtnC,aAAczrD,KAAKw5F,SAAU,qBAAsB,KAAMx5F,KAAK+yF,QAEhE/yF,KAAKwnC,KAAKzxB,KAAM,eAAgB/V,KAAK+yF,OACtC,EAEAsG,cAAe,WACd,IAAItmF,EAAQ/S,KAAKc,QAAQiS,OAGV,IAAVA,GAMU,OAAVA,IACJA,EAAQ/S,KAAKw4B,QAAQn3B,OAAOomC,aAC5BznC,KAAKw4B,QAAQv4B,QAGdD,KAAKmN,OAAOs6B,WAAY10B,IAVvB/S,KAAKmN,OAAOoH,IAAK,QAAS,GAW5B,EAEAgzB,YAAa,WACZvnC,KAAKwnC,KAAKC,WAAY72B,KAAKkC,IAC1B9S,KAAKmN,OAAOs6B,aAKZznC,KAAKwnC,KAAKz0B,MAAO,IAAK00B,aAAe,GAEvC,EAEAojB,kBAAmB,WAClB,IAAI/pD,EAAUd,KAAKy+C,SAInB,OAFA39C,EAAQopD,SAAWlqD,KAAKw4B,QAAQviB,KAAM,YAE/BnV,CACR,EAEAg5F,cAAe,SAAUh5F,GACxB,IAAIkqD,EAAOhrD,KACVqD,EAAO,GACRvC,EAAQT,MAAM,SAAUynC,EAAOnN,GAC9Bt3B,EAAKqK,KAAMs9C,EAAKkuC,aAAc54F,EAAGq6B,GAAQmN,GAC1C,IACA9nC,KAAK4nE,MAAQvkE,CACd,EAEA61F,aAAc,SAAUlvC,EAAQliB,GAC/B,IAAIwyD,EAAWtwC,EAAO1zC,OAAQ,YAE9B,MAAO,CACNkiB,QAASwxB,EACTliB,MAAOA,EACP9jC,MAAOgmD,EAAO1nB,MACdp3B,MAAO8+C,EAAO1oD,OACd46D,OAAQo+B,EAASrkF,KAAM,WAAc+zC,EAAO/zC,KAAM,UAClDqkF,SAAUA,EAASvkF,KAAM,UAAa,GACtCm0C,SAAUowC,EAASrkF,KAAM,aAAgB+zC,EAAO/zC,KAAM,YAExD,EAEAg1C,SAAU,WACTjrD,KAAK+hE,0BACL/hE,KAAKw5F,SAAS9hF,SACd1X,KAAKmN,OAAOuK,SACZ1X,KAAKw4B,QAAQn3B,OACbrB,KAAKw4B,QAAQ2rC,iBACbnkE,KAAKwjE,OAAOztD,KAAM,MAAO/V,KAAKyqC,IAAIjS,QACnC,KAuBmBl4B,EAAEqjC,OAAQ,YAAarjC,EAAEunD,GAAG+8B,MAAO,CACtDh8D,QAAS,SACTugC,kBAAmB,QAEnBroD,QAAS,CACRm5D,SAAS,EACT/iD,QAAS,CACR,YAAa,gBACb,mBAAoB,gBAIpB,kBAAmB,kCAEpB0+C,SAAU,EACV9iD,IAAK,IACLwC,IAAK,EACLqlF,YAAa,aACbr0D,OAAO,EACPtB,KAAM,EACNhhC,MAAO,EACPovB,OAAQ,KAGR83C,OAAQ,KACR0vB,MAAO,KACP10D,MAAO,KACP1qB,KAAM,MAKPq/E,SAAU,EAEV/5D,QAAS,WACR9gC,KAAK86F,aAAc,EACnB96F,KAAK+6F,eAAgB,EACrB/6F,KAAKg7F,aAAc,EACnBh7F,KAAKi7F,aAAe,KACpBj7F,KAAKk7F,qBACLl7F,KAAKojF,aACLpjF,KAAKm7F,mBAELn7F,KAAKqsD,UAAW,uBAAyBrsD,KAAK26F,YAC7C,+BAED36F,KAAKmlE,WAELnlE,KAAKg7F,aAAc,CACpB,EAEA71B,SAAU,WACTnlE,KAAKo7F,eACLp7F,KAAKq7F,iBACLr7F,KAAKulE,eACLvlE,KAAKy3F,eACN,EAEA4D,eAAgB,WACf,IAAI5pF,EAAG6pF,EACNx6F,EAAUd,KAAKc,QACfy6F,EAAkBv7F,KAAKw4B,QAAQz2B,KAAM,qBAErCwpF,EAAU,GASX,IAPA+P,EAAgBx6F,EAAQsyB,QAAUtyB,EAAQsyB,OAAOpxB,QAAY,EAExDu5F,EAAgBv5F,OAASs5F,IAC7BC,EAAgB1uF,MAAOyuF,GAAc5jF,SACrC6jF,EAAkBA,EAAgB1uF,MAAO,EAAGyuF,IAGvC7pF,EAAI8pF,EAAgBv5F,OAAQyP,EAAI6pF,EAAa7pF,IAClD85E,EAAQ79E,KAXC,8BAcV1N,KAAKurF,QAAUgQ,EAAgBxgE,IAAKz6B,EAAGirF,EAAQ9pF,KAAM,KAAO0+B,SAAUngC,KAAKw4B,UAE3Ex4B,KAAKqsD,UAAWrsD,KAAKurF,QAAS,mBAAoB,oBAElDvrF,KAAKmlF,OAASnlF,KAAKurF,QAAQ5nB,GAAI,GAE/B3jE,KAAKurF,QAAQlrF,MAAM,SAAUoR,GAC5BnR,EAAGN,MACDqD,KAAM,yBAA0BoO,GAChCsE,KAAM,WAAY,EACrB,GACD,EAEAqlF,aAAc,WACb,IAAIt6F,EAAUd,KAAKc,QAEdA,EAAQwlC,QACW,IAAlBxlC,EAAQwlC,QACNxlC,EAAQsyB,OAEFtyB,EAAQsyB,OAAOpxB,QAAoC,IAA1BlB,EAAQsyB,OAAOpxB,OACnDlB,EAAQsyB,OAAS,CAAEtyB,EAAQsyB,OAAQ,GAAKtyB,EAAQsyB,OAAQ,IAC7CmL,MAAMC,QAAS19B,EAAQsyB,UAClCtyB,EAAQsyB,OAAStyB,EAAQsyB,OAAOvmB,MAAO,IAJvC/L,EAAQsyB,OAAS,CAAEpzB,KAAKw7F,YAAax7F,KAAKw7F,cAQtCx7F,KAAKsmC,OAAUtmC,KAAKsmC,MAAMtkC,QAM/BhC,KAAKkrD,aAAclrD,KAAKsmC,MAAO,2CAG/BtmC,KAAKsmC,MAAM/xB,IAAK,CACf,KAAQ,GACR,OAAU,OAVXvU,KAAKsmC,MAAQhmC,EAAG,SACd6/B,SAAUngC,KAAKw4B,SAEjBx4B,KAAKqsD,UAAWrsD,KAAKsmC,MAAO,oBAUN,QAAlBxlC,EAAQwlC,OAAqC,QAAlBxlC,EAAQwlC,OACvCtmC,KAAKqsD,UAAWrsD,KAAKsmC,MAAO,mBAAqBxlC,EAAQwlC,SAGrDtmC,KAAKsmC,OACTtmC,KAAKsmC,MAAM5uB,SAEZ1X,KAAKsmC,MAAQ,KAEf,EAEAi/B,aAAc,WACbvlE,KAAKosD,KAAMpsD,KAAKurF,SAChBvrF,KAAKyqD,IAAKzqD,KAAKurF,QAASvrF,KAAKy7F,eAC7Bz7F,KAAK4sD,WAAY5sD,KAAKurF,SACtBvrF,KAAK+sD,WAAY/sD,KAAKurF,QACvB,EAEAtgC,SAAU,WACTjrD,KAAKurF,QAAQ7zE,SACR1X,KAAKsmC,OACTtmC,KAAKsmC,MAAM5uB,SAGZ1X,KAAKsjF,eACN,EAEAU,cAAe,SAAU99D,GACxB,IAAIhF,EAAUw6E,EAAW9lC,EAAU+lC,EAAe7zD,EAAgBunB,EAAQusC,EACzE5wC,EAAOhrD,KACPskC,EAAItkC,KAAKc,QAEV,OAAKwjC,EAAE4lB,WAIPlqD,KAAK67F,YAAc,CAClB9oF,MAAO/S,KAAKw4B,QAAQiP,aACpBz0B,OAAQhT,KAAKw4B,QAAQoK,eAEtB5iC,KAAK6vF,cAAgB7vF,KAAKw4B,QAAQ62B,SAElCnuC,EAAW,CAAEnN,EAAGmS,EAAM+pC,MAAOj8C,EAAGkS,EAAM8pC,OACtC0rC,EAAY17F,KAAK87F,oBAAqB56E,GACtC00C,EAAW51D,KAAK+7F,YAAc/7F,KAAKw7F,YAAc,EACjDx7F,KAAKurF,QAAQlrF,MAAM,SAAUoR,GAC5B,IAAIuqF,EAAeprF,KAAK0B,IAAKopF,EAAY1wC,EAAK53B,OAAQ3hB,KAC/CmkD,EAAWomC,GACfpmC,IAAaomC,IACZvqF,IAAMu5C,EAAKixC,mBAAqBjxC,EAAK53B,OAAQ3hB,KAAQ6yB,EAAEhvB,QAC1DsgD,EAAWomC,EACXL,EAAgBr7F,EAAGN,MACnB8nC,EAAQr2B,EAEV,KAGiB,IADPzR,KAAKk8F,OAAQh2E,EAAO4hB,KAI9B9nC,KAAK+6F,eAAgB,EAErB/6F,KAAKi7F,aAAenzD,EAEpB9nC,KAAKqsD,UAAWsvC,EAAe,KAAM,mBACrCA,EAAcj5F,QAAS,SAEvB2sD,EAASssC,EAActsC,SACvBusC,GAAmBt7F,EAAG4lB,EAAMzY,QAASm2D,UAAUzK,UAAU/yC,GAAI,qBAC7DpmB,KAAKm8F,aAAeP,EAAkB,CAAEx6E,KAAM,EAAGD,IAAK,GAAM,CAC3DC,KAAM8E,EAAM+pC,MAAQZ,EAAOjuC,KAASu6E,EAAc5oF,QAAU,EAC5DoO,IAAK+E,EAAM8pC,MAAQX,EAAOluC,IACvBw6E,EAAc3oF,SAAW,GACzBuK,SAAUo+E,EAAcpnF,IAAK,kBAAoB,KAAQ,IACzDgJ,SAAUo+E,EAAcpnF,IAAK,qBAAuB,KAAQ,IAC5DgJ,SAAUo+E,EAAcpnF,IAAK,aAAe,KAAQ,IAGlDvU,KAAKurF,QAAQlzD,SAAU,mBAC5Br4B,KAAKo8F,OAAQl2E,EAAO4hB,EAAO4zD,GAE5B17F,KAAKg7F,aAAc,GACZ,GACR,EAEA3W,YAAa,WACZ,OAAO,CACR,EAEAG,WAAY,SAAUt+D,GACrB,IAAIhF,EAAW,CAAEnN,EAAGmS,EAAM+pC,MAAOj8C,EAAGkS,EAAM8pC,OACzC0rC,EAAY17F,KAAK87F,oBAAqB56E,GAIvC,OAFAlhB,KAAKo8F,OAAQl2E,EAAOlmB,KAAKi7F,aAAcS,IAEhC,CACR,EAEAjX,WAAY,SAAUv+D,GAWrB,OAVAlmB,KAAKkrD,aAAclrD,KAAKurF,QAAS,KAAM,mBACvCvrF,KAAK+6F,eAAgB,EAErB/6F,KAAKq8F,MAAOn2E,EAAOlmB,KAAKi7F,cACxBj7F,KAAKosE,QAASlmD,EAAOlmB,KAAKi7F,cAE1Bj7F,KAAKi7F,aAAe,KACpBj7F,KAAKm8F,aAAe,KACpBn8F,KAAKg7F,aAAc,GAEZ,CACR,EAEAE,mBAAoB,WACnBl7F,KAAK26F,YAA6C,aAA7B36F,KAAKc,QAAQ65F,YAA+B,WAAa,YAC/E,EAEAmB,oBAAqB,SAAU56E,GAC9B,IAAIo7E,EACHC,EACAC,EACAC,EACAC,EA0BD,MAxB0B,eAArB18F,KAAK26F,aACT2B,EAAat8F,KAAK67F,YAAY9oF,MAC9BwpF,EAAar7E,EAASnN,EAAI/T,KAAK6vF,cAAczuE,MAC1CphB,KAAKm8F,aAAen8F,KAAKm8F,aAAa/6E,KAAO,KAEhDk7E,EAAat8F,KAAK67F,YAAY7oF,OAC9BupF,EAAar7E,EAASlN,EAAIhU,KAAK6vF,cAAc1uE,KAC1CnhB,KAAKm8F,aAAen8F,KAAKm8F,aAAah7E,IAAM,KAGhDq7E,EAAiBD,EAAaD,GACV,IACnBE,EAAe,GAEXA,EAAe,IACnBA,EAAe,GAEU,aAArBx8F,KAAK26F,cACT6B,EAAe,EAAIA,GAGpBC,EAAaz8F,KAAK+7F,YAAc/7F,KAAKw7F,YACrCkB,EAAa18F,KAAKw7F,YAAcgB,EAAeC,EAExCz8F,KAAK28F,gBAAiBD,EAC9B,EAEAzU,QAAS,SAAUngD,EAAO9jC,EAAOovB,GAChC,IAAIwpE,EAAS,CACZzX,OAAQnlF,KAAKurF,QAASzjD,GACtB+0D,YAAa/0D,EACb9jC,WAAiB5D,IAAV4D,EAAsBA,EAAQhE,KAAKgE,SAQ3C,OALKhE,KAAK88F,uBACTF,EAAO54F,WAAkB5D,IAAV4D,EAAsBA,EAAQhE,KAAKozB,OAAQ0U,GAC1D80D,EAAOxpE,OAASA,GAAUpzB,KAAKozB,UAGzBwpE,CACR,EAEAE,mBAAoB,WACnB,OAAO98F,KAAKc,QAAQsyB,QAAUpzB,KAAKc,QAAQsyB,OAAOpxB,MACnD,EAEAk6F,OAAQ,SAAUh2E,EAAO4hB,GACxB,OAAO9nC,KAAKgiC,SAAU,QAAS9b,EAAOlmB,KAAKioF,QAASngD,GACrD,EAEAs0D,OAAQ,SAAUl2E,EAAO4hB,EAAOi1D,GAC/B,IAAaC,EACZC,EAAej9F,KAAKgE,QACpBk5F,EAAYl9F,KAAKozB,SAEbpzB,KAAK88F,uBACTE,EAAWh9F,KAAKozB,OAAQ0U,EAAQ,EAAI,GACpCm1D,EAAej9F,KAAKozB,OAAQ0U,GAEQ,IAA/B9nC,KAAKc,QAAQsyB,OAAOpxB,SAAuC,IAAvBhC,KAAKc,QAAQwlC,QACrDy2D,EAAoB,IAAVj1D,EAAcl3B,KAAK0E,IAAK0nF,EAAUD,GAAWnsF,KAAKkC,IAAKkqF,EAAUD,IAG5EG,EAAWp1D,GAAUi1D,GAGjBA,IAAWE,IAOC,IAHPj9F,KAAKgiC,SAAU,QAAS9b,EAAOlmB,KAAKioF,QAASngD,EAAOi1D,EAAQG,MAOjEl9F,KAAK88F,qBACT98F,KAAKozB,OAAQ0U,EAAOi1D,GAEpB/8F,KAAKgE,MAAO+4F,GAEd,EAEAV,MAAO,SAAUn2E,EAAO4hB,GACvB9nC,KAAKgiC,SAAU,OAAQ9b,EAAOlmB,KAAKioF,QAASngD,GAC7C,EAEAskC,QAAS,SAAUlmD,EAAO4hB,GACnB9nC,KAAK86F,aAAgB96F,KAAK+6F,gBAG/B/6F,KAAKi8F,kBAAoBn0D,EACzB9nC,KAAKgiC,SAAU,SAAU9b,EAAOlmB,KAAKioF,QAASngD,IAEhD,EAEA9jC,MAAO,SAAU8yB,GAChB,OAAKjsB,UAAU7I,QACdhC,KAAKc,QAAQkD,MAAQhE,KAAK28F,gBAAiB7lE,GAC3C92B,KAAKy3F,qBACLz3F,KAAKosE,QAAS,KAAM,IAIdpsE,KAAKgsE,QACb,EAEA54C,OAAQ,SAAU0U,EAAOhR,GACxB,IAAIqmE,EACHD,EACAzrF,EAED,GAAK5G,UAAU7I,OAAS,EAIvB,OAHAhC,KAAKc,QAAQsyB,OAAQ0U,GAAU9nC,KAAK28F,gBAAiB7lE,GACrD92B,KAAKy3F,qBACLz3F,KAAKosE,QAAS,KAAMtkC,GAIrB,IAAKj9B,UAAU7I,OAiBd,OAAOhC,KAAKo9F,UAhBZ,IAAK7+D,MAAMC,QAAS3zB,UAAW,IAS9B,OAAK7K,KAAK88F,qBACF98F,KAAKo9F,QAASt1D,GAEd9nC,KAAKgE,QATb,IAFAm5F,EAAOn9F,KAAKc,QAAQsyB,OACpB8pE,EAAYryF,UAAW,GACjB4G,EAAI,EAAGA,EAAI0rF,EAAKn7F,OAAQyP,GAAK,EAClC0rF,EAAM1rF,GAAMzR,KAAK28F,gBAAiBO,EAAWzrF,IAC7CzR,KAAKosE,QAAS,KAAM36D,GAErBzR,KAAKy3F,eAWR,EAEAx1D,WAAY,SAAUp+B,EAAKG,GAC1B,IAAIyN,EACH4rF,EAAa,EAkBd,OAhBa,UAARx5F,IAA0C,IAAvB7D,KAAKc,QAAQwlC,QACrB,QAAVtiC,GACJhE,KAAKc,QAAQkD,MAAQhE,KAAKo9F,QAAS,GACnCp9F,KAAKc,QAAQsyB,OAAS,MACD,QAAVpvB,IACXhE,KAAKc,QAAQkD,MAAQhE,KAAKo9F,QAASp9F,KAAKc,QAAQsyB,OAAOpxB,OAAS,GAChEhC,KAAKc,QAAQsyB,OAAS,OAInBmL,MAAMC,QAASx+B,KAAKc,QAAQsyB,UAChCiqE,EAAar9F,KAAKc,QAAQsyB,OAAOpxB,QAGlChC,KAAKy+C,OAAQ56C,EAAKG,GAETH,GACR,IAAK,cACJ7D,KAAKk7F,qBACLl7F,KAAKkrD,aAAc,2CACjBmB,UAAW,aAAersD,KAAK26F,aACjC36F,KAAKy3F,gBACAz3F,KAAKc,QAAQwlC,OACjBtmC,KAAKs9F,cAAet5F,GAIrBhE,KAAKurF,QAAQh3E,IAAe,eAAVvQ,EAAyB,SAAW,OAAQ,IAC9D,MACD,IAAK,QACJhE,KAAKg7F,aAAc,EACnBh7F,KAAKy3F,gBACLz3F,KAAKosE,QAAS,KAAM,GACpBpsE,KAAKg7F,aAAc,EACnB,MACD,IAAK,SAKJ,IAJAh7F,KAAKg7F,aAAc,EACnBh7F,KAAKy3F,gBAGChmF,EAAI4rF,EAAa,EAAG5rF,GAAK,EAAGA,IACjCzR,KAAKosE,QAAS,KAAM36D,GAErBzR,KAAKg7F,aAAc,EACnB,MACD,IAAK,OACL,IAAK,MACL,IAAK,MACJh7F,KAAKg7F,aAAc,EACnBh7F,KAAKm7F,mBACLn7F,KAAKy3F,gBACLz3F,KAAKg7F,aAAc,EACnB,MACD,IAAK,QACJh7F,KAAKg7F,aAAc,EACnBh7F,KAAKmlE,WACLnlE,KAAKg7F,aAAc,EAGtB,EAEAlwC,mBAAoB,SAAU9mD,GAC7BhE,KAAKy+C,OAAQz6C,GAEbhE,KAAKyrD,aAAc,KAAM,sBAAuBznD,EACjD,EAIAgoE,OAAQ,WACP,IAAI1pC,EAAMtiC,KAAKc,QAAQkD,MAGvB,OAFMhE,KAAK28F,gBAAiBr6D,EAG7B,EAKA86D,QAAS,SAAUt1D,GAClB,IAAIxF,EACH66D,EACA1rF,EAED,GAAK5G,UAAU7I,OAId,OAHAsgC,EAAMtiC,KAAKc,QAAQsyB,OAAQ0U,GACrB9nC,KAAK28F,gBAAiBr6D,GAGtB,GAAKtiC,KAAK88F,qBAAuB,CAKvC,IADAK,EAAOn9F,KAAKc,QAAQsyB,OAAOvmB,QACrB4E,EAAI,EAAGA,EAAI0rF,EAAKn7F,OAAQyP,GAAK,EAClC0rF,EAAM1rF,GAAMzR,KAAK28F,gBAAiBQ,EAAM1rF,IAGzC,OAAO0rF,CACR,CACC,MAAO,EAET,EAGAR,gBAAiB,SAAUr6D,GAC1B,GAAKA,GAAOtiC,KAAKw7F,YAChB,OAAOx7F,KAAKw7F,YAEb,GAAKl5D,GAAOtiC,KAAK+7F,YAChB,OAAO/7F,KAAK+7F,YAEb,IAAI/2D,EAAShlC,KAAKc,QAAQkkC,KAAO,EAAMhlC,KAAKc,QAAQkkC,KAAO,EAC1Du4D,GAAej7D,EAAMtiC,KAAKw7F,aAAgBx2D,EAC1Cw4D,EAAal7D,EAAMi7D,EAQpB,OAN8B,EAAzB3sF,KAAK0B,IAAKirF,IAAoBv4D,IAClCw4D,GAAgBD,EAAa,EAAMv4D,GAAUA,GAKvCrlB,WAAY69E,EAAWvqC,QAAS,GACxC,EAEAkoC,iBAAkB,WACjB,IAAIroF,EAAM9S,KAAKc,QAAQgS,IACtBwC,EAAMtV,KAAKw7F,YACXx2D,EAAOhlC,KAAKc,QAAQkkC,MAErBlyB,EADYlC,KAAKC,OAASiC,EAAMwC,GAAQ0vB,GAASA,EAChC1vB,GACNtV,KAAKc,QAAQgS,MAGvBA,GAAOkyB,GAERhlC,KAAK8S,IAAM6M,WAAY7M,EAAImgD,QAASjzD,KAAKy9F,cAC1C,EAEAA,WAAY,WACX,IAAIC,EAAY19F,KAAK29F,aAAc39F,KAAKc,QAAQkkC,MAIhD,OAH0B,OAArBhlC,KAAKc,QAAQwU,MACjBooF,EAAY9sF,KAAKkC,IAAK4qF,EAAW19F,KAAK29F,aAAc39F,KAAKc,QAAQwU,OAE3DooF,CACR,EAEAC,aAAc,SAAUjkD,GACvB,IAAIghB,EAAMhhB,EAAIn4C,WACbq8F,EAAUljC,EAAIh1D,QAAS,KACxB,OAAoB,IAAbk4F,EAAiB,EAAIljC,EAAI14D,OAAS47F,EAAU,CACpD,EAEApC,UAAW,WACV,OAAOx7F,KAAKc,QAAQwU,GACrB,EAEAymF,UAAW,WACV,OAAO/7F,KAAK8S,GACb,EAEAwqF,cAAe,SAAU3C,GACH,aAAhBA,GACJ36F,KAAKsmC,MAAM/xB,IAAK,CAAE,MAAS,GAAI,KAAQ,KAEnB,eAAhBomF,GACJ36F,KAAKsmC,MAAM/xB,IAAK,CAAE,OAAU,GAAI,OAAU,IAE5C,EAEAkjF,cAAe,WACd,IAAIoG,EAAgBC,EAAY95F,EAAO+5F,EAAUC,EAChDC,EAASj+F,KAAKc,QAAQwlC,MACtBhC,EAAItkC,KAAKc,QACTkqD,EAAOhrD,KACPi6D,GAAaj6D,KAAKg7F,aAAgB12D,EAAE21B,QACpCikC,EAAO,CAAC,EAEJl+F,KAAK88F,qBACT98F,KAAKurF,QAAQlrF,MAAM,SAAUoR,GAC5BqsF,GAAe9yC,EAAK53B,OAAQ3hB,GAAMu5C,EAAKwwC,cAAkBxwC,EAAK+wC,YAC7D/wC,EAAKwwC,aAAgB,IACtB0C,EAA2B,eAArBlzC,EAAK2vC,YAA+B,OAAS,UAAamD,EAAa,IAC7Ex9F,EAAGN,MAAOwb,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAASikC,EAAM55D,EAAE21B,UACnC,IAAvBjP,EAAKlqD,QAAQwlC,QACS,eAArB0kB,EAAK2vC,aACE,IAANlpF,GACJu5C,EAAK1kB,MAAM9qB,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAAS,CACvD74C,KAAM08E,EAAa,KACjBx5D,EAAE21B,SAEK,IAANxoD,GACJu5C,EAAK1kB,MAAO2zB,EAAU,UAAY,OAAS,CAC1ClnD,MAAS+qF,EAAaD,EAAmB,KACvC,CACFhwC,OAAO,EACPJ,SAAUnpB,EAAE21B,YAIH,IAANxoD,GACJu5C,EAAK1kB,MAAM9qB,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAAS,CACvDjJ,OAAQ,EAAiB,KACvB1sB,EAAE21B,SAEK,IAANxoD,GACJu5C,EAAK1kB,MAAO2zB,EAAU,UAAY,OAAS,CAC1CjnD,OAAU8qF,EAAaD,EAAmB,KACxC,CACFhwC,OAAO,EACPJ,SAAUnpB,EAAE21B,YAKhB4jC,EAAiBC,CAClB,KAEA95F,EAAQhE,KAAKgE,QACb+5F,EAAW/9F,KAAKw7F,YAChBwC,EAAWh+F,KAAK+7F,YAChB+B,EAAeE,IAAaD,GACxB/5F,EAAQ+5F,IAAeC,EAAWD,GAAa,IACjD,EACFG,EAA2B,eAArBl+F,KAAK26F,YAA+B,OAAS,UAAamD,EAAa,IAC7E99F,KAAKmlF,OAAO3pE,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAASikC,EAAM55D,EAAE21B,SAEjD,QAAXgkC,GAAyC,eAArBj+F,KAAK26F,aAC7B36F,KAAKsmC,MAAM9qB,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAAS,CACvDlnD,MAAO+qF,EAAa,KAClBx5D,EAAE21B,SAEU,QAAXgkC,GAAyC,eAArBj+F,KAAK26F,aAC7B36F,KAAKsmC,MAAM9qB,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAAS,CACvDlnD,MAAS,IAAM+qF,EAAe,KAC5Bx5D,EAAE21B,SAEU,QAAXgkC,GAAyC,aAArBj+F,KAAK26F,aAC7B36F,KAAKsmC,MAAM9qB,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAAS,CACvDjnD,OAAQ8qF,EAAa,KACnBx5D,EAAE21B,SAEU,QAAXgkC,GAAyC,aAArBj+F,KAAK26F,aAC7B36F,KAAKsmC,MAAM9qB,KAAM,EAAG,GAAKy+C,EAAU,UAAY,OAAS,CACvDjnD,OAAU,IAAM8qF,EAAe,KAC7Bx5D,EAAE21B,SAGR,EAEAwhC,cAAe,CACdj1B,QAAS,SAAUtgD,GAClB,IAAai4E,EAAQpB,EAAQ/3D,EAC5B8C,EAAQxnC,EAAG4lB,EAAMzY,QAASpK,KAAM,0BAEjC,OAAS6iB,EAAMwb,SACd,KAAKphC,EAAEunD,GAAGnmB,QAAQqhC,KAClB,KAAKziE,EAAEunD,GAAGnmB,QAAQkhC,IAClB,KAAKtiE,EAAEunD,GAAGnmB,QAAQwhC,QAClB,KAAK5iE,EAAEunD,GAAGnmB,QAAQuhC,UAClB,KAAK3iE,EAAEunD,GAAGnmB,QAAQ6hC,GAClB,KAAKjjE,EAAEunD,GAAGnmB,QAAQ0hC,MAClB,KAAK9iE,EAAEunD,GAAGnmB,QAAQihC,KAClB,KAAKriE,EAAEunD,GAAGnmB,QAAQshC,KAEjB,GADA98C,EAAMC,kBACAnmB,KAAK86F,cACV96F,KAAK86F,aAAc,EACnB96F,KAAKqsD,UAAW/rD,EAAG4lB,EAAMzY,QAAU,KAAM,oBAExB,IADPzN,KAAKk8F,OAAQh2E,EAAO4hB,IAE7B,OAaJ,OAPA9C,EAAOhlC,KAAKc,QAAQkkC,KAEnBm5D,EAASpB,EADL/8F,KAAK88F,qBACS98F,KAAKozB,OAAQ0U,GAEb9nC,KAAKgE,QAGfkiB,EAAMwb,SACd,KAAKphC,EAAEunD,GAAGnmB,QAAQqhC,KACjBg6B,EAAS/8F,KAAKw7F,YACd,MACD,KAAKl7F,EAAEunD,GAAGnmB,QAAQkhC,IACjBm6B,EAAS/8F,KAAK+7F,YACd,MACD,KAAKz7F,EAAEunD,GAAGnmB,QAAQwhC,QACjB65B,EAAS/8F,KAAK28F,gBACbwB,GAAan+F,KAAK+7F,YAAc/7F,KAAKw7F,aAAgBx7F,KAAK66F,UAE3D,MACD,KAAKv6F,EAAEunD,GAAGnmB,QAAQuhC,UACjB85B,EAAS/8F,KAAK28F,gBACbwB,GAAan+F,KAAK+7F,YAAc/7F,KAAKw7F,aAAgBx7F,KAAK66F,UAC3D,MACD,KAAKv6F,EAAEunD,GAAGnmB,QAAQ6hC,GAClB,KAAKjjE,EAAEunD,GAAGnmB,QAAQ0hC,MACjB,GAAK+6B,IAAWn+F,KAAK+7F,YACpB,OAEDgB,EAAS/8F,KAAK28F,gBAAiBwB,EAASn5D,GACxC,MACD,KAAK1kC,EAAEunD,GAAGnmB,QAAQihC,KAClB,KAAKriE,EAAEunD,GAAGnmB,QAAQshC,KACjB,GAAKm7B,IAAWn+F,KAAKw7F,YACpB,OAEDuB,EAAS/8F,KAAK28F,gBAAiBwB,EAASn5D,GAI1ChlC,KAAKo8F,OAAQl2E,EAAO4hB,EAAOi1D,EAC5B,EACAqB,MAAO,SAAUl4E,GAChB,IAAI4hB,EAAQxnC,EAAG4lB,EAAMzY,QAASpK,KAAM,0BAE/BrD,KAAK86F,cACT96F,KAAK86F,aAAc,EACnB96F,KAAKq8F,MAAOn2E,EAAO4hB,GACnB9nC,KAAKosE,QAASlmD,EAAO4hB,GACrB9nC,KAAKkrD,aAAc5qD,EAAG4lB,EAAMzY,QAAU,KAAM,mBAE9C,KAsBoBnN,EAAEqjC,OAAQ,cAAerjC,EAAEunD,GAAG+8B,MAAO,CAC1Dh8D,QAAS,SACTugC,kBAAmB,OACnBk1C,OAAO,EACPv9F,QAAS,CACRq/B,SAAU,SACV2kD,MAAM,EACNwZ,aAAa,EACbtZ,aAAa,EACb/L,OAAQ,OACRgM,UAAU,EACVsZ,aAAa,EACbC,sBAAsB,EACtBC,iBAAiB,EACjBvZ,MAAM,EACNC,QAAQ,EACRn+B,OAAQ,WACR4gB,MAAO,MACPpI,SAAS,EACTlD,aAAa,EACbgpB,QAAQ,EACRpb,QAAQ,EACRub,kBAAmB,GACnBC,YAAa,GACbF,MAAO,UACP8P,UAAW,YACXl6B,OAAQ,IAGR53B,SAAU,KACVk7D,WAAY,KACZxzB,OAAQ,KACRxnC,WAAY,KACZ6xD,IAAK,KACLC,KAAM,KACNmJ,QAAS,KACTjnF,OAAQ,KACR63B,KAAM,KACNrJ,MAAO,KACP1qB,KAAM,KACN/W,OAAQ,MAGTm6F,YAAa,SAAU7qF,EAAG6iF,EAAWljF,GACpC,OAASK,GAAK6iF,GAAiB7iF,EAAM6iF,EAAYljF,CAClD,EAEAmrF,YAAa,SAAUlkE,GACtB,MAAO,aAAiB4O,KAAM5O,EAAKpmB,IAAK,WACvC,oBAAwBg1B,KAAM5O,EAAKpmB,IAAK,WAC1C,EAEAusB,QAAS,WACR9gC,KAAKwpF,eAAiB,CAAC,EACvBxpF,KAAKqsD,UAAW,eAGhBrsD,KAAK6hE,UAGL7hE,KAAKqvD,OAASrvD,KAAKw4B,QAAQ62B,SAG3BrvD,KAAKojF,aAELpjF,KAAKimF,sBAGLjmF,KAAKq+F,OAAQ,CAEd,EAEAp8D,WAAY,SAAUp+B,EAAKG,GAC1BhE,KAAKy+C,OAAQ56C,EAAKG,GAEL,WAARH,GACJ7D,KAAKimF,qBAEP,EAEAA,oBAAqB,WACpB,IAAIj7B,EAAOhrD,KACXA,KAAKkrD,aAAclrD,KAAKw4B,QAAQz2B,KAAM,uBAAyB,sBAC/DzB,EAAED,KAAML,KAAK4nE,OAAO,WACnB5c,EAAKqB,UACJrsD,KAAK8yC,SAAShyC,QAAQqkF,OACrBnlF,KAAK26B,KAAK54B,KAAM/B,KAAK8yC,SAAShyC,QAAQqkF,QACtCnlF,KAAK26B,KACN,qBAEF,GACD,EAEAswB,SAAU,WACTjrD,KAAKsjF,gBAEL,IAAM,IAAI7xE,EAAIzR,KAAK4nE,MAAM5lE,OAAS,EAAGyP,GAAK,EAAGA,IAC5CzR,KAAK4nE,MAAOn2D,GAAIkpB,KAAKwwB,WAAYnrD,KAAKopD,WAAa,SAGpD,OAAOppD,IACR,EAEAgkF,cAAe,SAAU99D,EAAO44E,GAC/B,IAAIpV,EAAc,KACjBqV,GAAc,EACd/zC,EAAOhrD,KAER,QAAKA,KAAKg/F,WAILh/F,KAAKc,QAAQopD,UAAkC,WAAtBlqD,KAAKc,QAAQmC,OAK3CjD,KAAKi/F,cAAe/4E,GAGpB5lB,EAAG4lB,EAAMzY,QAASm2D,UAAUvjE,MAAM,WACjC,GAAKC,EAAE+C,KAAMrD,KAAMgrD,EAAK5B,WAAa,WAAc4B,EAElD,OADA0+B,EAAcppF,EAAGN,OACV,CAET,IACKM,EAAE+C,KAAM6iB,EAAMzY,OAAQu9C,EAAK5B,WAAa,WAAc4B,IAC1D0+B,EAAcppF,EAAG4lB,EAAMzY,UAGlBi8E,GAGD1pF,KAAKc,QAAQqkF,SAAW2Z,IAC5Bx+F,EAAGN,KAAKc,QAAQqkF,OAAQuE,GAAc3nF,KAAM,KAAMo3D,UAAU94D,MAAM,WAC5DL,OAASkmB,EAAMzY,SACnBsxF,GAAc,EAEhB,KACMA,KAKP/+F,KAAK0pF,YAAcA,EACnB1pF,KAAKk/F,2BACE,IAER,EAEA7a,YAAa,SAAUn+D,EAAO44E,EAAgBK,GAE7C,IAAI1tF,EAAG9J,EACN28B,EAAItkC,KAAKc,QA8HV,GA5HAd,KAAKo/F,iBAAmBp/F,KAIxBA,KAAKqlF,mBAGLrlF,KAAKmgC,SAAW7/B,EAAkB,WAAfgkC,EAAEnE,SACnBmE,EAAEnE,SACFngC,KAAK0pF,YAAYpzE,UAGnBtW,KAAKgnD,OAAShnD,KAAKymF,cAAevgE,GAGlClmB,KAAK0mF,0BAQL1mF,KAAK4mF,gBAGL5mF,KAAKqvD,OAASrvD,KAAK0pF,YAAYr6B,SAC/BrvD,KAAKqvD,OAAS,CACbluC,IAAKnhB,KAAKqvD,OAAOluC,IAAMnhB,KAAK2nF,QAAQxmE,IACpCC,KAAMphB,KAAKqvD,OAAOjuC,KAAOphB,KAAK2nF,QAAQvmE,MAGvC9gB,EAAEm3B,OAAQz3B,KAAKqvD,OAAQ,CACtBl4C,MAAO,CACNiK,KAAM8E,EAAM+pC,MAAQjwD,KAAKqvD,OAAOjuC,KAChCD,IAAK+E,EAAM8pC,MAAQhwD,KAAKqvD,OAAOluC,KAKhC0mE,SAAU7nF,KAAK8nF,uBAMhB9nF,KAAKgnD,OAAOzyC,IAAK,WAAY,YAC7BvU,KAAKu8D,YAAcv8D,KAAKgnD,OAAOzyC,IAAK,YAG/B+vB,EAAE2gD,UACNjlF,KAAKqnF,wBAAyB/iD,EAAE2gD,UAIjCjlF,KAAKq/F,YAAc,CAClBryD,KAAMhtC,KAAK0pF,YAAY18C,OAAQ,GAC/B12B,OAAQtW,KAAK0pF,YAAYpzE,SAAU,IAK/BtW,KAAKgnD,OAAQ,KAAQhnD,KAAK0pF,YAAa,IAC3C1pF,KAAK0pF,YAAYzpF,OAIlBD,KAAKs/F,qBAGLt/F,KAAK8jE,aAAe9jE,KAAKs8D,YAAYwH,eAErCxjE,EAAEm3B,OAAQz3B,KAAKqvD,OAAQ,CACtB/4C,OAAQtW,KAAK4nF,qBAITtjD,EAAE0gD,aACNhlF,KAAKsnF,kBAGDhjD,EAAE20C,QAAuB,SAAb30C,EAAE20C,SAClBtxE,EAAO3H,KAAKuJ,SAASxH,KAAM,QAG3B/B,KAAKu/F,aAAe53F,EAAK4M,IAAK,UAC9B5M,EAAK4M,IAAK,SAAU+vB,EAAE20C,QAEtBj5E,KAAKw/F,iBACJl/F,EAAG,qBAAuBgkC,EAAE20C,OAAS,0BAA2B94C,SAAUx4B,IAMvE28B,EAAE82B,SACDp7D,KAAKgnD,OAAOzyC,IAAK,YACrBvU,KAAKy/F,cAAgBz/F,KAAKgnD,OAAOzyC,IAAK,WAEvCvU,KAAKgnD,OAAOzyC,IAAK,SAAU+vB,EAAE82B,SAGzB92B,EAAEk7B,UACDx/D,KAAKgnD,OAAOzyC,IAAK,aACrBvU,KAAK0/F,eAAiB1/F,KAAKgnD,OAAOzyC,IAAK,YAExCvU,KAAKgnD,OAAOzyC,IAAK,UAAW+vB,EAAEk7B,UAI1Bx/D,KAAK8jE,aAAc,KAAQ9jE,KAAKuJ,SAAU,IACV,SAAnCvJ,KAAK8jE,aAAc,GAAI/xB,UACxB/xC,KAAKgqF,eAAiBhqF,KAAK8jE,aAAazU,UAIzCrvD,KAAKgiC,SAAU,QAAS9b,EAAOlmB,KAAKioF,WAG9BjoF,KAAK2/F,4BACV3/F,KAAK0mF,2BAIAyY,EACL,IAAM1tF,EAAIzR,KAAK4/F,WAAW59F,OAAS,EAAGyP,GAAK,EAAGA,IAC7CzR,KAAK4/F,WAAYnuF,GAAIuwB,SAAU,WAAY9b,EAAOlmB,KAAKioF,QAASjoF,OAiClE,OA5BKM,EAAEunD,GAAG8+B,YACTrmF,EAAEunD,GAAG8+B,UAAU55C,QAAU/sC,MAGrBM,EAAEunD,GAAG8+B,YAAcriD,EAAEkjD,eACzBlnF,EAAEunD,GAAG8+B,UAAUc,eAAgBznF,KAAMkmB,GAGtClmB,KAAK6/F,UAAW,EAEhB7/F,KAAKqsD,UAAWrsD,KAAKgnD,OAAQ,sBAGvBhnD,KAAKgnD,OAAO1wC,SAAS8P,GAAIpmB,KAAKmgC,YACnCngC,KAAKgnD,OAAOvqC,SAAS0jB,SAAUngC,KAAKmgC,UAGpCngC,KAAKqvD,OAAO/4C,OAAStW,KAAK4nF,oBAI3B5nF,KAAKkhB,SAAWlhB,KAAKinF,iBAAmBjnF,KAAKknF,kBAAmBhhE,GAChElmB,KAAKmnF,cAAgBjhE,EAAM+pC,MAC3BjwD,KAAKonF,cAAgBlhE,EAAM8pC,MAC3BhwD,KAAK8/F,gBAAkB9/F,KAAK+mF,YAAc/mF,KAAKgoF,mBAAoB,YAEnEhoF,KAAKwkF,WAAYt+D,IAEV,CAER,EAEA65E,QAAS,SAAU75E,GAClB,IAAIoe,EAAItkC,KAAKc,QACZmpF,GAAW,EA6CZ,OA3CKjqF,KAAK8jE,aAAc,KAAQ9jE,KAAKuJ,SAAU,IACV,SAAnCvJ,KAAK8jE,aAAc,GAAI/xB,SAEjB/xC,KAAKgqF,eAAe7oE,IAAMnhB,KAAK8jE,aAAc,GAAI+G,aACtD3kD,EAAM8pC,MAAQ1rB,EAAEmhD,kBACjBzlF,KAAK8jE,aAAc,GAAIhnB,UACtBmtC,EAAWjqF,KAAK8jE,aAAc,GAAIhnB,UAAYxY,EAAEohD,YACtCx/D,EAAM8pC,MAAQhwD,KAAKgqF,eAAe7oE,IAAMmjB,EAAEmhD,oBACrDzlF,KAAK8jE,aAAc,GAAIhnB,UACtBmtC,EAAWjqF,KAAK8jE,aAAc,GAAIhnB,UAAYxY,EAAEohD,aAG3C1lF,KAAKgqF,eAAe5oE,KAAOphB,KAAK8jE,aAAc,GAAIriD,YACvDyE,EAAM+pC,MAAQ3rB,EAAEmhD,kBACjBzlF,KAAK8jE,aAAc,GAAIxU,WAAa26B,EACnCjqF,KAAK8jE,aAAc,GAAIxU,WAAahrB,EAAEohD,YAC5Bx/D,EAAM+pC,MAAQjwD,KAAKgqF,eAAe5oE,KAAOkjB,EAAEmhD,oBACtDzlF,KAAK8jE,aAAc,GAAIxU,WAAa26B,EACnCjqF,KAAK8jE,aAAc,GAAIxU,WAAahrB,EAAEohD,eAKnCx/D,EAAM8pC,MAAQhwD,KAAKuJ,SAASuzC,YAAcxY,EAAEmhD,kBAChDwE,EAAWjqF,KAAKuJ,SAASuzC,UAAW98C,KAAKuJ,SAASuzC,YAAcxY,EAAEohD,aACvD1lF,KAAKmE,OAAO6O,UAAakT,EAAM8pC,MAAQhwD,KAAKuJ,SAASuzC,aAC/DxY,EAAEmhD,oBACHwE,EAAWjqF,KAAKuJ,SAASuzC,UAAW98C,KAAKuJ,SAASuzC,YAAcxY,EAAEohD,cAG9Dx/D,EAAM+pC,MAAQjwD,KAAKuJ,SAAS+lD,aAAehrB,EAAEmhD,kBACjDwE,EAAWjqF,KAAKuJ,SAAS+lD,WACxBtvD,KAAKuJ,SAAS+lD,aAAehrB,EAAEohD,aAErB1lF,KAAKmE,OAAO4O,SAAYmT,EAAM+pC,MAAQjwD,KAAKuJ,SAAS+lD,cAC9DhrB,EAAEmhD,oBACHwE,EAAWjqF,KAAKuJ,SAAS+lD,WACxBtvD,KAAKuJ,SAAS+lD,aAAehrB,EAAEohD,eAM3BuE,CACR,EAEAzF,WAAY,SAAUt+D,GACrB,IAAIzU,EAAGkpB,EAAMqlE,EAAaC,EACzB37D,EAAItkC,KAAKc,QAiCV,IA9BAd,KAAKkhB,SAAWlhB,KAAKknF,kBAAmBhhE,GACxClmB,KAAK+mF,YAAc/mF,KAAKgoF,mBAAoB,YAGtChoF,KAAKc,QAAQgkF,MAA8B,MAAtB9kF,KAAKc,QAAQgkF,OACvC9kF,KAAKgnD,OAAQ,GAAIppC,MAAMwD,KAAOphB,KAAKkhB,SAASE,KAAO,MAE9CphB,KAAKc,QAAQgkF,MAA8B,MAAtB9kF,KAAKc,QAAQgkF,OACvC9kF,KAAKgnD,OAAQ,GAAIppC,MAAMuD,IAAMnhB,KAAKkhB,SAASC,IAAM,MAI7CmjB,EAAE4lC,SACyB,IAA1BlqE,KAAK+/F,QAAS75E,KAGlBlmB,KAAKkgG,uBAAuB,GAEvB5/F,EAAEunD,GAAG8+B,YAAcriD,EAAEkjD,eACzBlnF,EAAEunD,GAAG8+B,UAAUc,eAAgBznF,KAAMkmB,IAKxClmB,KAAKmgG,cAAgB,CACpBhvC,SAAUnxD,KAAKogG,4BACflvC,WAAYlxD,KAAKqgG,+BAIZ5uF,EAAIzR,KAAK4nE,MAAM5lE,OAAS,EAAGyP,GAAK,EAAGA,IAMxC,GAFAuuF,GADArlE,EAAO36B,KAAK4nE,MAAOn2D,IACAkpB,KAAM,IACzBslE,EAAejgG,KAAKsgG,uBAAwB3lE,KAYvCA,EAAKmY,WAAa9yC,KAAKo/F,oBAOvBY,IAAgBhgG,KAAK0pF,YAAa,IACtC1pF,KAAKs8D,YAA8B,IAAjB2jC,EAClB,OAAS,UAAY,KAAQD,GAC5B1/F,EAAEszC,SAAU5zC,KAAKs8D,YAAa,GAAK0jC,IACZ,iBAAtBhgG,KAAKc,QAAQmC,MACb3C,EAAEszC,SAAU5zC,KAAKw4B,QAAS,GAAKwnE,IAGhC,CAID,GAFAhgG,KAAK07D,UAA6B,IAAjBukC,EAAqB,OAAS,KAEf,YAA3BjgG,KAAKc,QAAQw0F,YAChBt1F,KAAKugG,qBAAsB5lE,GAG5B,MAFA36B,KAAKwgG,WAAYt6E,EAAOyU,GAKzB36B,KAAKgiC,SAAU,SAAU9b,EAAOlmB,KAAKioF,WACrC,KACD,CAeD,OAXAjoF,KAAKygG,mBAAoBv6E,GAGpB5lB,EAAEunD,GAAG8+B,WACTrmF,EAAEunD,GAAG8+B,UAAUZ,KAAM/lF,KAAMkmB,GAI5BlmB,KAAKgiC,SAAU,OAAQ9b,EAAOlmB,KAAKioF,WAEnCjoF,KAAK8/F,gBAAkB9/F,KAAK+mF,aACrB,CAER,EAEAtC,WAAY,SAAUv+D,EAAO6hE,GAE5B,GAAM7hE,EAAN,CASA,GAJK5lB,EAAEunD,GAAG8+B,YAAc3mF,KAAKc,QAAQ0mF,eACpClnF,EAAEunD,GAAG8+B,UAAUzyC,KAAMl0C,KAAMkmB,GAGvBlmB,KAAKc,QAAQwkF,OAAS,CAC1B,IAAIt6B,EAAOhrD,KACV22D,EAAM32D,KAAKs8D,YAAYjN,SACvBy1B,EAAO9kF,KAAKc,QAAQgkF,KACpBlpB,EAAY,CAAC,EAERkpB,GAAiB,MAATA,IACblpB,EAAUx6C,KAAOu1C,EAAIv1C,KAAOphB,KAAKqvD,OAAO/4C,OAAO8K,KAAOphB,KAAK2nF,QAAQvmE,MAChEphB,KAAK6mF,aAAc,KAAQ7mF,KAAKuJ,SAAU,GAAI5B,KAC/C,EACA3H,KAAK6mF,aAAc,GAAIv3B,aAGpBw1B,GAAiB,MAATA,IACblpB,EAAUz6C,IAAMw1C,EAAIx1C,IAAMnhB,KAAKqvD,OAAO/4C,OAAO6K,IAAMnhB,KAAK2nF,QAAQxmE,KAC7DnhB,KAAK6mF,aAAc,KAAQ7mF,KAAKuJ,SAAU,GAAI5B,KAC/C,EACA3H,KAAK6mF,aAAc,GAAI/pC,YAG1B98C,KAAKg/F,WAAY,EACjB1+F,EAAGN,KAAKgnD,QAASiT,QAChB2B,EACAr+C,SAAUvd,KAAKc,QAAQwkF,OAAQ,KAAQ,KACvC,WACCt6B,EAAKu8B,OAAQrhE,EACd,GAEF,MACClmB,KAAKunF,OAAQrhE,EAAO6hE,GAGrB,OAAO,CAvCP,CAyCD,EAEAj4E,OAAQ,WAEP,GAAK9P,KAAK6/F,SAAW,CAEpB7/F,KAAK2jF,SAAU,IAAIrjF,EAAE4sD,MAAO,UAAW,CAAEz/C,OAAQ,QAEpB,aAAxBzN,KAAKc,QAAQkmD,QACjBhnD,KAAK0pF,YAAYn1E,IAAKvU,KAAKopF,YAC3BppF,KAAKkrD,aAAclrD,KAAK0pF,YAAa,uBAErC1pF,KAAK0pF,YAAYroF,OAIlB,IAAM,IAAIoQ,EAAIzR,KAAK4/F,WAAW59F,OAAS,EAAGyP,GAAK,EAAGA,IACjDzR,KAAK4/F,WAAYnuF,GAAIuwB,SAAU,aAAc,KAAMhiC,KAAKioF,QAASjoF,OAC5DA,KAAK4/F,WAAYnuF,GAAI+3E,eAAegM,OACxCx1F,KAAK4/F,WAAYnuF,GAAIuwB,SAAU,MAAO,KAAMhiC,KAAKioF,QAASjoF,OAC1DA,KAAK4/F,WAAYnuF,GAAI+3E,eAAegM,KAAO,EAI9C,CA4BA,OA1BKx1F,KAAKs8D,cAIJt8D,KAAKs8D,YAAa,GAAItb,YAC1BhhD,KAAKs8D,YAAa,GAAItb,WAAWp/B,YAAa5hB,KAAKs8D,YAAa,IAEpC,aAAxBt8D,KAAKc,QAAQkmD,QAAyBhnD,KAAKgnD,QAC9ChnD,KAAKgnD,OAAQ,GAAIhG,YAClBhhD,KAAKgnD,OAAOtvC,SAGbpX,EAAEm3B,OAAQz3B,KAAM,CACfgnD,OAAQ,KACR64C,UAAU,EACVb,WAAW,EACX0B,aAAc,OAGV1gG,KAAKq/F,YAAYryD,KACrB1sC,EAAGN,KAAKq/F,YAAYryD,MAAOooC,MAAOp1E,KAAK0pF,aAEvCppF,EAAGN,KAAKq/F,YAAY/oF,QAASsiB,QAAS54B,KAAK0pF,cAItC1pF,IAER,EAEA2gG,UAAW,SAAUr8D,GAEpB,IAAIsjC,EAAQ5nE,KAAK4gG,kBAAmBt8D,GAAKA,EAAEu8D,WAC1CnmC,EAAM,GAiBP,OAhBAp2B,EAAIA,GAAK,CAAC,EAEVhkC,EAAGsnE,GAAQvnE,MAAM,WAChB,IAAIygG,GAAQxgG,EAAGgkC,EAAE3J,MAAQ36B,MAAO+V,KAAMuuB,EAAEqO,WAAa,OAAU,IAC7DjzB,MAAO4kB,EAAEy8D,YAAc,kBACpBD,GACJpmC,EAAIhtD,MACD42B,EAAEzgC,KAAOi9F,EAAK,GAAM,MACtB,KAAQx8D,EAAEzgC,KAAOygC,EAAEy8D,WAAaD,EAAK,GAAMA,EAAK,IAEnD,KAEMpmC,EAAI14D,QAAUsiC,EAAEzgC,KACrB62D,EAAIhtD,KAAM42B,EAAEzgC,IAAM,KAGZ62D,EAAIj5D,KAAM,IAElB,EAEAqyC,QAAS,SAAUxP,GAElB,IAAIsjC,EAAQ5nE,KAAK4gG,kBAAmBt8D,GAAKA,EAAEu8D,WAC1CrqC,EAAM,GAOP,OALAlyB,EAAIA,GAAK,CAAC,EAEVsjC,EAAMvnE,MAAM,WACXm2D,EAAI9oD,KAAMpN,EAAGgkC,EAAE3J,MAAQ36B,MAAO+V,KAAMuuB,EAAEqO,WAAa,OAAU,GAC9D,IACO6jB,CAER,EAGA+yB,gBAAiB,SAAU5uD,GAE1B,IAAI8vD,EAAKzqF,KAAK+mF,YAAY3lE,KACzB1P,EAAK+4E,EAAKzqF,KAAKsoF,kBAAkBv1E,MACjC23E,EAAK1qF,KAAK+mF,YAAY5lE,IACtBwpE,EAAKD,EAAK1qF,KAAKsoF,kBAAkBt1E,OACjCw4B,EAAI7Q,EAAKvZ,KACTojB,EAAIgH,EAAI7Q,EAAK5nB,MACb5Q,EAAIw4B,EAAKxZ,IACTtB,EAAI1d,EAAIw4B,EAAK3nB,OACbguF,EAAUhhG,KAAKqvD,OAAOl4C,MAAMgK,IAC5B8/E,EAAUjhG,KAAKqvD,OAAOl4C,MAAMiK,KAC5B8/E,EAA8C,MAAtBlhG,KAAKc,QAAQgkF,MAAsB4F,EAAKsW,EAAY7+F,GACzEuoF,EAAKsW,EAAYnhF,EACpBshF,EAA6C,MAAtBnhG,KAAKc,QAAQgkF,MAAsB2F,EAAKwW,EAAYz1D,GACxEi/C,EAAKwW,EAAYz8D,EACpB48D,EAAgBF,GAAuBC,EAExC,MAAgC,YAA3BnhG,KAAKc,QAAQw0F,WACjBt1F,KAAKc,QAAQugG,2BACgB,YAA3BrhG,KAAKc,QAAQw0F,WACdt1F,KAAKsoF,kBAAmBtoF,KAAKshG,SAAW,QAAU,UAClD3mE,EAAM36B,KAAKshG,SAAW,QAAU,UAE1BF,EAGE51D,EAAIi/C,EAAOzqF,KAAKsoF,kBAAkBv1E,MAAQ,GAClDrB,EAAO1R,KAAKsoF,kBAAkBv1E,MAAQ,EAAMyxB,GAC5CriC,EAAIuoF,EAAO1qF,KAAKsoF,kBAAkBt1E,OAAS,GAC3C23E,EAAO3qF,KAAKsoF,kBAAkBt1E,OAAS,EAAM6M,CAGhD,EAEAygF,uBAAwB,SAAU3lE,GACjC,IAAI4mE,EAAmBC,EACtBN,EAA8C,MAAtBlhG,KAAKc,QAAQgkF,MACpC9kF,KAAK4+F,YACJ5+F,KAAK+mF,YAAY5lE,IAAMnhB,KAAKqvD,OAAOl4C,MAAMgK,IAAKwZ,EAAKxZ,IAAKwZ,EAAK3nB,QAC/DmuF,EAA6C,MAAtBnhG,KAAKc,QAAQgkF,MACnC9kF,KAAK4+F,YACJ5+F,KAAK+mF,YAAY3lE,KAAOphB,KAAKqvD,OAAOl4C,MAAMiK,KAAMuZ,EAAKvZ,KAAMuZ,EAAK5nB,OAGnE,SAFiBmuF,IAAuBC,KAMxCI,EAAoBvhG,KAAKmgG,cAAchvC,SACvCqwC,EAAsBxhG,KAAKmgG,cAAcjvC,WAElClxD,KAAKshG,SACiB,UAAxBE,GAAyD,SAAtBD,EAAiC,EAAI,EAC1EA,IAA6C,SAAtBA,EAA+B,EAAI,GAE9D,EAEAhB,qBAAsB,SAAU5lE,GAE/B,IAAI8mE,EAAmBzhG,KAAK4+F,YAAa5+F,KAAK+mF,YAAY5lE,IACxDnhB,KAAKqvD,OAAOl4C,MAAMgK,IAAKwZ,EAAKxZ,IAAQwZ,EAAK3nB,OAAS,EAAK2nB,EAAK3nB,QAC7D0uF,EAAkB1hG,KAAK4+F,YAAa5+F,KAAK+mF,YAAY3lE,KACpDphB,KAAKqvD,OAAOl4C,MAAMiK,KAAMuZ,EAAKvZ,KAASuZ,EAAK5nB,MAAQ,EAAK4nB,EAAK5nB,OAC9DwuF,EAAoBvhG,KAAKmgG,cAAchvC,SACvCqwC,EAAsBxhG,KAAKmgG,cAAcjvC,WAE1C,OAAKlxD,KAAKshG,UAAYE,EACc,UAAxBA,GAAmCE,GACnB,SAAxBF,IAAmCE,EAE/BH,IAA+C,SAAtBA,GAAgCE,GACvC,OAAtBF,IAA+BE,EAGpC,EAEArB,0BAA2B,WAC1B,IAAIrP,EAAQ/wF,KAAK+mF,YAAY5lE,IAAMnhB,KAAK8/F,gBAAgB3+E,IACxD,OAAiB,IAAV4vE,IAAiBA,EAAQ,EAAI,OAAS,KAC9C,EAEAsP,4BAA6B,WAC5B,IAAItP,EAAQ/wF,KAAK+mF,YAAY3lE,KAAOphB,KAAK8/F,gBAAgB1+E,KACzD,OAAiB,IAAV2vE,IAAiBA,EAAQ,EAAI,QAAU,OAC/C,EAEAlvB,QAAS,SAAU37C,GAIlB,OAHAlmB,KAAKi/F,cAAe/4E,GACpBlmB,KAAKimF,sBACLjmF,KAAKqlF,mBACErlF,IACR,EAEA2hG,aAAc,WACb,IAAI7gG,EAAUd,KAAKc,QACnB,OAAOA,EAAQw9F,YAAYrwD,cAAgBrkB,OAC1C,CAAE9oB,EAAQw9F,aACVx9F,EAAQw9F,WACV,EAEAsC,kBAAmB,SAAUC,GAE5B,IAAIpvF,EAAGD,EAAGmlD,EAAKvC,EACdwT,EAAQ,GACRg6B,EAAU,GACVtD,EAAct+F,KAAK2hG,eAEpB,GAAKrD,GAAeuC,EACnB,IAAMpvF,EAAI6sF,EAAYt8F,OAAS,EAAGyP,GAAK,EAAGA,IAEzC,IAAMD,GADNmlD,EAAMr2D,EAAGg+F,EAAa7sF,GAAKzR,KAAKuJ,SAAU,KAC5BvH,OAAS,EAAGwP,GAAK,EAAGA,KACjC4iD,EAAO9zD,EAAE+C,KAAMszD,EAAKnlD,GAAKxR,KAAKqpD,kBACjB+K,IAASp0D,OAASo0D,EAAKtzD,QAAQopD,UAC3C03C,EAAQl0F,KAAM,CAAgC,mBAAvB0mD,EAAKtzD,QAAQ8mE,MACnCxT,EAAKtzD,QAAQ8mE,MAAMjnE,KAAMyzD,EAAK57B,SAC9Bl4B,EAAG8zD,EAAKtzD,QAAQ8mE,MAAOxT,EAAK57B,SAC1BwzB,IAAK,uBACLA,IAAK,4BAA8BoI,IAa1C,SAASytC,IACRj6B,EAAMl6D,KAAM1N,KACb,CACA,IAVA4hG,EAAQl0F,KAAM,CAAgC,mBAAvB1N,KAAKc,QAAQ8mE,MACnC5nE,KAAKc,QAAQ8mE,MACXjnE,KAAMX,KAAKw4B,QAAS,KAAM,CAAE13B,QAASd,KAAKc,QAAS65B,KAAM36B,KAAK0pF,cAChEppF,EAAGN,KAAKc,QAAQ8mE,MAAO5nE,KAAKw4B,SAC1BwzB,IAAK,uBACLA,IAAK,4BAA8BhsD,OAKhCyR,EAAImwF,EAAQ5/F,OAAS,EAAGyP,GAAK,EAAGA,IACrCmwF,EAASnwF,GAAK,GAAIpR,KAAMwhG,GAGzB,OAAOvhG,EAAGsnE,EAEX,EAEAs3B,yBAA0B,WAEzB,IAAIlkE,EAAOh7B,KAAK0pF,YAAY3nF,KAAM,SAAW/B,KAAKopD,WAAa,UAE/DppD,KAAK4nE,MAAQtnE,EAAE6tE,KAAMnuE,KAAK4nE,OAAO,SAAUjtC,GAC1C,IAAM,IAAInpB,EAAI,EAAGA,EAAIwpB,EAAKh5B,OAAQwP,IACjC,GAAKwpB,EAAMxpB,KAAQmpB,EAAKA,KAAM,GAC7B,OAAO,EAGT,OAAO,CACR,GAED,EAEAskE,cAAe,SAAU/4E,GAExBlmB,KAAK4nE,MAAQ,GACb5nE,KAAK4/F,WAAa,CAAE5/F,MAEpB,IAAIyR,EAAGD,EAAGmlD,EAAKvC,EAAM0tC,EAAYC,EAAUpnE,EAAMqnE,EAChDp6B,EAAQ5nE,KAAK4nE,MACbg6B,EAAU,CAAE,CAAgC,mBAAvB5hG,KAAKc,QAAQ8mE,MACjC5nE,KAAKc,QAAQ8mE,MAAMjnE,KAAMX,KAAKw4B,QAAS,GAAKtS,EAAO,CAAEyU,KAAM36B,KAAK0pF,cAChEppF,EAAGN,KAAKc,QAAQ8mE,MAAO5nE,KAAKw4B,SAAWx4B,OACxCs+F,EAAct+F,KAAK2hG,eAGpB,GAAKrD,GAAet+F,KAAKq+F,MACxB,IAAM5sF,EAAI6sF,EAAYt8F,OAAS,EAAGyP,GAAK,EAAGA,IAEzC,IAAMD,GADNmlD,EAAMr2D,EAAGg+F,EAAa7sF,GAAKzR,KAAKuJ,SAAU,KAC5BvH,OAAS,EAAGwP,GAAK,EAAGA,KACjC4iD,EAAO9zD,EAAE+C,KAAMszD,EAAKnlD,GAAKxR,KAAKqpD,kBACjB+K,IAASp0D,OAASo0D,EAAKtzD,QAAQopD,WAC3C03C,EAAQl0F,KAAM,CAAgC,mBAAvB0mD,EAAKtzD,QAAQ8mE,MACnCxT,EAAKtzD,QAAQ8mE,MACXjnE,KAAMyzD,EAAK57B,QAAS,GAAKtS,EAAO,CAAEyU,KAAM36B,KAAK0pF,cAC/CppF,EAAG8zD,EAAKtzD,QAAQ8mE,MAAOxT,EAAK57B,SAAW47B,IACxCp0D,KAAK4/F,WAAWlyF,KAAM0mD,IAM1B,IAAM3iD,EAAImwF,EAAQ5/F,OAAS,EAAGyP,GAAK,EAAGA,IAIrC,IAHAqwF,EAAaF,EAASnwF,GAAK,GAGrBD,EAAI,EAAGwwF,GAFbD,EAAWH,EAASnwF,GAAK,IAEazP,OAAQwP,EAAIwwF,EAAexwF,KAChEmpB,EAAOr6B,EAAGyhG,EAAUvwF,KAGfnO,KAAMrD,KAAKopD,WAAa,QAAS04C,GAEtCl6B,EAAMl6D,KAAM,CACXitB,KAAMA,EACNmY,SAAUgvD,EACV/uF,MAAO,EAAGC,OAAQ,EAClBoO,KAAM,EAAGD,IAAK,GAKlB,EAEA++E,sBAAuB,SAAU+B,GAChC,IAAIxwF,EAAGkpB,EAAMx4B,EAAGke,EAEhB,IAAM5O,EAAIzR,KAAK4nE,MAAM5lE,OAAS,EAAGyP,GAAK,EAAGA,IACxCkpB,EAAO36B,KAAK4nE,MAAOn2D,GAGdzR,KAAKo/F,kBAAoBzkE,EAAKmY,WAAa9yC,KAAKo/F,kBACnDzkE,EAAKA,KAAM,KAAQ36B,KAAK0pF,YAAa,KAIvCvnF,EAAInC,KAAKc,QAAQohG,iBAChB5hG,EAAGN,KAAKc,QAAQohG,iBAAkBvnE,EAAKA,MACvCA,EAAKA,KAEAsnE,IACLtnE,EAAK5nB,MAAQ5Q,EAAEslC,aACf9M,EAAK3nB,OAAS7Q,EAAEygC,eAGjBviB,EAAIle,EAAEktD,SACN10B,EAAKvZ,KAAOf,EAAEe,KACduZ,EAAKxZ,IAAMd,EAAEc,IAEf,EAEAkkE,iBAAkB,SAAU4c,GAe3B,IAAIxwF,EAAG4O,EAEP,GAdArgB,KAAKshG,WAAWthG,KAAK4nE,MAAM5lE,SACJ,MAAtBhC,KAAKc,QAAQgkF,MAAgB9kF,KAAK6+F,YAAa7+F,KAAK4nE,MAAO,GAAIjtC,OAK3D36B,KAAK6mF,cAAgB7mF,KAAKgnD,SAC9BhnD,KAAKqvD,OAAO/4C,OAAStW,KAAK4nF,oBAG3B5nF,KAAKkgG,sBAAuB+B,GAIvBjiG,KAAKc,QAAQy1F,QAAUv2F,KAAKc,QAAQy1F,OAAO4L,kBAC/CniG,KAAKc,QAAQy1F,OAAO4L,kBAAkBxhG,KAAMX,WAE5C,IAAMyR,EAAIzR,KAAK4/F,WAAW59F,OAAS,EAAGyP,GAAK,EAAGA,IAC7C4O,EAAIrgB,KAAK4/F,WAAYnuF,GAAI+mB,QAAQ62B,SACjCrvD,KAAK4/F,WAAYnuF,GAAI+3E,eAAepoE,KAAOf,EAAEe,KAC7CphB,KAAK4/F,WAAYnuF,GAAI+3E,eAAeroE,IAAMd,EAAEc,IAC5CnhB,KAAK4/F,WAAYnuF,GAAI+3E,eAAez2E,MACnC/S,KAAK4/F,WAAYnuF,GAAI+mB,QAAQiP,aAC9BznC,KAAK4/F,WAAYnuF,GAAI+3E,eAAex2E,OACnChT,KAAK4/F,WAAYnuF,GAAI+mB,QAAQoK,cAIhC,OAAO5iC,IACR,EAEAs/F,mBAAoB,SAAUt0C,GAE7B,IAAI/vB,EAAW0mB,EACdrd,GAFD0mB,EAAOA,GAAQhrD,MAELc,QAEJwjC,EAAEg4B,aAAeh4B,EAAEg4B,YAAYruB,cAAgBrkB,SACpDqR,EAAYqJ,EAAEg4B,YACd3a,EAAWqJ,EAAK0+B,YAAa,GAAI/nC,SAASrkC,cAC1CgnB,EAAEg4B,YAAc,CACf9jC,QAAS,WAER,IAAIA,EAAUl4B,EAAG,IAAMqhD,EAAW,IAAKqJ,EAAKzhD,SAAU,IAqBtD,OAnBAyhD,EAAKqB,UAAW7zB,EAAS,0BACvByC,GAAa+vB,EAAK0+B,YAAa,GAAIzuD,WACnCiwB,aAAc1yB,EAAS,sBAEP,UAAbmpB,EACJqJ,EAAKo3C,qBACJp3C,EAAK0+B,YAAY3nF,KAAM,MAAO4hE,GAAI,GAClCrjE,EAAG,OAAQ0qD,EAAKzhD,SAAU,IAAM42B,SAAU3H,IAEnB,OAAbmpB,EACXqJ,EAAKo3C,qBAAsBp3C,EAAK0+B,YAAalxD,GACrB,QAAbmpB,GACXnpB,EAAQziB,KAAM,MAAOi1C,EAAK0+B,YAAY3zE,KAAM,QAGvCklB,GACLzC,EAAQjkB,IAAK,aAAc,UAGrBikB,CACR,EACA/zB,OAAQ,SAAU8yB,EAAWlX,GAMvB4a,IAAcqJ,EAAEk6D,uBAWfn+E,EAAErN,YAAcsxB,EAAEk6D,sBACP,UAAb78C,GAAqC,OAAbA,IAC3BthC,EAAErN,OACDg4C,EAAK0+B,YAAY3rB,cACjBxgD,SAAUytC,EAAK0+B,YAAYn1E,IAAK,eAAkB,EAAG,IACrDgJ,SAAUytC,EAAK0+B,YAAYn1E,IAAK,kBAAqB,EAAG,KAEpD8L,EAAEtN,SACPsN,EAAEtN,MACDi4C,EAAK0+B,YAAY1rB,aACjBzgD,SAAUytC,EAAK0+B,YAAYn1E,IAAK,gBAAmB,EAAG,IACtDgJ,SAAUytC,EAAK0+B,YAAYn1E,IAAK,iBAAoB,EAAG,KAE1D,IAKFy2C,EAAKsR,YAAch8D,EAAGgkC,EAAEg4B,YAAY9jC,QAAQ73B,KAAMqqD,EAAKxyB,QAASwyB,EAAK0+B,cAGrE1+B,EAAK0+B,YAAYtU,MAAOpqB,EAAKsR,aAG7Bh4B,EAAEg4B,YAAY73D,OAAQumD,EAAMA,EAAKsR,YAElC,EAEA8lC,qBAAsB,SAAUC,EAAUC,GACzC,IAAIt3C,EAAOhrD,KAEXqiG,EAAS9rF,WAAWlW,MAAM,WACzBC,EAAG,kBAAmB0qD,EAAKzhD,SAAU,IACnCwM,KAAM,UAAWzV,EAAGN,MAAO+V,KAAM,YAAe,GAChDoqB,SAAUmiE,EACb,GACD,EAEA7B,mBAAoB,SAAUv6E,GAC7B,IAAIzU,EAAGD,EAAG+wF,EAAMC,EAAuBC,EAAaC,EAAc/rC,EAAKgsC,EACtErB,EAAUxc,EACV8d,EAAqB,KACrBC,EAAiB,KAGlB,IAAMpxF,EAAIzR,KAAK4/F,WAAW59F,OAAS,EAAGyP,GAAK,EAAGA,IAG7C,IAAKnR,EAAEszC,SAAU5zC,KAAK0pF,YAAa,GAAK1pF,KAAK4/F,WAAYnuF,GAAI+mB,QAAS,IAItE,GAAKx4B,KAAKupF,gBAAiBvpF,KAAK4/F,WAAYnuF,GAAI+3E,gBAAmB,CAGlE,GAAKoZ,GACHtiG,EAAEszC,SACD5zC,KAAK4/F,WAAYnuF,GAAI+mB,QAAS,GAC9BoqE,EAAmBpqE,QAAS,IAC9B,SAGDoqE,EAAqB5iG,KAAK4/F,WAAYnuF,GACtCoxF,EAAiBpxF,CAElB,MAGMzR,KAAK4/F,WAAYnuF,GAAI+3E,eAAegM,OACxCx1F,KAAK4/F,WAAYnuF,GAAIuwB,SAAU,MAAO9b,EAAOlmB,KAAKioF,QAASjoF,OAC3DA,KAAK4/F,WAAYnuF,GAAI+3E,eAAegM,KAAO,GAO9C,GAAMoN,EAKN,GAAgC,IAA3B5iG,KAAK4/F,WAAW59F,OACdhC,KAAK4/F,WAAYiD,GAAiBrZ,eAAegM,OACtDx1F,KAAK4/F,WAAYiD,GAAiB7gE,SAAU,OAAQ9b,EAAOlmB,KAAKioF,QAASjoF,OACzEA,KAAK4/F,WAAYiD,GAAiBrZ,eAAegM,KAAO,OAEnD,CAWN,IAPA+M,EAAO,IACPC,EAAwB,KAExBC,GADAnB,EAAWsB,EAAmBtB,UAAYthG,KAAK6+F,YAAa7+F,KAAK0pF,cACxC,OAAS,MAClCgZ,EAAepB,EAAW,QAAU,SACpCxc,EAAOwc,EAAW,QAAU,QAEtB9vF,EAAIxR,KAAK4nE,MAAM5lE,OAAS,EAAGwP,GAAK,EAAGA,IAClClR,EAAEszC,SACN5zC,KAAK4/F,WAAYiD,GAAiBrqE,QAAS,GAAKx4B,KAAK4nE,MAAOp2D,GAAImpB,KAAM,KAInE36B,KAAK4nE,MAAOp2D,GAAImpB,KAAM,KAAQ36B,KAAK0pF,YAAa,KAIrD/yB,EAAM32D,KAAK4nE,MAAOp2D,GAAImpB,KAAK00B,SAAUozC,GACrCE,GAAa,EACRz8E,EAAO4+D,GAASnuB,EAAM32D,KAAK4nE,MAAOp2D,GAAKkxF,GAAiB,IAC5DC,GAAa,GAGT/xF,KAAK0B,IAAK4T,EAAO4+D,GAASnuB,GAAQ4rC,IACtCA,EAAO3xF,KAAK0B,IAAK4T,EAAO4+D,GAASnuB,GACjC6rC,EAAwBxiG,KAAK4nE,MAAOp2D,GACpCxR,KAAK07D,UAAYinC,EAAa,KAAO,SAKvC,IAAMH,IAA0BxiG,KAAKc,QAAQy9F,YAC5C,OAGD,GAAKv+F,KAAKo/F,mBAAqBp/F,KAAK4/F,WAAYiD,GAK/C,YAJM7iG,KAAKo/F,iBAAiB5V,eAAegM,OAC1Cx1F,KAAK4/F,WAAYiD,GAAiB7gE,SAAU,OAAQ9b,EAAOlmB,KAAKioF,WAChEjoF,KAAKo/F,iBAAiB5V,eAAegM,KAAO,IAKzCgN,EACJxiG,KAAKwgG,WAAYt6E,EAAOs8E,EAAuB,MAAM,GAErDxiG,KAAKwgG,WAAYt6E,EAAO,KAAMlmB,KAAK4/F,WAAYiD,GAAiBrqE,SAAS,GAE1Ex4B,KAAKgiC,SAAU,SAAU9b,EAAOlmB,KAAKioF,WACrCjoF,KAAK4/F,WAAYiD,GAAiB7gE,SAAU,SAAU9b,EAAOlmB,KAAKioF,QAASjoF,OAC3EA,KAAKo/F,iBAAmBp/F,KAAK4/F,WAAYiD,GAGzC7iG,KAAKc,QAAQw7D,YAAY73D,OAAQzE,KAAKo/F,iBAAkBp/F,KAAKs8D,aAG7Dt8D,KAAK8jE,aAAe9jE,KAAKs8D,YAAYwH,eAGhC9jE,KAAK8jE,aAAc,KAAQ9jE,KAAKuJ,SAAU,IACV,SAAnCvJ,KAAK8jE,aAAc,GAAI/xB,UACxB/xC,KAAKgqF,eAAiBhqF,KAAK8jE,aAAazU,UAGzCrvD,KAAK4/F,WAAYiD,GAAiB7gE,SAAU,OAAQ9b,EAAOlmB,KAAKioF,QAASjoF,OACzEA,KAAK4/F,WAAYiD,GAAiBrZ,eAAegM,KAAO,CACzD,CAED,EAEA/O,cAAe,SAAUvgE,GAExB,IAAIoe,EAAItkC,KAAKc,QACZkmD,EAA6B,mBAAb1iB,EAAE0iB,OACjB1mD,EAAGgkC,EAAE0iB,OAAOtsC,MAAO1a,KAAKw4B,QAAS,GAAK,CAAEtS,EAAOlmB,KAAK0pF,eACrC,UAAbplD,EAAE0iB,OAAqBhnD,KAAK0pF,YAAYr2E,QAAUrT,KAAK0pF,YAwB3D,OArBM1iC,EAAO4c,QAAS,QAAS5hE,QAC9BhC,KAAKmgC,SAAU,GAAI5e,YAAaylC,EAAQ,IAGpCA,EAAQ,KAAQhnD,KAAK0pF,YAAa,KACtC1pF,KAAKopF,WAAa,CACjBr2E,MAAO/S,KAAK0pF,YAAa,GAAI9rE,MAAM7K,MACnCC,OAAQhT,KAAK0pF,YAAa,GAAI9rE,MAAM5K,OACpCkO,SAAUlhB,KAAK0pF,YAAYn1E,IAAK,YAChC4M,IAAKnhB,KAAK0pF,YAAYn1E,IAAK,OAC3B6M,KAAMphB,KAAK0pF,YAAYn1E,IAAK,UAIxByyC,EAAQ,GAAIppC,MAAM7K,QAASuxB,EAAEm6D,iBAClCz3C,EAAOj0C,MAAO/S,KAAK0pF,YAAY32E,SAE1Bi0C,EAAQ,GAAIppC,MAAM5K,SAAUsxB,EAAEm6D,iBACnCz3C,EAAOh0C,OAAQhT,KAAK0pF,YAAY12E,UAG1Bg0C,CAER,EAEAqgC,wBAAyB,SAAUt9C,GACd,iBAARA,IACXA,EAAMA,EAAIvoC,MAAO,MAEb+8B,MAAMC,QAASuL,KACnBA,EAAM,CAAE3oB,MAAO2oB,EAAK,GAAK5oB,KAAM4oB,EAAK,IAAO,IAEvC,SAAUA,IACd/pC,KAAKqvD,OAAOl4C,MAAMiK,KAAO2oB,EAAI3oB,KAAOphB,KAAK2nF,QAAQvmE,MAE7C,UAAW2oB,IACf/pC,KAAKqvD,OAAOl4C,MAAMiK,KAAOphB,KAAKsoF,kBAAkBv1E,MAAQg3B,EAAIgnB,MAAQ/wD,KAAK2nF,QAAQvmE,MAE7E,QAAS2oB,IACb/pC,KAAKqvD,OAAOl4C,MAAMgK,IAAM4oB,EAAI5oB,IAAMnhB,KAAK2nF,QAAQxmE,KAE3C,WAAY4oB,IAChB/pC,KAAKqvD,OAAOl4C,MAAMgK,IAAMnhB,KAAKsoF,kBAAkBt1E,OAAS+2B,EAAIinB,OAAShxD,KAAK2nF,QAAQxmE,IAEpF,EAEAymE,iBAAkB,WAGjB5nF,KAAK6mF,aAAe7mF,KAAKgnD,OAAO6/B,eAChC,IAAI2B,EAAKxoF,KAAK6mF,aAAax3B,SAuB3B,MAd0B,aAArBrvD,KAAKu8D,aAA8Bv8D,KAAK8jE,aAAc,KAAQ9jE,KAAKuJ,SAAU,IAChFjJ,EAAEszC,SAAU5zC,KAAK8jE,aAAc,GAAK9jE,KAAK6mF,aAAc,MACxD2B,EAAGpnE,MAAQphB,KAAK8jE,aAAaxU,aAC7Bk5B,EAAGrnE,KAAOnhB,KAAK8jE,aAAahnB,cAKxB98C,KAAK6mF,aAAc,KAAQ7mF,KAAKuJ,SAAU,GAAI5B,MAC/C3H,KAAK6mF,aAAc,GAAI90C,SACwB,SAAjD/xC,KAAK6mF,aAAc,GAAI90C,QAAQz0B,eAA4Bhd,EAAEunD,GAAGo7B,MACjEuF,EAAK,CAAErnE,IAAK,EAAGC,KAAM,IAGf,CACND,IAAKqnE,EAAGrnE,KAAQ5D,SAAUvd,KAAK6mF,aAAatyE,IAAK,kBAAoB,KAAQ,GAC7E6M,KAAMonE,EAAGpnE,MAAS7D,SAAUvd,KAAK6mF,aAAatyE,IAAK,mBAAqB,KAAQ,GAGlF,EAEAuzE,mBAAoB,WAEnB,GAA0B,aAArB9nF,KAAKu8D,YAA6B,CACtC,IAAIl8C,EAAIrgB,KAAK0pF,YAAYxoE,WACzB,MAAO,CACNC,IAAKd,EAAEc,KAAQ5D,SAAUvd,KAAKgnD,OAAOzyC,IAAK,OAAS,KAAQ,GAC1DvU,KAAK8jE,aAAahnB,YACnB17B,KAAMf,EAAEe,MAAS7D,SAAUvd,KAAKgnD,OAAOzyC,IAAK,QAAU,KAAQ,GAC7DvU,KAAK8jE,aAAaxU,aAErB,CACC,MAAO,CAAEnuC,IAAK,EAAGC,KAAM,EAGzB,EAEAwlE,cAAe,WACd5mF,KAAK2nF,QAAU,CACdvmE,KAAQ7D,SAAUvd,KAAK0pF,YAAYn1E,IAAK,cAAgB,KAAQ,EAChE4M,IAAO5D,SAAUvd,KAAK0pF,YAAYn1E,IAAK,aAAe,KAAQ,EAEhE,EAEAmyE,wBAAyB,WACxB1mF,KAAKsoF,kBAAoB,CACxBv1E,MAAO/S,KAAKgnD,OAAOvf,aACnBz0B,OAAQhT,KAAKgnD,OAAOpkB,cAEtB,EAEA0kD,gBAAiB,WAEhB,IAAIqB,EAAIG,EAAI0M,EACXlxD,EAAItkC,KAAKc,QACa,WAAlBwjC,EAAE0gD,cACN1gD,EAAE0gD,YAAchlF,KAAKgnD,OAAQ,GAAIhG,YAEX,aAAlB1c,EAAE0gD,aAAgD,WAAlB1gD,EAAE0gD,cACtChlF,KAAKglF,YAAc,CAClB,EAAIhlF,KAAKqvD,OAAOw4B,SAASzmE,KAAOphB,KAAKqvD,OAAO/4C,OAAO8K,KACnD,EAAIphB,KAAKqvD,OAAOw4B,SAAS1mE,IAAMnhB,KAAKqvD,OAAO/4C,OAAO6K,IAChC,aAAlBmjB,EAAE0gD,YACDhlF,KAAKuJ,SAASwJ,QACd/S,KAAKmE,OAAO4O,QAAU/S,KAAKsoF,kBAAkBv1E,MAAQ/S,KAAK2nF,QAAQvmE,MAC/C,aAAlBkjB,EAAE0gD,YACDhlF,KAAKuJ,SAASyJ,UAAYzJ,SAAS5B,KAAKq5C,WAAWiO,aACrDjvD,KAAKmE,OAAO6O,UAAYhT,KAAKuJ,SAAU,GAAI5B,KAAKq5C,WAAWiO,cACxDjvD,KAAKsoF,kBAAkBt1E,OAAShT,KAAK2nF,QAAQxmE,MAI7C,6BAAiCooB,KAAMjF,EAAE0gD,eAC9C2D,EAAKroF,EAAGgkC,EAAE0gD,aAAe,GACzB8D,EAAKxoF,EAAGgkC,EAAE0gD,aAAc31B,SACxBmmC,EAAuC,WAA9Bl1F,EAAGqoF,GAAKp0E,IAAK,YAEtBvU,KAAKglF,YAAc,CAClB8D,EAAG1nE,MAAS7D,SAAUjd,EAAGqoF,GAAKp0E,IAAK,mBAAqB,KAAQ,IAC7DgJ,SAAUjd,EAAGqoF,GAAKp0E,IAAK,eAAiB,KAAQ,GAAMvU,KAAK2nF,QAAQvmE,KACtE0nE,EAAG3nE,KAAQ5D,SAAUjd,EAAGqoF,GAAKp0E,IAAK,kBAAoB,KAAQ,IAC3DgJ,SAAUjd,EAAGqoF,GAAKp0E,IAAK,cAAgB,KAAQ,GAAMvU,KAAK2nF,QAAQxmE,IACrE2nE,EAAG1nE,MAASo0E,EAAO5kF,KAAKkC,IAAK61E,EAAG14D,YAAa04D,EAAGlnE,aAAgBknE,EAAGlnE,cAChElE,SAAUjd,EAAGqoF,GAAKp0E,IAAK,mBAAqB,KAAQ,IACpDgJ,SAAUjd,EAAGqoF,GAAKp0E,IAAK,gBAAkB,KAAQ,GACnDvU,KAAKsoF,kBAAkBv1E,MAAQ/S,KAAK2nF,QAAQvmE,KAC7C0nE,EAAG3nE,KAAQq0E,EAAO5kF,KAAKkC,IAAK61E,EAAG15B,aAAc05B,EAAG9d,cAAiB8d,EAAG9d,eACjEttD,SAAUjd,EAAGqoF,GAAKp0E,IAAK,kBAAoB,KAAQ,IACnDgJ,SAAUjd,EAAGqoF,GAAKp0E,IAAK,iBAAmB,KAAQ,GACpDvU,KAAKsoF,kBAAkBt1E,OAAShT,KAAK2nF,QAAQxmE,KAIjD,EAEA6mE,mBAAoB,SAAUnuC,EAAGt7B,GAE1BA,IACLA,EAAMve,KAAKkhB,UAEZ,IAAI2yC,EAAY,aAANha,EAAmB,GAAK,EACjCqwB,EAA8B,aAArBlqE,KAAKu8D,aACVv8D,KAAK8jE,aAAc,KAAQ9jE,KAAKuJ,SAAU,IAC7CjJ,EAAEszC,SAAU5zC,KAAK8jE,aAAc,GAAK9jE,KAAK6mF,aAAc,IAEtD7mF,KAAK8jE,aADL9jE,KAAK6mF,aAEP4B,EAAmB,eAAmBl/C,KAAM2gC,EAAQ,GAAIn4B,SAEzD,MAAO,CACN5wB,IAGC5C,EAAI4C,IAGJnhB,KAAKqvD,OAAOw4B,SAAS1mE,IAAM0yC,EAG3B7zD,KAAKqvD,OAAO/4C,OAAO6K,IAAM0yC,GACA,UAArB7zD,KAAKu8D,aACPv8D,KAAK8jE,aAAahnB,YACjB2rC,EAAmB,EAAIve,EAAOptB,aAAkB+W,EAEpDzyC,KAGC7C,EAAI6C,KAGJphB,KAAKqvD,OAAOw4B,SAASzmE,KAAOyyC,EAG5B7zD,KAAKqvD,OAAO/4C,OAAO8K,KAAOyyC,GACD,UAArB7zD,KAAKu8D,aACPv8D,KAAK8jE,aAAaxU,aAAem5B,EAAmB,EACrDve,EAAO5a,cAAiBuE,EAI5B,EAEAqzB,kBAAmB,SAAUhhE,GAE5B,IAAI/E,EAAKC,EACRkjB,EAAItkC,KAAKc,QACTmvD,EAAQ/pC,EAAM+pC,MACdD,EAAQ9pC,EAAM8pC,MACdka,EAA8B,aAArBlqE,KAAKu8D,aACVv8D,KAAK8jE,aAAc,KAAQ9jE,KAAKuJ,SAAU,IAC7CjJ,EAAEszC,SAAU5zC,KAAK8jE,aAAc,GAAK9jE,KAAK6mF,aAAc,IAEtD7mF,KAAK8jE,aADL9jE,KAAK6mF,aAEN4B,EAAmB,eAAmBl/C,KAAM2gC,EAAQ,GAAIn4B,SAyD1D,MAnD0B,aAArB/xC,KAAKu8D,aAAiCv8D,KAAK8jE,aAAc,KAAQ9jE,KAAKuJ,SAAU,IACnFvJ,KAAK8jE,aAAc,KAAQ9jE,KAAK6mF,aAAc,KAC/C7mF,KAAKqvD,OAAOw4B,SAAW7nF,KAAK8nF,sBAQxB9nF,KAAKinF,mBAEJjnF,KAAKglF,cACJ9+D,EAAM+pC,MAAQjwD,KAAKqvD,OAAOl4C,MAAMiK,KAAOphB,KAAKglF,YAAa,KAC7D/0B,EAAQjwD,KAAKglF,YAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMiK,MAE9C8E,EAAM8pC,MAAQhwD,KAAKqvD,OAAOl4C,MAAMgK,IAAMnhB,KAAKglF,YAAa,KAC5Dh1B,EAAQhwD,KAAKglF,YAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMgK,KAE9C+E,EAAM+pC,MAAQjwD,KAAKqvD,OAAOl4C,MAAMiK,KAAOphB,KAAKglF,YAAa,KAC7D/0B,EAAQjwD,KAAKglF,YAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMiK,MAE9C8E,EAAM8pC,MAAQhwD,KAAKqvD,OAAOl4C,MAAMgK,IAAMnhB,KAAKglF,YAAa,KAC5Dh1B,EAAQhwD,KAAKglF,YAAa,GAAMhlF,KAAKqvD,OAAOl4C,MAAMgK,MAI/CmjB,EAAE4gD,OACN/jE,EAAMnhB,KAAKonF,cAAgBx2E,KAAKC,OAASm/C,EAAQhwD,KAAKonF,eACrD9iD,EAAE4gD,KAAM,IAAQ5gD,EAAE4gD,KAAM,GACzBl1B,EAAQhwD,KAAKglF,YACR7jE,EAAMnhB,KAAKqvD,OAAOl4C,MAAMgK,KAAOnhB,KAAKglF,YAAa,IACpD7jE,EAAMnhB,KAAKqvD,OAAOl4C,MAAMgK,KAAOnhB,KAAKglF,YAAa,GAChD7jE,EACIA,EAAMnhB,KAAKqvD,OAAOl4C,MAAMgK,KAAOnhB,KAAKglF,YAAa,GACpD7jE,EAAMmjB,EAAE4gD,KAAM,GAAM/jE,EAAMmjB,EAAE4gD,KAAM,GAClC/jE,EAEJC,EAAOphB,KAAKmnF,cAAgBv2E,KAAKC,OAASo/C,EAAQjwD,KAAKmnF,eACtD7iD,EAAE4gD,KAAM,IAAQ5gD,EAAE4gD,KAAM,GACzBj1B,EAAQjwD,KAAKglF,YACR5jE,EAAOphB,KAAKqvD,OAAOl4C,MAAMiK,MAAQphB,KAAKglF,YAAa,IACtD5jE,EAAOphB,KAAKqvD,OAAOl4C,MAAMiK,MAAQphB,KAAKglF,YAAa,GAClD5jE,EACIA,EAAOphB,KAAKqvD,OAAOl4C,MAAMiK,MAAQphB,KAAKglF,YAAa,GACtD5jE,EAAOkjB,EAAE4gD,KAAM,GAAM9jE,EAAOkjB,EAAE4gD,KAAM,GACpC9jE,IAKC,CACND,IAGC6uC,EAGAhwD,KAAKqvD,OAAOl4C,MAAMgK,IAGlBnhB,KAAKqvD,OAAOw4B,SAAS1mE,IAGrBnhB,KAAKqvD,OAAO/4C,OAAO6K,KACM,UAArBnhB,KAAKu8D,aACPv8D,KAAK8jE,aAAahnB,YACjB2rC,EAAmB,EAAIve,EAAOptB,aAElC17B,KAGC6uC,EAGAjwD,KAAKqvD,OAAOl4C,MAAMiK,KAGlBphB,KAAKqvD,OAAOw4B,SAASzmE,KAGrBphB,KAAKqvD,OAAO/4C,OAAO8K,MACM,UAArBphB,KAAKu8D,aACPv8D,KAAK8jE,aAAaxU,aACnBm5B,EAAmB,EAAIve,EAAO5a,cAIlC,EAEAkxC,WAAY,SAAUt6E,EAAOzU,EAAG2Q,EAAG0gF,GAE7B1gF,EACJA,EAAG,GAAIb,YAAavhB,KAAKs8D,YAAa,IAEtC7qD,EAAEkpB,KAAM,GAAIqmB,WAAW3f,aAAcrhC,KAAKs8D,YAAa,GACjC,SAAnBt8D,KAAK07D,UAAuBjqD,EAAEkpB,KAAM,GAAMlpB,EAAEkpB,KAAM,GAAIooE,aAS1D/iG,KAAKuxB,QAAUvxB,KAAKuxB,UAAYvxB,KAAKuxB,QAAU,EAC/C,IAAIA,EAAUvxB,KAAKuxB,QAEnBvxB,KAAK2sD,QAAQ,WACPp7B,IAAYvxB,KAAKuxB,SAGrBvxB,KAAKqlF,kBAAmByd,EAE1B,GAED,EAEAvb,OAAQ,SAAUrhE,EAAO6hE,GAExB/nF,KAAKg/F,WAAY,EAIjB,IAAIvtF,EACHuxF,EAAkB,GAUnB,IALMhjG,KAAK0gG,cAAgB1gG,KAAK0pF,YAAYpzE,SAAStU,QACpDhC,KAAKs8D,YAAYq2B,OAAQ3yF,KAAK0pF,aAE/B1pF,KAAK0gG,aAAe,KAEf1gG,KAAKgnD,OAAQ,KAAQhnD,KAAK0pF,YAAa,GAAM,CACjD,IAAMj4E,KAAKzR,KAAKopF,WACe,SAAzBppF,KAAKopF,WAAY33E,IAA2C,WAAzBzR,KAAKopF,WAAY33E,KACxDzR,KAAKopF,WAAY33E,GAAM,IAGzBzR,KAAK0pF,YAAYn1E,IAAKvU,KAAKopF,YAC3BppF,KAAKkrD,aAAclrD,KAAK0pF,YAAa,qBACtC,MACC1pF,KAAK0pF,YAAYroF,OAwClB,SAAS4hG,EAAYhgG,EAAM6vC,EAAUvb,GACpC,OAAO,SAAUrR,GAChBqR,EAAUyK,SAAU/+B,EAAMijB,EAAO4sB,EAASm1C,QAASn1C,GACpD,CACD,CACA,IA1CK9yC,KAAK2pF,cAAgB5B,GACzBib,EAAgBt1F,MAAM,SAAUwY,GAC/BlmB,KAAKgiC,SAAU,UAAW9b,EAAOlmB,KAAKioF,QAASjoF,KAAK2pF,aACrD,KAEM3pF,KAAK2pF,aACV3pF,KAAKq/F,YAAYryD,OACjBhtC,KAAK0pF,YAAY18C,OAAOgf,IAAK,uBAAyB,IACtDhsD,KAAKq/F,YAAY/oF,SAAWtW,KAAK0pF,YAAYpzE,SAAU,IAAUyxE,GAGlEib,EAAgBt1F,MAAM,SAAUwY,GAC/BlmB,KAAKgiC,SAAU,SAAU9b,EAAOlmB,KAAKioF,UACtC,IAKIjoF,OAASA,KAAKo/F,mBACZrX,IACLib,EAAgBt1F,MAAM,SAAUwY,GAC/BlmB,KAAKgiC,SAAU,SAAU9b,EAAOlmB,KAAKioF,UACtC,IACA+a,EAAgBt1F,KAAM,SAAYuG,GACjC,OAAO,SAAUiS,GAChBjS,EAAE+tB,SAAU,UAAW9b,EAAOlmB,KAAKioF,QAASjoF,MAC7C,CACC,EAAEW,KAAMX,KAAMA,KAAKo/F,mBACrB4D,EAAgBt1F,KAAM,SAAYuG,GACjC,OAAO,SAAUiS,GAChBjS,EAAE+tB,SAAU,SAAU9b,EAAOlmB,KAAKioF,QAASjoF,MAC5C,CACC,EAAEW,KAAMX,KAAMA,KAAKo/F,qBAUjB3tF,EAAIzR,KAAK4/F,WAAW59F,OAAS,EAAGyP,GAAK,EAAGA,IACvCs2E,GACLib,EAAgBt1F,KAAMu1F,EAAY,aAAcjjG,KAAMA,KAAK4/F,WAAYnuF,KAEnEzR,KAAK4/F,WAAYnuF,GAAI+3E,eAAegM,OACxCwN,EAAgBt1F,KAAMu1F,EAAY,MAAOjjG,KAAMA,KAAK4/F,WAAYnuF,KAChEzR,KAAK4/F,WAAYnuF,GAAI+3E,eAAegM,KAAO,GAiC7C,GA5BKx1F,KAAKu/F,eACTv/F,KAAKuJ,SAASxH,KAAM,QAASwS,IAAK,SAAUvU,KAAKu/F,cACjDv/F,KAAKw/F,iBAAiB9nF,UAElB1X,KAAK0/F,gBACT1/F,KAAKgnD,OAAOzyC,IAAK,UAAWvU,KAAK0/F,gBAE7B1/F,KAAKy/F,eACTz/F,KAAKgnD,OAAOzyC,IAAK,SAAiC,SAAvBvU,KAAKy/F,cAA2B,GAAKz/F,KAAKy/F,eAGtEz/F,KAAK6/F,UAAW,EAEV9X,GACL/nF,KAAKgiC,SAAU,aAAc9b,EAAOlmB,KAAKioF,WAK1CjoF,KAAKs8D,YAAa,GAAItb,WAAWp/B,YAAa5hB,KAAKs8D,YAAa,IAE1Dt8D,KAAK+oF,sBACL/oF,KAAKgnD,OAAQ,KAAQhnD,KAAK0pF,YAAa,IAC3C1pF,KAAKgnD,OAAOtvC,SAEb1X,KAAKgnD,OAAS,OAGT+gC,EAAgB,CACrB,IAAMt2E,EAAI,EAAGA,EAAIuxF,EAAgBhhG,OAAQyP,IAGxCuxF,EAAiBvxF,GAAI9Q,KAAMX,KAAMkmB,GAElClmB,KAAKgiC,SAAU,OAAQ9b,EAAOlmB,KAAKioF,UACpC,CAGA,OADAjoF,KAAK2pF,aAAc,GACX3pF,KAAK+oF,mBAEd,EAEA/mD,SAAU,YACqD,IAAzD1hC,EAAEmoD,OAAOx/C,UAAU+4B,SAAStnB,MAAO1a,KAAM6K,YAC7C7K,KAAK8P,QAEP,EAEAm4E,QAAS,SAAUib,GAClB,IAAI9uC,EAAO8uC,GAASljG,KACpB,MAAO,CACNgnD,OAAQoN,EAAKpN,OACbsV,YAAalI,EAAKkI,aAAeh8D,EAAG,IACpC4gB,SAAUkzC,EAAKlzC,SACf+lE,iBAAkB7yB,EAAK6yB,iBACvB53B,OAAQ+E,EAAK2yB,YACbpsD,KAAMy5B,EAAKs1B,YACXyZ,OAAQD,EAAQA,EAAM1qE,QAAU,KAElC,IAmCDl4B,EAAEqjC,OAAQ,aAAc,CACvB/a,QAAS,SACTqhC,eAAgB,UAChBd,kBAAmB,OACnBroD,QAAS,CACRoW,QAAS,CACR,aAAc,gBACd,kBAAmB,eACnB,gBAAiB,gBAElBksF,QAAS,KACT7+B,MAAO,CACNvF,KAAM,uBACND,GAAI,wBAELskC,aAAa,EACbvwF,IAAK,KACLwC,IAAK,KACLguF,aAAc,KACdC,KAAM,GACNv+D,KAAM,EAENkmC,OAAQ,KACRs4B,KAAM,KACNt9D,MAAO,KACP1qB,KAAM,MAGPslB,QAAS,WAGR9gC,KAAKiiC,WAAY,MAAOjiC,KAAKc,QAAQgS,KACrC9S,KAAKiiC,WAAY,MAAOjiC,KAAKc,QAAQwU,KACrCtV,KAAKiiC,WAAY,OAAQjiC,KAAKc,QAAQkkC,MAIhB,KAAjBhlC,KAAKgE,SAGThE,KAAKgsE,OAAQhsE,KAAKw4B,QAAQ8J,OAAO,GAGlCtiC,KAAKyjG,QACLzjG,KAAKyqD,IAAKzqD,KAAKwpC,SACfxpC,KAAKmlE,WAKLnlE,KAAKyqD,IAAKzqD,KAAKmE,OAAQ,CACtByoE,aAAc,WACb5sE,KAAKw4B,QAAQ8I,WAAY,eAC1B,GAEF,EAEAupB,kBAAmB,WAClB,IAAI/pD,EAAUd,KAAKy+C,SACfjmB,EAAUx4B,KAAKw4B,QASnB,OAPAl4B,EAAED,KAAM,CAAE,MAAO,MAAO,SAAU,SAAUoR,EAAGu4C,GAC9C,IAAIhmD,EAAQw0B,EAAQziB,KAAMi0C,GACZ,MAAThmD,GAAiBA,EAAMhC,SAC3BlB,EAASkpD,GAAWhmD,EAEtB,IAEOlD,CACR,EAEA0oC,QAAS,CACRg9B,QAAS,SAAUtgD,GACblmB,KAAKk8F,OAAQh2E,IAAWlmB,KAAKylE,SAAUv/C,IAC3CA,EAAMC,gBAER,EACAi4E,MAAO,QACPtvE,MAAO,WACN9uB,KAAKwtC,SAAWxtC,KAAKw4B,QAAQ8J,KAC9B,EACAwlC,KAAM,SAAU5hD,GACVlmB,KAAK0jG,kBACF1jG,KAAK0jG,YAIb1jG,KAAKq8F,QACLr8F,KAAKmlE,WACAnlE,KAAKwtC,WAAaxtC,KAAKw4B,QAAQ8J,OACnCtiC,KAAKgiC,SAAU,SAAU9b,GAE3B,EACAy9E,WAAY,SAAUz9E,EAAO6qE,GAC5B,IAAI71B,EAAgB56D,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,IAG3D,GAFevJ,KAAKw4B,QAAS,KAAQ0iC,GAElB61B,EAAnB,CAIA,IAAM/wF,KAAK4jG,WAAa5jG,KAAKk8F,OAAQh2E,GACpC,OAAO,EAGRlmB,KAAK6jG,OAAS9S,EAAQ,EAAI,GAAK,GAAM/wF,KAAKc,QAAQkkC,KAAM9e,GACxD+Q,aAAcj3B,KAAK8jG,iBACnB9jG,KAAK8jG,gBAAkB9jG,KAAK2sD,QAAQ,WAC9B3sD,KAAK4jG,UACT5jG,KAAKq8F,MAAOn2E,EAEd,GAAG,KACHA,EAAMC,gBAbN,CAcD,EACA,+BAAgC,SAAUD,GACzC,IAAIsnB,EASJ,SAASu2D,IACO/jG,KAAKw4B,QAAS,KAAQl4B,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,MAE3EvJ,KAAKw4B,QAAQ91B,QAAS,SACtB1C,KAAKwtC,SAAWA,EAKhBxtC,KAAK2sD,QAAQ,WACZ3sD,KAAKwtC,SAAWA,CACjB,IAEF,CAfAA,EAAWxtC,KAAKw4B,QAAS,KAAQl4B,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,IACvEvJ,KAAKwtC,SAAWxtC,KAAKw4B,QAAQ8J,MAiB9Bpc,EAAMC,iBACN49E,EAAWpjG,KAAMX,MAMjBA,KAAK0jG,YAAa,EAClB1jG,KAAK2sD,QAAQ,kBACL3sD,KAAK0jG,WACZK,EAAWpjG,KAAMX,KAClB,KAE8B,IAAzBA,KAAKk8F,OAAQh2E,IAIlBlmB,KAAKgkG,QAAS,KAAM1jG,EAAG4lB,EAAM45B,eAC3BznB,SAAU,iBAAoB,GAAK,EAAGnS,EACzC,EACA,6BAA8B,QAC9B,gCAAiC,SAAUA,GAG1C,GAAM5lB,EAAG4lB,EAAM45B,eAAgBznB,SAAU,mBAIzC,OAA8B,IAAzBr4B,KAAKk8F,OAAQh2E,SAGlBlmB,KAAKgkG,QAAS,KAAM1jG,EAAG4lB,EAAM45B,eAC3BznB,SAAU,iBAAoB,GAAK,EAAGnS,EACzC,EAKA,gCAAiC,SAIlCqtD,SAAU,WACTvzE,KAAKikG,UAAYjkG,KAAKw4B,QACpBziB,KAAM,eAAgB,OACtBolD,KAAM,UACN7kD,SAGCN,OACA,iBAEJ,EAEAytF,MAAO,WACNzjG,KAAKuzE,WAELvzE,KAAKqsD,UAAWrsD,KAAKikG,UAAW,aAAc,+BAC9CjkG,KAAKqsD,UAAW,oBAEhBrsD,KAAKw4B,QAAQziB,KAAM,OAAQ,cAG3B/V,KAAK4K,QAAU5K,KAAKikG,UAAU1tF,SAAU,KACtCR,KAAM,YAAa,GACnBA,KAAM,eAAe,GACrB5I,OAAQ,CACR+J,QAAS,CACR,YAAa,MAKhBlX,KAAKkrD,aAAclrD,KAAK4K,QAAS,iBAEjC5K,KAAKqsD,UAAWrsD,KAAK4K,QAAQ0lC,QAAS,mCACtCtwC,KAAKqsD,UAAWrsD,KAAK4K,QAAQupC,OAAQ,qCACrCn0C,KAAK4K,QAAQ0lC,QAAQnjC,OAAQ,CAC5B,KAAQnN,KAAKc,QAAQyjE,MAAMxF,GAC3B,WAAa,IAEd/+D,KAAK4K,QAAQupC,OAAOhnC,OAAQ,CAC3B,KAAQnN,KAAKc,QAAQyjE,MAAMvF,KAC3B,WAAa,IAKTh/D,KAAK4K,QAAQoI,SAAWpC,KAAKU,KAAgC,GAA1BtR,KAAKikG,UAAUjxF,WACrDhT,KAAKikG,UAAUjxF,SAAW,GAC3BhT,KAAKikG,UAAUjxF,OAAQhT,KAAKikG,UAAUjxF,SAExC,EAEAyyD,SAAU,SAAUv/C,GACnB,IAAIplB,EAAUd,KAAKc,QAClB4gC,EAAUphC,EAAEunD,GAAGnmB,QAEhB,OAASxb,EAAMwb,SACf,KAAKA,EAAQ6hC,GAEZ,OADAvjE,KAAKgkG,QAAS,KAAM,EAAG99E,IAChB,EACR,KAAKwb,EAAQihC,KAEZ,OADA3iE,KAAKgkG,QAAS,MAAO,EAAG99E,IACjB,EACR,KAAKwb,EAAQwhC,QAEZ,OADAljE,KAAKgkG,QAAS,KAAMljG,EAAQyiG,KAAMr9E,IAC3B,EACR,KAAKwb,EAAQuhC,UAEZ,OADAjjE,KAAKgkG,QAAS,MAAOljG,EAAQyiG,KAAMr9E,IAC5B,EAGR,OAAO,CACR,EAEAg2E,OAAQ,SAAUh2E,GACjB,SAAMlmB,KAAK4jG,WAAgD,IAApC5jG,KAAKgiC,SAAU,QAAS9b,KAIzClmB,KAAKuxB,UACVvxB,KAAKuxB,QAAU,GAEhBvxB,KAAK4jG,UAAW,EACT,GACR,EAEAI,QAAS,SAAUvyF,EAAGmzB,EAAO1e,GAC5BzU,EAAIA,GAAK,IAETwlB,aAAcj3B,KAAKglB,OACnBhlB,KAAKglB,MAAQhlB,KAAK2sD,QAAQ,WACzB3sD,KAAKgkG,QAAS,GAAIp/D,EAAO1e,EAC1B,GAAGzU,GAEHzR,KAAK6jG,MAAOj/D,EAAQ5kC,KAAKc,QAAQkkC,KAAM9e,EACxC,EAEA29E,MAAO,SAAU7+D,EAAM9e,GACtB,IAAIliB,EAAQhE,KAAKgE,SAAW,EAEtBhE,KAAKuxB,UACVvxB,KAAKuxB,QAAU,GAGhBvtB,EAAQhE,KAAKkkG,aAAclgG,EAAQghC,EAAOhlC,KAAKmkG,WAAYnkG,KAAKuxB,UAE1DvxB,KAAK4jG,WAAiE,IAArD5jG,KAAKgiC,SAAU,OAAQ9b,EAAO,CAAEliB,MAAOA,MAC7DhE,KAAKgsE,OAAQhoE,GACbhE,KAAKuxB,UAEP,EAEA4yE,WAAY,SAAU1yF,GACrB,IAAI4xF,EAAcrjG,KAAKc,QAAQuiG,YAE/B,OAAKA,EAC0B,mBAAhBA,EACbA,EAAa5xF,GACbb,KAAKwB,MAAOX,EAAIA,EAAIA,EAAI,IAAQA,EAAIA,EAAI,IAAM,GAAKA,EAAI,IAAM,GAGxD,CACR,EAEAgsF,WAAY,WACX,IAAIC,EAAY19F,KAAK29F,aAAc39F,KAAKc,QAAQkkC,MAIhD,OAH0B,OAArBhlC,KAAKc,QAAQwU,MACjBooF,EAAY9sF,KAAKkC,IAAK4qF,EAAW19F,KAAK29F,aAAc39F,KAAKc,QAAQwU,OAE3DooF,CACR,EAEAC,aAAc,SAAUjkD,GACvB,IAAIghB,EAAMhhB,EAAIn4C,WACbq8F,EAAUljC,EAAIh1D,QAAS,KACxB,OAAoB,IAAbk4F,EAAiB,EAAIljC,EAAI14D,OAAS47F,EAAU,CACpD,EAEAsG,aAAc,SAAUlgG,GACvB,IAAIgqC,EAAMo2D,EACTtjG,EAAUd,KAAKc,QAiBhB,OAZAsjG,EAAWpgG,GADXgqC,EAAuB,OAAhBltC,EAAQwU,IAAexU,EAAQwU,IAAM,GAO5CtR,EAAQgqC,GAHRo2D,EAAWxzF,KAAKC,MAAOuzF,EAAWtjG,EAAQkkC,MAASlkC,EAAQkkC,MAM3DhhC,EAAQ2b,WAAY3b,EAAMivD,QAASjzD,KAAKy9F,eAGnB,OAAhB38F,EAAQgS,KAAgB9O,EAAQlD,EAAQgS,IACrChS,EAAQgS,IAEK,OAAhBhS,EAAQwU,KAAgBtR,EAAQlD,EAAQwU,IACrCxU,EAAQwU,IAGTtR,CACR,EAEAq4F,MAAO,SAAUn2E,GACVlmB,KAAK4jG,WAIX3sE,aAAcj3B,KAAKglB,OACnBiS,aAAcj3B,KAAK8jG,iBACnB9jG,KAAKuxB,QAAU,EACfvxB,KAAK4jG,UAAW,EAChB5jG,KAAKgiC,SAAU,OAAQ9b,GACxB,EAEA+b,WAAY,SAAUp+B,EAAKG,GAC1B,IAAIqgG,EAAW/zD,EAAO6D,EAEtB,GAAa,YAARtwC,GAA6B,iBAARA,EAIzB,OAHAwgG,EAAYrkG,KAAKskG,OAAQtkG,KAAKw4B,QAAQ8J,OACtCtiC,KAAKc,QAAS+C,GAAQG,OACtBhE,KAAKw4B,QAAQ8J,IAAKtiC,KAAKukG,QAASF,IAIpB,QAARxgG,GAAyB,QAARA,GAAyB,SAARA,GAChB,iBAAVG,IACXA,EAAQhE,KAAKskG,OAAQtgG,IAGV,UAARH,IACJysC,EAAQtwC,KAAK4K,QAAQ0lC,QAAQvuC,KAAM,YACnC/B,KAAKkrD,aAAc5a,EAAO,KAAMtwC,KAAKc,QAAQyjE,MAAMxF,IACnD/+D,KAAKqsD,UAAW/b,EAAO,KAAMtsC,EAAM+6D,IACnC5qB,EAAOn0C,KAAK4K,QAAQupC,OAAOpyC,KAAM,YACjC/B,KAAKkrD,aAAc/W,EAAM,KAAMn0C,KAAKc,QAAQyjE,MAAMvF,MAClDh/D,KAAKqsD,UAAWlY,EAAM,KAAMnwC,EAAMg7D,OAGnCh/D,KAAKy+C,OAAQ56C,EAAKG,EACnB,EAEA8mD,mBAAoB,SAAU9mD,GAC7BhE,KAAKy+C,OAAQz6C,GAEbhE,KAAKyrD,aAAczrD,KAAKikG,UAAW,KAAM,sBAAuBjgG,GAChEhE,KAAKw4B,QAAQviB,KAAM,aAAcjS,GACjChE,KAAK4K,QAAQuC,OAAQnJ,EAAQ,UAAY,SAC1C,EAEA49B,YAAauhD,GAAiB,SAAUriF,GACvCd,KAAKy+C,OAAQ39C,EACd,IAEAwjG,OAAQ,SAAUhiE,GAKjB,MAJoB,iBAARA,GAA4B,KAARA,IAC/BA,EAAMn+B,OAAOqgG,WAAaxkG,KAAKc,QAAQwiG,aACtCkB,UAAU7kF,WAAY2iB,EAAK,GAAItiC,KAAKc,QAAQsiG,UAAa9gE,GAE5C,KAARA,GAAc5Y,MAAO4Y,GAAQ,KAAOA,CAC5C,EAEAiiE,QAAS,SAAUvgG,GAClB,MAAe,KAAVA,EACG,GAEDG,OAAOqgG,WAAaxkG,KAAKc,QAAQwiG,aACvCkB,UAAUjkF,OAAQvc,EAAOhE,KAAKc,QAAQwiG,aAActjG,KAAKc,QAAQsiG,SACjEp/F,CACF,EAEAmhE,SAAU,WACTnlE,KAAKw4B,QAAQziB,KAAM,CAClB,gBAAiB/V,KAAKc,QAAQwU,IAC9B,gBAAiBtV,KAAKc,QAAQgS,IAG9B,gBAAiB9S,KAAKskG,OAAQtkG,KAAKw4B,QAAQ8J,QAE7C,EAEA4L,QAAS,WACR,IAAIlqC,EAAQhE,KAAKgE,QAGjB,OAAe,OAAVA,GAKEA,IAAUhE,KAAKkkG,aAAclgG,EACrC,EAGAgoE,OAAQ,SAAUhoE,EAAOygG,GACxB,IAAIjwC,EACW,KAAVxwD,GAEY,QADhBwwD,EAASx0D,KAAKskG,OAAQtgG,MAEfygG,IACLjwC,EAASx0D,KAAKkkG,aAAc1vC,IAE7BxwD,EAAQhE,KAAKukG,QAAS/vC,IAGxBx0D,KAAKw4B,QAAQ8J,IAAKt+B,GAClBhE,KAAKmlE,UACN,EAEAla,SAAU,WACTjrD,KAAKw4B,QACHviB,KAAM,YAAY,GAClBqrB,WAAY,+DAEdthC,KAAKikG,UAAU3oC,YAAat7D,KAAKw4B,QAClC,EAEAksE,OAAQvhB,GAAiB,SAAUv+C,GAClC5kC,KAAK2kG,QAAS//D,EACf,IACA+/D,QAAS,SAAU//D,GACb5kC,KAAKk8F,WACTl8F,KAAK6jG,OAASj/D,GAAS,GAAM5kC,KAAKc,QAAQkkC,MAC1ChlC,KAAKq8F,QAEP,EAEAuI,SAAUzhB,GAAiB,SAAUv+C,GACpC5kC,KAAK6kG,UAAWjgE,EACjB,IACAigE,UAAW,SAAUjgE,GACf5kC,KAAKk8F,WACTl8F,KAAK6jG,OAASj/D,GAAS,IAAO5kC,KAAKc,QAAQkkC,MAC3ChlC,KAAKq8F,QAEP,EAEAyI,OAAQ3hB,GAAiB,SAAU4hB,GAClC/kG,KAAK2kG,SAAWI,GAAS,GAAM/kG,KAAKc,QAAQyiG,KAC7C,IAEAyB,SAAU7hB,GAAiB,SAAU4hB,GACpC/kG,KAAK6kG,WAAaE,GAAS,GAAM/kG,KAAKc,QAAQyiG,KAC/C,IAEAv/F,MAAO,SAAU+4F,GAChB,IAAMlyF,UAAU7I,OACf,OAAOhC,KAAKskG,OAAQtkG,KAAKw4B,QAAQ8J,OAElC6gD,EAAiBnjF,KAAKgsE,QAASrrE,KAAMX,KAAM+8F,EAC5C,EAEAp5D,OAAQ,WACP,OAAO3jC,KAAKikG,SACb,KAKuB,IAAnB3jG,EAAEq6D,cAGNr6D,EAAEqjC,OAAQ,aAAcrjC,EAAEunD,GAAGo9C,QAAS,CACrC1xB,SAAU,WACTvzE,KAAKikG,UAAYjkG,KAAKw4B,QACpBziB,KAAM,eAAgB,OACtBolD,KAAMn7D,KAAKklG,kBACX5uF,SAGCN,OAAQhW,KAAKmlG,cACjB,EACAD,eAAgB,WACf,MAAO,QACR,EAEAC,YAAa,WACZ,MAAO,gBACR,IAImB7kG,EAAEunD,GAAGo9C,QAsB1B3kG,EAAEqjC,OAAQ,UAAW,CACpB/a,QAAS,SACT/M,MAAO,IACP/a,QAAS,CACRwvB,OAAQ,KACRpZ,QAAS,CACR,UAAW,gBACX,cAAe,gBACf,gBAAiB,mBACjB,cAAe,iBAEhBktD,aAAa,EACbl+C,MAAO,QACPo+C,YAAa,UACbrkE,KAAM,KACNoB,KAAM,KAGNmiC,SAAU,KACVihC,eAAgB,KAChB2gC,WAAY,KACZvqF,KAAM,MAGPwqF,UACKniB,EAAQ,OAEL,SAAUoiB,GAChB,IAAIC,EAAWC,EAEfD,EAAYD,EAAOpgG,KAAKoP,QAAS4uE,EAAO,IACxCsiB,EAActoF,SAAShY,KAAKoP,QAAS4uE,EAAO,IAG5C,IACCqiB,EAAY79E,mBAAoB69E,EACjC,CAAE,MAAQ7kG,GAAS,CACnB,IACC8kG,EAAc99E,mBAAoB89E,EACnC,CAAE,MAAQ9kG,GAAS,CAEnB,OAAO4kG,EAAOpnF,KAAKlc,OAAS,GAAKujG,IAAcC,CAChD,GAGD1kE,QAAS,WACR,IAAIkqB,EAAOhrD,KACVc,EAAUd,KAAKc,QAEhBd,KAAKylG,SAAU,EAEfzlG,KAAKqsD,UAAW,UAAW,+BAC3BrsD,KAAKyrD,aAAc,sBAAuB,KAAM3qD,EAAQsjE,aAExDpkE,KAAK0lG,eACL5kG,EAAQwvB,OAAStwB,KAAK2lG,iBAIjBpnE,MAAMC,QAAS19B,EAAQopD,YAC3BppD,EAAQopD,SAAW5pD,EAAEyrD,WAAYjrD,EAAQopD,SAAS7pB,OACjD//B,EAAEyM,IAAK/M,KAAK4lG,KAAKx3F,OAAQ,uBAAwB,SAAUisF,GAC1D,OAAOrvC,EAAK46C,KAAK99D,MAAOuyD,EACzB,MACG9qD,SAIwB,IAAxBvvC,KAAKc,QAAQwvB,QAAoBtwB,KAAK6lG,QAAQ7jG,OAClDhC,KAAKswB,OAAStwB,KAAKomE,YAAatlE,EAAQwvB,QAExCtwB,KAAKswB,OAAShwB,IAGfN,KAAKmlE,WAEAnlE,KAAKswB,OAAOtuB,QAChBhC,KAAK6a,KAAM/Z,EAAQwvB,OAErB,EAEAq1E,eAAgB,WACf,IAAIr1E,EAAStwB,KAAKc,QAAQwvB,OACzB8zC,EAAcpkE,KAAKc,QAAQsjE,YAC3B0hC,EAAe5oF,SAASgB,KAAKy/D,UAAW,GAsCzC,OApCgB,OAAXrtD,IAGCw1E,GACJ9lG,KAAK4lG,KAAKvlG,MAAM,SAAUoR,EAAGs0F,GAC5B,GAAKzlG,EAAGylG,GAAMhwF,KAAM,mBAAsB+vF,EAEzC,OADAx1E,EAAS7e,GACF,CAET,IAIe,OAAX6e,IACJA,EAAStwB,KAAK4lG,KAAK99D,MAAO9nC,KAAK4lG,KAAKx3F,OAAQ,qBAI7B,OAAXkiB,IAA+B,IAAZA,IACvBA,IAAStwB,KAAK4lG,KAAK5jG,QAAS,KAKd,IAAXsuB,IAEa,KADjBA,EAAStwB,KAAK4lG,KAAK99D,MAAO9nC,KAAK4lG,KAAKjiC,GAAIrzC,OAEvCA,GAAS8zC,GAAsB,IAK3BA,IAA0B,IAAX9zC,GAAoBtwB,KAAK6lG,QAAQ7jG,SACrDsuB,EAAS,GAGHA,CACR,EAEAy6B,oBAAqB,WACpB,MAAO,CACNg7C,IAAK/lG,KAAKswB,OACV80C,MAAQplE,KAAKswB,OAAOtuB,OAAehC,KAAKgmG,gBAAiBhmG,KAAKswB,QAAjChwB,IAE/B,EAEA2lG,YAAa,SAAU//E,GACtB,IAAIggF,EAAa5lG,EAAGA,EAAEunD,GAAG6f,kBAAmB1nE,KAAKuJ,SAAU,KAAQqO,QAAS,MAC3E4kE,EAAgBx8E,KAAK4lG,KAAK99D,MAAOo+D,GACjCC,GAAe,EAEhB,IAAKnmG,KAAKomG,eAAgBlgF,GAA1B,CAIA,OAASA,EAAMwb,SACf,KAAKphC,EAAEunD,GAAGnmB,QAAQ0hC,MAClB,KAAK9iE,EAAEunD,GAAGnmB,QAAQihC,KACjB6Z,IACA,MACD,KAAKl8E,EAAEunD,GAAGnmB,QAAQ6hC,GAClB,KAAKjjE,EAAEunD,GAAGnmB,QAAQshC,KACjBmjC,GAAe,EACf3pB,IACA,MACD,KAAKl8E,EAAEunD,GAAGnmB,QAAQkhC,IACjB4Z,EAAgBx8E,KAAK6lG,QAAQ7jG,OAAS,EACtC,MACD,KAAK1B,EAAEunD,GAAGnmB,QAAQqhC,KACjByZ,EAAgB,EAChB,MACD,KAAKl8E,EAAEunD,GAAGnmB,QAAQ2hC,MAMjB,OAHAn9C,EAAMC,iBACN8Q,aAAcj3B,KAAKqmG,iBACnBrmG,KAAKwlE,UAAWgX,GAEjB,KAAKl8E,EAAEunD,GAAGnmB,QAAQmhC,MAQjB,OALA38C,EAAMC,iBACN8Q,aAAcj3B,KAAKqmG,iBAGnBrmG,KAAKwlE,UAAWgX,IAAkBx8E,KAAKc,QAAQwvB,QAAiBksD,GAEjE,QACC,OAIDt2D,EAAMC,iBACN8Q,aAAcj3B,KAAKqmG,YACnB7pB,EAAgBx8E,KAAKsmG,cAAe9pB,EAAe2pB,GAG7CjgF,EAAMy/C,SAAYz/C,EAAMknD,UAK7B84B,EAAWnwF,KAAM,gBAAiB,SAClC/V,KAAK4lG,KAAKjiC,GAAI6Y,GAAgBzmE,KAAM,gBAAiB,QAErD/V,KAAKqmG,WAAarmG,KAAK2sD,QAAQ,WAC9B3sD,KAAKgqD,OAAQ,SAAUwyB,EACxB,GAAGx8E,KAAK6b,OAtDT,CAwDD,EAEA0qF,cAAe,SAAUrgF,GACnBlmB,KAAKomG,eAAgBlgF,IAKrBA,EAAMy/C,SAAWz/C,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQ6hC,KACpDr9C,EAAMC,iBACNnmB,KAAKswB,OAAO5tB,QAAS,SAEvB,EAGA0jG,eAAgB,SAAUlgF,GACzB,OAAKA,EAAMw/C,QAAUx/C,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQwhC,SACnDljE,KAAKwlE,UAAWxlE,KAAKsmG,cAAetmG,KAAKc,QAAQwvB,OAAS,GAAG,KACtD,GAEHpK,EAAMw/C,QAAUx/C,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQuhC,WACnDjjE,KAAKwlE,UAAWxlE,KAAKsmG,cAAetmG,KAAKc,QAAQwvB,OAAS,GAAG,KACtD,QAFR,CAID,EAEAk2E,aAAc,SAAU1+D,EAAOq+D,GAC9B,IAAIM,EAAezmG,KAAK4lG,KAAK5jG,OAAS,EAYtC,MAA6D,IAArD1B,EAAE6rD,SATJrkB,EAAQ2+D,IACZ3+D,EAAQ,GAEJA,EAAQ,IACZA,EAAQ2+D,GAEF3+D,GAGwB9nC,KAAKc,QAAQopD,WAC5CpiB,EAAQq+D,EAAer+D,EAAQ,EAAIA,EAAQ,EAG5C,OAAOA,CACR,EAEAw+D,cAAe,SAAUx+D,EAAOq+D,GAG/B,OAFAr+D,EAAQ9nC,KAAKwmG,aAAc1+D,EAAOq+D,GAClCnmG,KAAK4lG,KAAKjiC,GAAI77B,GAAQplC,QAAS,SACxBolC,CACR,EAEA7F,WAAY,SAAUp+B,EAAKG,GACb,WAARH,GAOL7D,KAAKy+C,OAAQ56C,EAAKG,GAEL,gBAARH,IACJ7D,KAAKyrD,aAAc,sBAAuB,KAAMznD,GAG1CA,IAAiC,IAAxBhE,KAAKc,QAAQwvB,QAC3BtwB,KAAKwlE,UAAW,IAIL,UAAR3hE,GACJ7D,KAAKulE,aAAcvhE,GAGP,gBAARH,GACJ7D,KAAK0mG,kBAAmB1iG,IApBxBhE,KAAKwlE,UAAWxhE,EAsBlB,EAEA2iG,kBAAmB,SAAUzoF,GAC5B,OAAOA,EAAOA,EAAK5J,QAAS,sCAAuC,QAAW,EAC/E,EAEAutD,QAAS,WACR,IAAI/gE,EAAUd,KAAKc,QAClB8lG,EAAM5mG,KAAK6mG,QAAQtwF,SAAU,iBAI9BzV,EAAQopD,SAAW5pD,EAAEyM,IAAK65F,EAAIx4F,OAAQ,uBAAwB,SAAU23F,GACvE,OAAOa,EAAI9+D,MAAOi+D,EACnB,IAEA/lG,KAAK0lG,gBAGmB,IAAnB5kG,EAAQwvB,QAAqBtwB,KAAK6lG,QAAQ7jG,OAKnChC,KAAKswB,OAAOtuB,SAAW1B,EAAEszC,SAAU5zC,KAAK6mG,QAAS,GAAK7mG,KAAKswB,OAAQ,IAGzEtwB,KAAK4lG,KAAK5jG,SAAWlB,EAAQopD,SAASloD,QAC1ClB,EAAQwvB,QAAS,EACjBtwB,KAAKswB,OAAShwB,KAIdN,KAAKwlE,UAAWxlE,KAAKwmG,aAAc51F,KAAKkC,IAAK,EAAGhS,EAAQwvB,OAAS,IAAK,IAOvExvB,EAAQwvB,OAAStwB,KAAK4lG,KAAK99D,MAAO9nC,KAAKswB,SApBvCxvB,EAAQwvB,QAAS,EACjBtwB,KAAKswB,OAAShwB,KAsBfN,KAAKmlE,UACN,EAEAA,SAAU,WACTnlE,KAAK8qD,mBAAoB9qD,KAAKc,QAAQopD,UACtClqD,KAAKulE,aAAcvlE,KAAKc,QAAQolB,OAChClmB,KAAK0mG,kBAAmB1mG,KAAKc,QAAQwjE,aAErCtkE,KAAK4lG,KAAK55C,IAAKhsD,KAAKswB,QAASva,KAAM,CAClC,gBAAiB,QACjB,gBAAiB,QACjBorB,UAAW,IAEZnhC,KAAKkmE,OAAOla,IAAKhsD,KAAKgmG,gBAAiBhmG,KAAKswB,SAC1CrwB,OACA8V,KAAM,CACN,cAAe,SAIX/V,KAAKswB,OAAOtuB,QAGjBhC,KAAKswB,OACHva,KAAM,CACN,gBAAiB,OACjB,gBAAiB,OACjBorB,SAAU,IAEZnhC,KAAKqsD,UAAWrsD,KAAKswB,OAAQ,iBAAkB,mBAC/CtwB,KAAKgmG,gBAAiBhmG,KAAKswB,QACzBjvB,OACA0U,KAAM,CACN,cAAe,WAZjB/V,KAAK4lG,KAAKjiC,GAAI,GAAI5tD,KAAM,WAAY,EAetC,EAEA2vF,aAAc,WACb,IAAI16C,EAAOhrD,KACV8mG,EAAW9mG,KAAK4lG,KAChBmB,EAAc/mG,KAAK6lG,QACnB5/B,EAAajmE,KAAKkmE,OAEnBlmE,KAAK6mG,QAAU7mG,KAAKgnG,WAAWjxF,KAAM,OAAQ,WAC7C/V,KAAKqsD,UAAWrsD,KAAK6mG,QAAS,cAC7B,uDAGD7mG,KAAK6mG,QACH9uF,GAAI,YAAc/X,KAAKoqD,eAAgB,QAAQ,SAAUlkC,GACpD5lB,EAAGN,MAAOomB,GAAI,uBAClBF,EAAMC,gBAER,IAQCpO,GAAI,QAAU/X,KAAKoqD,eAAgB,mBAAmB,WACjD9pD,EAAGN,MAAO4X,QAAS,MAAOwO,GAAI,uBAClCpmB,KAAK8nE,MAEP,IAED9nE,KAAK4lG,KAAO5lG,KAAK6mG,QAAQ9kG,KAAM,qBAC7BgU,KAAM,CACNqrB,KAAM,MACND,UAAW,IAEbnhC,KAAKqsD,UAAWrsD,KAAK4lG,KAAM,cAAe,oBAE1C5lG,KAAK6lG,QAAU7lG,KAAK4lG,KAAK74F,KAAK,WAC7B,OAAOzM,EAAG,IAAKN,MAAQ,EACxB,IACE+V,KAAM,CACNorB,UAAW,IAEbnhC,KAAKqsD,UAAWrsD,KAAK6lG,QAAS,kBAE9B7lG,KAAKkmE,OAAS5lE,IAEdN,KAAK6lG,QAAQxlG,MAAM,SAAUoR,EAAG6zF,GAC/B,IAAIhqF,EAAU8pD,EAAOkB,EACpB2gC,EAAW3mG,EAAGglG,GAASr7D,WAAWl0B,KAAM,MACxCgwF,EAAMzlG,EAAGglG,GAAS1tF,QAAS,MAC3BsvF,EAAuBnB,EAAIhwF,KAAM,iBAG7Bi1C,EAAKq6C,SAAUC,IAEnBh/B,GADAhrD,EAAWgqF,EAAOpnF,MACCy/D,UAAW,GAC9BvY,EAAQpa,EAAKxyB,QAAQz2B,KAAMipD,EAAK27C,kBAAmBrrF,MAQnDA,EAAW,KADXgrD,EAAUy/B,EAAIhwF,KAAM,kBAAqBzV,EAAG,CAAC,GAAI2pC,WAAY,GAAI1kC,KAEjE6/D,EAAQpa,EAAKxyB,QAAQz2B,KAAMuZ,IACftZ,SACXojE,EAAQpa,EAAKm8C,aAAc7gC,IACrBl/B,YAAa4jB,EAAKkb,OAAQz0D,EAAI,IAAOu5C,EAAK67C,SAEjDzhC,EAAMrvD,KAAM,YAAa,WAGrBqvD,EAAMpjE,SACVgpD,EAAKkb,OAASlb,EAAKkb,OAAOnrC,IAAKqqC,IAE3B8hC,GACJnB,EAAI1iG,KAAM,wBAAyB6jG,GAEpCnB,EAAIhwF,KAAM,CACT,gBAAiBuwD,EACjB,kBAAmB2gC,IAEpB7hC,EAAMrvD,KAAM,kBAAmBkxF,EAChC,IAEAjnG,KAAKkmE,OAAOnwD,KAAM,OAAQ,YAC1B/V,KAAKqsD,UAAWrsD,KAAKkmE,OAAQ,gBAAiB,qBAGzC4gC,IACJ9mG,KAAKosD,KAAM06C,EAAS96C,IAAKhsD,KAAK4lG,OAC9B5lG,KAAKosD,KAAM26C,EAAY/6C,IAAKhsD,KAAK6lG,UACjC7lG,KAAKosD,KAAM6Z,EAAWja,IAAKhsD,KAAKkmE,SAElC,EAGA8gC,SAAU,WACT,OAAOhnG,KAAK6mG,SAAW7mG,KAAKw4B,QAAQz2B,KAAM,UAAW4hE,GAAI,EAC1D,EAEAwjC,aAAc,SAAU5hG,GACvB,OAAOjF,EAAG,SACRyV,KAAM,KAAMxQ,GACZlC,KAAM,mBAAmB,EAC5B,EAEAynD,mBAAoB,SAAUZ,GAC7B,IAAIw/B,EAAa2Q,EAAI5oF,EAWrB,IATK8sB,MAAMC,QAAS0rB,KACbA,EAASloD,OAEHkoD,EAASloD,SAAWhC,KAAK6lG,QAAQ7jG,SAC5CkoD,GAAW,GAFXA,GAAW,GAOPz4C,EAAI,EAAK4oF,EAAKr6F,KAAK4lG,KAAMn0F,GAAOA,IACrCi4E,EAAcppF,EAAG+5F,IACC,IAAbnwC,IAAmD,IAA9B5pD,EAAE6rD,QAAS16C,EAAGy4C,IACvCw/B,EAAY3zE,KAAM,gBAAiB,QACnC/V,KAAKqsD,UAAWq9B,EAAa,KAAM,uBAEnCA,EAAYpoD,WAAY,iBACxBthC,KAAKkrD,aAAcw+B,EAAa,KAAM,sBAIxC1pF,KAAKc,QAAQopD,SAAWA,EAExBlqD,KAAKyrD,aAAczrD,KAAK2jC,SAAU3jC,KAAKqpD,eAAiB,YAAa,MACvD,IAAba,EACF,EAEAqb,aAAc,SAAUr/C,GACvB,IAAIkjB,EAAS,CAAC,EACTljB,GACJ5lB,EAAED,KAAM6lB,EAAM1kB,MAAO,MAAO,SAAUsmC,EAAOuK,GAC5CjJ,EAAQiJ,GAAc,eACvB,IAGDryC,KAAKosD,KAAMpsD,KAAK6lG,QAAQ9qE,IAAK/6B,KAAK4lG,MAAO7qE,IAAK/6B,KAAKkmE,SAGnDlmE,KAAKyqD,KAAK,EAAMzqD,KAAK6lG,QAAS,CAC7B1uF,MAAO,SAAU+O,GAChBA,EAAMC,gBACP,IAEDnmB,KAAKyqD,IAAKzqD,KAAK6lG,QAASz8D,GACxBppC,KAAKyqD,IAAKzqD,KAAK4lG,KAAM,CAAEp/B,QAAS,gBAChCxmE,KAAKyqD,IAAKzqD,KAAKkmE,OAAQ,CAAEM,QAAS,kBAElCxmE,KAAK+sD,WAAY/sD,KAAK4lG,MACtB5lG,KAAK4sD,WAAY5sD,KAAK4lG,KACvB,EAEAc,kBAAmB,SAAUpiC,GAC5B,IAAI6B,EACH7vD,EAAStW,KAAKw4B,QAAQliB,SAEF,SAAhBguD,GACJ6B,EAAY7vD,EAAOtD,SACnBmzD,GAAanmE,KAAKw4B,QAAQoK,cAAgB5iC,KAAKw4B,QAAQxlB,SAEvDhT,KAAKw4B,QAAQqrC,SAAU,YAAaxjE,MAAM,WACzC,IAAI6jC,EAAO5jC,EAAGN,MACbkhB,EAAWgjB,EAAK3vB,IAAK,YAEJ,aAAb2M,GAAwC,UAAbA,IAGhCilD,GAAajiC,EAAKtB,aAAa,GAChC,IAEA5iC,KAAKw4B,QAAQjiB,WAAWy1C,IAAKhsD,KAAKkmE,QAAS7lE,MAAM,WAChD8lE,GAAa7lE,EAAGN,MAAO4iC,aAAa,EACrC,IAEA5iC,KAAKkmE,OAAO7lE,MAAM,WACjBC,EAAGN,MAAOgT,OAAQpC,KAAKkC,IAAK,EAAGqzD,EAC9B7lE,EAAGN,MAAO+9D,cAAgBz9D,EAAGN,MAAOgT,UACtC,IACEuB,IAAK,WAAY,SACQ,SAAhB+vD,IACX6B,EAAY,EACZnmE,KAAKkmE,OAAO7lE,MAAM,WACjB8lE,EAAYv1D,KAAKkC,IAAKqzD,EAAW7lE,EAAGN,MAAOgT,OAAQ,IAAKA,SACzD,IAAIA,OAAQmzD,GAEd,EAEAL,cAAe,SAAU5/C,GACxB,IAAIplB,EAAUd,KAAKc,QAClBwvB,EAAStwB,KAAKswB,OAEdy1E,EADSzlG,EAAG4lB,EAAM45B,eACLloC,QAAS,MACtB+uD,EAAkBo/B,EAAK,KAAQz1E,EAAQ,GACvCs2C,EAAaD,GAAmB7lE,EAAQsjE,YACxCyC,EAASD,EAAatmE,IAAMN,KAAKgmG,gBAAiBD,GAClDj/B,EAAUx2C,EAAOtuB,OAAehC,KAAKgmG,gBAAiB11E,GAA5BhwB,IAC1BymE,EAAY,CACXqgC,OAAQ92E,EACR22C,SAAUH,EACVugC,OAAQzgC,EAAatmE,IAAMylG,EAC3B5+B,SAAUN,GAGZ3gD,EAAMC,iBAED4/E,EAAI1tE,SAAU,sBAGjB0tE,EAAI1tE,SAAU,oBAGdr4B,KAAKylG,SAGH9+B,IAAoB7lE,EAAQsjE,cAG4B,IAAxDpkE,KAAKgiC,SAAU,iBAAkB9b,EAAO6gD,KAI5CjmE,EAAQwvB,QAASs2C,GAAqB5mE,KAAK4lG,KAAK99D,MAAOi+D,GAEvD/lG,KAAKswB,OAASq2C,EAAkBrmE,IAAMylG,EACjC/lG,KAAKkI,KACTlI,KAAKkI,IAAI2kE,QAGJ/F,EAAO9kE,QAAW6kE,EAAO7kE,QAC9B1B,EAAEI,MAAO,oDAGLmmE,EAAO7kE,QACXhC,KAAK6a,KAAM7a,KAAK4lG,KAAK99D,MAAOi+D,GAAO7/E,GAEpClmB,KAAKonE,QAASlhD,EAAO6gD,GACtB,EAGAK,QAAS,SAAUlhD,EAAO6gD,GACzB,IAAI/b,EAAOhrD,KACV6mE,EAASE,EAAUI,SACnBL,EAASC,EAAUE,SAIpB,SAAS1sD,IACRywC,EAAKy6C,SAAU,EACfz6C,EAAKhpB,SAAU,WAAY9b,EAAO6gD,EACnC,CAEA,SAAS1lE,IACR2pD,EAAKqB,UAAW0a,EAAUsgC,OAAOzvF,QAAS,MAAQ,iBAAkB,mBAE/DivD,EAAO7kE,QAAUgpD,EAAKlqD,QAAQO,KAClC2pD,EAAKuoC,MAAO1sB,EAAQ7b,EAAKlqD,QAAQO,KAAMkZ,IAEvCssD,EAAOxlE,OACPkZ,IAEF,CAhBAva,KAAKylG,SAAU,EAmBV3+B,EAAO9kE,QAAUhC,KAAKc,QAAQb,KAClCD,KAAK8yF,MAAOhsB,EAAQ9mE,KAAKc,QAAQb,MAAM,WACtC+qD,EAAKE,aAAc6b,EAAUqgC,OAAOxvF,QAAS,MAC5C,iBAAkB,mBACnBvW,GACD,KAEArB,KAAKkrD,aAAc6b,EAAUqgC,OAAOxvF,QAAS,MAC5C,iBAAkB,mBACnBkvD,EAAO7mE,OACPoB,KAGDylE,EAAO/wD,KAAM,cAAe,QAC5BgxD,EAAUqgC,OAAOrxF,KAAM,CACtB,gBAAiB,QACjB,gBAAiB,UAMb8wD,EAAO7kE,QAAU8kE,EAAO9kE,OAC5B+kE,EAAUqgC,OAAOrxF,KAAM,YAAa,GACzB8wD,EAAO7kE,QAClBhC,KAAK4lG,KAAKx3F,QAAQ,WACjB,OAAwC,IAAjC9N,EAAGN,MAAO+V,KAAM,WACxB,IACEA,KAAM,YAAa,GAGtB8wD,EAAO9wD,KAAM,cAAe,SAC5BgxD,EAAUsgC,OAAOtxF,KAAM,CACtB,gBAAiB,OACjB,gBAAiB,OACjBorB,SAAU,GAEZ,EAEAqkC,UAAW,SAAU19B,GACpB,IAAIw9D,EACHh1E,EAAStwB,KAAKomE,YAAat+B,GAGvBxX,EAAQ,KAAQtwB,KAAKswB,OAAQ,KAK5BA,EAAOtuB,SACZsuB,EAAStwB,KAAKswB,QAGfg1E,EAASh1E,EAAOvuB,KAAM,mBAAqB,GAC3C/B,KAAK8lE,cAAe,CACnBr4D,OAAQ63F,EACRxlD,cAAewlD,EACfn/E,eAAgB7lB,EAAEsnD,OAEpB,EAEAwe,YAAa,SAAUt+B,GACtB,OAAiB,IAAVA,EAAkBxnC,IAAMN,KAAK4lG,KAAKjiC,GAAI77B,EAC9C,EAEAw/D,UAAW,SAAUx/D,GAQpB,MALsB,iBAAVA,IACXA,EAAQ9nC,KAAK6lG,QAAQ/9D,MAAO9nC,KAAK6lG,QAAQz3F,OAAQ,WAChD9N,EAAE2hE,eAAgBn6B,GAAU,QAGvBA,CACR,EAEAmjB,SAAU,WACJjrD,KAAKkI,KACTlI,KAAKkI,IAAI2kE,QAGV7sE,KAAK6mG,QACHvlE,WAAY,QACZ9a,IAAKxmB,KAAKoqD,gBAEZpqD,KAAK6lG,QACHvkE,WAAY,iBACZ6iC,iBAEFnkE,KAAK4lG,KAAK7qE,IAAK/6B,KAAKkmE,QAAS7lE,MAAM,WAC7BC,EAAE+C,KAAMrD,KAAM,mBAClBM,EAAGN,MAAO0X,SAEVpX,EAAGN,MAAOshC,WAAY,4FAGxB,IAEAthC,KAAK4lG,KAAKvlG,MAAM,WACf,IAAIg6F,EAAK/5F,EAAGN,MACXgtC,EAAOqtD,EAAGh3F,KAAM,yBACZ2pC,EACJqtD,EACEtkF,KAAM,gBAAiBi3B,GACvBme,WAAY,yBAEdkvC,EAAG/4D,WAAY,gBAEjB,IAEAthC,KAAKkmE,OAAO7kE,OAEsB,YAA7BrB,KAAKc,QAAQwjE,aACjBtkE,KAAKkmE,OAAO3xD,IAAK,SAAU,GAE7B,EAEAmlB,OAAQ,SAAUoO,GACjB,IAAIoiB,EAAWlqD,KAAKc,QAAQopD,UACV,IAAbA,SAIU9pD,IAAV0nC,EACJoiB,GAAW,GAEXpiB,EAAQ9nC,KAAKsnG,UAAWx/D,GAEvBoiB,EADI3rB,MAAMC,QAAS0rB,GACR5pD,EAAEyM,IAAKm9C,GAAU,SAAUxQ,GACrC,OAAOA,IAAQ5R,EAAQ4R,EAAM,IAC9B,IAEWp5C,EAAEyM,IAAK/M,KAAK4lG,MAAM,SAAUvL,EAAI3gD,GAC1C,OAAOA,IAAQ5R,EAAQ4R,EAAM,IAC9B,KAGF15C,KAAK8qD,mBAAoBZ,GAC1B,EAEAzxB,QAAS,SAAUqP,GAClB,IAAIoiB,EAAWlqD,KAAKc,QAAQopD,SAC5B,IAAkB,IAAbA,EAAL,CAIA,QAAe9pD,IAAV0nC,EACJoiB,GAAW,MACL,CAEN,GADApiB,EAAQ9nC,KAAKsnG,UAAWx/D,IACe,IAAlCxnC,EAAE6rD,QAASrkB,EAAOoiB,GACtB,OAGAA,EADI3rB,MAAMC,QAAS0rB,GACR5pD,EAAEkuC,MAAO,CAAE1G,GAASoiB,GAAW3a,OAE/B,CAAEzH,EAEf,CACA9nC,KAAK8qD,mBAAoBZ,EAfzB,CAgBD,EAEArvC,KAAM,SAAUitB,EAAO5hB,GACtB4hB,EAAQ9nC,KAAKsnG,UAAWx/D,GACxB,IAAIkjB,EAAOhrD,KACV+lG,EAAM/lG,KAAK4lG,KAAKjiC,GAAI77B,GACpBw9D,EAASS,EAAIhkG,KAAM,mBACnBqjE,EAAQplE,KAAKgmG,gBAAiBD,GAC9Bh/B,EAAY,CACXg/B,IAAKA,EACL3gC,MAAOA,GAER7qD,EAAW,SAAU+lB,EAAOl7B,GACX,UAAXA,GACJ4lD,EAAKkb,OAAO1qD,MAAM,GAAO,GAG1BwvC,EAAKE,aAAc66C,EAAK,mBACxB3gC,EAAM9jC,WAAY,aAEbhB,IAAU0qB,EAAK9iD,YACZ8iD,EAAK9iD,GAEd,EAGIlI,KAAKqlG,SAAUC,EAAQ,MAI5BtlG,KAAKkI,IAAM5H,EAAEo1C,KAAM11C,KAAKunG,cAAejC,EAAQp/E,EAAO6gD,IAKjD/mE,KAAKkI,KAA+B,aAAxBlI,KAAKkI,IAAI2c,aACzB7kB,KAAKqsD,UAAW05C,EAAK,mBACrB3gC,EAAMrvD,KAAM,YAAa,QAEzB/V,KAAKkI,IACH+R,MAAM,SAAUzS,EAAUpC,EAAQk7B,GAIlCvd,YAAY,WACXqiD,EAAMvkE,KAAM2G,GACZwjD,EAAKhpB,SAAU,OAAQ9b,EAAO6gD,GAE9BxsD,EAAU+lB,EAAOl7B,EAClB,GAAG,EACJ,IACC6S,MAAM,SAAUqoB,EAAOl7B,GAIvB2d,YAAY,WACXxI,EAAU+lB,EAAOl7B,EAClB,GAAG,EACJ,KAEH,EAEAmiG,cAAe,SAAUjC,EAAQp/E,EAAO6gD,GACvC,IAAI/b,EAAOhrD,KACX,MAAO,CAINmD,IAAKmiG,EAAOvvF,KAAM,QAASzB,QAAS,OAAQ,IAC5CmhC,WAAY,SAAUnV,EAAOlK,GAC5B,OAAO40B,EAAKhpB,SAAU,aAAc9b,EACnC5lB,EAAEm3B,OAAQ,CAAE6I,MAAOA,EAAOknE,aAAcpxE,GAAY2wC,GACtD,EAEF,EAEAi/B,gBAAiB,SAAUD,GAC1B,IAAIxgG,EAAKjF,EAAGylG,GAAMhwF,KAAM,iBACxB,OAAO/V,KAAKw4B,QAAQz2B,KAAM/B,KAAK2mG,kBAAmB,IAAMphG,GACzD,KAKuB,IAAnBjF,EAAEq6D,cAGNr6D,EAAEqjC,OAAQ,UAAWrjC,EAAEunD,GAAG+9C,KAAM,CAC/BF,aAAc,WACb1lG,KAAK+oD,YAAal+C,WAClB7K,KAAKqsD,UAAWrsD,KAAK4lG,KAAM,SAC5B,IAIgBtlG,EAAEunD,GAAG+9C,KAsBvBtlG,EAAEqjC,OAAQ,aAAc,CACvB/a,QAAS,SACT9nB,QAAS,CACRoW,QAAS,CACR,aAAc,kCAEf3H,QAAS,WACR,IAAIlF,EAAQ/J,EAAGN,MAAO+V,KAAM,SAG5B,OAAOzV,EAAG,OAAQgB,KAAM+I,GAAQxJ,MACjC,EACAZ,MAAM,EAGN2nE,MAAO,0BACP1mD,SAAU,CACT2vC,GAAI,cACJjiB,GAAI,cACJmhB,UAAW,gBAEZ1uD,MAAM,EACNomG,OAAO,EAGPhwF,MAAO,KACPyc,KAAM,MAGPwzE,gBAAiB,SAAUxjE,EAAM3+B,GAChC,IAAIoiG,GAAgBzjE,EAAKnuB,KAAM,qBAAwB,IAAKvU,MAAO,OACnEmmG,EAAYj6F,KAAMnI,GAClB2+B,EACE7gC,KAAM,gBAAiBkC,GACvBwQ,KAAM,mBAAoB6T,OAAO3gB,UAAUsW,KAAK5e,KAAMgnG,EAAYlmG,KAAM,MAC3E,EAEAmmG,mBAAoB,SAAU1jE,GAC7B,IAAI3+B,EAAK2+B,EAAK7gC,KAAM,iBACnBskG,GAAgBzjE,EAAKnuB,KAAM,qBAAwB,IAAKvU,MAAO,OAC/DsmC,EAAQxnC,EAAE6rD,QAAS5mD,EAAIoiG,IAER,IAAX7/D,GACJ6/D,EAAYj5D,OAAQ5G,EAAO,GAG5B5D,EAAKinB,WAAY,kBACjBw8C,EAAc/9E,OAAO3gB,UAAUsW,KAAK5e,KAAMgnG,EAAYlmG,KAAM,OAE3DyiC,EAAKnuB,KAAM,mBAAoB4xF,GAE/BzjE,EAAK5C,WAAY,mBAEnB,EAEAR,QAAS,WACR9gC,KAAKyqD,IAAK,CACTo9C,UAAW,OACX76C,QAAS,SAIVhtD,KAAK8nG,SAAW,CAAC,EAGjB9nG,KAAK4jE,QAAU,CAAC,EAGhB5jE,KAAK0sE,WAAapsE,EAAG,SACnByV,KAAM,CACNqrB,KAAM,MACN,YAAa,YACb,gBAAiB,cAEjBjB,SAAUngC,KAAKuJ,SAAU,GAAI5B,MAC/B3H,KAAKqsD,UAAWrsD,KAAK0sE,WAAY,KAAM,+BAEvC1sE,KAAK+nG,eAAiBznG,EAAG,GAC1B,EAEA2hC,WAAY,SAAUp+B,EAAKG,GAC1B,IAAIgnD,EAAOhrD,KAEXA,KAAKy+C,OAAQ56C,EAAKG,GAEL,YAARH,GACJvD,EAAED,KAAML,KAAK8nG,UAAU,SAAUviG,EAAIyiG,GACpCh9C,EAAKi9C,eAAgBD,EAAYxvE,QAClC,GAEF,EAEAsyB,mBAAoB,SAAU9mD,GAC7BhE,KAAMgE,EAAQ,WAAa,YAC5B,EAEAkkG,SAAU,WACT,IAAIl9C,EAAOhrD,KAGXM,EAAED,KAAML,KAAK8nG,UAAU,SAAUviG,EAAIyiG,GACpC,IAAI9hF,EAAQ5lB,EAAE4sD,MAAO,QACrBhnC,EAAMzY,OAASyY,EAAM45B,cAAgBkoD,EAAYxvE,QAAS,GAC1DwyB,EAAKvzC,MAAOyO,GAAO,EACpB,IAGAlmB,KAAK+nG,eAAiB/nG,KAAK+nG,eAAehtE,IACzC/6B,KAAKw4B,QAAQz2B,KAAM/B,KAAKc,QAAQ8mE,OAAQzO,UACtC/qD,QAAQ,WACR,IAAIoqB,EAAUl4B,EAAGN,MACjB,GAAKw4B,EAAQpS,GAAI,WAChB,OAAOoS,EACLn1B,KAAM,mBAAoBm1B,EAAQziB,KAAM,UACxCurB,WAAY,QAEhB,IAEH,EAEA6mE,QAAS,WAGRnoG,KAAK+nG,eAAe1nG,MAAM,WACzB,IAAIm4B,EAAUl4B,EAAGN,MACZw4B,EAAQn1B,KAAM,qBAClBm1B,EAAQziB,KAAM,QAASyiB,EAAQn1B,KAAM,oBAEvC,IACArD,KAAK+nG,eAAiBznG,EAAG,GAC1B,EAEA4zB,KAAM,SAAUhO,GACf,IAAI8kC,EAAOhrD,KACVyN,EAASnN,EAAG4lB,EAAQA,EAAMzY,OAASzN,KAAKw4B,SAItC5gB,QAAS5X,KAAKc,QAAQ8mE,OAGnBn6D,EAAOzL,SAAUyL,EAAOpK,KAAM,mBAI/BoK,EAAOsI,KAAM,UACjBtI,EAAOpK,KAAM,mBAAoBoK,EAAOsI,KAAM,UAG/CtI,EAAOpK,KAAM,mBAAmB,GAG3B6iB,GAAwB,cAAfA,EAAMjjB,MACnBwK,EAAOm2D,UAAUvjE,MAAM,WACtB,IACC+nG,EADG9xF,EAAShW,EAAGN,MAEXsW,EAAOjT,KAAM,sBACjB+kG,EAAY9nG,EAAE4sD,MAAO,SACXz/C,OAAS26F,EAAUtoD,cAAgB9/C,KAC7CgrD,EAAKvzC,MAAO2wF,GAAW,IAEnB9xF,EAAOP,KAAM,WACjBO,EAAO2zB,WACP+gB,EAAK4Y,QAAS5jE,KAAKuF,IAAO,CACzBizB,QAASx4B,KACTqK,MAAOiM,EAAOP,KAAM,UAErBO,EAAOP,KAAM,QAAS,IAExB,IAGD/V,KAAKqoG,uBAAwBniF,EAAOzY,GACpCzN,KAAKioG,eAAgBx6F,EAAQyY,GAC9B,EAEA+hF,eAAgB,SAAUx6F,EAAQyY,GACjC,IAAI3W,EACH+4F,EAAgBtoG,KAAKc,QAAQyO,QAC7By7C,EAAOhrD,KACPwyD,EAAYtsC,EAAQA,EAAMjjB,KAAO,KAElC,GAA8B,iBAAlBqlG,GAA8BA,EAActoD,UACtDsoD,EAAcx+C,OACf,OAAO9pD,KAAKuqE,MAAOrkD,EAAOzY,EAAQ66F,IAGnC/4F,EAAU+4F,EAAc3nG,KAAM8M,EAAQ,IAAK,SAAUjG,GAIpDwjD,EAAK2B,QAAQ,WAGNl/C,EAAOpK,KAAM,qBASd6iB,IACJA,EAAMjjB,KAAOuvD,GAEdxyD,KAAKuqE,MAAOrkD,EAAOzY,EAAQjG,GAC5B,GACD,MAECxH,KAAKuqE,MAAOrkD,EAAOzY,EAAQ8B,EAE7B,EAEAg7D,MAAO,SAAUrkD,EAAOzY,EAAQ8B,GAC/B,IAAIy4F,EAAaO,EAASC,EAAaC,EACtCC,EAAiBpoG,EAAEm3B,OAAQ,CAAC,EAAGz3B,KAAKc,QAAQogB,UA2C7C,SAASA,EAAUgF,GAClBwiF,EAAen5C,GAAKrpC,EACfqiF,EAAQniF,GAAI,YAGjBmiF,EAAQrnF,SAAUwnF,EACnB,CA/CMn5F,KAMNy4F,EAAchoG,KAAK2oG,MAAOl7F,IAEzBu6F,EAAYO,QAAQxmG,KAAM,uBAAwBlB,KAAM0O,IAWpD9B,EAAO2Y,GAAI,aACVF,GAAwB,cAAfA,EAAMjjB,KACnBwK,EAAOsI,KAAM,QAAS,IAEtBtI,EAAO6zB,WAAY,UAIrB0mE,EAAchoG,KAAK4oG,SAAUn7F,GAC7B86F,EAAUP,EAAYO,QACtBvoG,KAAK0nG,gBAAiBj6F,EAAQ86F,EAAQxyF,KAAM,OAC5CwyF,EAAQxmG,KAAM,uBAAwBlB,KAAM0O,GAK5CvP,KAAK0sE,WAAWn2D,WAAWtW,QAC3BwoG,EAAcnoG,EAAG,SAAUO,KAAM0nG,EAAQxmG,KAAM,uBAAwBlB,SAC3DygC,WAAY,QAASv/B,KAAM,UAAWu/B,WAAY,QAC9DmnE,EAAYnnE,WAAY,MAAOv/B,KAAM,QAASu/B,WAAY,MAC1DmnE,EAAYtoE,SAAUngC,KAAK0sE,YAStB1sE,KAAKc,QAAQ2mG,OAASvhF,GAAS,SAASqjB,KAAMrjB,EAAMjjB,OACxDjD,KAAKyqD,IAAKzqD,KAAKuJ,SAAU,CACxBs/F,UAAW3nF,IAIZA,EAAUgF,IAEVqiF,EAAQrnF,SAAU5gB,EAAEm3B,OAAQ,CAC3B83B,GAAI9hD,GACFzN,KAAKc,QAAQogB,WAGjBqnF,EAAQtoG,OAERD,KAAKuzF,MAAOgV,EAASvoG,KAAKc,QAAQO,MAM7BrB,KAAKc,QAAQ2mG,OAASznG,KAAKc,QAAQO,MAAQrB,KAAKc,QAAQO,KAAKwa,QACjE2sF,EAAcxoG,KAAKwoG,YAActjF,aAAa,WACxCqjF,EAAQniF,GAAI,cAChBlF,EAAUwnF,EAAen5C,IACzBnqC,cAAeojF,GAEjB,GAAG,KAGJxoG,KAAKgiC,SAAU,OAAQ9b,EAAO,CAAEqiF,QAASA,KAC1C,EAEAF,uBAAwB,SAAUniF,EAAOzY,GACxC,IAAI27B,EAAS,CACZg1D,MAAO,SAAUl4E,GAChB,GAAKA,EAAMwb,UAAYphC,EAAEunD,GAAGnmB,QAAQohC,OAAS,CAC5C,IAAIgmC,EAAYxoG,EAAE4sD,MAAOhnC,GACzB4iF,EAAUhpD,cAAgBryC,EAAQ,GAClCzN,KAAKyX,MAAOqxF,GAAW,EACxB,CACD,GAKIr7F,EAAQ,KAAQzN,KAAKw4B,QAAS,KAClC4Q,EAAO1xB,OAAS,WACf,IAAIqxF,EAAgB/oG,KAAK2oG,MAAOl7F,GAC3Bs7F,GACJ/oG,KAAKgpG,eAAgBD,EAAcR,QAErC,GAGKriF,GAAwB,cAAfA,EAAMjjB,OACpBmmC,EAAO0jB,WAAa,SAEf5mC,GAAwB,YAAfA,EAAMjjB,OACpBmmC,EAAO6jB,SAAW,SAEnBjtD,KAAKyqD,KAAK,EAAMh9C,EAAQ27B,EACzB,EAEA3xB,MAAO,SAAUyO,GAChB,IAAIqiF,EACHv9C,EAAOhrD,KACPyN,EAASnN,EAAG4lB,EAAQA,EAAM45B,cAAgB9/C,KAAKw4B,SAC/CwvE,EAAchoG,KAAK2oG,MAAOl7F,GAGrBu6F,GAUNO,EAAUP,EAAYO,QAIjBP,EAAYiB,UAKjB7jF,cAAeplB,KAAKwoG,aAIf/6F,EAAOpK,KAAM,sBAAyBoK,EAAOsI,KAAM,UACvDtI,EAAOsI,KAAM,QAAStI,EAAOpK,KAAM,qBAGpCrD,KAAK4nG,mBAAoBn6F,GAEzBu6F,EAAYkB,QAAS,EACrBX,EAAQ/sF,MAAM,GACdxb,KAAK8yF,MAAOyV,EAASvoG,KAAKc,QAAQb,MAAM,WACvC+qD,EAAKg+C,eAAgB1oG,EAAGN,MACzB,IAEAyN,EAAO09C,WAAY,mBACnBnrD,KAAKosD,KAAM3+C,EAAQ,6BAGdA,EAAQ,KAAQzN,KAAKw4B,QAAS,IAClCx4B,KAAKosD,KAAM3+C,EAAQ,UAEpBzN,KAAKosD,KAAMpsD,KAAKuJ,SAAU,aAErB2c,GAAwB,eAAfA,EAAMjjB,MACnB3C,EAAED,KAAML,KAAK4jE,SAAS,SAAUr+D,EAAI+Q,GACnChW,EAAGgW,EAAOkiB,SAAUziB,KAAM,QAASO,EAAOjM,cACnC2gD,EAAK4Y,QAASr+D,EACtB,IAGDyiG,EAAYiB,SAAU,EACtBjpG,KAAKgiC,SAAU,QAAS9b,EAAO,CAAEqiF,QAASA,IACpCP,EAAYkB,SACjBlB,EAAYiB,SAAU,KAhDtBx7F,EAAO09C,WAAY,kBAkDrB,EAEAy9C,SAAU,SAAUpwE,GACnB,IAAI+vE,EAAUjoG,EAAG,SAAUyV,KAAM,OAAQ,WACxCxG,EAAUjP,EAAG,SAAU6/B,SAAUooE,GACjChjG,EAAKgjG,EAAQt+D,WAAWl0B,KAAM,MAO/B,OALA/V,KAAKqsD,UAAW98C,EAAS,sBACzBvP,KAAKqsD,UAAWk8C,EAAS,aAAc,+BAEvCA,EAAQpoE,SAAUngC,KAAKssE,UAAW9zC,IAE3Bx4B,KAAK8nG,SAAUviG,GAAO,CAC5BizB,QAASA,EACT+vE,QAASA,EAEX,EAEAI,MAAO,SAAUl7F,GAChB,IAAIlI,EAAKkI,EAAOpK,KAAM,iBACtB,OAAOkC,EAAKvF,KAAK8nG,SAAUviG,GAAO,IACnC,EAEAyjG,eAAgB,SAAUT,GAGzBnjF,cAAeplB,KAAKwoG,aAEpBD,EAAQ7wF,gBACD1X,KAAK8nG,SAAUS,EAAQxyF,KAAM,MACrC,EAEAu2D,UAAW,SAAU7+D,GACpB,IAAI+qB,EAAU/qB,EAAOmK,QAAS,qBAM9B,OAJM4gB,EAAQx2B,SACbw2B,EAAUx4B,KAAKuJ,SAAU,GAAI5B,MAGvB6wB,CACR,EAEAyyB,SAAU,WACT,IAAID,EAAOhrD,KAGXM,EAAED,KAAML,KAAK8nG,UAAU,SAAUviG,EAAIyiG,GAGpC,IAAI9hF,EAAQ5lB,EAAE4sD,MAAO,QACpB10B,EAAUwvE,EAAYxvE,QACvBtS,EAAMzY,OAASyY,EAAM45B,cAAgBtnB,EAAS,GAC9CwyB,EAAKvzC,MAAOyO,GAAO,GAInB5lB,EAAG,IAAMiF,GAAKmS,SAGT8gB,EAAQn1B,KAAM,sBAGZm1B,EAAQziB,KAAM,UACnByiB,EAAQziB,KAAM,QAASyiB,EAAQn1B,KAAM,qBAEtCm1B,EAAQ2yB,WAAY,oBAEtB,IACAnrD,KAAK0sE,WAAWh1D,QACjB,KAKuB,IAAnBpX,EAAEq6D,cAGNr6D,EAAEqjC,OAAQ,aAAcrjC,EAAEunD,GAAG0gD,QAAS,CACrCznG,QAAS,CACRqoG,aAAc,MAEfP,SAAU,WACT,IAAIZ,EAAchoG,KAAK+oD,YAAal+C,WAIpC,OAHK7K,KAAKc,QAAQqoG,cACjBnB,EAAYO,QAAQ5lG,SAAU3C,KAAKc,QAAQqoG,cAErCnB,CACR,IAImB1nG,EAAEunD,GAAG0gD,OAK1B,OAlnlB+B,mCAM7B,CAZF,E,kBCLA,IAAIx7F,EAAM,CACT,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,KACX,aAAc,KACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,KACX,aAAc,KACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,KACR,UAAW,KACX,OAAQ,IACR,UAAW,IACX,OAAQ,MACR,UAAW,MACX,QAAS,MACT,WAAY,MACZ,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,gBAAiB,MACjB,aAAc,MACd,gBAAiB,MACjB,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,WAAY,KACZ,cAAe,KACf,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,WAAY,MACZ,cAAe,MACf,UAAW,MACX,aAAc,MACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,YAAa,KACb,eAAgB,KAChB,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,QAAS,MACT,WAAY,MACZ,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,QAAS,MACT,WAAY,MACZ,OAAQ,MACR,UAAW,MACX,QAAS,MACT,WAAY,MACZ,QAAS,MACT,aAAc,MACd,gBAAiB,MACjB,WAAY,MACZ,UAAW,MACX,aAAc,MACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,YAAa,MACb,eAAgB,MAChB,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,gBAAiB,MACjB,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,UAAW,KACX,aAAc,KACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,OAIf,SAASq8F,EAAeC,GACvB,IAAI9jG,EAAK+jG,EAAsBD,GAC/B,OAAOE,EAAoBhkG,EAC5B,CACA,SAAS+jG,EAAsBD,GAC9B,IAAIE,EAAoBjlE,EAAEv3B,EAAKs8F,GAAM,CACpC,IAAI10F,EAAI,IAAI/L,MAAM,uBAAyBygG,EAAM,KAEjD,MADA10F,EAAE60F,KAAO,mBACH70F,CACP,CACA,OAAO5H,EAAIs8F,EACZ,CACAD,EAAe5sE,KAAO,WACrB,OAAO31B,OAAO21B,KAAKzvB,EACpB,EACAq8F,EAAex9F,QAAU09F,EACzB9oD,EAAO/X,QAAU2gE,EACjBA,EAAe7jG,GAAK,K,WChSpB,IAAIkkG,EAAW,SAAUhhE,GACvB,aAEA,IAGIroC,EAHAspG,EAAK7iG,OAAOoC,UACZ0gG,EAASD,EAAG7zE,eACZI,EAAiBpvB,OAAOovB,gBAAkB,SAAU8T,EAAKlmC,EAAK+lG,GAAQ7/D,EAAIlmC,GAAO+lG,EAAK5lG,KAAO,EAE7F6lG,EAA4B,mBAAXz4D,OAAwBA,OAAS,CAAC,EACnD04D,EAAiBD,EAAQx4D,UAAY,aACrC04D,EAAsBF,EAAQG,eAAiB,kBAC/CC,EAAoBJ,EAAQK,aAAe,gBAE/C,SAAS3uC,EAAOxxB,EAAKlmC,EAAKG,GAOxB,OANA6C,OAAOovB,eAAe8T,EAAKlmC,EAAK,CAC9BG,MAAOA,EACPs5C,YAAY,EACZC,cAAc,EACdrnB,UAAU,IAEL6T,EAAIlmC,EACb,CACA,IAEE03D,EAAO,CAAC,EAAG,GACb,CAAE,MAAOxmC,GACPwmC,EAAS,SAASxxB,EAAKlmC,EAAKG,GAC1B,OAAO+lC,EAAIlmC,GAAOG,CACpB,CACF,CAEA,SAASm3D,EAAKgvC,EAASC,EAASh6F,EAAMi6F,GAEpC,IAAIC,EAAiBF,GAAWA,EAAQnhG,qBAAqBshG,EAAYH,EAAUG,EAC/EC,EAAY3jG,OAAOrC,OAAO8lG,EAAerhG,WACzCG,EAAU,IAAIqhG,EAAQJ,GAAe,IAMzC,OAFAp0E,EAAeu0E,EAAW,UAAW,CAAExmG,MAAO0mG,EAAiBP,EAAS/5F,EAAMhH,KAEvEohG,CACT,CAaA,SAASG,EAASn+F,EAAIu9B,EAAK6gE,GACzB,IACE,MAAO,CAAE3nG,KAAM,SAAU2nG,IAAKp+F,EAAG7L,KAAKopC,EAAK6gE,GAC7C,CAAE,MAAO71E,GACP,MAAO,CAAE9xB,KAAM,QAAS2nG,IAAK71E,EAC/B,CACF,CAlBA0T,EAAQ0yB,KAAOA,EAoBf,IAAI0vC,EAAyB,iBACzBC,EAAyB,iBACzBC,EAAoB,YACpBC,EAAoB,YAIpBC,EAAmB,CAAC,EAMxB,SAASV,IAAa,CACtB,SAASW,IAAqB,CAC9B,SAASC,IAA8B,CAIvC,IAAIC,EAAoB,CAAC,EACzB7vC,EAAO6vC,EAAmBtB,GAAgB,WACxC,OAAO9pG,IACT,IAEA,IAAIqrG,EAAWxkG,OAAO+2C,eAClB0tD,EAA0BD,GAAYA,EAASA,EAASj4E,EAAO,MAC/Dk4E,GACAA,IAA4B5B,GAC5BC,EAAOhpG,KAAK2qG,EAAyBxB,KAGvCsB,EAAoBE,GAGtB,IAAIC,EAAKJ,EAA2BliG,UAClCshG,EAAUthG,UAAYpC,OAAOrC,OAAO4mG,GAgBtC,SAASI,EAAsBviG,GAC7B,CAAC,OAAQ,QAAS,UAAUiE,SAAQ,SAAStK,GAC3C24D,EAAOtyD,EAAWrG,GAAQ,SAASgoG,GACjC,OAAO5qG,KAAKyrG,QAAQ7oG,EAAQgoG,EAC9B,GACF,GACF,CA+BA,SAASc,EAAclB,EAAWmB,GAChC,SAAS93D,EAAOjxC,EAAQgoG,EAAKh/F,EAAS8J,GACpC,IAAIk2F,EAASjB,EAASH,EAAU5nG,GAAS4nG,EAAWI,GACpD,GAAoB,UAAhBgB,EAAO3oG,KAEJ,CACL,IAAI6B,EAAS8mG,EAAOhB,IAChB5mG,EAAQc,EAAOd,MACnB,OAAIA,GACiB,iBAAVA,GACP2lG,EAAOhpG,KAAKqD,EAAO,WACd2nG,EAAY//F,QAAQ5H,EAAM6nG,SAASplG,MAAK,SAASzC,GACtD6vC,EAAO,OAAQ7vC,EAAO4H,EAAS8J,EACjC,IAAG,SAASqf,GACV8e,EAAO,QAAS9e,EAAKnpB,EAAS8J,EAChC,IAGKi2F,EAAY//F,QAAQ5H,GAAOyC,MAAK,SAASqlG,GAI9ChnG,EAAOd,MAAQ8nG,EACflgG,EAAQ9G,EACV,IAAG,SAASpE,GAGV,OAAOmzC,EAAO,QAASnzC,EAAOkL,EAAS8J,EACzC,GACF,CAzBEA,EAAOk2F,EAAOhB,IA0BlB,CAEA,IAAImB,EAgCJ91E,EAAej2B,KAAM,UAAW,CAAEgE,MA9BlC,SAAiBpB,EAAQgoG,GACvB,SAASoB,IACP,OAAO,IAAIL,GAAY,SAAS//F,EAAS8J,GACvCm+B,EAAOjxC,EAAQgoG,EAAKh/F,EAAS8J,EAC/B,GACF,CAEA,OAAOq2F,EAaLA,EAAkBA,EAAgBtlG,KAChCulG,EAGAA,GACEA,GACR,GAKF,CA0BA,SAAStB,EAAiBP,EAAS/5F,EAAMhH,GACvC,IAAI0V,EAAQ+rF,EAEZ,OAAO,SAAgBjoG,EAAQgoG,GAC7B,GAAI9rF,IAAUisF,EACZ,MAAM,IAAIniG,MAAM,gCAGlB,GAAIkW,IAAUksF,EAAmB,CAC/B,GAAe,UAAXpoG,EACF,MAAMgoG,EAMR,MAqQG,CAAE5mG,MAAO5D,EAAW6Z,MAAM,EApQ/B,CAKA,IAHA7Q,EAAQxG,OAASA,EACjBwG,EAAQwhG,IAAMA,IAED,CACX,IAAIxxE,EAAWhwB,EAAQgwB,SACvB,GAAIA,EAAU,CACZ,IAAI6yE,EAAiBC,EAAoB9yE,EAAUhwB,GACnD,GAAI6iG,EAAgB,CAClB,GAAIA,IAAmBhB,EAAkB,SACzC,OAAOgB,CACT,CACF,CAEA,GAAuB,SAAnB7iG,EAAQxG,OAGVwG,EAAQ+iG,KAAO/iG,EAAQgjG,MAAQhjG,EAAQwhG,SAElC,GAAuB,UAAnBxhG,EAAQxG,OAAoB,CACrC,GAAIkc,IAAU+rF,EAEZ,MADA/rF,EAAQksF,EACF5hG,EAAQwhG,IAGhBxhG,EAAQijG,kBAAkBjjG,EAAQwhG,IAEpC,KAA8B,WAAnBxhG,EAAQxG,QACjBwG,EAAQkjG,OAAO,SAAUljG,EAAQwhG,KAGnC9rF,EAAQisF,EAER,IAAIa,EAASjB,EAASR,EAAS/5F,EAAMhH,GACrC,GAAoB,WAAhBwiG,EAAO3oG,KAAmB,CAO5B,GAJA6b,EAAQ1V,EAAQ6Q,KACZ+wF,EACAF,EAEAc,EAAOhB,MAAQK,EACjB,SAGF,MAAO,CACLjnG,MAAO4nG,EAAOhB,IACd3wF,KAAM7Q,EAAQ6Q,KAGlB,CAA2B,UAAhB2xF,EAAO3oG,OAChB6b,EAAQksF,EAGR5hG,EAAQxG,OAAS,QACjBwG,EAAQwhG,IAAMgB,EAAOhB,IAEzB,CACF,CACF,CAMA,SAASsB,EAAoB9yE,EAAUhwB,GACrC,IAAImjG,EAAanjG,EAAQxG,OACrBA,EAASw2B,EAASiY,SAASk7D,GAC/B,GAAI3pG,IAAWxC,EAOb,OAHAgJ,EAAQgwB,SAAW,KAGA,UAAfmzE,GAA0BnzE,EAASiY,SAAiB,SAGtDjoC,EAAQxG,OAAS,SACjBwG,EAAQwhG,IAAMxqG,EACd8rG,EAAoB9yE,EAAUhwB,GAEP,UAAnBA,EAAQxG,SAMK,WAAf2pG,IACFnjG,EAAQxG,OAAS,QACjBwG,EAAQwhG,IAAM,IAAIxsD,UAChB,oCAAsCmuD,EAAa,aAN5CtB,EAYb,IAAIW,EAASjB,EAAS/nG,EAAQw2B,EAASiY,SAAUjoC,EAAQwhG,KAEzD,GAAoB,UAAhBgB,EAAO3oG,KAIT,OAHAmG,EAAQxG,OAAS,QACjBwG,EAAQwhG,IAAMgB,EAAOhB,IACrBxhG,EAAQgwB,SAAW,KACZ6xE,EAGT,IAAIxgG,EAAOmhG,EAAOhB,IAElB,OAAMngG,EAOFA,EAAKwP,MAGP7Q,EAAQgwB,EAASozE,YAAc/hG,EAAKzG,MAGpCoF,EAAQsoC,KAAOtY,EAASqzE,QAQD,WAAnBrjG,EAAQxG,SACVwG,EAAQxG,OAAS,OACjBwG,EAAQwhG,IAAMxqG,GAUlBgJ,EAAQgwB,SAAW,KACZ6xE,GANExgG,GA3BPrB,EAAQxG,OAAS,QACjBwG,EAAQwhG,IAAM,IAAIxsD,UAAU,oCAC5Bh1C,EAAQgwB,SAAW,KACZ6xE,EA+BX,CAqBA,SAASyB,EAAaC,GACpB,IAAI94E,EAAQ,CAAE+4E,OAAQD,EAAK,IAEvB,KAAKA,IACP94E,EAAMg5E,SAAWF,EAAK,IAGpB,KAAKA,IACP94E,EAAMi5E,WAAaH,EAAK,GACxB94E,EAAMk5E,SAAWJ,EAAK,IAGxB3sG,KAAKgtG,WAAWt/F,KAAKmmB,EACvB,CAEA,SAASo5E,EAAcp5E,GACrB,IAAI+3E,EAAS/3E,EAAMq5E,YAAc,CAAC,EAClCtB,EAAO3oG,KAAO,gBACP2oG,EAAOhB,IACd/2E,EAAMq5E,WAAatB,CACrB,CAEA,SAASnB,EAAQJ,GAIfrqG,KAAKgtG,WAAa,CAAC,CAAEJ,OAAQ,SAC7BvC,EAAYn9F,QAAQw/F,EAAc1sG,MAClCA,KAAKsuC,OAAM,EACb,CA8BA,SAASlb,EAAO+5E,GACd,GAAgB,MAAZA,EAAkB,CACpB,IAAIC,EAAiBD,EAASrD,GAC9B,GAAIsD,EACF,OAAOA,EAAezsG,KAAKwsG,GAG7B,GAA6B,mBAAlBA,EAASz7D,KAClB,OAAOy7D,EAGT,IAAKzjF,MAAMyjF,EAASnrG,QAAS,CAC3B,IAAIyP,GAAK,EAAGigC,EAAO,SAASA,IAC1B,OAASjgC,EAAI07F,EAASnrG,QACpB,GAAI2nG,EAAOhpG,KAAKwsG,EAAU17F,GAGxB,OAFAigC,EAAK1tC,MAAQmpG,EAAS17F,GACtBigC,EAAKz3B,MAAO,EACLy3B,EAOX,OAHAA,EAAK1tC,MAAQ5D,EACbsxC,EAAKz3B,MAAO,EAELy3B,CACT,EAEA,OAAOA,EAAKA,KAAOA,CACrB,CACF,CAEA,MAAM,IAAI0M,iBAAiB+uD,EAAW,mBACxC,CAmNA,OAnnBAjC,EAAkBjiG,UAAYkiG,EAC9Bl1E,EAAes1E,EAAI,cAAe,CAAEvnG,MAAOmnG,EAA4B5tD,cAAc,IACrFtnB,EACEk1E,EACA,cACA,CAAEnnG,MAAOknG,EAAmB3tD,cAAc,IAE5C2tD,EAAkBxhG,YAAc6xD,EAC9B4vC,EACAlB,EACA,qBAaFxhE,EAAQ4kE,oBAAsB,SAASC,GACrC,IAAIC,EAAyB,mBAAXD,GAAyBA,EAAOr/D,YAClD,QAAOs/D,IACHA,IAASrC,GAG2B,uBAAnCqC,EAAK7jG,aAAe6jG,EAAK9hG,MAEhC,EAEAg9B,EAAQ+kE,KAAO,SAASF,GAQtB,OAPIzmG,OAAO42C,eACT52C,OAAO42C,eAAe6vD,EAAQnC,IAE9BmC,EAAO5vD,UAAYytD,EACnB5vC,EAAO+xC,EAAQrD,EAAmB,sBAEpCqD,EAAOrkG,UAAYpC,OAAOrC,OAAO+mG,GAC1B+B,CACT,EAMA7kE,EAAQglE,MAAQ,SAAS7C,GACvB,MAAO,CAAEiB,QAASjB,EACpB,EAqEAY,EAAsBE,EAAcziG,WACpCsyD,EAAOmwC,EAAcziG,UAAW8gG,GAAqB,WACnD,OAAO/pG,IACT,IACAyoC,EAAQijE,cAAgBA,EAKxBjjE,EAAQrf,MAAQ,SAAS+gF,EAASC,EAASh6F,EAAMi6F,EAAasB,QACxC,IAAhBA,IAAwBA,EAAchgG,SAE1C,IAAI+hG,EAAO,IAAIhC,EACbvwC,EAAKgvC,EAASC,EAASh6F,EAAMi6F,GAC7BsB,GAGF,OAAOljE,EAAQ4kE,oBAAoBjD,GAC/BsD,EACAA,EAAKh8D,OAAOjrC,MAAK,SAAS3B,GACxB,OAAOA,EAAOmV,KAAOnV,EAAOd,MAAQ0pG,EAAKh8D,MAC3C,GACN,EAuKA85D,EAAsBD,GAEtBhwC,EAAOgwC,EAAItB,EAAmB,aAO9B1uC,EAAOgwC,EAAIzB,GAAgB,WACzB,OAAO9pG,IACT,IAEAu7D,EAAOgwC,EAAI,YAAY,WACrB,MAAO,oBACT,IAiCA9iE,EAAQjM,KAAO,SAAS8F,GACtB,IAAIqnB,EAAS9iD,OAAOy7B,GAChB9F,EAAO,GACX,IAAK,IAAI34B,KAAO8lD,EACdntB,EAAK9uB,KAAK7J,GAMZ,OAJA24B,EAAKmxE,UAIE,SAASj8D,IACd,KAAOlV,EAAKx6B,QAAQ,CAClB,IAAI6B,EAAM24B,EAAK32B,MACf,GAAIhC,KAAO8lD,EAGT,OAFAjY,EAAK1tC,MAAQH,EACb6tC,EAAKz3B,MAAO,EACLy3B,CAEX,CAMA,OADAA,EAAKz3B,MAAO,EACLy3B,CACT,CACF,EAmCAjJ,EAAQrV,OAASA,EAMjBq3E,EAAQxhG,UAAY,CAClBglC,YAAaw8D,EAEbn8D,MAAO,SAASs/D,GAcd,GAbA5tG,KAAKgtC,KAAO,EACZhtC,KAAK0xC,KAAO,EAGZ1xC,KAAKmsG,KAAOnsG,KAAKosG,MAAQhsG,EACzBJ,KAAKia,MAAO,EACZja,KAAKo5B,SAAW,KAEhBp5B,KAAK4C,OAAS,OACd5C,KAAK4qG,IAAMxqG,EAEXJ,KAAKgtG,WAAW9/F,QAAQ+/F,IAEnBW,EACH,IAAK,IAAIniG,KAAQzL,KAEQ,MAAnByL,EAAKwT,OAAO,IACZ0qF,EAAOhpG,KAAKX,KAAMyL,KACjBie,OAAOje,EAAKoB,MAAM,MACrB7M,KAAKyL,GAAQrL,EAIrB,EAEAob,KAAM,WACJxb,KAAKia,MAAO,EAEZ,IACI4zF,EADY7tG,KAAKgtG,WAAW,GACLE,WAC3B,GAAwB,UAApBW,EAAW5qG,KACb,MAAM4qG,EAAWjD,IAGnB,OAAO5qG,KAAK8tG,IACd,EAEAzB,kBAAmB,SAAS0B,GAC1B,GAAI/tG,KAAKia,KACP,MAAM8zF,EAGR,IAAI3kG,EAAUpJ,KACd,SAASmlF,EAAO6oB,EAAKC,GAYnB,OAXArC,EAAO3oG,KAAO,QACd2oG,EAAOhB,IAAMmD,EACb3kG,EAAQsoC,KAAOs8D,EAEXC,IAGF7kG,EAAQxG,OAAS,OACjBwG,EAAQwhG,IAAMxqG,KAGN6tG,CACZ,CAEA,IAAK,IAAIx8F,EAAIzR,KAAKgtG,WAAWhrG,OAAS,EAAGyP,GAAK,IAAKA,EAAG,CACpD,IAAIoiB,EAAQ7zB,KAAKgtG,WAAWv7F,GACxBm6F,EAAS/3E,EAAMq5E,WAEnB,GAAqB,SAAjBr5E,EAAM+4E,OAIR,OAAOznB,EAAO,OAGhB,GAAItxD,EAAM+4E,QAAU5sG,KAAKgtC,KAAM,CAC7B,IAAIkhE,EAAWvE,EAAOhpG,KAAKkzB,EAAO,YAC9Bs6E,EAAaxE,EAAOhpG,KAAKkzB,EAAO,cAEpC,GAAIq6E,GAAYC,EAAY,CAC1B,GAAInuG,KAAKgtC,KAAOnZ,EAAMg5E,SACpB,OAAO1nB,EAAOtxD,EAAMg5E,UAAU,GACzB,GAAI7sG,KAAKgtC,KAAOnZ,EAAMi5E,WAC3B,OAAO3nB,EAAOtxD,EAAMi5E,WAGxB,MAAO,GAAIoB,GACT,GAAIluG,KAAKgtC,KAAOnZ,EAAMg5E,SACpB,OAAO1nB,EAAOtxD,EAAMg5E,UAAU,OAG3B,KAAIsB,EAMT,MAAM,IAAIvlG,MAAM,0CALhB,GAAI5I,KAAKgtC,KAAOnZ,EAAMi5E,WACpB,OAAO3nB,EAAOtxD,EAAMi5E,WAKxB,CACF,CACF,CACF,EAEAR,OAAQ,SAASrpG,EAAM2nG,GACrB,IAAK,IAAIn5F,EAAIzR,KAAKgtG,WAAWhrG,OAAS,EAAGyP,GAAK,IAAKA,EAAG,CACpD,IAAIoiB,EAAQ7zB,KAAKgtG,WAAWv7F,GAC5B,GAAIoiB,EAAM+4E,QAAU5sG,KAAKgtC,MACrB28D,EAAOhpG,KAAKkzB,EAAO,eACnB7zB,KAAKgtC,KAAOnZ,EAAMi5E,WAAY,CAChC,IAAIsB,EAAev6E,EACnB,KACF,CACF,CAEIu6E,IACU,UAATnrG,GACS,aAATA,IACDmrG,EAAaxB,QAAUhC,GACvBA,GAAOwD,EAAatB,aAGtBsB,EAAe,MAGjB,IAAIxC,EAASwC,EAAeA,EAAalB,WAAa,CAAC,EAIvD,OAHAtB,EAAO3oG,KAAOA,EACd2oG,EAAOhB,IAAMA,EAETwD,GACFpuG,KAAK4C,OAAS,OACd5C,KAAK0xC,KAAO08D,EAAatB,WAClB7B,GAGFjrG,KAAKua,SAASqxF,EACvB,EAEArxF,SAAU,SAASqxF,EAAQmB,GACzB,GAAoB,UAAhBnB,EAAO3oG,KACT,MAAM2oG,EAAOhB,IAcf,MAXoB,UAAhBgB,EAAO3oG,MACS,aAAhB2oG,EAAO3oG,KACTjD,KAAK0xC,KAAOk6D,EAAOhB,IACM,WAAhBgB,EAAO3oG,MAChBjD,KAAK8tG,KAAO9tG,KAAK4qG,IAAMgB,EAAOhB,IAC9B5qG,KAAK4C,OAAS,SACd5C,KAAK0xC,KAAO,OACa,WAAhBk6D,EAAO3oG,MAAqB8pG,IACrC/sG,KAAK0xC,KAAOq7D,GAGP9B,CACT,EAEAoD,OAAQ,SAASvB,GACf,IAAK,IAAIr7F,EAAIzR,KAAKgtG,WAAWhrG,OAAS,EAAGyP,GAAK,IAAKA,EAAG,CACpD,IAAIoiB,EAAQ7zB,KAAKgtG,WAAWv7F,GAC5B,GAAIoiB,EAAMi5E,aAAeA,EAGvB,OAFA9sG,KAAKua,SAASsZ,EAAMq5E,WAAYr5E,EAAMk5E,UACtCE,EAAcp5E,GACPo3E,CAEX,CACF,EAEA,MAAS,SAAS2B,GAChB,IAAK,IAAIn7F,EAAIzR,KAAKgtG,WAAWhrG,OAAS,EAAGyP,GAAK,IAAKA,EAAG,CACpD,IAAIoiB,EAAQ7zB,KAAKgtG,WAAWv7F,GAC5B,GAAIoiB,EAAM+4E,SAAWA,EAAQ,CAC3B,IAAIhB,EAAS/3E,EAAMq5E,WACnB,GAAoB,UAAhBtB,EAAO3oG,KAAkB,CAC3B,IAAIqrG,EAAS1C,EAAOhB,IACpBqC,EAAcp5E,EAChB,CACA,OAAOy6E,CACT,CACF,CAIA,MAAM,IAAI1lG,MAAM,wBAClB,EAEA2lG,cAAe,SAASpB,EAAUX,EAAYC,GAa5C,OAZAzsG,KAAKo5B,SAAW,CACdiY,SAAUje,EAAO+5E,GACjBX,WAAYA,EACZC,QAASA,GAGS,SAAhBzsG,KAAK4C,SAGP5C,KAAK4qG,IAAMxqG,GAGN6qG,CACT,GAOKxiE,CAET,CAvtBc,CA4tBiB+X,EAAO/X,SAGtC,IACE+lE,mBAAqB/E,CACvB,CAAE,MAAOgF,GAWmB,iBAAfC,WACTA,WAAWF,mBAAqB/E,EAEhCkF,SAAS,IAAK,yBAAdA,CAAwClF,EAE5C,C,sBCpuBWnpG,E,gBACiB,KADjBA,EAkBRqyD,GAjBanmD,GAAGoiG,OACXtuG,EAAEm3B,OAAOn3B,EAAEkM,GAAI,CAKXoiG,MAAQ,SAAU36F,GAEd,IADA,IAAIzC,EAAIlR,EAAE,CAAC,IAAKmR,GAAK,EAAG+5B,EAAIxrC,KAAKgC,SAE3ByP,EAAI+5B,IACFh6B,EAAEpI,QAAUoI,EAAE,GAAKxR,KAAKyR,MACF,IAAvBwC,EAAEtT,KAAK6Q,EAAE,GAAIC,EAAGD,KAEvB,OAAOxR,IACX,IAKX,SAAUM,EAAGF,GACV,aAGA,GAAI+D,OAAO0qG,UAAYzuG,EAAvB,CAIA,IAAS0uG,EAAiBC,EAAeC,EAAcC,EAASC,EAC/BC,EAAWC,EAuDlB79E,EAvDtB02C,EAAkB,CAACl0D,EAAE,EAAEC,EAAE,GAE7Bq7F,EAAM,CACF/rC,IAAK,EACLT,MAAO,GACPysC,IAAK,GACLjsC,MAAO,GACPL,KAAM,GACNO,GAAI,GACJH,MAAO,GACPT,KAAM,GACN4sC,MAAO,GACPC,KAAM,GACNC,IAAK,GACLvsC,QAAS,GACTD,UAAW,GACXF,KAAM,GACNH,IAAK,GACLJ,UAAW,EACXE,OAAQ,GACRgtC,QAAS,SAAU5vF,GAEf,OADAA,EAAIA,EAAEgkE,MAAQhkE,EAAEgkE,MAAQhkE,GAExB,KAAKuvF,EAAIrsC,KACT,KAAKqsC,EAAIjsC,MACT,KAAKisC,EAAI9rC,GACT,KAAK8rC,EAAI1sC,KACL,OAAO,EAEX,OAAO,CACX,EACAgtC,UAAW,SAAUh7F,GAEjB,OADQA,EAAEmvE,OAEV,KAAKurB,EAAIE,MACT,KAAKF,EAAIG,KACT,KAAKH,EAAII,IACL,OAAO,EAGX,QAAI96F,EAAEy4D,OAGV,EACAwiC,cAAe,SAAU9vF,GAErB,OADAA,EAAIA,EAAEgkE,MAAQhkE,EAAEgkE,MAAQhkE,IACZ,KAAOA,GAAK,GAC5B,GAIJ+vF,EAAa,CAAC,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,EAAS,KAAK,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,KAAK,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,IAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAI,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,IAAS,EAAS,KAElzVV,EAAY7uG,EAAEiJ,UAEYgoB,EAAQ,EAAlC09E,EAA4C,WAAa,OAAO19E,GAAW,EA0jB3Eu9E,EAAkBgB,EAAMjpG,OAAQ,CAG5BrD,KAAM,SAAUu7B,GACZ,IAAI3uB,EAAOpQ,KACX,OAAO,WACH++B,EAAKrkB,MAAMtK,EAAMvF,UACrB,CACJ,EAGAm5B,KAAM,SAAUqF,GACZ,IAAI3hC,EAASkX,EAtcsB4Z,EACnCu3E,EAqcqBC,EAAkB,mBAGvChwG,KAAKqpC,KAAOA,EAAOrpC,KAAKiwG,YAAY5mE,GAEpCrpC,KAAKuF,GAAG8jC,EAAK9jC,GAGT8jC,EAAK7Q,QAAQn1B,KAAK,aAAejD,GACA,OAAjCipC,EAAK7Q,QAAQn1B,KAAK,YAClBgmC,EAAK7Q,QAAQn1B,KAAK,WAAWygC,UAGjC9jC,KAAKu3B,UAAYv3B,KAAKkwG,kBAEtBlwG,KAAK0sE,WAAapsE,EAAE,SAAU,CACtB8gC,KAAM,SACN,YAAa,WAEhBz+B,SAAS,6BACTw9B,SAAS52B,SAAS5B,MAEvB3H,KAAKmwG,YAAY,SAAS9mE,EAAK7Q,QAAQziB,KAAK,OAAS,UAAUk5F,KAC/DjvG,KAAKowG,mBAAoBpwG,KAAKmwG,YACzB77F,QAAQ,SAAU,KAClBA,QAAQ,4CAA6C,QAC1DtU,KAAKu3B,UAAUxhB,KAAK,KAAM/V,KAAKmwG,aAE/BnwG,KAAKu3B,UAAUxhB,KAAK,QAASszB,EAAK7Q,QAAQziB,KAAK,UAE/C/V,KAAK2H,KAAOrH,EAAE,QAEd+vG,EAAerwG,KAAKu3B,UAAWv3B,KAAKqpC,KAAK7Q,QAASx4B,KAAKqpC,KAAKinE,wBAE5DtwG,KAAKu3B,UAAUxhB,KAAK,QAASszB,EAAK7Q,QAAQziB,KAAK,UAC/C/V,KAAKu3B,UAAUhjB,IAAIqxC,EAASvc,EAAKknE,aAAcvwG,KAAKqpC,KAAK7Q,UACzDx4B,KAAKu3B,UAAU50B,SAASijD,EAASvc,EAAKmnE,kBAAmBxwG,KAAKqpC,KAAK7Q,UAEnEx4B,KAAKywG,gBAAkBzwG,KAAKqpC,KAAK7Q,QAAQziB,KAAK,YAG9C/V,KAAKqpC,KAAK7Q,QACLn1B,KAAK,UAAWrD,MAChB+V,KAAK,WAAY,MACjB48E,OAAO3yF,KAAKu3B,WACZxf,GAAG,gBAAiB24F,GAEzB1wG,KAAKu3B,UAAUl0B,KAAK,UAAWrD,MAE/BA,KAAK2wG,SAAW3wG,KAAKu3B,UAAUx1B,KAAK,iBAEpCsuG,EAAerwG,KAAK2wG,SAAU3wG,KAAKqpC,KAAK7Q,QAASx4B,KAAKqpC,KAAKunE,uBAE3D5wG,KAAK2wG,SAAShuG,SAASijD,EAASvc,EAAKwnE,iBAAkB7wG,KAAKqpC,KAAK7Q,UACjEx4B,KAAK2wG,SAASttG,KAAK,UAAWrD,MAC9BA,KAAK2wG,SAAS54F,GAAG,QAAS24F,GAE1B1wG,KAAK0H,QAAUA,EAAU1H,KAAKu3B,UAAUx1B,KAAKiuG,GAC7ChwG,KAAK4e,OAASA,EAAS5e,KAAKu3B,UAAUx1B,KAAK,uBAE3C/B,KAAK8wG,WAAa,EAClB9wG,KAAK+wG,YAAc,EACnB/wG,KAAKoJ,QAAU,KAGfpJ,KAAKgxG,gBAELhxG,KAAKu3B,UAAUxf,GAAG,QAAS24F,GAEF1wG,KAAK0H,QAxiB1BqQ,GAAG,aAAa,SAAUpD,GAC9B,IAAIs8F,EAAUhpC,EACVgpC,IAAY7wG,GAAa6wG,EAAQl9F,IAAMY,EAAEs7C,OAASghD,EAAQj9F,IAAMW,EAAEq7C,OAClE1vD,EAAEqU,EAAElH,QAAQ/K,QAAQ,qBAAsBiS,EAElD,IAqiBI3U,KAAK2wG,SAAS54F,GAAG,qBAAsBi4F,EAAiBhwG,KAAKwD,KAAKxD,KAAKkxG,sBACvElxG,KAAK2wG,SAAS54F,GAAG,gCAAiCi4F,EAAiBhwG,KAAKwD,MAAK,SAAU0iB,GACnFlmB,KAAKmxG,aAAc,EACnBnxG,KAAKkxG,oBAAoBhrF,EAC7B,KACAlmB,KAAK2wG,SAAS54F,GAAG,YAAai4F,EAAiBhwG,KAAKwD,KAAKxD,KAAKoxG,aAC9DpxG,KAAK2wG,SAAS54F,GAAG,sBAAuBi4F,EAAiBhwG,KAAKwD,KAAKxD,KAAKqxG,kBAIxErxG,KAAK2wG,SAAS54F,GAAG,QAAS/X,KAAKwD,MAAK,SAAU0iB,GACtClmB,KAAKmxG,cACLnxG,KAAKmxG,aAAc,EACnBnxG,KAAKsxG,oBAEb,KA5hBmC94E,EA8hBRx4B,KAAK0H,QA7hBhCqoG,EAASvhF,EA6hBc,IA7hBM,SAAU7Z,GAAK6jB,EAAQ91B,QAAQ,mBAAoBiS,EAAG,IACvF6jB,EAAQzgB,GAAG,UAAU,SAAUpD,GACvBjP,EAAQiP,EAAElH,OAAQ+qB,EAAQzQ,QAAU,GAAGgoF,EAAOp7F,EACtD,IA2hBI3U,KAAK2wG,SAAS54F,GAAG,mBAAoBi4F,EAAiBhwG,KAAKwD,KAAKxD,KAAKuxG,mBAGrEjxG,EAAEN,KAAKu3B,WAAWxf,GAAG,SAAU,kBAAkB,SAASpD,GAAIA,EAAEouB,iBAAkB,IAClFziC,EAAEN,KAAK2wG,UAAU54F,GAAG,SAAU,kBAAkB,SAASpD,GAAIA,EAAEouB,iBAAkB,IAG7EziC,EAAEkM,GAAGm3F,YACLj8F,EAAQi8F,YAAW,SAAUhvF,EAAGo8E,EAAOygB,EAAQC,GAC3C,IAAItwF,EAAMzZ,EAAQo1C,YACd20D,EAAS,GAAKtwF,EAAMswF,GAAU,GAC9B/pG,EAAQo1C,UAAU,GAClB4zD,EAAU/7F,IACH88F,EAAS,GAAK/pG,EAAQqgB,IAAI,GAAGknC,aAAevnD,EAAQo1C,YAAc20D,GAAU/pG,EAAQsL,WAC3FtL,EAAQo1C,UAAUp1C,EAAQqgB,IAAI,GAAGknC,aAAevnD,EAAQsL,UACxD09F,EAAU/7F,GAElB,IAGJ+8F,EAAwB9yF,GACxBA,EAAO7G,GAAG,2BAA4B/X,KAAKwD,KAAKxD,KAAK2xG,gBACrD/yF,EAAO7G,GAAG,SAAS,WAAc6G,EAAOjc,SAAS,kBAAoB,IACrEic,EAAO7G,GAAG,QAAQ,WAAc6G,EAAOnc,YAAY,kBAAmB,IAEtEzC,KAAK2wG,SAAS54F,GAAG,UAAWi4F,EAAiBhwG,KAAKwD,MAAK,SAAUmR,GACzDrU,EAAEqU,EAAElH,QAAQmK,QAAQ,8BAA8B5V,OAAS,IAC3DhC,KAAKkxG,oBAAoBv8F,GACzB3U,KAAKsxG,kBAAkB38F,GAE/B,KAMA3U,KAAK2wG,SAAS54F,GAAG,uDAAuD,SAAUpD,GAAKA,EAAEouB,iBAAmB,IAE5G/iC,KAAK4xG,eAAiBxxG,EAElBE,EAAEkwC,WAAWxwC,KAAKqpC,KAAKwoE,iBAEvB7xG,KAAK6xG,gBAIL7xG,KAAK8xG,iBAGuB,OAA5BzoE,EAAK0oE,oBACL/xG,KAAK4e,OAAO7I,KAAK,YAAaszB,EAAK0oE,oBAGvC,IAAI7nD,EAAW7gB,EAAK7Q,QAAQviB,KAAK,YAC7Bi0C,IAAa9pD,IAAW8pD,GAAW,GACvClqD,KAAK05B,QAAQwwB,GAEb,IAAI8nD,EAAW3oE,EAAK7Q,QAAQviB,KAAK,YAC7B+7F,IAAa5xG,IAAW4xG,GAAW,GACvChyG,KAAKgyG,SAASA,GAGd5C,EAAsBA,GAjsB9B,WACI,IAAI6C,EAAY3xG,EAnCS,iDAoCzB2xG,EAAU9xE,SAAS,QAEnB,IAAI+8C,EAAM,CACNnqE,MAAOk/F,EAAUl/F,QAAUk/F,EAAU,GAAGtwF,YACxC3O,OAAQi/F,EAAUj/F,SAAWi/F,EAAU,GAAGp5B,cAI9C,OAFAo5B,EAAUv6F,SAEHwlE,CACX,CAsrBqDg1B,GAE7ClyG,KAAKmyG,UAAY9oE,EAAK7Q,QAAQviB,KAAK,aACnCozB,EAAK7Q,QAAQviB,KAAK,aAAa,GAC3BjW,KAAKmyG,WAAWnyG,KAAK8uB,QAEzB9uB,KAAK4e,OAAO7I,KAAK,cAAeszB,EAAK+oE,uBACzC,EAGAtuE,QAAS,WACL,IAAItL,EAAQx4B,KAAKqpC,KAAK7Q,QAASqG,EAAUrG,EAAQn1B,KAAK,WAAY+M,EAAOpQ,KAEzEA,KAAKyX,QAED+gB,EAAQx2B,QAAUw2B,EAAQ,GAAGogB,aAC7BpgB,EAAQn4B,MAAK,WACTL,KAAK44C,YAAY,mBAAoBxoC,EAAKiiG,MAC9C,IAEAryG,KAAKsyG,mBACLtyG,KAAKsyG,iBAAiBC,aACtBvyG,KAAKsyG,iBAAmB,MAE5BtyG,KAAKqyG,MAAQ,KAETxzE,IAAYz+B,IACZy+B,EAAQtH,UAAU7f,SAClBmnB,EAAQ6tC,WAAWh1D,SACnBmnB,EAAQ8xE,SAASj5F,SACjB8gB,EACK/1B,YAAY,qBACZ0oD,WAAW,WACX3kC,IAAI,YACJvQ,KAAK,YAAajW,KAAKmyG,YAAa,GACrCnyG,KAAKywG,gBACLj4E,EAAQziB,KAAK,CAACkxB,SAAUjnC,KAAKywG,kBAE7Bj4E,EAAQ8I,WAAW,YAEvB9I,EAAQn3B,QAGZmxG,EAAsB7xG,KAAKX,KACvB,YACA,aACA,WACA,UACA,SAER,EAGAyyG,aAAc,SAASj6E,GACnB,OAAIA,EAAQpS,GAAG,UACJ,CACH7gB,GAAGizB,EAAQviB,KAAK,SAChB3U,KAAKk3B,EAAQl3B,OACbk3B,QAASA,EAAQzQ,MACjBxT,IAAKikB,EAAQziB,KAAK,SAClBm0C,SAAU1xB,EAAQviB,KAAK,YACvBy8F,OAAQC,EAAMn6E,EAAQziB,KAAK,UAAW,WAAa48F,EAAMn6E,EAAQn1B,KAAK,WAAW,IAE9Em1B,EAAQpS,GAAG,YACX,CACH9kB,KAAKk3B,EAAQziB,KAAK,SAClBQ,SAAS,GACTiiB,QAASA,EAAQzQ,MACjBxT,IAAKikB,EAAQziB,KAAK,eALnB,CAQX,EAGAk6F,YAAa,SAAU5mE,GACnB,IAAI7Q,EAASzJ,EAAQ6jF,EAAOC,EAASziG,EAAOpQ,KAqF5C,GAjF6C,YAF7Cw4B,EAAU6Q,EAAK7Q,SAEHzQ,IAAI,GAAGgqB,QAAQz0B,gBACvBtd,KAAK+uB,OAASA,EAASsa,EAAK7Q,SAG5BzJ,GAEAzuB,EAAED,KAAK,CAAC,KAAM,WAAY,OAAQ,QAAS,qBAAsB,gBAAiB,OAAQ,SAAS,WAC/F,GAAIL,QAAQqpC,EACR,MAAM,IAAIzgC,MAAM,WAAa5I,KAAO,oEAE5C,IAkEoB,mBA/DxBqpC,EAAO/oC,EAAEm3B,OAAO,CAAC,EAAG,CAChBq7E,gBAAiB,SAASv7E,EAAW7vB,EAAS+W,GAC1C,IAAIs0F,EAAUxtG,EAAGvF,KAAKqpC,KAAK9jC,GAAImnE,EAAW1sE,KAAK0sE,WAE/CqmC,EAAS,SAASrrG,EAAS6vB,EAAWhwB,GAElC,IAAIkK,EAAG+5B,EAAG1mC,EAAQkuG,EAAY9oD,EAAU+oD,EAAUvmG,EAAMxB,EAAOgoG,EAAgBC,EAK3ErmG,EAAQ,GACZ,IAAK2E,EAAI,EAAG+5B,GAJZ9jC,EAAU2hC,EAAK+pE,YAAY1rG,EAAS6vB,EAAW9Y,IAIvBzc,OAAQyP,EAAI+5B,EAAG/5B,GAAQ,EAK3CuhG,IADA9oD,GAAgC,KAFhCplD,EAAO4C,EAAQ+J,IAEIy4C,WACU3kD,EAAGT,KAAY1E,EAE5C6yG,EAASnuG,EAAOyR,UAAYzR,EAAOyR,SAASvU,OAAS,GAErD0K,EAAKpM,EAAE,cACFqC,SAAS,wBAAwB4E,GACtCmF,EAAK/J,SAAS,kBACd+J,EAAK/J,SAASqwG,EAAa,4BAA8B,+BACrD9oD,GAAYx9C,EAAK/J,SAAS,oBAC1BswG,GAAYvmG,EAAK/J,SAAS,gCAC9B+J,EAAK/J,SAASyN,EAAKi5B,KAAKgqE,qBAAqBvuG,IAC7C4H,EAAKqJ,KAAK,OAAQ,iBAElB7K,EAAM5K,EAAEiJ,SAAS8L,cAAc,SACzB1S,SAAS,wBACfuI,EAAM6K,KAAK,KAAM,wBAA0Bk5F,KAC3C/jG,EAAM6K,KAAK,OAAQ,WAEnBo9F,EAAU9pE,EAAKiqE,aAAaxuG,EAAQoG,EAAOuT,EAAOrO,EAAKi5B,KAAKkqE,iBAC5CnzG,IACZ8K,EAAMrK,KAAKsyG,GACXzmG,EAAKsJ,OAAO9K,IAIZ+nG,KAEAC,EAAe5yG,EAAE,cACFqC,SAAS,sBACxBowG,EAASjuG,EAAOyR,SAAU28F,EAAgB3rG,EAAM,GAChDmF,EAAKsJ,OAAOk9F,IAGhBxmG,EAAKrJ,KAAK,eAAgByB,GAC1BgI,EAAMY,KAAKhB,EAAK,IAIpB6qB,EAAUvhB,OAAOlJ,GACjB4/D,EAAWprE,KAAK+nC,EAAKmqE,cAAc9rG,EAAQ1F,QAC/C,EAEA+wG,EAASrrG,EAAS6vB,EAAW,EACjC,GACDj3B,EAAEkM,GAAGqyB,QAAQqN,SAAU7C,IAER,KACdupE,EAAQvpE,EAAK9jC,GACb8jC,EAAK9jC,GAAK,SAAUoP,GAAK,OAAOA,EAAEi+F,EAAQ,GAG1CtyG,EAAEk+B,QAAQ6K,EAAK7Q,QAAQn1B,KAAK,gBAAiB,CAC7C,GAAI,SAAUgmC,EACV,KAAM,qFAAuFA,EAAK7Q,QAAQziB,KAAK,MAEnHszB,EAAKoqE,KAAKpqE,EAAK7Q,QAAQn1B,KAAK,cAChC,CAwEA,GAtEI0rB,GACAsa,EAAK5qB,MAAQze,KAAKwD,MAAK,SAAUib,GAC7B,IAEIlI,EAAUm9F,EAAmBC,EAF7BtwG,EAAO,CAAEqE,QAAS,GAAIksG,MAAM,GAC5BzlF,EAAO1P,EAAM0P,KAGjBwlF,EAAQ,SAASn7E,EAAS7vB,GACtB,IAAI+3E,EACAloD,EAAQpS,GAAG,UACP3H,EAAMw0B,QAAQ9kB,EAAMqK,EAAQl3B,OAAQk3B,IACpC7vB,EAAW+E,KAAK0C,EAAKqiG,aAAaj6E,IAE/BA,EAAQpS,GAAG,cAClBs6D,EAAMtwE,EAAKqiG,aAAaj6E,GACxBA,EAAQjiB,WAAWq4F,OAAM,SAASn9F,EAAGs0B,GAAO4tE,EAAQ5tE,EAAK26C,EAAMnqE,SAAW,IACtEmqE,EAAMnqE,SAASvU,OAAO,GACtB2G,EAAW+E,KAAKgzE,GAG5B,EAEAnqE,EAASiiB,EAAQjiB,WAGbvW,KAAK6zG,mBAAqBzzG,GAAamW,EAASvU,OAAS,IACzD0xG,EAAoB1zG,KAAK8zG,0BAErBv9F,EAASA,EAASy1C,IAAI0nD,IAI9Bn9F,EAASq4F,OAAM,SAASn9F,EAAGs0B,GAAO4tE,EAAQ5tE,EAAK1iC,EAAKqE,QAAU,IAE9D+W,EAAM1e,SAASsD,EACnB,IAEAgmC,EAAK9jC,GAAG,SAASoP,GAAK,OAAOA,EAAEpP,EAAI,GAE7B,UAAW8jC,IAET,SAAUA,IACVwpE,EAAUxpE,EAAK7Q,QAAQn1B,KAAK,cACbwvG,EAAQ7wG,OAAS,IAC5BqnC,EAAKqM,KAAKvyC,IAAM0vG,GAEpBxpE,EAAK5qB,MAAQi3B,EAAK/0C,KAAK0oC,EAAK7Q,QAAS6Q,EAAKqM,OACnC,SAAUrM,EACjBA,EAAK5qB,MAAQi4C,EAAMrtB,EAAKhmC,MACjB,SAAUgmC,IACjBA,EAAK5qB,MAAQg1F,EAAKpqE,EAAKoqE,MACnBpqE,EAAK0qE,qBAAuB3zG,IAC5BipC,EAAK0qE,mBAAqB,SAAU5lF,GAAQ,MAAO,CAAC5oB,GAAIjF,EAAEif,KAAK4O,GAAO7sB,KAAMhB,EAAEif,KAAK4O,GAAQ,GAE3Fkb,EAAKwoE,gBAAkBzxG,IACvBipC,EAAKwoE,cAAgB,SAAUr5E,EAASz4B,GACpC,IAAIsD,EAAO,GACX/C,EAAE0zG,EAASx7E,EAAQ8J,MAAO+G,EAAK4qE,YAAY5zG,MAAK,WAC5C,IAAI0pC,EAAM,CAAExkC,GAAIvF,KAAMsB,KAAMtB,MACxByzG,EAAOpqE,EAAKoqE,KACZnzG,EAAEkwC,WAAWijE,KAAOA,EAAKA,KAC7BnzG,EAAEmzG,GAAMpzG,MAAK,WAAa,GAAIsyG,EAAM3yG,KAAKuF,GAAIwkC,EAAIxkC,IAAmB,OAAZwkC,EAAM/pC,MAAa,CAAS,IACpFqD,EAAKqK,KAAKq8B,EACd,IAEAhqC,EAASsD,EACb,KAKW,mBAAhBgmC,EAAU,MACjB,KAAM,0CAA4CA,EAAK7Q,QAAQziB,KAAK,MAGxE,GAAwC,QAApCszB,EAAK6qE,2BACL7qE,EAAK6qE,2BAA6B,SAASl5E,EAAML,GAAQK,EAAKkV,QAAQvV,EAAO,OAE5E,GAAwC,WAApC0O,EAAK6qE,2BACV7qE,EAAK6qE,2BAA6B,SAASl5E,EAAML,GAAQK,EAAKttB,KAAKitB,EAAO,OAEzE,GAAgD,mBAArC0O,EAA+B,2BAC3C,KAAM,yFAGV,OAAOA,CACX,EAMAyoE,cAAe,WACX,IAA4BqC,EAAxBr8E,EAAK93B,KAAKqpC,KAAK7Q,QAAmBpoB,EAAOpQ,KAE7C83B,EAAG/f,GAAG,iBAAkB/X,KAAKwD,MAAK,SAAUmR,IACmB,IAAvD3U,KAAKqpC,KAAK7Q,QAAQn1B,KAAK,6BACvBrD,KAAK6xG,eAEb,KAEA7xG,KAAKqyG,MAAQryG,KAAKwD,MAAK,WAGnB,IAAI0mD,EAAWpyB,EAAG7hB,KAAK,YACnBi0C,IAAa9pD,IAAW8pD,GAAW,GACvClqD,KAAK05B,QAAQwwB,GAEb,IAAI8nD,EAAWl6E,EAAG7hB,KAAK,YACnB+7F,IAAa5xG,IAAW4xG,GAAW,GACvChyG,KAAKgyG,SAASA,GAEd3B,EAAerwG,KAAKu3B,UAAWv3B,KAAKqpC,KAAK7Q,QAASx4B,KAAKqpC,KAAKinE,wBAC5DtwG,KAAKu3B,UAAU50B,SAASijD,EAAS5lD,KAAKqpC,KAAKmnE,kBAAmBxwG,KAAKqpC,KAAK7Q,UAExE63E,EAAerwG,KAAK2wG,SAAU3wG,KAAKqpC,KAAK7Q,QAASx4B,KAAKqpC,KAAKunE,uBAC3D5wG,KAAK2wG,SAAShuG,SAASijD,EAAS5lD,KAAKqpC,KAAKwnE,iBAAkB7wG,KAAKqpC,KAAK7Q,SAE1E,IAGIV,EAAG91B,QAAU81B,EAAG,GAAG0gB,aACnB1gB,EAAGz3B,MAAK,WACJL,KAAKw4C,YAAY,mBAAoBpoC,EAAKiiG,MAC9C,KAIJ8B,EAAWhwG,OAAOiwG,kBAAoBjwG,OAAOkwG,wBAAyBlwG,OAAOmwG,uBAC5Dl0G,IACTJ,KAAKsyG,0BAA2BtyG,KAAKsyG,iBAAkBtyG,KAAKsyG,iBAAmB,MACnFtyG,KAAKsyG,iBAAmB,IAAI6B,GAAS,SAAUI,GAC3Cj0G,EAAED,KAAKk0G,EAAWnkG,EAAKiiG,MAC3B,IACAryG,KAAKsyG,iBAAiBkC,QAAQ18E,EAAG/P,IAAI,GAAI,CAAExa,YAAW,EAAMknG,SAAQ,IAE5E,EAGAC,cAAe,SAASrxG,GACpB,IAAIsxG,EAAMr0G,EAAE4sD,MAAM,oBAAqB,CAAE5qB,IAAKtiC,KAAKuF,GAAGlC,GAAOsmD,OAAQtmD,EAAMuxG,OAAQvxG,IAEnF,OADArD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQiyG,IAClBA,EAAIvnD,oBAChB,EAMAynD,cAAe,SAAUC,GAErBA,EAAUA,GAAW,CAAC,EACtBA,EAASx0G,EAAEm3B,OAAO,CAAC,EAAGq9E,EAAS,CAAE7xG,KAAM,SAAUq/B,IAAKtiC,KAAKsiC,QAE3DtiC,KAAKqpC,KAAK7Q,QAAQn1B,KAAK,4BAA4B,GACnDrD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQoyG,GAC1B90G,KAAKqpC,KAAK7Q,QAAQn1B,KAAK,4BAA4B,GAInDrD,KAAKqpC,KAAK7Q,QAAQrhB,QAIdnX,KAAKqpC,KAAK0rE,cACV/0G,KAAKqpC,KAAK7Q,QAAQsvC,MAC1B,EAGAktC,mBAAoB,WAEhB,OAAiC,IAA1Bh1G,KAAKi1G,gBAChB,EAGAC,gBAAiB,WACb,IAAI3hF,EAAUvzB,KAAKm1G,WAAan1G,KAAKo1G,UACjClrD,GAAY32B,EAEhB,OAAIA,IAAYvzB,KAAKi1G,mBAErBj1G,KAAKu3B,UAAU+0B,YAAY,6BAA8BpC,GACzDlqD,KAAKyX,QACLzX,KAAKi1G,iBAAmB1hF,GAEjB,EACX,EAGAmG,OAAQ,SAASnG,GACTA,IAAYnzB,IAAWmzB,GAAU,GACjCvzB,KAAKm1G,WAAa5hF,IACtBvzB,KAAKm1G,SAAW5hF,EAEhBvzB,KAAKqpC,KAAK7Q,QAAQviB,KAAK,YAAasd,GACpCvzB,KAAKk1G,kBACT,EAGAz8E,QAAS,WACLz4B,KAAK05B,QAAO,EAChB,EAGAs4E,SAAU,SAASz+E,GACXA,IAAYnzB,IAAWmzB,GAAU,GACjCvzB,KAAKo1G,YAAc7hF,IACvBvzB,KAAKo1G,UAAY7hF,EAEjBvzB,KAAKqpC,KAAK7Q,QAAQviB,KAAK,WAAYsd,GACnCvzB,KAAKk1G,kBACT,EAGAG,OAAQ,WACJ,QAAQr1G,KAAc,WAAIA,KAAKu3B,UAAUc,SAAS,wBACtD,EAGAi9E,iBAAkB,WACd,IAiBIC,EACAC,EACAC,EACAlhG,EACAmhG,EArBAC,EAAY31G,KAAK2wG,SACjBthD,EAASrvD,KAAKu3B,UAAU83B,SACxBr8C,EAAShT,KAAKu3B,UAAUqL,aAAY,GACpC7vB,EAAQ/S,KAAKu3B,UAAUkQ,YAAW,GAClCmuE,EAAaD,EAAU/yE,aAAY,GACnCizE,EAAUv1G,EAAE6D,QACZ2xG,EAAcD,EAAQ9iG,QACtBgjG,EAAeF,EAAQ7iG,SACvBgjG,EAAgBH,EAAQvmD,aAAewmD,EACvCG,EAAiBJ,EAAQ/4D,YAAci5D,EACvCG,EAAU7mD,EAAOluC,IAAMnO,EACvBmjG,EAAW9mD,EAAOjuC,KAClBg1F,EAAkBF,EAAUN,GAAcK,EAC1CI,EAAmBhnD,EAAOluC,IAAMy0F,GAAeC,EAAQ/4D,YACvDw5D,EAAYX,EAAUluE,YAAW,GACjC8uE,EAAoBJ,EAAWG,GAAaN,EACjCL,EAAUt9E,SAAS,uBAS9Bm9E,GAAQ,GACHa,GAAmBD,IACpBX,GAAkB,EAClBD,GAAQ,KAGZA,GAAQ,GACHY,GAAmBC,IACpBZ,GAAkB,EAClBD,GAAQ,IAKZC,IACAE,EAAU11G,OACVovD,EAASrvD,KAAKu3B,UAAU83B,SACxBr8C,EAAShT,KAAKu3B,UAAUqL,aAAY,GACpC7vB,EAAQ/S,KAAKu3B,UAAUkQ,YAAW,GAClCmuE,EAAaD,EAAU/yE,aAAY,GACnCozE,EAAgBH,EAAQvmD,aAAewmD,EACvCG,EAAiBJ,EAAQ/4D,YAAci5D,EACvCG,EAAU7mD,EAAOluC,IAAMnO,EAGvBujG,GAFAJ,EAAW9mD,EAAOjuC,OAClBk1F,EAAYX,EAAUluE,YAAW,KACWuuE,EAC5CL,EAAUt0G,OAGVrB,KAAKw2G,eAGLx2G,KAAKqpC,KAAKotE,mBACVf,EAAkBp1G,EAAE,mBAAoBq1G,GAAW,GACnDA,EAAUhzG,SAAS,2BACnBgzG,EAAUphG,IAAI,QAAS,KAEvB+hG,EAAYX,EAAUluE,YAAW,IAAUiuE,EAAgBzmD,eAAiBymD,EAAgB78B,aAAe,EAAIu2B,EAAoBr8F,QACvHA,EAAQA,EAAQujG,EAAYA,EAAYvjG,EACpD6iG,EAAaD,EAAU/yE,aAAY,GACnC2zE,EAAoBJ,EAAWG,GAAaN,GAG5Ch2G,KAAKu3B,UAAU90B,YAAY,2BAOG,WAA9BzC,KAAK2H,KAAK4M,IAAI,cAEd2hG,IADAX,EAAav1G,KAAK2H,KAAK0nD,UACDluC,IACtBg1F,GAAYZ,EAAWn0F,MAGtBm1F,IACDJ,EAAW9mD,EAAOjuC,KAAOphB,KAAKu3B,UAAUkQ,YAAW,GAAS6uE,GAGhE/hG,EAAO,CACH6M,KAAM+0F,EACNpjG,MAAOA,GAGPyiG,GACAjhG,EAAI4M,IAAMkuC,EAAOluC,IAAMy0F,EACvBrhG,EAAIy8C,OAAS,OACbhxD,KAAKu3B,UAAU50B,SAAS,sBACxBgzG,EAAUhzG,SAAS,wBAGnB4R,EAAI4M,IAAM+0F,EACV3hG,EAAIy8C,OAAS,OACbhxD,KAAKu3B,UAAU90B,YAAY,sBAC3BkzG,EAAUlzG,YAAY,uBAE1B8R,EAAMjU,EAAEm3B,OAAOljB,EAAKqxC,EAAS5lD,KAAKqpC,KAAKqtE,YAAa12G,KAAKqpC,KAAK7Q,UAE9Dm9E,EAAUphG,IAAIA,EAClB,EAGAoiG,WAAY,WACR,IAAIzwF,EAEJ,OAAIlmB,KAAKq1G,WAEa,IAAlBr1G,KAAKm1G,WAAyC,IAAnBn1G,KAAKo1G,YAEpClvF,EAAQ5lB,EAAE4sD,MAAM,mBAChBltD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQwjB,IAClBA,EAAMknC,qBAClB,EAGAwpD,iCAAkC,WAE9B52G,KAAKu3B,UAAU90B,YAAY,sBAC3BzC,KAAK2wG,SAASluG,YAAY,qBAC9B,EASAyxB,KAAM,WAEF,QAAKl0B,KAAK22G,eAEV32G,KAAK62G,UAGL1H,EAAUp3F,GAAG,0BAA0B,SAAUpD,GAC7CszD,EAAkBl0D,EAAIY,EAAEs7C,MACxBgY,EAAkBj0D,EAAIW,EAAEq7C,KAC5B,KAEO,EACX,EAMA6mD,QAAS,WACL,IAIIC,EAJA9qE,EAAMhsC,KAAKowG,mBACXlmC,EAAS,UAAYl+B,EACrBlS,EAAS,UAAUkS,EACnB+qE,EAAS,qBAAqB/qE,EAGlChsC,KAAKu3B,UAAU50B,SAAS,yBAAyBA,SAAS,4BAE1D3C,KAAK42G,mCAEF52G,KAAK2wG,SAAS,KAAO3wG,KAAK2H,KAAK4O,WAAW49B,OAAO,IAChDn0C,KAAK2wG,SAASl0F,SAAS0jB,SAASngC,KAAK2H,MAKtB,IADnBmvG,EAAOx2G,EAAE,uBACA0B,UACL80G,EAAOx2G,EAAEiJ,SAAS8L,cAAc,SAC3BU,KAAK,KAAK,qBAAqBA,KAAK,QAAQ,qBACjD+gG,EAAK72G,OACL62G,EAAK32E,SAASngC,KAAK2H,MACnBmvG,EAAK/+F,GAAG,8BAA8B,SAAUpD,GAE5CqiG,EAAgBF,GAEhB,IAAmC1mG,EAA/BugG,EAAWrwG,EAAE,iBACbqwG,EAAS3uG,OAAS,KAClBoO,EAAKugG,EAASttG,KAAK,YACVgmC,KAAK4tE,cACV7mG,EAAKkhG,kBAAkB,CAAC4F,SAAS,IAErC9mG,EAAKqH,QACL9C,EAAEwR,iBACFxR,EAAEouB,kBAEV,KAIA/iC,KAAK2wG,SAAS3jE,OAAO,KAAO8pE,EAAK,IACjC92G,KAAK2wG,SAAShe,OAAOmkB,GAIzBx2G,EAAE,iBAAiBghC,WAAW,MAC9BthC,KAAK2wG,SAAS56F,KAAK,KAAM,gBAGzB+gG,EAAKz1G,OAELrB,KAAKs1G,mBACLt1G,KAAK2wG,SAAStvG,OACdrB,KAAKs1G,mBAELt1G,KAAK2wG,SAAShuG,SAAS,uBAIvB,IAAIqoD,EAAOhrD,KACXA,KAAKu3B,UAAUqsC,UAAU7oC,IAAI52B,QAAQ9D,MAAK,WACtCC,EAAEN,MAAM+X,GAAG+hB,EAAO,IAAIowC,EAAO,IAAI6sC,GAAQ,SAAUpiG,GAC3Cq2C,EAAKqqD,UAAUrqD,EAAKsqD,kBAC5B,GACJ,GAGJ,EAGA79F,MAAO,WACH,GAAKzX,KAAKq1G,SAAV,CAEA,IAAIrpE,EAAMhsC,KAAKowG,mBACXlmC,EAAS,UAAYl+B,EACrBlS,EAAS,UAAUkS,EACnB+qE,EAAS,qBAAqB/qE,EAGlChsC,KAAKu3B,UAAUqsC,UAAU7oC,IAAI52B,QAAQ9D,MAAK,WAAcC,EAAEN,MAAMwmB,IAAI0jD,GAAQ1jD,IAAIsT,GAAQtT,IAAIuwF,EAAS,IAErG/2G,KAAK42G,mCAELt2G,EAAE,sBAAsBL,OACxBD,KAAK2wG,SAASrvE,WAAW,MACzBthC,KAAK2wG,SAAS1wG,OACdD,KAAKu3B,UAAU90B,YAAY,yBAAyBA,YAAY,4BAChEzC,KAAK0H,QAAQ26B,QAGb8sE,EAAU3oF,IAAI,0BAEdxmB,KAAKm3G,cACLn3G,KAAK4e,OAAOnc,YAAY,kBACxBzC,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,iBAvBR,CAwB9B,EAMAkqD,eAAgB,SAAUjpF,GACtBnuB,KAAKk0B,OACLl0B,KAAK4e,OAAO0jB,IAAInU,GAChBnuB,KAAK2xG,eAAc,EACvB,EAGAwF,YAAa,WAEb,EAGAE,wBAAyB,WACrB,OAAOzxD,EAAS5lD,KAAKqpC,KAAKiuE,qBAAsBt3G,KAAKqpC,KAAK7Q,QAC9D,EAGA++E,uBAAwB,WACpB,IAA4BhhG,EAAUuxB,EAAOoR,EAAOs+D,EAAIC,EAAIzjG,EAAG4/F,EAAMhiB,EAAjElqF,EAAU1H,KAAK0H,SAEnBogC,EAAQ9nC,KAAK03G,aAED,IAEC,GAAT5vE,GAUJvxB,EAAWvW,KAAK23G,2BAA2B51G,KAAK,yBAMhDy1G,GAFA5lB,IAFA14C,EAAQ54C,EAAEiW,EAASuxB,KAEAunB,UAAY,CAAC,GAAGluC,KAAO,GAEzB+3B,EAAMtW,aAAY,GAG/BkF,IAAUvxB,EAASvU,OAAS,IAC5B4xG,EAAOlsG,EAAQ3F,KAAK,4BACXC,OAAS,IACdw1G,EAAK5D,EAAKvkD,SAASluC,IAAMyyF,EAAKhxE,aAAY,IAK9C40E,GADJC,EAAK/vG,EAAQ2nD,SAASluC,IAAMzZ,EAAQk7B,aAAY,KAE5Cl7B,EAAQo1C,UAAUp1C,EAAQo1C,aAAe06D,EAAKC,KAElDzjG,EAAI49E,EAAYlqF,EAAQ2nD,SAASluC,KAGzB,GAA6B,QAAxB+3B,EAAM3kC,IAAI,YACnB7M,EAAQo1C,UAAUp1C,EAAQo1C,YAAc9oC,IA5BxCtM,EAAQo1C,UAAU,GA8B1B,EAGA66D,yBAA0B,WACtB,OAAO33G,KAAK0H,QAAQ3F,KAAK,2EAC7B,EAGA61G,cAAe,SAAU7mB,GAIrB,IAHA,IAAI8mB,EAAU73G,KAAK23G,2BACf7vE,EAAQ9nC,KAAK03G,YAEV5vE,GAAS,GAAKA,EAAQ+vE,EAAQ71G,QAAQ,CAEzC,IAAI4yG,EAASt0G,EAAEu3G,EADf/vE,GAASipD,IAET,GAAI6jB,EAAOv8E,SAAS,+BAAiCu8E,EAAOv8E,SAAS,sBAAwBu8E,EAAOv8E,SAAS,oBAAqB,CAC9Hr4B,KAAK03G,UAAU5vE,GACf,KACJ,CACJ,CACJ,EAGA4vE,UAAW,SAAU5vE,GACjB,IACI8sE,EACAvxG,EAFAw0G,EAAU73G,KAAK23G,2BAInB,GAAyB,IAArB9sG,UAAU7I,OACV,OAAO0D,EAAQmyG,EAAQzpG,OAAO,wBAAwB,GAAIypG,EAAQ9vF,OAGlE+f,GAAS+vE,EAAQ71G,SAAQ8lC,EAAQ+vE,EAAQ71G,OAAS,GAClD8lC,EAAQ,IAAGA,EAAQ,GAEvB9nC,KAAK83G,mBAELlD,EAASt0G,EAAEu3G,EAAQ/vE,KACZnlC,SAAS,uBAGhB3C,KAAK4e,OAAO7I,KAAK,wBAAyB6+F,EAAO7yG,KAAK,yBAAyBgU,KAAK,OAEpF/V,KAAKu3G,yBAELv3G,KAAK0sE,WAAWprE,KAAKszG,EAAOtzG,SAE5B+B,EAAOuxG,EAAOvxG,KAAK,kBAEfrD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,CAAEO,KAAM,oBAAqBq/B,IAAKtiC,KAAKuF,GAAGlC,GAAOuxG,OAAQvxG,GAE3F,EAEAy0G,gBAAiB,WACb93G,KAAK0H,QAAQ3F,KAAK,wBAAwBU,YAAY,sBAC1D,EAEA2uG,WAAY,WACRpxG,KAAK+3G,aAAc,CACvB,EAEA1G,gBAAiB,WACfrxG,KAAK+3G,aAAc,CACrB,EAGAC,uBAAwB,WACpB,OAAOh4G,KAAK23G,2BAA2B31G,MAC3C,EAGAkvG,oBAAqB,SAAUhrF,GAC3B,IAAI4R,EAAKx3B,EAAE4lB,EAAMzY,QAAQmK,QAAQ,8BACjC,GAAIkgB,EAAG91B,OAAS,IAAM81B,EAAG1R,GAAG,wBAAyB,CACjD,IAAIyxF,EAAU73G,KAAK23G,2BACnB33G,KAAK03G,UAAUG,EAAQ/vE,MAAMhQ,GACjC,MAAwB,GAAbA,EAAG91B,QAEVhC,KAAK83G,iBAEb,EAGAvG,iBAAkB,WACd,IAAI7pG,EAAU1H,KAAK0H,QACfksG,EAAOlsG,EAAQ3F,KAAK,2BAEpBwhG,EAAOvjG,KAAK+wG,YAAc,EAC1B3gG,EAAKpQ,KACLmuB,EAAKnuB,KAAK4e,OAAO0jB,MACjBl5B,EAAQpJ,KAAKoJ,QAEG,IAAhBwqG,EAAK5xG,QACD4xG,EAAKvkD,SAASluC,IAAMzZ,EAAQ2nD,SAASluC,IAAMzZ,EAAQsL,UAE9ChT,KAAKqpC,KAAK4uE,kBACnBrE,EAAKjxG,SAAS,kBACd3C,KAAKqpC,KAAK5qB,MAAM,CACR+Z,QAASx4B,KAAKqpC,KAAK7Q,QACnBrK,KAAMA,EACNo1E,KAAMA,EACNn6F,QAASA,EACT6pC,QAASjzC,KAAKqpC,KAAK4J,QACnBlzC,SAAUC,KAAKwD,MAAK,SAAUH,GAG7B+M,EAAKilG,WAGVjlG,EAAKi5B,KAAKypE,gBAAgBnyG,KAAKX,KAAM0H,EAASrE,EAAKqE,QAAS,CAACymB,KAAMA,EAAMo1E,KAAMA,EAAMn6F,QAAQA,IAC7FgH,EAAK8nG,mBAAmB70G,GAAM,GAAO,IAErB,IAAZA,EAAKuwG,MACLA,EAAKn3F,SAAS0jB,SAASz4B,GAASpG,KAAKskD,EAASx1C,EAAKi5B,KAAK8uE,eAAgB/nG,EAAKi5B,KAAK7Q,QAAS+qE,EAAK,IAChGp/F,OAAO4e,YAAW,WAAa3S,EAAKmhG,kBAAoB,GAAG,KAE3DqC,EAAKl8F,SAETtH,EAAKklG,mBACLllG,EAAK2gG,YAAcxN,EACnBnzF,EAAKhH,QAAU/F,EAAK+F,QACpBpJ,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,CAAEO,KAAM,iBAAkB2kE,MAAOvkE,IAC/D,MAER,EAKA+0G,SAAU,WAEV,EAMAzG,cAAe,SAAU39D,GACrB,IAGI3wC,EAEAgkC,EAIAgxE,EATAz5F,EAAS5e,KAAK4e,OACdlX,EAAU1H,KAAK0H,QACf2hC,EAAOrpC,KAAKqpC,KAEZj5B,EAAOpQ,KAEPmuB,EAAOvP,EAAO0jB,MACdg2E,EAAWh4G,EAAE+C,KAAKrD,KAAKu3B,UAAW,qBAKtC,KAAgB,IAAZyc,IAAoBskE,IAAY3F,EAAMxkF,EAAMmqF,MAEhDh4G,EAAE+C,KAAKrD,KAAKu3B,UAAW,oBAAqBpJ,IAG5B,IAAZ6lB,IAA8C,IAAzBh0C,KAAKu4G,iBAA8Bv4G,KAAKq1G,UAAjE,CAoBAgD,IAAgBr4G,KAAK8wG,WAErB,IAAI0H,EAAax4G,KAAKq3G,0BACtB,KAAImB,GAAa,IACbn1G,EAAOrD,KAAKqD,OACR/C,EAAEk+B,QAAQn7B,IAASA,EAAKrB,QAAUw2G,GAAcC,EAAepvE,EAAKqvE,sBAAuB,2BAMnG,OAAI95F,EAAO0jB,MAAMtgC,OAASqnC,EAAKsvE,oBACvBF,EAAepvE,EAAKuvE,oBAAqB,uBACzC7gF,EAAO,kCAAoC6tB,EAASvc,EAAKuvE,oBAAqBvvE,EAAK7Q,QAAS5Z,EAAO0jB,MAAO+G,EAAKsvE,oBAAsB,SAErI5gF,EAAO,SAEPic,GAAWh0C,KAAK64G,YAAY74G,KAAK64G,YAAW,UAIhDxvE,EAAK0oE,oBAAsBnzF,EAAO0jB,MAAMtgC,OAASqnC,EAAK0oE,mBAClD0G,EAAepvE,EAAKyvE,mBAAoB,sBACxC/gF,EAAO,kCAAoC6tB,EAASvc,EAAKyvE,mBAAoBzvE,EAAK7Q,QAAS5Z,EAAO0jB,MAAO+G,EAAK0oE,oBAAsB,SAEpIh6E,EAAO,KAKXsR,EAAK0vE,iBAA8D,IAA3C/4G,KAAK23G,2BAA2B31G,QACxD+1B,EAAO,iCAAmC6tB,EAASvc,EAAK0vE,gBAAiB1vE,EAAK7Q,SAAW,SAG7F5Z,EAAOjc,SAAS,kBAEhB3C,KAAK83G,mBAGLzwE,EAAQrnC,KAAKo4G,aACAh4G,GAAsB,MAATinC,GACtBzoB,EAAO0jB,IAAI+E,GAGfrnC,KAAK+wG,YAAc,EAEnB1nE,EAAK5qB,MAAM,CACP+Z,QAAS6Q,EAAK7Q,QACVrK,KAAMvP,EAAO0jB,MACbihE,KAAMvjG,KAAK+wG,YACX3nG,QAAS,KACT6pC,QAAS5J,EAAK4J,QACdlzC,SAAUC,KAAKwD,MAAK,SAAUH,GAClC,IAAI6wD,EAGAmkD,GAAer4G,KAAK8wG,aAKnB9wG,KAAKq1G,SAMPhyG,EAAK21G,WAAa54G,GAAaq4G,EAAepvE,EAAK4vE,gBAAiB,mBACnElhF,EAAO,kCAAoC6tB,EAASvc,EAAK4vE,gBAAiB5vE,EAAK7Q,QAASn1B,EAAKi9B,MAAOj9B,EAAK6F,WAAY7F,EAAK8F,aAAe,UAK7InJ,KAAKoJ,QAAW/F,EAAK+F,UAAUhJ,EAAa,KAAOiD,EAAK+F,QAEpDpJ,KAAKqpC,KAAK0qE,oBAAuC,KAAjBn1F,EAAO0jB,QACvC4xB,EAAMl0D,KAAKqpC,KAAK0qE,mBAAmBpzG,KAAKyP,EAAMwO,EAAO0jB,MAAOj/B,EAAKqE,YACrDtH,GAAqB,OAAR8zD,GAAgB9jD,EAAK7K,GAAG2uD,KAAS9zD,GAA8B,OAAjBgQ,EAAK7K,GAAG2uD,IAIzD,IAHd5zD,EAAE+C,EAAKqE,SAAS0G,QAChB,WACI,OAAOukG,EAAMviG,EAAK7K,GAAGvF,MAAOoQ,EAAK7K,GAAG2uD,GACxC,IAAGlyD,QACHhC,KAAKqpC,KAAK6qE,2BAA2B7wG,EAAKqE,QAASwsD,GAKnC,IAAxB7wD,EAAKqE,QAAQ1F,QAAgBy2G,EAAepvE,EAAK6vE,gBAAiB,mBAClEnhF,EAAO,kCAAoC6tB,EAASvc,EAAK6vE,gBAAiB7vE,EAAK7Q,QAAS5Z,EAAO0jB,OAAS,UAI5G56B,EAAQ26B,QACRjyB,EAAKi5B,KAAKypE,gBAAgBnyG,KAAKX,KAAM0H,EAASrE,EAAKqE,QAAS,CAACymB,KAAMvP,EAAO0jB,MAAOihE,KAAMvjG,KAAK+wG,YAAa3nG,QAAQ,QAE/F,IAAd/F,EAAKuwG,MAAiB6E,EAAepvE,EAAK8uE,eAAgB,oBAC1DzwG,EAAQsO,OAAO,oCAAsCqzB,EAAKkqE,aAAa3tD,EAASvc,EAAK8uE,eAAgB9uE,EAAK7Q,QAASx4B,KAAK+wG,cAAgB,SACxI5sG,OAAO4e,YAAW,WAAa3S,EAAKmhG,kBAAoB,GAAG,KAG/DvxG,KAAKk4G,mBAAmB70G,EAAM2wC,GAE9BmlE,IAEAn5G,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,CAAEO,KAAM,iBAAkB2kE,MAAOvkE,MA1CvDrD,KAAK4e,OAAOnc,YAAY,kBA2ChC,QAnGQs1B,EAAO,uCAAyC6tB,EAASvc,EAAKqvE,sBAAuBrvE,EAAK7Q,QAASggF,GAAc,QAxBzH,CAEA,SAASW,IACLv6F,EAAOnc,YAAY,kBACnB2N,EAAKklG,mBACD5tG,EAAQ3F,KAAK,mEAAmEC,OAChFoO,EAAKs8D,WAAWprE,KAAKoG,EAAQpG,QAG7B8O,EAAKs8D,WAAWprE,KAAK8O,EAAKi5B,KAAKmqE,cAAc9rG,EAAQ3F,KAAK,8BAA8BC,QAEhG,CAEA,SAAS+1B,EAAOl3B,GACZ6G,EAAQ7G,KAAKA,GACbs4G,GACJ,CA4GJ,EAGArpG,OAAQ,WACJ9P,KAAKyX,OACT,EAGAqwD,KAAM,WAEE9nE,KAAKqpC,KAAK4tE,cACVj3G,KAAKsxG,kBAAkB,CAAC4F,SAAS,IAErCl3G,KAAKyX,QACLzX,KAAKu3B,UAAU90B,YAAY,4BAEvBzC,KAAK4e,OAAO,KAAOrV,SAAS2xD,eAAiBl7D,KAAK4e,OAAOkpD,OAC7D9nE,KAAKm3G,cACLn3G,KAAK6hD,UAAU9/C,KAAK,gCAAgCU,YAAY,8BACpE,EAGA+zG,YAAa,WAjkDjB,IAAeh0G,KAkkDDxC,KAAK4e,QAjkDP,KAAOrV,SAAS2xD,eAKxB/2D,OAAO4e,YAAW,WACd,IAAqCujB,EAAjCxO,EAAGt1B,EAAI,GAAI+b,EAAI/b,EAAI8/B,MAAMtgC,OAE7BQ,EAAIssB,SAIagJ,EAAGrW,YAAc,GAAKqW,EAAG+yC,aAAe,IACxC/yC,IAAOvuB,SAAS2xD,gBAI1BpjC,EAAGsO,kBAEFtO,EAAGsO,kBAAkB7nB,EAAKA,GAErBuZ,EAAGuO,mBACRC,EAAQxO,EAAGuO,mBACLE,UAAS,GACfD,EAAMvX,UAGlB,GAAG,EAuiDH,EAGAuiF,kBAAmB,SAAUxwG,GACzB,GAAId,KAAK+3G,YACP/3G,KAAKqxG,sBADP,CAIA,IAAIvpE,EAAM9nC,KAAK03G,YAEXr0G,EADYrD,KAAK0H,QAAQ3F,KAAK,wBACX6V,QAAQ,mBAAmBvU,KAAK,gBAEnDA,GACArD,KAAK03G,UAAU5vE,GACf9nC,KAAKiyE,SAAS5uE,EAAMvC,IACbA,GAAWA,EAAQo2G,SAC1Bl3G,KAAKyX,OATT,CAWJ,EAGAo8F,eAAgB,WACZ,IAAIH,EACJ,OAAO1zG,KAAKqpC,KAAK7Q,QAAQziB,KAAK,gBAC1B/V,KAAKqpC,KAAK7Q,QAAQziB,KAAK,qBACvB/V,KAAKqpC,KAAK7Q,QAAQn1B,KAAK,gBACvBrD,KAAKqpC,KAAKizB,eACRo3C,EAAoB1zG,KAAK8zG,0BAA4B1zG,EAAYszG,EAAkBpyG,OAASlB,EACtG,EAGA0zG,qBAAsB,WAClB,GAAI9zG,KAAK+uB,OAAQ,CACb,IAAIqqF,EAAcp5G,KAAK+uB,OAAOxY,SAAS,UAAU+5B,QACjD,GAAItwC,KAAKqpC,KAAKqqE,oBAAsBtzG,EAEhC,MAAwC,UAAhCJ,KAAKqpC,KAAKqqE,mBAAiC0F,GACJ,mBAAhCp5G,KAAKqpC,KAAKqqE,mBAAoC1zG,KAAKqpC,KAAKqqE,kBAAkB1zG,KAAK+uB,QAC3F,GAAmC,KAA/BzuB,EAAEif,KAAK65F,EAAY93G,SAAwC,KAAtB83G,EAAY92E,MAExD,OAAO82E,CAEf,CACJ,EASAC,mBAAoB,WAuChB,IAAItmG,EAtCJ,WACI,IAAI6K,EAAOxX,EAAOqZ,EAAShO,EAAG+5B,EAE9B,GAAwB,QAApBxrC,KAAKqpC,KAAKt2B,MACV,OAAO,KACJ,GAAwB,YAApB/S,KAAKqpC,KAAKt2B,MACjB,OAA+C,IAAxC/S,KAAKqpC,KAAK7Q,QAAQiP,YAAW,GAAe,OAASznC,KAAKqpC,KAAK7Q,QAAQiP,YAAW,GAAS,KAC/F,GAAwB,SAApBznC,KAAKqpC,KAAKt2B,OAAwC,YAApB/S,KAAKqpC,KAAKt2B,MAAqB,CAGpE,IADA6K,EAAQ5d,KAAKqpC,KAAK7Q,QAAQziB,KAAK,YACjB3V,EAEV,IAAKqR,EAAI,EAAG+5B,GADZplC,EAAQwX,EAAMpc,MAAM,MACEQ,OAAQyP,EAAI+5B,EAAG/5B,GAAQ,EAGzC,GAAgB,QADhBgO,EADOrZ,EAAMqL,GAAG6C,QAAQ,MAAO,IAChBoL,MAAM,mEACGD,EAAQzd,QAAU,EACtC,OAAOyd,EAAQ,GAI3B,MAAwB,YAApBzf,KAAKqpC,KAAKt2B,OAGV6K,EAAQ5d,KAAKqpC,KAAK7Q,QAAQjkB,IAAI,UACpB7O,QAAQ,KAAO,EAAUkY,EAGa,IAAxC5d,KAAKqpC,KAAK7Q,QAAQiP,YAAW,GAAe,OAASznC,KAAKqpC,KAAK7Q,QAAQiP,YAAW,GAAS,KAGhG,IACX,CAAO,OAAInnC,EAAEkwC,WAAWxwC,KAAKqpC,KAAKt2B,OACvB/S,KAAKqpC,KAAKt2B,QAEV/S,KAAKqpC,KAAKt2B,KAEzB,EAEkCpS,KAAKX,MACzB,OAAV+S,GACA/S,KAAKu3B,UAAUhjB,IAAI,QAASxB,EAEpC,IAGJg8F,EAAgBe,EAAMhB,EAAiB,CAInCoB,gBAAiB,WAmBb,OAlBgB5vG,EAAEiJ,SAAS8L,cAAc,QAAQU,KAAK,CAClD,MAAS,sBACVlV,KAAK,CACJ,qEACA,iGACA,wFACA,OACA,mDACA,sGACA,kDACA,kCACA,0DACA,oKACA,qCACA,YACA,iDACA,WACA,UAAUY,KAAK,IAEvB,EAGAyzG,gBAAiB,WACTl1G,KAAKsW,OAAO4+F,gBAAgBx6F,MAAM1a,KAAM6K,YACxC7K,KAAKs5G,SAASrjG,KAAK,YAAajW,KAAKg1G,qBAE7C,EAGA6B,QAAS,WACL,IAAI/+E,EAAIwO,EAAO4T,EAEXl6C,KAAKqpC,KAAKkwE,yBAA2B,GACrCv5G,KAAK64G,YAAW,GAGpB74G,KAAKsW,OAAOugG,QAAQn8F,MAAM1a,KAAM6K,YAEH,IAAzB7K,KAAKu4G,iBAILv4G,KAAK4e,OAAO0jB,IAAItiC,KAAKs5G,SAASh3E,OAE9BtiC,KAAKqpC,KAAKmwE,iBAAiBx5G,QAC3BA,KAAK4e,OAAOkQ,SAGZgJ,EAAK93B,KAAK4e,OAAOmJ,IAAI,IACdse,kBACHC,EAAQxO,EAAGuO,mBACLE,UAAS,GACfD,EAAMvX,UACC+I,EAAGsO,oBACV8T,EAAMl6C,KAAK4e,OAAO0jB,MAAMtgC,OACxB81B,EAAGsO,kBAAkB8T,EAAKA,KAMT,KAAtBl6C,KAAK4e,OAAO0jB,OACRtiC,KAAK4xG,gBAAkBxxG,IACtBJ,KAAK4e,OAAO0jB,IAAItiC,KAAK4xG,gBACrB5xG,KAAK4e,OAAOmQ,UAIpB/uB,KAAKs5G,SAASrjG,KAAK,YAAY,GAAMqsB,IAAI,IACzCtiC,KAAK2xG,eAAc,GACnB3xG,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,gBACtC,EAGAz1C,MAAO,WACEzX,KAAKq1G,WACVr1G,KAAKsW,OAAOmB,MAAMiD,MAAM1a,KAAM6K,WAE9B7K,KAAKs5G,SAASrjG,KAAK,YAAY,GAE3BjW,KAAKqpC,KAAKmwE,iBAAiBx5G,OAC3BA,KAAKs5G,SAASxqF,QAEtB,EAGAA,MAAO,WACC9uB,KAAKq1G,SACLr1G,KAAKyX,SAELzX,KAAKs5G,SAASrjG,KAAK,YAAY,GAC3BjW,KAAKqpC,KAAKmwE,iBAAiBx5G,OAC3BA,KAAKs5G,SAASxqF,QAG1B,EAGA2qF,UAAW,WACP,OAAOz5G,KAAKu3B,UAAUc,SAAS,2BACnC,EAGAvoB,OAAQ,WACJ9P,KAAKsW,OAAOxG,OAAO4K,MAAM1a,KAAM6K,WAC/B7K,KAAKs5G,SAASrjG,KAAK,YAAY,GAE3BjW,KAAKqpC,KAAKmwE,iBAAiBx5G,OAC3BA,KAAKs5G,SAASxqF,OAEtB,EAGAgV,QAAS,WACLxjC,EAAE,cAAgBN,KAAKs5G,SAASvjG,KAAK,MAAQ,MACxCA,KAAK,MAAO/V,KAAKqpC,KAAK7Q,QAAQziB,KAAK,OACxC/V,KAAKsW,OAAOwtB,QAAQppB,MAAM1a,KAAM6K,WAEhC2nG,EAAsB7xG,KAAKX,KACvB,YACA,WAER,EAGAgxG,cAAe,WAEX,IAAInvD,EAIA63D,EAHAniF,EAAYv3B,KAAKu3B,UACjBo5E,EAAW3wG,KAAK2wG,SAChBgJ,EAAW1K,IAGXjvG,KAAKqpC,KAAKkwE,wBAA0B,EACpCv5G,KAAK64G,YAAW,GAEhB74G,KAAK64G,YAAW,GAGpB74G,KAAK6hD,UAAYA,EAAYtqB,EAAUx1B,KAAK,mBAE5C/B,KAAKs5G,SAAW/hF,EAAUx1B,KAAK,qBAG/B8/C,EAAU9/C,KAAK,mBAAmBgU,KAAK,KAAM,kBAAkB4jG,GAC/D35G,KAAKs5G,SAASvjG,KAAK,kBAAmB,kBAAkB4jG,GACxD35G,KAAK0H,QAAQqO,KAAK,KAAM,mBAAmB4jG,GAC3C35G,KAAK4e,OAAO7I,KAAK,YAAa,mBAAmB4jG,GAGjD35G,KAAKs5G,SAASvjG,KAAK,KAAM,eAAe4jG,GAExCD,EAAep5G,EAAE,cAAgBN,KAAKqpC,KAAK7Q,QAAQziB,KAAK,MAAQ,MAEhE/V,KAAKs5G,SAAStsE,OACT1rC,KAAKo4G,EAAap4G,QAClByU,KAAK,MAAO/V,KAAKs5G,SAASvjG,KAAK,OAGpC,IAAIkrB,EAAgBjhC,KAAKqpC,KAAK7Q,QAAQziB,KAAK,SAC3C/V,KAAKqpC,KAAK7Q,QAAQziB,KAAK,QAAUkrB,GAAiBy4E,EAAap4G,QAE/DtB,KAAKs5G,SAASvjG,KAAK,WAAY/V,KAAKywG,iBAGpCzwG,KAAK4e,OAAO7I,KAAK,KAAM/V,KAAKs5G,SAASvjG,KAAK,MAAQ,WAElD/V,KAAK4e,OAAOouB,OACP1rC,KAAKhB,EAAE,cAAgBN,KAAKs5G,SAASvjG,KAAK,MAAQ,MAAMzU,QACxDyU,KAAK,MAAO/V,KAAK4e,OAAO7I,KAAK,OAElC/V,KAAK4e,OAAO7G,GAAG,UAAW/X,KAAKwD,MAAK,SAAUmR,GAC1C,GAAK3U,KAAKg1G,sBAGN,KAAOrgG,EAAE+sB,QAEb,GAAI/sB,EAAEmvE,QAAUurB,EAAInsC,SAAWvuD,EAAEmvE,QAAUurB,EAAIpsC,UAM/C,OAAQtuD,EAAEmvE,OACN,KAAKurB,EAAI9rC,GACT,KAAK8rC,EAAI1sC,KAGL,OAFA3iE,KAAK43G,cAAejjG,EAAEmvE,QAAUurB,EAAI9rC,IAAO,EAAI,QAC/CmtC,EAAU/7F,GAEd,KAAK06F,EAAIxsC,MAGL,OAFA7iE,KAAKsxG,yBACLZ,EAAU/7F,GAEd,KAAK06F,EAAI/rC,IAEL,YADAtjE,KAAKsxG,kBAAkB,CAAC4F,SAAS,IAErC,KAAK7H,EAAIC,IAGL,OAFAtvG,KAAK8P,OAAO6E,QACZ+7F,EAAU/7F,QAnBd+7F,EAAU/7F,EAsBlB,KAEA3U,KAAK4e,OAAO7G,GAAG,OAAQ/X,KAAKwD,MAAK,SAASmR,GAGlCpL,SAAS2xD,gBAAkBl7D,KAAK2H,KAAKogB,IAAI,IACzC5jB,OAAO4e,WAAW/iB,KAAKwD,MAAK,WACpBxD,KAAKq1G,UACLr1G,KAAK4e,OAAOkQ,OAEpB,IAAI,EAEZ,KAEA9uB,KAAKs5G,SAASvhG,GAAG,UAAW/X,KAAKwD,MAAK,SAAUmR,GAC5C,GAAK3U,KAAKg1G,sBAENrgG,EAAEmvE,QAAUurB,EAAI/rC,MAAO+rC,EAAIM,UAAUh7F,KAAM06F,EAAIO,cAAcj7F,IAAMA,EAAEmvE,QAAUurB,EAAIC,IAAvF,CAIA,IAA8B,IAA1BtvG,KAAKqpC,KAAKuwE,aAAyBjlG,EAAEmvE,QAAUurB,EAAIxsC,MAAvD,CAKA,GAAIluD,EAAEmvE,OAASurB,EAAI1sC,MAAQhuD,EAAEmvE,OAASurB,EAAI9rC,IAClC5uD,EAAEmvE,OAASurB,EAAIxsC,OAAS7iE,KAAKqpC,KAAKuwE,YAAc,CAEpD,GAAIjlG,EAAE+wD,QAAU/wD,EAAEgxD,SAAWhxD,EAAE04D,UAAY14D,EAAEy4D,QAAS,OAItD,OAFAptE,KAAKk0B,YACLw8E,EAAU/7F,EAEd,CAEA,OAAIA,EAAEmvE,OAASurB,EAAI3sC,QAAU/tD,EAAEmvE,OAASurB,EAAI7sC,WACpCxiE,KAAKqpC,KAAKwwE,YACV75G,KAAKotC,aAETsjE,EAAU/7F,SAJd,CAZA,CAFI+7F,EAAU/7F,EAHd,CAwBJ,KAGA+8F,EAAwB1xG,KAAKs5G,UAC7Bt5G,KAAKs5G,SAASvhG,GAAG,qBAAsB/X,KAAKwD,MAAK,SAASmR,GACtD,GAAI3U,KAAKqpC,KAAKkwE,yBAA2B,EAAG,CAExC,GADA5kG,EAAEouB,kBACE/iC,KAAKq1G,SAAU,OACnBr1G,KAAKk0B,MACT,CACJ,KAEA2tB,EAAU9pC,GAAG,uBAAwB,OAAQ/X,KAAKwD,MAAK,SAAUmR,GAt3DzE,IAA8BuR,EAu3DblmB,KAAKg1G,uBACVh1G,KAAKotC,SAx3DalnB,EAy3DGvR,GAx3DvBwR,iBACND,EAAMyb,2BAw3DE3hC,KAAKyX,QACLzX,KAAK6hD,UAAU/yB,QACnB,KAEA+yB,EAAU9pC,GAAG,uBAAwB/X,KAAKwD,MAAK,SAAUmR,GAErDqiG,EAAgBn1D,GAEX7hD,KAAKu3B,UAAUc,SAAS,6BACzBr4B,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,kBAGlCltD,KAAKq1G,SACLr1G,KAAKyX,QACEzX,KAAKg1G,sBACZh1G,KAAKk0B,OAGTw8E,EAAU/7F,EACd,KAEAg8F,EAAS54F,GAAG,uBAAwB/X,KAAKwD,MAAK,WACtCxD,KAAKqpC,KAAKmwE,iBAAiBx5G,OAC3BA,KAAK4e,OAAOkQ,OAEpB,KAEA+yB,EAAU9pC,GAAG,QAAS/X,KAAKwD,MAAK,SAASmR,GACrC+7F,EAAU/7F,EACd,KAEA3U,KAAKs5G,SAASvhG,GAAG,QAAS/X,KAAKwD,MAAK,WAC3BxD,KAAKu3B,UAAUc,SAAS,6BACzBr4B,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,kBAEtCltD,KAAKu3B,UAAU50B,SAAS,2BAC5B,KAAIoV,GAAG,OAAQ/X,KAAKwD,MAAK,WAChBxD,KAAKq1G,WACNr1G,KAAKu3B,UAAU90B,YAAY,4BAC3BzC,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,iBAE1C,KACAltD,KAAK4e,OAAO7G,GAAG,QAAS/X,KAAKwD,MAAK,WACzBxD,KAAKu3B,UAAUc,SAAS,6BACzBr4B,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,kBAEtCltD,KAAKu3B,UAAU50B,SAAS,2BAC5B,KAEA3C,KAAKq5G,qBACLr5G,KAAKqpC,KAAK7Q,QAAQ71B,SAAS,qBAC3B3C,KAAK85G,gBAET,EAGA1sE,MAAO,SAASynE,GACZ,IAAIxxG,EAAKrD,KAAK6hD,UAAUx+C,KAAK,gBAC7B,GAAIA,EAAM,CACN,IAAIsxG,EAAMr0G,EAAE4sD,MAAM,oBAElB,GADAltD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQiyG,GACtBA,EAAIvnD,qBACJ,OAEJ,IAAIsmD,EAAoB1zG,KAAK8zG,uBAC7B9zG,KAAKqpC,KAAK7Q,QAAQ8J,IAAIoxE,EAAoBA,EAAkBpxE,MAAQ,IACpEtiC,KAAK6hD,UAAU9/C,KAAK,mBAAmBsgC,QACvCriC,KAAK6hD,UAAUsJ,WAAW,gBAC1BnrD,KAAK85G,kBAEiB,IAAlBjF,IACA70G,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,CAAEO,KAAM,kBAAmBq/B,IAAKtiC,KAAKuF,GAAGlC,GAAOuxG,OAAQvxG,IACjFrD,KAAK60G,cAAc,CAAC/lE,QAAQzrC,IAEpC,CACJ,EAMAwuG,cAAe,WAEX,GAAI7xG,KAAK+5G,8BACL/5G,KAAKg6G,gBAAgB,MACrBh6G,KAAKyX,QACLzX,KAAK85G,qBACF,CACH,IAAI1pG,EAAOpQ,KACXA,KAAKqpC,KAAKwoE,cAAclxG,KAAK,KAAMX,KAAKqpC,KAAK7Q,SAAS,SAASu/D,GACvDA,IAAa33F,GAA0B,OAAb23F,IAC1B3nF,EAAK4pG,gBAAgBjiB,GACrB3nF,EAAKqH,QACLrH,EAAK0pG,iBACL1pG,EAAKwhG,eAAiBxhG,EAAKi5B,KAAKuoE,eAAe7Z,EAAU3nF,EAAKwO,OAAO0jB,OAE7E,GACJ,CACJ,EAEAy3E,4BAA6B,WACzB,IAAIrG,EACJ,OAAI1zG,KAAK6zG,mBAAqBzzG,KACrBszG,EAAoB1zG,KAAK8zG,0BAA4B1zG,GAAaszG,EAAkBz9F,KAAK,aAC9D,KAA5BjW,KAAKqpC,KAAK7Q,QAAQ8J,OAClBtiC,KAAKqpC,KAAK7Q,QAAQ8J,QAAUliC,GACA,OAA5BJ,KAAKqpC,KAAK7Q,QAAQ8J,MAC9B,EAGA2tE,YAAa,WACT,IAAI5mE,EAAOrpC,KAAKsW,OAAO25F,YAAYv1F,MAAM1a,KAAM6K,WAC3CuF,EAAKpQ,KA8BT,MA5BkD,WAA9CqpC,EAAK7Q,QAAQzQ,IAAI,GAAGgqB,QAAQz0B,cAE5B+rB,EAAKwoE,cAAgB,SAAUr5E,EAASz4B,GACpC,IAAIg4F,EAAWv/D,EAAQz2B,KAAK,UAAUqM,QAAO,WAAa,OAAOpO,KAAK+3F,WAAa/3F,KAAKkqD,QAAS,IAEjGnqD,EAASqQ,EAAKqiG,aAAa1a,GAC/B,EACO,SAAU1uD,IAEjBA,EAAKwoE,cAAgBxoE,EAAKwoE,eAAiB,SAAUr5E,EAASz4B,GAC1D,IAAIwF,EAAKizB,EAAQ8J,MAEb5iB,EAAQ,KACZ2pB,EAAK5qB,MAAM,CACPw0B,QAAS,SAAS9kB,EAAM7sB,EAAMw2B,GAC1B,IAAImiF,EAAWtH,EAAMptG,EAAI8jC,EAAK9jC,GAAGuyB,IAIjC,OAHImiF,IACAv6F,EAAQoY,GAELmiF,CACX,EACAl6G,SAAWO,EAAEkwC,WAAWzwC,GAAqB,WACzCA,EAAS2f,EACb,EAFoCpf,EAAEsnD,MAI9C,GAGGve,CACX,EAGAwqE,eAAgB,WAEZ,OAAI7zG,KAAK+uB,QACD/uB,KAAK8zG,yBAA2B1zG,EACzBA,EAIRJ,KAAKsW,OAAOu9F,eAAen5F,MAAM1a,KAAM6K,UAClD,EAGAivG,eAAgB,WACZ,IAAIx9C,EAAct8D,KAAK6zG,iBAEvB,GAAI7zG,KAAK+5G,+BAAiCz9C,IAAgBl8D,EAAW,CAGjE,GAAIJ,KAAK+uB,QAAU/uB,KAAK8zG,yBAA2B1zG,EAAW,OAE9DJ,KAAK6hD,UAAU9/C,KAAK,mBAAmBlB,KAAKb,KAAKqpC,KAAKkqE,aAAaj3C,IAEnEt8D,KAAK6hD,UAAUl/C,SAAS,mBAExB3C,KAAKu3B,UAAU90B,YAAY,qBAC/B,CACJ,EAGAy1G,mBAAoB,SAAU70G,EAAM2wC,EAASkmE,GACzC,IAAIniB,EAAW,EAAG3nF,EAAOpQ,KAsBzB,GAlBAA,KAAK23G,2BAA2B/I,OAAM,SAAUn9F,EAAGs0B,GAC/C,GAAI4sE,EAAMviG,EAAK7K,GAAGwgC,EAAI1iC,KAAK,iBAAkB+M,EAAKi5B,KAAK7Q,QAAQ8J,OAE3D,OADAy1D,EAAWtmF,GACJ,CAEf,KAG0B,IAAtByoG,KACgB,IAAZlmE,GAAoB+jD,GAAY,EAChC/3F,KAAK03G,UAAU3f,GAEf/3F,KAAK03G,UAAU,KAMP,IAAZ1jE,EAAkB,CAClB,IAAI1+B,EAAMtV,KAAKqpC,KAAKkwE,wBAChBjkG,GAAO,GACPtV,KAAK64G,WAAWsB,EAAa92G,EAAKqE,UAAY4N,EAEtD,CACJ,EAGAujG,WAAY,SAASN,GACbv4G,KAAKu4G,kBAAoBA,IAE7Bv4G,KAAKu4G,gBAAkBA,EAEvBv4G,KAAK2wG,SAAS5uG,KAAK,mBAAmBuqD,YAAY,yBAA0BisD,GAC5Ev4G,KAAK2wG,SAAS5uG,KAAK,mBAAmBuqD,YAAY,qBAAsBisD,GAExEj4G,EAAEN,KAAK2wG,SAAU3wG,KAAKu3B,WAAW+0B,YAAY,yBAA0BisD,GAC3E,EAGAtmC,SAAU,SAAU5uE,EAAMvC,GAEtB,GAAKd,KAAK00G,cAAcrxG,GAAxB,CAEA,IAAIkqC,EAAMvtC,KAAKqpC,KAAK7Q,QAAQ8J,MACxB83E,EAAUp6G,KAAKqD,OAEnBrD,KAAKqpC,KAAK7Q,QAAQ8J,IAAItiC,KAAKuF,GAAGlC,IAC9BrD,KAAKg6G,gBAAgB32G,GAErBrD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,CAAEO,KAAM,mBAAoBq/B,IAAKtiC,KAAKuF,GAAGlC,GAAOuxG,OAAQvxG,IAElFrD,KAAK4xG,eAAiB5xG,KAAKqpC,KAAKuoE,eAAevuG,EAAMrD,KAAK4e,OAAO0jB,OACjEtiC,KAAKyX,QAEC3W,GAAYA,EAAQo2G,UAAYl3G,KAAKqpC,KAAKmwE,iBAAiBx5G,OAC7DA,KAAKs5G,SAASxqF,QAGb6jF,EAAMplE,EAAKvtC,KAAKuF,GAAGlC,KACpBrD,KAAK60G,cAAc,CAAE7lE,MAAO3rC,EAAMyrC,QAASsrE,GAlBN,CAoB7C,EAGAJ,gBAAiB,SAAU32G,GAEvB,IAAsD8vG,EAAWkH,EAA7D9iF,EAAUv3B,KAAK6hD,UAAU9/C,KAAK,mBAElC/B,KAAK6hD,UAAUx+C,KAAK,eAAgBA,GAEpCk0B,EAAU8K,QACG,OAATh/B,IACA8vG,EAAUnzG,KAAKqpC,KAAKixE,gBAAgBj3G,EAAMk0B,EAAWv3B,KAAKqpC,KAAKkqE,eAE/DJ,IAAc/yG,GACdm3B,EAAUvhB,OAAOm9F,IAErBkH,EAASr6G,KAAKqpC,KAAKkxE,wBAAwBl3G,EAAMk0B,MAChCn3B,GACbm3B,EAAU50B,SAAS03G,GAGvBr6G,KAAK6hD,UAAUp/C,YAAY,mBAEvBzC,KAAKqpC,KAAKwwE,YAAc75G,KAAK6zG,mBAAqBzzG,GAClDJ,KAAKu3B,UAAU50B,SAAS,qBAEhC,EAGA2/B,IAAK,WACD,IAAIA,EACAuyE,GAAgB,EAChBxxG,EAAO,KACP+M,EAAOpQ,KACPo6G,EAAUp6G,KAAKqD,OAEnB,GAAyB,IAArBwH,UAAU7I,OACV,OAAOhC,KAAKqpC,KAAK7Q,QAAQ8J,MAS7B,GANAA,EAAMz3B,UAAU,GAEZA,UAAU7I,OAAS,IACnB6yG,EAAgBhqG,UAAU,IAG1B7K,KAAK+uB,OACL/uB,KAAK+uB,OACAuT,IAAIA,GACJvgC,KAAK,UAAUqM,QAAO,WAAa,OAAOpO,KAAK+3F,QAAS,IAAG6W,OAAM,SAAUn9F,EAAGs0B,GAE3E,OADA1iC,EAAO+M,EAAKqiG,aAAa1sE,IAClB,CACX,IACJ/lC,KAAKg6G,gBAAgB32G,GACrBrD,KAAK85G,iBACDjF,GACA70G,KAAK60G,cAAc,CAAC7lE,MAAO3rC,EAAMyrC,QAAQsrE,QAE1C,CAEH,IAAK93E,GAAe,IAARA,EAER,YADAtiC,KAAKotC,MAAMynE,GAGf,GAAI70G,KAAKqpC,KAAKwoE,gBAAkBzxG,EAC5B,MAAM,IAAIwI,MAAM,uDAEpB5I,KAAKqpC,KAAK7Q,QAAQ8J,IAAIA,GACtBtiC,KAAKqpC,KAAKwoE,cAAc7xG,KAAKqpC,KAAK7Q,SAAS,SAASn1B,GAChD+M,EAAKi5B,KAAK7Q,QAAQ8J,IAAKj/B,EAAY+M,EAAK7K,GAAGlC,GAAb,IAC9B+M,EAAK4pG,gBAAgB32G,GACrB+M,EAAK0pG,iBACDjF,GACAzkG,EAAKykG,cAAc,CAAC7lE,MAAO3rC,EAAMyrC,QAAQsrE,GAEjD,GACJ,CACJ,EAGAjD,YAAa,WACTn3G,KAAK4e,OAAO0jB,IAAI,IAChBtiC,KAAKs5G,SAASh3E,IAAI,GACtB,EAGAj/B,KAAM,SAASW,GACX,IAAIX,EACAwxG,GAAgB,EAEpB,GAAyB,IAArBhqG,UAAU7I,OAGV,OAFAqB,EAAOrD,KAAK6hD,UAAUx+C,KAAK,kBACfjD,IAAWiD,EAAO,MACvBA,EAEHwH,UAAU7I,OAAS,IACnB6yG,EAAgBhqG,UAAU,IAEzB7G,GAGDX,EAAOrD,KAAKqD,OACZrD,KAAKqpC,KAAK7Q,QAAQ8J,IAAKt+B,EAAahE,KAAKuF,GAAGvB,GAAb,IAC/BhE,KAAKg6G,gBAAgBh2G,GACjB6wG,GACA70G,KAAK60G,cAAc,CAAC7lE,MAAOhrC,EAAO8qC,QAAQzrC,KAN9CrD,KAAKotC,MAAMynE,EAUvB,IAGJ7F,EAAec,EAAMhB,EAAiB,CAGlCoB,gBAAiB,WAcb,OAbgB5vG,EAAEiJ,SAAS8L,cAAc,QAAQU,KAAK,CAClD,MAAS,8CACVlV,KAAK,CACJ,+BACA,sCACA,uDACA,6HACA,UACA,QACA,qEACA,kCACA,WACA,UAAUY,KAAK,IAEvB,EAGAwuG,YAAa,WACT,IAAI5mE,EAAOrpC,KAAKsW,OAAO25F,YAAYv1F,MAAM1a,KAAM6K,WAC3CuF,EAAKpQ,KAoDT,MAhDkD,WAA9CqpC,EAAK7Q,QAAQzQ,IAAI,GAAGgqB,QAAQz0B,cAE5B+rB,EAAKwoE,cAAgB,SAAUr5E,EAASz4B,GAEpC,IAAIsD,EAAO,GAEXm1B,EAAQz2B,KAAK,UAAUqM,QAAO,WAAa,OAAOpO,KAAK+3F,WAAa/3F,KAAKkqD,QAAS,IAAG0kD,OAAM,SAAUn9F,EAAGs0B,GACpG1iC,EAAKqK,KAAK0C,EAAKqiG,aAAa1sE,GAChC,IACAhmC,EAASsD,EACb,EACO,SAAUgmC,IAEjBA,EAAKwoE,cAAgBxoE,EAAKwoE,eAAiB,SAAUr5E,EAASz4B,GAC1D,IAAI0qC,EAAMupE,EAASx7E,EAAQ8J,MAAO+G,EAAK4qE,WAEnCx0F,EAAU,GACd4pB,EAAK5qB,MAAM,CACPw0B,QAAS,SAAS9kB,EAAM7sB,EAAMw2B,GAC1B,IAAImiF,EAAW35G,EAAE6tE,KAAK1jC,GAAK,SAASllC,GAChC,OAAOotG,EAAMptG,EAAI8jC,EAAK9jC,GAAGuyB,GAC7B,IAAG91B,OAIH,OAHIi4G,GACAx6F,EAAQ/R,KAAKoqB,GAEVmiF,CACX,EACAl6G,SAAWO,EAAEkwC,WAAWzwC,GAAqB,WAIzC,IADA,IAAIy6G,EAAU,GACL/oG,EAAI,EAAGA,EAAIg5B,EAAIzoC,OAAQyP,IAE5B,IADA,IAAIlM,EAAKklC,EAAIh5B,GACJD,EAAI,EAAGA,EAAIiO,EAAQzd,OAAQwP,IAAK,CACrC,IAAIkO,EAAQD,EAAQjO,GACpB,GAAImhG,EAAMptG,EAAI8jC,EAAK9jC,GAAGma,IAAS,CAC3B86F,EAAQ9sG,KAAKgS,GACbD,EAAQivB,OAAOl9B,EAAG,GAClB,KACJ,CACJ,CAEJzR,EAASy6G,EACb,EAhBoCl6G,EAAEsnD,MAkB9C,GAGGve,CACX,EAGAoxE,aAAc,SAAU7F,GAEpB,IAAI7c,EAAW/3F,KAAKu3B,UAAUx1B,KAAK,gCAC/Bg2F,EAAS/1F,QAAU4yG,GAAUA,EAAO,IAAM7c,EAAS,KAG/CA,EAAS/1F,QACThC,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,oBAAqBq1F,GAEnDA,EAASt1F,YAAY,+BACjBmyG,GAAUA,EAAO5yG,SACjBhC,KAAKyX,QACLm9F,EAAOjyG,SAAS,+BAChB3C,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,kBAAmBkyG,IAGzD,EAGA9wE,QAAS,WACLxjC,EAAE,cAAgBN,KAAK4e,OAAO7I,KAAK,MAAQ,MACtCA,KAAK,MAAO/V,KAAKqpC,KAAK7Q,QAAQziB,KAAK,OACxC/V,KAAKsW,OAAOwtB,QAAQppB,MAAM1a,KAAM6K,WAEhC2nG,EAAsB7xG,KAAKX,KACvB,kBACA,YAER,EAGAgxG,cAAe,WAEX,IAAmCnvD,EAA/BvmC,EAAW,mBAEftb,KAAK06G,gBAAkB16G,KAAKu3B,UAAUx1B,KAAK,yBAC3C/B,KAAK6hD,UAAYA,EAAY7hD,KAAKu3B,UAAUx1B,KAAKuZ,GAEjD,IAAI8jC,EAAQp/C,KACZA,KAAK6hD,UAAU9pC,GAAG,QAAS,+CAA+C,SAAUpD,GAEhFyqC,EAAMxgC,OAAO,GAAGkQ,QAChBswB,EAAMq7D,aAAan6G,EAAEN,MACzB,IAGAA,KAAK4e,OAAO7I,KAAK,KAAM,eAAek5F,KAEtCjvG,KAAK4e,OAAOouB,OACP1rC,KAAKhB,EAAE,cAAgBN,KAAKqpC,KAAK7Q,QAAQziB,KAAK,MAAQ,MAAMzU,QAC5DyU,KAAK,MAAO/V,KAAK4e,OAAO7I,KAAK,OAElC/V,KAAK4e,OAAO7G,GAAG,cAAe/X,KAAKwD,MAAK,WAChCxD,KAAK4e,OAAO7I,KAAK,gBAA8C,GAA5B/V,KAAK4e,OAAO0jB,MAAMtgC,QACpDhC,KAAKg1G,uBACLh1G,KAAKq1G,UACNr1G,KAAKk0B,OAEb,KAEAl0B,KAAK4e,OAAO7I,KAAK,WAAY/V,KAAKywG,iBAElCzwG,KAAK26G,SAAW,EAChB36G,KAAK4e,OAAO7G,GAAG,UAAW/X,KAAKwD,MAAK,SAAUmR,GAC1C,GAAK3U,KAAKg1G,qBAAV,GAEEh1G,KAAK26G,SACP,IAAI5iB,EAAWl2C,EAAU9/C,KAAK,gCAC1BirC,EAAO+qD,EAAS/qD,KAAK,+CACrB0E,EAAOqmD,EAASrmD,KAAK,+CACrBnzB,EAr4EhB,SAAuBuZ,GAEnB,IAAIu3B,EAAS,EACTrtD,EAAS,EACb,GAAI,mBAHJ81B,EAAKx3B,EAAEw3B,GAAI,IAIPu3B,EAASv3B,EAAG8iF,eACZ54G,EAAS81B,EAAG+iF,aAAexrD,OACxB,GAAI,cAAe9lD,SAAU,CAChCuuB,EAAGhJ,QACH,IAAIuzC,EAAM94D,SAASs4C,UAAUC,cAC7B9/C,EAASuH,SAASs4C,UAAUC,cAAcxgD,KAAKU,OAC/CqgE,EAAI57B,UAAU,aAAc3O,EAAG9zB,MAAMhC,QACrCqtD,EAASgT,EAAI/gE,KAAKU,OAASA,CAC/B,CACA,MAAO,CAAEqtD,OAAQA,EAAQrtD,OAAQA,EACrC,CAs3EsB84G,CAAc96G,KAAK4e,QAE7B,GAAIm5E,EAAS/1F,SACR2S,EAAEmvE,OAASurB,EAAIrsC,MAAQruD,EAAEmvE,OAASurB,EAAIjsC,OAASzuD,EAAEmvE,OAASurB,EAAI7sC,WAAa7tD,EAAEmvE,OAASurB,EAAI3sC,QAAU/tD,EAAEmvE,OAASurB,EAAIxsC,OAAQ,CAC5H,IAAIk4C,EAAiBhjB,EA0BrB,OAzBIpjF,EAAEmvE,OAASurB,EAAIrsC,MAAQh2B,EAAKhrC,OAC5B+4G,EAAiB/tE,EAEZr4B,EAAEmvE,OAASurB,EAAIjsC,MACpB23C,EAAiBrpE,EAAK1vC,OAAS0vC,EAAO,KAEjC/8B,EAAEmvE,QAAUurB,EAAI7sC,UACjBxiE,KAAKg7G,SAASjjB,EAASznD,WACvBtwC,KAAK4e,OAAO7L,MAAM,IAClBgoG,EAAiB/tE,EAAKhrC,OAASgrC,EAAO0E,GAEnC/8B,EAAEmvE,OAASurB,EAAI3sC,OAClB1iE,KAAKg7G,SAASjjB,EAASznD,WACvBtwC,KAAK4e,OAAO7L,MAAM,IAClBgoG,EAAiBrpE,EAAK1vC,OAAS0vC,EAAO,MAEnC/8B,EAAEmvE,OAASurB,EAAIxsC,QACtBk4C,EAAiB,MAGrB/6G,KAAKy6G,aAAaM,GAClBrK,EAAU/7F,QACLomG,GAAmBA,EAAe/4G,QACnChC,KAAKk0B,OAGb,CAAO,IAAMvf,EAAEmvE,QAAUurB,EAAI7sC,WAA8B,GAAjBxiE,KAAK26G,UACxChmG,EAAEmvE,OAASurB,EAAIrsC,OAAwB,GAAdzkD,EAAI8wC,SAAgB9wC,EAAIvc,OAIpD,OAFAhC,KAAKy6G,aAAa54D,EAAU9/C,KAAK,+CAA+CoyC,aAChFu8D,EAAU/7F,GAMd,GAHI3U,KAAKy6G,aAAa,MAGlBz6G,KAAKq1G,SACL,OAAQ1gG,EAAEmvE,OACV,KAAKurB,EAAI9rC,GACT,KAAK8rC,EAAI1sC,KAGL,OAFA3iE,KAAK43G,cAAejjG,EAAEmvE,QAAUurB,EAAI9rC,IAAO,EAAI,QAC/CmtC,EAAU/7F,GAEd,KAAK06F,EAAIxsC,MAGL,OAFA7iE,KAAKsxG,yBACLZ,EAAU/7F,GAEd,KAAK06F,EAAI/rC,IAGL,OAFAtjE,KAAKsxG,kBAAkB,CAAC4F,SAAQ,SAChCl3G,KAAKyX,QAET,KAAK43F,EAAIC,IAGL,OAFAtvG,KAAK8P,OAAO6E,QACZ+7F,EAAU/7F,GAKlB,GAAIA,EAAEmvE,QAAUurB,EAAI/rC,MAAO+rC,EAAIM,UAAUh7F,KAAM06F,EAAIO,cAAcj7F,IAC7DA,EAAEmvE,QAAUurB,EAAI7sC,WAAa7tD,EAAEmvE,QAAUurB,EAAIC,IADjD,CAKA,GAAI36F,EAAEmvE,QAAUurB,EAAIxsC,MAAO,CACvB,IAA8B,IAA1B7iE,KAAKqpC,KAAKuwE,YACV,OACG,GAAIjlG,EAAE+wD,QAAU/wD,EAAEgxD,SAAWhxD,EAAE04D,UAAY14D,EAAEy4D,QAChD,MAER,CAEAptE,KAAKk0B,OAEDvf,EAAEmvE,QAAUurB,EAAInsC,SAAWvuD,EAAEmvE,QAAUurB,EAAIpsC,WAE3CytC,EAAU/7F,GAGVA,EAAEmvE,QAAUurB,EAAIxsC,OAEhB6tC,EAAU/7F,EAnBd,CAxEsC,CA8F1C,KAEA3U,KAAK4e,OAAO7G,GAAG,QAAS/X,KAAKwD,MAAK,SAAUmR,GACxC3U,KAAK26G,SAAW,EAChB36G,KAAKi7G,cACT,KAGAj7G,KAAK4e,OAAO7G,GAAG,OAAQ/X,KAAKwD,MAAK,SAASmR,GACtC3U,KAAKu3B,UAAU90B,YAAY,4BAC3BzC,KAAK4e,OAAOnc,YAAY,mBACxBzC,KAAKy6G,aAAa,MACbz6G,KAAKq1G,UAAUr1G,KAAKm3G,cACzBxiG,EAAEgtB,2BACF3hC,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,gBACtC,KAEAltD,KAAKu3B,UAAUxf,GAAG,QAASuD,EAAUtb,KAAKwD,MAAK,SAAUmR,GAChD3U,KAAKg1G,uBACN10G,EAAEqU,EAAElH,QAAQmK,QAAQ,0BAA0B5V,OAAS,IAI3DhC,KAAKy6G,aAAa,MAClBz6G,KAAKk7G,mBACAl7G,KAAKu3B,UAAUc,SAAS,6BACzBr4B,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,kBAEtCltD,KAAKk0B,OACLl0B,KAAKw2G,cACL7hG,EAAEwR,kBACN,KAEAnmB,KAAKu3B,UAAUxf,GAAG,QAASuD,EAAUtb,KAAKwD,MAAK,WACtCxD,KAAKg1G,uBACLh1G,KAAKu3B,UAAUc,SAAS,6BACzBr4B,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,kBAEtCltD,KAAKu3B,UAAU50B,SAAS,4BACxB3C,KAAK2wG,SAAShuG,SAAS,uBACvB3C,KAAKk7G,mBACT,KAEAl7G,KAAKq5G,qBACLr5G,KAAKqpC,KAAK7Q,QAAQ71B,SAAS,qBAG3B3C,KAAKm3G,aACT,EAGAjC,gBAAiB,WACTl1G,KAAKsW,OAAO4+F,gBAAgBx6F,MAAM1a,KAAM6K,YACxC7K,KAAK4e,OAAO3I,KAAK,YAAajW,KAAKg1G,qBAE3C,EAGAnD,cAAe,WAQX,GANgC,KAA5B7xG,KAAKqpC,KAAK7Q,QAAQ8J,OAA6C,KAA7BtiC,KAAKqpC,KAAK7Q,QAAQl3B,SACpDtB,KAAKg6G,gBAAgB,IACrBh6G,KAAKyX,QAELzX,KAAKm3G,eAELn3G,KAAK+uB,QAAsC,KAA5B/uB,KAAKqpC,KAAK7Q,QAAQ8J,MAAc,CAC/C,IAAIlyB,EAAOpQ,KACXA,KAAKqpC,KAAKwoE,cAAclxG,KAAK,KAAMX,KAAKqpC,KAAK7Q,SAAS,SAASn1B,GACvDA,IAASjD,GAAsB,OAATiD,IACtB+M,EAAK4pG,gBAAgB32G,GACrB+M,EAAKqH,QAELrH,EAAK+mG,cAEb,GACJ,CACJ,EAGAA,YAAa,WACT,IAAI76C,EAAct8D,KAAK6zG,iBACnB7jF,EAAWhwB,KAAKm7G,oBAEhB7+C,IAAgBl8D,GAAuC,IAAzBJ,KAAKo7G,SAASp5G,SAA4D,IAA5ChC,KAAK4e,OAAOyZ,SAAS,oBACjFr4B,KAAK4e,OAAO0jB,IAAIg6B,GAAa35D,SAAS,mBAGtC3C,KAAK4e,OAAO7L,MAAMid,EAAW,EAAIA,EAAWhwB,KAAKu3B,UAAUhjB,IAAI,WAE/DvU,KAAK4e,OAAO0jB,IAAI,IAAIvvB,MAAM,GAElC,EAGAmoG,iBAAkB,WACVl7G,KAAK4e,OAAOyZ,SAAS,oBACrBr4B,KAAK4e,OAAO0jB,IAAI,IAAI7/B,YAAY,kBAExC,EAGAo0G,QAAS,WACL72G,KAAKk7G,mBACLl7G,KAAKi7G,eAELj7G,KAAKsW,OAAOugG,QAAQn8F,MAAM1a,KAAM6K,WAEhC7K,KAAKw2G,cAIoB,KAAtBx2G,KAAK4e,OAAO0jB,OACRtiC,KAAK4xG,gBAAkBxxG,IACtBJ,KAAK4e,OAAO0jB,IAAItiC,KAAK4xG,gBACrB5xG,KAAK4e,OAAOmQ,UAIpB/uB,KAAK2xG,eAAc,GACf3xG,KAAKqpC,KAAKmwE,iBAAiBx5G,OAC3BA,KAAK4e,OAAOkQ,QAEhB9uB,KAAKqpC,KAAK7Q,QAAQ91B,QAAQpC,EAAE4sD,MAAM,gBACtC,EAGAz1C,MAAO,WACEzX,KAAKq1G,UACVr1G,KAAKsW,OAAOmB,MAAMiD,MAAM1a,KAAM6K,UAClC,EAGAikB,MAAO,WACH9uB,KAAKyX,QACLzX,KAAK4e,OAAOkQ,OAChB,EAGA2qF,UAAW,WACP,OAAOz5G,KAAK4e,OAAOyZ,SAAS,kBAChC,EAGA2hF,gBAAiB,SAAU32G,GACvB,IAAIonC,EAAM,GAAI4wE,EAAW,GAAIjrG,EAAOpQ,KAGpCM,EAAE+C,GAAMhD,MAAK,WACLqF,EAAQ0K,EAAK7K,GAAGvF,MAAOyqC,GAAO,IAC9BA,EAAI/8B,KAAK0C,EAAK7K,GAAGvF,OACjBq7G,EAAS3tG,KAAK1N,MAEtB,IACAqD,EAAOg4G,EAEPr7G,KAAK6hD,UAAU9/C,KAAK,0BAA0B2V,SAC9CpX,EAAE+C,GAAMhD,MAAK,WACT+P,EAAKkrG,kBAAkBt7G,KAC3B,IACAoQ,EAAK8nG,oBACT,EAGAE,SAAU,WACN,IAAI/wE,EAAQrnC,KAAK4e,OAAO0jB,MAEX,OADb+E,EAAQrnC,KAAKqpC,KAAKkyE,UAAU56G,KAAKX,KAAMqnC,EAAOrnC,KAAKqD,OAAQrD,KAAKwD,KAAKxD,KAAKiyE,UAAWjyE,KAAKqpC,QACrEhC,GAASjnC,IAC1BJ,KAAK4e,OAAO0jB,IAAI+E,GACZA,EAAMrlC,OAAS,GACfhC,KAAKk0B,OAIjB,EAGA+9C,SAAU,SAAU5uE,EAAMvC,GAEjBd,KAAK00G,cAAcrxG,IAAuB,KAAdA,EAAK/B,OAEtCtB,KAAKs7G,kBAAkBj4G,GAEvBrD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,CAAEO,KAAM,WAAYq/B,IAAKtiC,KAAKuF,GAAGlC,GAAOuxG,OAAQvxG,IAG1ErD,KAAK4xG,eAAiB5xG,KAAKqpC,KAAKuoE,eAAevuG,EAAMrD,KAAK4e,OAAO0jB,OAEjEtiC,KAAKm3G,cACLn3G,KAAK2xG,iBAED3xG,KAAK+uB,QAAW/uB,KAAKqpC,KAAKmyE,eAAex7G,KAAKk4G,mBAAmB70G,GAAM,GAAiC,IAA1BrD,KAAKqpC,KAAKmyE,eAExFx7G,KAAKqpC,KAAKmyE,eACVx7G,KAAKyX,QACLzX,KAAK4e,OAAO7L,MAAM,KAEd/S,KAAKg4G,yBAAyB,GAC9Bh4G,KAAK4e,OAAO7L,MAAM,IAClB/S,KAAKi7G,eACDj7G,KAAKq3G,0BAA4B,GAAKr3G,KAAKsiC,MAAMtgC,QAAUhC,KAAKq3G,0BAGhEr3G,KAAK2xG,eAAc,GAGhB3xG,KAAK4xG,gBAAkBxxG,IACtBJ,KAAK4e,OAAO0jB,IAAItiC,KAAK4xG,gBACrB5xG,KAAK2xG,gBACL3xG,KAAK4e,OAAOmQ,UAGpB/uB,KAAKs1G,qBAGLt1G,KAAKyX,QACLzX,KAAK4e,OAAO7L,MAAM,KAM1B/S,KAAK60G,cAAc,CAAE7lE,MAAO3rC,IAEvBvC,GAAYA,EAAQo2G,SACrBl3G,KAAKw2G,cACb,EAGA1mG,OAAQ,WACJ9P,KAAKyX,QACLzX,KAAKw2G,aACT,EAEA8E,kBAAmB,SAAUj4G,GACzB,IAaI8vG,EACAkH,EAdAoB,GAAgBp4G,EAAKqvG,OACrBgJ,EAAcp7G,EACV,gIAIJq7G,EAAer7G,EACX,qEAGJs0G,EAAS6G,EAAeC,EAAcC,EACtCp2G,EAAKvF,KAAKuF,GAAGlC,GACbi/B,EAAMtiC,KAAKo7G,UAIfjI,EAAUnzG,KAAKqpC,KAAKixE,gBAAgBj3G,EAAMuxG,EAAO7yG,KAAK,OAAQ/B,KAAKqpC,KAAKkqE,gBACvDnzG,GACbw0G,EAAO7yG,KAAK,OAAOu5D,YAAY,QAAQ63C,EAAU,WAErDkH,EAASr6G,KAAKqpC,KAAKkxE,wBAAwBl3G,EAAMuxG,EAAO7yG,KAAK,UAC7C3B,GACZw0G,EAAOjyG,SAAS03G,GAGjBoB,GACD7G,EAAO7yG,KAAK,gCACPgW,GAAG,YAAa24F,GAChB34F,GAAG,iBAAkB/X,KAAKwD,MAAK,SAAUmR,GACrC3U,KAAKg1G,uBAEVh1G,KAAKg7G,SAAS16G,EAAEqU,EAAElH,SAClBzN,KAAK6hD,UAAU9/C,KAAK,gCAAgCU,YAAY,+BAChEiuG,EAAU/7F,GACV3U,KAAKyX,QACLzX,KAAKw2G,cACT,KAAIz+F,GAAG,QAAS/X,KAAKwD,MAAK,WACjBxD,KAAKg1G,uBACVh1G,KAAKu3B,UAAU50B,SAAS,4BACxB3C,KAAK2wG,SAAShuG,SAAS,uBAC3B,KAGFiyG,EAAOvxG,KAAK,eAAgBA,GAC5BuxG,EAAOvzE,aAAarhC,KAAK06G,iBAEzBp4E,EAAI50B,KAAKnI,GACTvF,KAAK47G,OAAOt5E,EAChB,EAGA04E,SAAU,SAAUjjB,GAChB,IACI10F,EACAykC,EAFAxF,EAAMtiC,KAAKo7G,SAKf,GAAwB,KAFxBrjB,EAAWA,EAASngF,QAAQ,2BAEf5V,OACT,KAAM,qBAAuB+1F,EAAW,mCAK5C,GAFA10F,EAAO00F,EAAS10F,KAAK,gBAErB,CAMA,IAAIsxG,EAAMr0G,EAAE4sD,MAAM,oBAKlB,GAJAynD,EAAIryE,IAAMtiC,KAAKuF,GAAGlC,GAClBsxG,EAAIC,OAASvxG,EACbrD,KAAKqpC,KAAK7Q,QAAQ91B,QAAQiyG,GAEtBA,EAAIvnD,qBACJ,OAAO,EAGX,MAAOtlB,EAAQpiC,EAAQ1F,KAAKuF,GAAGlC,GAAOi/B,KAAS,GAC3CA,EAAIoM,OAAO5G,EAAO,GAClB9nC,KAAK47G,OAAOt5E,GACRtiC,KAAK+uB,QAAQ/uB,KAAKk4G,qBAQ1B,OALAngB,EAASrgF,SAET1X,KAAKqpC,KAAK7Q,QAAQ91B,QAAQ,CAAEO,KAAM,kBAAmBq/B,IAAKtiC,KAAKuF,GAAGlC,GAAOuxG,OAAQvxG,IACjFrD,KAAK60G,cAAc,CAAE/lE,QAASzrC,KAEvB,CAtBP,CAuBJ,EAGA60G,mBAAoB,SAAU70G,EAAM2wC,EAASkmE,GACzC,IAAI53E,EAAMtiC,KAAKo7G,SACXvD,EAAU73G,KAAK0H,QAAQ3F,KAAK,mBAC5BkxG,EAAWjzG,KAAK0H,QAAQ3F,KAAK,iCAC7BqO,EAAOpQ,KAEX63G,EAAQjJ,OAAM,SAAUn9F,EAAGmjG,GAEnBlvG,EADK0K,EAAK7K,GAAGqvG,EAAOvxG,KAAK,iBACbi/B,IAAQ,IACpBsyE,EAAOjyG,SAAS,oBAEhBiyG,EAAO7yG,KAAK,8BAA8BY,SAAS,oBAE3D,IAEAswG,EAASrE,OAAM,SAASn9F,EAAGmjG,GAElBA,EAAOxuF,GAAG,+BACoE,IAA5EwuF,EAAO7yG,KAAK,qDAAqDC,QACpE4yG,EAAOjyG,SAAS,mBAExB,KAEyB,GAArB3C,KAAK03G,cAA2C,IAAtBwC,GAC1B9pG,EAAKsnG,UAAU,IAIf13G,KAAKqpC,KAAK0qE,qBAAuB8D,EAAQzpG,OAAO,0CAA0CpM,OAAS,KAC/FqB,GAAQA,IAASA,EAAKuwG,MAA4D,IAApD5zG,KAAK0H,QAAQ3F,KAAK,uBAAuBC,SACnEy2G,EAAeroG,EAAKi5B,KAAK6vE,gBAAiB,oBAC1Cl5G,KAAK0H,QAAQsO,OAAO,kCAAoC4vC,EAASx1C,EAAKi5B,KAAK6vE,gBAAiB9oG,EAAKi5B,KAAK7Q,QAASpoB,EAAKwO,OAAO0jB,OAAS,QAKpJ,EAGA64E,kBAAmB,WACf,OAAOn7G,KAAK6hD,UAAU9uC,QAAU8oG,EAAqB77G,KAAK4e,OAC9D,EAGAq8F,aAAc,WACV,IAAIa,EAAc16F,EAAM4O,EAAyB+rF,EAC7CC,EAAoBH,EAAqB77G,KAAK4e,QAElDk9F,EA3zFR,SAA0BnnG,GACtB,IAAKu6F,EAAM,CACP,IAAItxF,EAAQjJ,EAAE,GAAGokD,cAAgB50D,OAAO20D,iBAAiBnkD,EAAE,GAAI,OAC/Du6F,EAAQ5uG,EAAEiJ,SAAS8L,cAAc,QAAQd,IAAI,CACzC2M,SAAU,WACVE,KAAM,WACND,IAAK,WACL6f,QAAS,OACTwb,SAAU5+B,EAAM4+B,SAChBy/D,WAAYr+F,EAAMq+F,WAClBC,UAAWt+F,EAAMs+F,UACjBC,WAAYv+F,EAAMu+F,WAClBC,cAAex+F,EAAMw+F,cACrBC,cAAez+F,EAAMy+F,cACrBC,WAAY,YAEVvmG,KAAK,QAAQ,iBACnBzV,EAAE,QAAQ0V,OAAOk5F,EACrB,CAEA,OADAA,EAAM5tG,KAAKqT,EAAE2tB,OACN4sE,EAAMn8F,OACjB,CAsyFuBwpG,CAAiBv8G,KAAK4e,QAAU,GAE/CwC,EAAOphB,KAAK4e,OAAOywC,SAASjuC,MAK5B26F,GAHA/rF,EAAWhwB,KAAK6hD,UAAU9uC,UAGAqO,EAFVphB,KAAK6hD,UAAUwN,SAASjuC,MAEU46F,GAEhCF,IACdC,EAAc/rF,EAAWgsF,GAGzBD,EAAc,KACdA,EAAc/rF,EAAWgsF,GAGzBD,GAAe,IACjBA,EAAcD,GAGhB97G,KAAK4e,OAAO7L,MAAMnC,KAAKwB,MAAM2pG,GACjC,EAGAX,OAAQ,WACJ,IAAI94E,EACJ,OAAItiC,KAAK+uB,OAEU,QADfuT,EAAMtiC,KAAK+uB,OAAOuT,OACI,GAAKA,EAGpB0xE,EADP1xE,EAAMtiC,KAAKqpC,KAAK7Q,QAAQ8J,MACHtiC,KAAKqpC,KAAK4qE,UAEvC,EAGA2H,OAAQ,SAAUt5E,GACd,IAAI0/B,EACAhiE,KAAK+uB,OACL/uB,KAAK+uB,OAAOuT,IAAIA,IAEhB0/B,EAAS,GAET1hE,EAAEgiC,GAAKjiC,MAAK,WACJqF,EAAQ1F,KAAMgiE,GAAU,GAAGA,EAAOt0D,KAAK1N,KAC/C,IACAA,KAAKqpC,KAAK7Q,QAAQ8J,IAAsB,IAAlB0/B,EAAOhgE,OAAe,GAAKggE,EAAOvgE,KAAKzB,KAAKqpC,KAAK4qE,YAE/E,EAGAuI,mBAAoB,SAAUjvE,EAAKR,GAC3BA,EAAUA,EAAQlgC,MAAM,GACxB0gC,EAAMA,EAAI1gC,MAAM,GAGpB,IAJA,IAIS4E,EAAI,EAAGA,EAAIs7B,EAAQ/qC,OAAQyP,IAChC,IAAK,IAAID,EAAI,EAAGA,EAAI+7B,EAAIvrC,OAAQwP,IACxBmhG,EAAM3yG,KAAKqpC,KAAK9jC,GAAGwnC,EAAQt7B,IAAKzR,KAAKqpC,KAAK9jC,GAAGgoC,EAAI/7B,OACjDu7B,EAAQ2B,OAAOj9B,EAAG,GACfA,EAAE,GACJA,IAED87B,EAAImB,OAAOl9B,EAAG,GACdA,KAKZ,MAAO,CAACw9B,MAAOjC,EAAS+B,QAASvB,EACrC,EAIAjL,IAAK,SAAUA,EAAKuyE,GAChB,IAAIuF,EAAShqG,EAAKpQ,KAElB,GAAyB,IAArB6K,UAAU7I,OACV,OAAOhC,KAAKo7G,SAOhB,IAJAhB,EAAQp6G,KAAKqD,QACArB,SAAQo4G,EAAQ,KAGxB93E,GAAe,IAARA,EAOR,OANAtiC,KAAKqpC,KAAK7Q,QAAQ8J,IAAI,IACtBtiC,KAAKg6G,gBAAgB,IACrBh6G,KAAKm3G,mBACDtC,GACA70G,KAAK60G,cAAc,CAAC7lE,MAAOhvC,KAAKqD,OAAQyrC,QAASsrE,KAQzD,GAFAp6G,KAAK47G,OAAOt5E,GAERtiC,KAAK+uB,OACL/uB,KAAKqpC,KAAKwoE,cAAc7xG,KAAK+uB,OAAQ/uB,KAAKwD,KAAKxD,KAAKg6G,kBAChDnF,GACA70G,KAAK60G,cAAc70G,KAAKw8G,mBAAmBpC,EAASp6G,KAAKqD,aAE1D,CACH,GAAIrD,KAAKqpC,KAAKwoE,gBAAkBzxG,EAC5B,MAAM,IAAIwI,MAAM,4DAGpB5I,KAAKqpC,KAAKwoE,cAAc7xG,KAAKqpC,KAAK7Q,SAAS,SAASn1B,GAChD,IAAIonC,EAAInqC,EAAEyM,IAAI1J,EAAM+M,EAAK7K,IACzB6K,EAAKwrG,OAAOnxE,GACZr6B,EAAK4pG,gBAAgB32G,GACrB+M,EAAK+mG,cACDtC,GACAzkG,EAAKykG,cAAczkG,EAAKosG,mBAAmBpC,EAAShqG,EAAK/M,QAEjE,GACJ,CACArD,KAAKm3G,aACT,EAGAsF,YAAa,WACT,GAAIz8G,KAAK+uB,OACL,MAAM,IAAInmB,MAAM,6GAIpB5I,KAAK4e,OAAO7L,MAAM,GAElB/S,KAAK06G,gBAAgBz6G,MACzB,EAGAy8G,UAAU,WAEN,IAAIp6E,EAAI,GAAIlyB,EAAKpQ,KAGjBA,KAAK06G,gBAAgBr5G,OAErBrB,KAAK06G,gBAAgBv6E,SAASngC,KAAK06G,gBAAgBpkG,UAEnDtW,KAAKi7G,eAGLj7G,KAAK6hD,UAAU9/C,KAAK,0BAA0B1B,MAAK,WAC/CiiC,EAAI50B,KAAK0C,EAAKi5B,KAAK9jC,GAAGjF,EAAEN,MAAMqD,KAAK,iBACvC,IACArD,KAAK47G,OAAOt5E,GACZtiC,KAAK60G,eACT,EAGAxxG,KAAM,SAAS+vB,EAAQyhF,GACnB,IAAepqE,EAAK8C,EAAhBn9B,EAAKpQ,KACT,GAAyB,IAArB6K,UAAU7I,OACT,OAAOhC,KAAK6hD,UACPtrC,SAAS,0BACTxJ,KAAI,WAAa,OAAOzM,EAAEN,MAAMqD,KAAK,eAAiB,IACtD0kB,MAENwlB,EAAMvtC,KAAKqD,OACN+vB,IAAUA,EAAS,IACxBqX,EAAMnqC,EAAEyM,IAAIqmB,GAAQ,SAASze,GAAK,OAAOvE,EAAKi5B,KAAK9jC,GAAGoP,EAAI,IAC1D3U,KAAK47G,OAAOnxE,GACZzqC,KAAKg6G,gBAAgB5mF,GACrBpzB,KAAKm3G,cACDtC,GACA70G,KAAK60G,cAAc70G,KAAKw8G,mBAAmBjvE,EAAKvtC,KAAKqD,QAGjE,IAGJ/C,EAAEkM,GAAGqyB,QAAU,WAEX,IACIwK,EACAxK,EACAj8B,EAAQoB,EAAO24G,EAHfh2E,EAAOpI,MAAMt1B,UAAU4D,MAAMlM,KAAKkK,UAAW,GAI7C+xG,EAAiB,CAAC,MAAO,UAAW,SAAU,OAAQ,QAAS,QAAS,YAAa,YAAa,WAAY,cAAe,YAAa,SAAU,UAAW,WAAY,mBAAoB,OAAQ,UACvMC,EAAe,CAAC,SAAU,YAAa,YAAa,YACpDC,EAAkB,CAAC,MAAO,QAC1BC,EAAa,CAAEn+F,OAAQ,kBA6C3B,OA3CA5e,KAAKK,MAAK,WACN,GAAoB,IAAhBsmC,EAAK3kC,QAAoC,iBAAb2kC,EAAK,IACjC0C,EAAuB,IAAhB1C,EAAK3kC,OAAe,CAAC,EAAI1B,EAAEm3B,OAAO,CAAC,EAAGkP,EAAK,KAC7CnO,QAAUl4B,EAAEN,MAEiC,WAA9CqpC,EAAK7Q,QAAQzQ,IAAI,GAAGgqB,QAAQz0B,cAC5Bq/F,EAAWtzE,EAAK7Q,QAAQviB,KAAK,aAE7B0mG,EAAWtzE,EAAKszE,WAAY,EACxB,SAAUtzE,IAAOA,EAAKszE,SAAWA,GAAW,KAGpD99E,EAAU89E,EAAW,IAAIx4G,OAAO0qG,QAAe,MAAEmO,MAAU,IAAI74G,OAAO0qG,QAAe,MAAEoO,QAC/Ej5E,KAAKqF,OACV,IAAwB,iBAAb1C,EAAK,GA0BnB,KAAM,wCAA0CA,EAxBhD,GAAIjhC,EAAQihC,EAAK,GAAIi2E,GAAkB,EACnC,KAAM,mBAAqBj2E,EAAK,GAKpC,GAFA3iC,EAAQ5D,GACRy+B,EAAUv+B,EAAEN,MAAMqD,KAAK,cACPjD,EAAW,OAa3B,GATe,eAFfwC,EAAO+jC,EAAK,IAGR3iC,EAAQ66B,EAAQtH,UACE,aAAX30B,EACPoB,EAAQ66B,EAAQ8xE,UAEZoM,EAAWn6G,KAASA,EAASm6G,EAAWn6G,IAE5CoB,EAAQ66B,EAAQj8B,GAAQ8X,MAAMmkB,EAAS8H,EAAK95B,MAAM,KAElDnH,EAAQihC,EAAK,GAAIk2E,IAAiB,GAC9Bn3G,EAAQihC,EAAK,GAAIm2E,IAAoB,GAAoB,GAAfn2E,EAAK3kC,OACnD,OAAO,CAIf,CACJ,IACQgC,IAAU5D,EAAaJ,KAAOgE,CAC1C,EAGA1D,EAAEkM,GAAGqyB,QAAQqN,SAAW,CACpBn5B,MAAO,OACPklG,gBAAiB,EACjBuD,eAAe,EACf5B,aAAa,EACbrJ,aAAc,CAAC,EACfmG,YAAa,CAAC,EACdlG,kBAAmB,GACnBK,iBAAkB,GAClByC,aAAc,SAASxuG,EAAQyyB,EAAW9Y,EAAO80F,GAC7C,IAAI2J,EAAO,GAEX,OADAC,EAAUr4G,EAAOxD,KAAMmd,EAAM0P,KAAM+uF,EAAQ3J,GACpC2J,EAAOz7G,KAAK,GACvB,EACA64G,gBAAiB,SAAUj3G,EAAMk0B,EAAWg8E,GACxC,OAAOlwG,EAAOkwG,EAAalwG,EAAK/B,MAAQlB,CAC5C,EACAgzG,YAAa,SAAU1rG,EAAS6vB,EAAW9Y,GACvC,OAAO/W,CACX,EACA2rG,qBAAsB,SAAShwG,GAAO,OAAOA,EAAKkR,GAAI,EACtDgmG,wBAAyB,SAASl3G,EAAMk0B,GAAY,OAAOn3B,CAAU,EACrEm5G,wBAAyB,EACzBZ,mBAAoB,EACpB5G,mBAAoB,KACpBuF,qBAAsB,EACtB/xG,GAAI,SAAUoP,GAAK,OAAOA,GAAKvU,EAAY,KAAOuU,EAAEpP,EAAI,EACxD0tC,QAAS,SAAS9kB,EAAM7sB,GACpB,OAAO87G,EAAgB,GAAG97G,GAAM4B,cAAcwC,QAAQ03G,EAAgB,GAAGjvF,GAAMjrB,gBAAkB,CACrG,EACA+wG,UAAW,IACXoJ,gBAAiB,GACjB9B,UA7wFJ,SAA0Bl0E,EAAOwa,EAAWy7D,EAAgBj0E,GACxD,IAEI1wB,EACAmvB,EACAr2B,EAAG+5B,EACHyoE,EALAhkG,EAAWo3B,EACXk2E,GAAO,EAMX,IAAKl0E,EAAK0qE,qBAAuB1qE,EAAKg0E,iBAAmBh0E,EAAKg0E,gBAAgBr7G,OAAS,EAAG,OAAO5B,EAEjG,OAAa,CAGT,IAFA0nC,GAAS,EAEJr2B,EAAI,EAAG+5B,EAAInC,EAAKg0E,gBAAgBr7G,OAAQyP,EAAI+5B,IAC7CyoE,EAAY5qE,EAAKg0E,gBAAgB5rG,MACjCq2B,EAAQT,EAAM3hC,QAAQuuG,KACT,IAHmCxiG,KAMpD,GAAIq2B,EAAQ,EAAG,MAKf,GAHAnvB,EAAQ0uB,EAAMs2C,UAAU,EAAG71C,GAC3BT,EAAQA,EAAMs2C,UAAU71C,EAAQmsE,EAAUjyG,QAEtC2W,EAAM3W,OAAS,IACf2W,EAAQ0wB,EAAK0qE,mBAAmBpzG,KAAKX,KAAM2Y,EAAOkpC,MACpCzhD,GAAuB,OAAVuY,GAAkB0wB,EAAK9jC,GAAGoT,KAAWvY,GAAgC,OAAnBipC,EAAK9jC,GAAGoT,GAAiB,CAElG,IADA4kG,GAAO,EACF9rG,EAAI,EAAG+5B,EAAIqW,EAAU7/C,OAAQyP,EAAI+5B,EAAG/5B,IACrC,GAAIkhG,EAAMtpE,EAAK9jC,GAAGoT,GAAQ0wB,EAAK9jC,GAAGs8C,EAAUpwC,KAAM,CAC9C8rG,GAAO,EAAM,KACjB,CAGCA,GAAMD,EAAe3kG,EAC9B,CAER,CAEA,OAAI1I,IAAWo3B,EAAcA,OAA7B,CACJ,EAsuFIksE,aAAciK,EACdzI,cAAc,EACdkC,cAAc,EACd3G,uBAAwB,SAASr8F,GAAK,OAAOA,CAAG,EAChD28F,sBAAuB,SAAS38F,GAAK,OAAO,IAAM,EAClD29F,eAAgB,SAAS6L,EAAgBC,GAAqB,OAAOt9G,CAAW,EAChFgyG,uBAAwB,GACxB8B,2BAA4B,MAC5BsF,iBAAkB,SAAU1mE,GAMxB,SAJ4B,iBAAkB3uC,QAClBiZ,UAAUugG,iBAAmB,IAQrD7qE,EAASzJ,KAAKkwE,wBAA0B,EAKhD,GAGJj5G,EAAEkM,GAAGqyB,QAAQ++E,QAAU,GAEvBt9G,EAAEkM,GAAGqyB,QAAQ++E,QAAY,GAAI,CACxBpK,cAAe,SAAU/zF,GAAW,OAAgB,IAAZA,EAAwB,qDAA+DA,EAAU,iEAAmE,EAC5My5F,gBAAiB,WAAc,MAAO,kBAAoB,EAC1DD,gBAAiB,SAAU34E,EAAOp3B,EAAYC,GAAe,MAAO,gBAAkB,EACtFyvG,oBAAqB,SAAUvxE,EAAO/xB,GAAO,IAAIe,EAAIf,EAAM+xB,EAAMrlC,OAAQ,MAAO,gBAAkBqU,EAAI,sBAA6B,GAALA,EAAS,GAAK,IAAM,EAClJyiG,mBAAoB,SAAUzxE,EAAOv0B,GAAO,IAAIuD,EAAIgxB,EAAMrlC,OAAS8Q,EAAK,MAAO,iBAAmBuD,EAAI,cAAqB,GAALA,EAAS,GAAK,IAAM,EAC1IqiG,sBAAuB,SAAUmF,GAAS,MAAO,uBAAyBA,EAAQ,SAAoB,GAATA,EAAa,GAAK,IAAM,EACrH1F,eAAgB,SAAU2F,GAAc,MAAO,uBAAyB,EACxE/E,gBAAiB,WAAc,MAAO,YAAc,GAGzDz4G,EAAEm3B,OAAOn3B,EAAEkM,GAAGqyB,QAAQqN,SAAU5rC,EAAEkM,GAAGqyB,QAAQ++E,QAAY,IAEzDt9G,EAAEkM,GAAGqyB,QAAQk/E,aAAe,CACxBC,UAAW19G,EAAEo1C,KACbptC,OAAQ,CACJrF,KAAM,MACNyxD,OAAO,EACPpf,SAAU,SAKlBnxC,OAAO0qG,QAAU,CACbpwF,MAAO,CACHi3B,KAAMA,EACNghB,MAAOA,EACP+8C,KAAMA,GACPwK,KAAM,CACLzvF,SAAUA,EACV2uF,UAAWA,EACX5J,aAAciK,EACdJ,gBAAiBA,GAClB,MAAS,CACR,SAAYtO,EACZ,OAAUC,EACV,MAASC,GAj4GjB,CA6DA,SAASgI,EAAgBx+E,GACrB,IAAI8jC,EAAch8D,EAAEiJ,SAASqrB,eAAe,KAE5C4D,EAAQm6D,OAAOr2B,GACfA,EAAYq2B,OAAOn6D,GACnB8jC,EAAY5kD,QAChB,CAEA,SAAS0lG,EAAgB1iD,GAMrB,OAAOA,EAAIpmD,QAAQ,qBAJnB,SAAe8N,GACX,OAAOytF,EAAWztF,IAAMA,CAC5B,GAGJ,CAEA,SAAS1c,EAAQ1B,EAAO2qC,GAEpB,IADA,IAAIl9B,EAAI,EAAG+5B,EAAImD,EAAM3sC,OACdyP,EAAI+5B,EAAG/5B,GAAQ,EAClB,GAAIkhG,EAAM3uG,EAAO2qC,EAAMl9B,IAAK,OAAOA,EAEvC,OAAQ,CACZ,CAoBA,SAASkhG,EAAMvwF,EAAGvC,GACd,OAAIuC,IAAMvC,GACNuC,IAAMhiB,GAAayf,IAAMzf,GACnB,OAANgiB,GAAoB,OAANvC,IAGduC,EAAE6rB,cAAgBrkB,OAAexH,EAAE,IAAOvC,EAAE,GAC5CA,EAAEouB,cAAgBrkB,QAAe/J,EAAE,IAAOuC,EAAE,GAEpD,CAQA,SAAS4xF,EAAS30F,EAAQ40F,GACtB,IAAI3xE,EAAK7wB,EAAG+5B,EACZ,GAAe,OAAXnsB,GAAmBA,EAAOrd,OAAS,EAAG,MAAO,GAEjD,IAAKyP,EAAI,EAAG+5B,GADZlJ,EAAMjjB,EAAO7d,MAAMyyG,IACCjyG,OAAQyP,EAAI+5B,EAAG/5B,GAAQ,EAAG6wB,EAAI7wB,GAAKnR,EAAEif,KAAK+iB,EAAI7wB,IAClE,OAAO6wB,CACX,CAEA,SAASu5E,EAAqBrjF,GAC1B,OAAOA,EAAQiP,YAAW,GAASjP,EAAQzlB,OAC/C,CAEA,SAAS2+F,EAAwBl5E,GAC7B,IAAI30B,EAAI,qBACR20B,EAAQzgB,GAAG,WAAW,WACdzX,EAAE+C,KAAKm1B,EAAS30B,KAASzD,GACzBE,EAAE+C,KAAKm1B,EAAS30B,EAAK20B,EAAQ8J,MAErC,IACA9J,EAAQzgB,GAAG,SAAS,WAChB,IAAIuqB,EAAKhiC,EAAE+C,KAAKm1B,EAAS30B,GACrBy+B,IAAQliC,GAAao4B,EAAQ8J,QAAUA,IACvChiC,EAAE6qD,WAAW3yB,EAAS30B,GACtB20B,EAAQ91B,QAAQ,gBAExB,GACJ,CA2BA,SAAS8rB,EAAS0vF,EAAa1xG,EAAIk9B,GAE/B,IAAI1oC,EACJ,OAFA0oC,EAAMA,GAAOtpC,EAEN,WACH,IAAIumC,EAAO97B,UACX1G,OAAO8yB,aAAaj2B,GACpBA,EAAUmD,OAAO4e,YAAW,WACxBvW,EAAGkO,MAAMgvB,EAAK/C,EAClB,GAAGu3E,EACP,CACJ,CAyDA,SAASxN,EAAUxqF,GACfA,EAAMC,iBACND,EAAM6c,iBACV,CA6BA,SAASstE,EAAe8N,EAAM/oG,EAAKgpG,GAC/B,IAAIlnG,EAA4BmnG,EAAnBC,EAAe,IAE5BpnG,EAAU5W,EAAEif,KAAK4+F,EAAKpoG,KAAK,YAKvBzV,GAFA4W,EAAU,GAAKA,GAEL1V,MAAM,QAAQotG,OAAM,WACO,IAA7B5uG,KAAK0F,QAAQ,aACb44G,EAAa5wG,KAAK1N,KAE1B,KAGJkX,EAAU5W,EAAEif,KAAKnK,EAAIW,KAAK,YAKtBzV,GAFA4W,EAAU,GAAKA,GAEL1V,MAAM,QAAQotG,OAAM,WACO,IAA7B5uG,KAAK0F,QAAQ,cACb24G,EAAUD,EAAQp+G,QAGds+G,EAAa5wG,KAAK2wG,EAG9B,IAGJF,EAAKpoG,KAAK,QAASuoG,EAAa78G,KAAK,KACzC,CAGA,SAAS07G,EAAU77G,EAAM6sB,EAAM+uF,EAAQ3J,GACnC,IAAI7zF,EAAM09F,EAAgB97G,EAAK4B,eAAewC,QAAQ03G,EAAgBjvF,EAAKjrB,gBACvEq7G,EAAGpwF,EAAKnsB,OAER0d,EAAM,EACNw9F,EAAOxvG,KAAK6lG,EAAajyG,KAI7B47G,EAAOxvG,KAAK6lG,EAAajyG,EAAKq8E,UAAU,EAAGj+D,KAC3Cw9F,EAAOxvG,KAAK,gCACZwvG,EAAOxvG,KAAK6lG,EAAajyG,EAAKq8E,UAAUj+D,EAAOA,EAAQ6+F,KACvDrB,EAAOxvG,KAAK,WACZwvG,EAAOxvG,KAAK6lG,EAAajyG,EAAKq8E,UAAUj+D,EAAQ6+F,EAAIj9G,EAAKU,UAC7D,CAEA,SAASw7G,EAAoBN,GACzB,IAAIsB,EAAc,CACd,KAAM,QACN,IAAK,QACL,IAAK,OACL,IAAK,OACL,IAAK,SACL,IAAK,QACL,IAAK,SAGT,OAAO50F,OAAOszF,GAAQ5oG,QAAQ,gBAAgB,SAAUoL,GACpD,OAAO8+F,EAAY9+F,EACvB,GACJ,CAkBA,SAASg2B,EAAK50C,GACV,IAAIE,EACAqd,EAAU,KACV6/F,EAAcp9G,EAAQo9G,aAAe,IACrCrL,EAAU/xG,EAAQqC,IAClBiN,EAAOpQ,KAEX,OAAO,SAAUye,GACbta,OAAO8yB,aAAaj2B,GACpBA,EAAUmD,OAAO4e,YAAW,WACxB,IAAI1f,EAAOvC,EAAQuC,KACfF,EAAM0vG,EACNmL,EAAYl9G,EAAQk9G,WAAa19G,EAAEkM,GAAGqyB,QAAQk/E,aAAaC,UAE3DS,EAAa,CACTx7G,KAAMnC,EAAQmC,MAAQ,MACtByxD,MAAO5zD,EAAQ4zD,QAAS,EACxBgqD,cAAe59G,EAAQ49G,eAAet+G,EACtCk1C,SAAUx0C,EAAQw0C,UAAU,QAEhChtC,EAAShI,EAAEm3B,OAAO,CAAC,EAAGn3B,EAAEkM,GAAGqyB,QAAQk/E,aAAaz1G,OAAQm2G,GAE5Dp7G,EAAOA,EAAOA,EAAK1C,KAAKyP,EAAMqO,EAAM0P,KAAM1P,EAAM8kF,KAAM9kF,EAAMrV,SAAW,KACvEjG,EAAsB,mBAARA,EAAsBA,EAAIxC,KAAKyP,EAAMqO,EAAM0P,KAAM1P,EAAM8kF,KAAM9kF,EAAMrV,SAAWjG,EAExFkb,GAAoC,mBAAlBA,EAAQwuD,OAAwBxuD,EAAQwuD,QAE1D/rE,EAAQwH,SACJhI,EAAEkwC,WAAW1vC,EAAQwH,QACrBhI,EAAEm3B,OAAOnvB,EAAQxH,EAAQwH,OAAO3H,KAAKyP,IAErC9P,EAAEm3B,OAAOnvB,EAAQxH,EAAQwH,SAIjChI,EAAEm3B,OAAOnvB,EAAQ,CACbnF,IAAKA,EACLmyC,SAAUx0C,EAAQw0C,SAClBjyC,KAAMA,EACNC,QAAS,SAAUD,GAGf,IAAIqE,EAAU5G,EAAQ4G,QAAQrE,EAAMob,EAAM8kF,KAAM9kF,GAChDA,EAAM1e,SAAS2H,EACnB,EACAhH,MAAO,SAAS4/B,EAAOp3B,EAAYC,GAC/B,IAAIzB,EAAU,CACVsxG,UAAU,EACV14E,MAAOA,EACPp3B,WAAYA,EACZC,YAAaA,GAGjBsV,EAAM1e,SAAS2H,EACnB,IAEJ2W,EAAU2/F,EAAUr9G,KAAKyP,EAAM9H,EACnC,GAAG41G,EACP,CACJ,CAgBA,SAASxnD,EAAM51D,GACX,IACI69G,EACAhmB,EAFAt1F,EAAOvC,EAGPQ,EAAO,SAAUq5B,GAAQ,MAAO,GAAGA,EAAKr5B,IAAM,EAE7ChB,EAAEk+B,QAAQn7B,KAEXA,EAAO,CAAEqE,QADTixF,EAAMt1F,KAIkB,IAAvB/C,EAAEkwC,WAAWntC,KACds1F,EAAMt1F,EACNA,EAAO,WAAa,OAAOs1F,CAAK,GAGpC,IAAIimB,EAAWv7G,IAUf,OATIu7G,EAASt9G,OACTA,EAAOs9G,EAASt9G,KAEXhB,EAAEkwC,WAAWlvC,KACdq9G,EAAWC,EAASt9G,KACpBA,EAAO,SAAUq5B,GAAQ,OAAOA,EAAKgkF,EAAW,IAIjD,SAAUlgG,GACb,IAAgDk1F,EAA5CxxG,EAAIsc,EAAM0P,KAAMktF,EAAW,CAAE3zG,QAAS,IAChC,KAANvF,GAKJwxG,EAAU,SAASkL,EAAOl2G,GACtB,IAAI+3E,EAAO3qE,EAEX,IADA8oG,EAAQA,EAAM,IACJtoG,SAAU,CAEhB,IAAKR,KADL2qE,EAAQ,CAAC,EACIm+B,EACLA,EAAMhpF,eAAe9f,KAAO2qE,EAAM3qE,GAAM8oG,EAAM9oG,IAEtD2qE,EAAMnqE,SAAS,GACfjW,EAAEu+G,EAAMtoG,UAAUq4F,OAAM,SAASn9F,EAAGqtG,GAAcnL,EAAQmL,EAAYp+B,EAAMnqE,SAAW,KACnFmqE,EAAMnqE,SAASvU,QAAUyc,EAAMw0B,QAAQ9wC,EAAGb,EAAKo/E,GAAQm+B,KACvDl2G,EAAW+E,KAAKgzE,EAExB,MACQjiE,EAAMw0B,QAAQ9wC,EAAGb,EAAKu9G,GAAQA,IAC9Bl2G,EAAW+E,KAAKmxG,EAG5B,EAEAv+G,EAAE+C,IAAOqE,SAASknG,OAAM,SAASn9F,EAAGotG,GAASlL,EAAQkL,EAAOxD,EAAS3zG,QAAU,IAC/E+W,EAAM1e,SAASs7G,IAzBX58F,EAAM1e,SAASsD,IA0BvB,CACJ,CAGA,SAASowG,EAAKpwG,GACV,IAAI07G,EAASz+G,EAAEkwC,WAAWntC,GAC1B,OAAO,SAAUob,GACb,IAAItc,EAAIsc,EAAM0P,KAAMktF,EAAW,CAAC3zG,QAAS,IACrC5C,EAASi6G,EAAS17G,EAAKob,GAASpb,EAChC/C,EAAEk+B,QAAQ15B,KACVxE,EAAEwE,GAAQzE,MAAK,WACX,IAAI0yC,EAAW/yC,KAAKsB,OAASlB,EACzBkB,EAAOyxC,EAAW/yC,KAAKsB,KAAOtB,MACxB,KAANmC,GAAYsc,EAAMw0B,QAAQ9wC,EAAGb,KAC7B+5G,EAAS3zG,QAAQgG,KAAKqlC,EAAW/yC,KAAO,CAACuF,GAAIvF,KAAMsB,KAAMtB,MAEjE,IACAye,EAAM1e,SAASs7G,GAEvB,CACJ,CAUA,SAAS5C,EAAeuG,EAAWC,GAC/B,GAAI3+G,EAAEkwC,WAAWwuE,GAAY,OAAO,EACpC,IAAKA,EAAW,OAAO,EACvB,GAA0B,iBAAhB,EAA0B,OAAO,EAC3C,MAAM,IAAIp2G,MAAMq2G,EAAe,8CACnC,CAUA,SAASr5D,EAAStjB,EAAKl5B,GACnB,GAAI9I,EAAEkwC,WAAWlO,GAAM,CACnB,IAAIqE,EAAOpI,MAAMt1B,UAAU4D,MAAMlM,KAAKkK,UAAW,GACjD,OAAOy3B,EAAI5nB,MAAMtR,EAASu9B,EAC9B,CACA,OAAOrE,CACX,CAEA,SAAS63E,EAAazyG,GAClB,IAAI0O,EAAQ,EAQZ,OAPA9V,EAAED,KAAKqH,GAAS,SAAS+J,EAAGkpB,GACpBA,EAAKpkB,SACLH,GAAS+jG,EAAax/E,EAAKpkB,UAE3BH,GAER,IACOA,CACX,CAuDA,SAASo8F,IACL,IAAIpiG,EAAOpQ,KAEXM,EAAED,KAAKwK,WAAW,SAAU4G,EAAG+mB,GAC3BpoB,EAAKooB,GAAS9gB,SACdtH,EAAKooB,GAAW,IACpB,GACJ,CAQA,SAASs3E,EAAMoP,EAAYpyF,GACvB,IAAImhB,EAAc,WAAa,EAK/B,OAJAA,EAAYhlC,UAAY,IAAIi2G,GACNjxE,YAAcA,EACpCA,EAAYhlC,UAAUqN,OAAS4oG,EAAWj2G,UAC1CglC,EAAYhlC,UAAY3I,EAAEm3B,OAAOwW,EAAYhlC,UAAW6jB,GACjDmhB,CACX,CAmxFJ,CA34GA,CA24GE0kB,E,2BCj7GF,SAAUh+C,EAAExS,EAAGkU,EAAGmuB,GACd,SAASllB,EAAEglB,EAAG66E,GACV,IAAK9oG,EAAEiuB,GAAI,CACP,IAAKniC,EAAEmiC,GAAI,CACsE,GAAI7yB,EAAG,OAAOA,EAAE6yB,GAAG,GAAI,MAAM,IAAI17B,MAAM,uBAAyB07B,EAAI,IACrJ,CAAC,IAAI86E,EAAI/oG,EAAEiuB,GAAK,CAAEmE,QAAS,CAAC,GAAItmC,EAAEmiC,GAAG,GAAG3jC,KAAKy+G,EAAE32E,SAAS,SAAU9zB,GAC3C,OAAO2K,EAAlBnd,EAAEmiC,GAAG,GAAG3vB,IAAoBA,EACxC,GAAGyqG,EAAGA,EAAE32E,QAAS9zB,EAAGxS,EAAGkU,EAAGmuB,EAC9B,CAAC,OAAOnuB,EAAEiuB,GAAGmE,OACjB,CAAiD,IAAhD,IAAIh3B,OAAI,EAAiD6yB,EAAI,EAAGA,EAAIE,EAAExiC,OAAQsiC,IAC3EhlB,EAAEklB,EAAEF,IACP,OAAOhlB,CACX,CAZD,CAYG,CAAE,EAAG,CAAC,SAAUygB,EAASygB,EAAQ/X,GAC5B,IAAIlQ,EAAOwH,EAAQ,UAEG,oBAAX57B,QAA2BA,OAAOo0B,OACzCp0B,OAAOo0B,KAAOA,EAEtB,EAAG,CAAE,SAAU,IAAM,EAAG,CAAC,SAAUwH,EAASygB,EAAQ/X,GA+jBhD+X,EAAO/X,QApjBI,SAAc42E,GACrB,IAAIjpF,EAAW,CACXoC,QAAS,KACT8mF,QAAS,KACT7mF,QAAS,OACT8mF,gBAAgB,EAChBC,iBAAiB,EACjBC,WAAY,GACZC,eAAgB,GAChBC,gBAAiB,GACjB/xD,OAAQ,OACRl1B,YAAa,IACbknF,aAAc,IACdC,YAAY,EACZC,aAAa,EACbC,YAAa,GACbpnF,gBAAiB,EACjBoK,iBAAiB,GAEjB2xB,EAAQ,CACRsrD,aAAc,CACVnJ,QAAS,KACToJ,QAAS,KACTC,eAAgB,KAChBC,QAAS,KACTC,MAAO,KACPC,YAAa,CACTvpB,SAAU,EACVjP,SAAU,EACVy4B,qBAAsB,EACtB1oB,WAAY,KAIpB2oB,EAAY,CAAC,EACbC,EAAQ,CACRC,SAAU,iBAAkBt8G,QAAUA,OAAOu8G,eAAiBn3G,oBAAoBm3G,cAClFluD,UAAW,SAAmBpmC,GAO1B,MANiB,CACb4yC,KAAM,cACN2hD,KAAM,cACN5hD,GAAI,YACJw2B,IAAK,cAESnpE,EACtB,EACAm3E,KAAM,SAAcphG,EAAGwS,GACnB,OAAO6rG,EAAMC,UAAW9rG,EAAEisG,QAAUjsG,EAAEisG,QAAQ5+G,OAAS,EAAI2S,EAAEisG,QAAQ,GAAG,OAASz+G,GAAKwS,EAAEksG,eAAe,GAAG,OAAS1+G,GAAqBwS,EAAE,OAASxS,EACvJ,EACA2+G,MAAO,CACHtsF,IAAK,SAAasD,EAAIrsB,GAClB,OAAuC,IAAhCqsB,EAAGmD,UAAUv1B,QAAQ+F,EAChC,EACAsvB,IAAK,SAAajD,EAAIrsB,IACb+0G,EAAMM,MAAMtsF,IAAIsD,EAAIrsB,IAAS2qB,EAASmpF,iBACvCznF,EAAGmD,WAAa,IAAMxvB,EAE9B,EACAiM,OAAQ,SAAgBogB,EAAIrsB,GACpB2qB,EAASmpF,iBACTznF,EAAGmD,UAAYnD,EAAGmD,UAAU3mB,QAAQ7I,EAAM,IAAI6I,QAAQ,aAAc,IAE5E,GAEJysG,cAAe,SAAuB99G,GAClC,GAA+B,mBAApBs9G,EAAUt9G,GACjB,OAAOs9G,EAAUt9G,GAAMtC,MAE/B,EACAqgH,OAAQ,WACJ,IAEIvvG,EAFAknF,EAAMpvF,SAAS8L,cAAc,OAC7B4rG,EAAW,kBAAkBz/G,MAAM,KAEvC,IAAKiQ,KAAKwvG,EACN,QAAqD,IAA1CtoB,EAAI/6E,MAAMqjG,EAASxvG,GAAK,cAC/B,OAAOwvG,EAASxvG,EAG5B,EACAyvG,mBAAoB,WAChB,MAAwB,QAAjBxsD,EAAMssD,QAAqC,OAAjBtsD,EAAMssD,OAAkB,gBAAkBtsD,EAAMssD,OAAS,eAC9F,EACAG,WAAY,SAAoBC,EAAaxnG,GACzC,IAAIqqC,EACJ,IAAKA,KAAYrqC,EACTA,EAAOqqC,IAAarqC,EAAOqqC,GAAUhW,aAAer0B,EAAOqqC,GAAUhW,cAAgBpnC,QACrFu6G,EAAYn9D,GAAYm9D,EAAYn9D,IAAa,CAAC,EAClDu8D,EAAMW,WAAWC,EAAYn9D,GAAWrqC,EAAOqqC,KAE/Cm9D,EAAYn9D,GAAYrqC,EAAOqqC,GAGvC,OAAOm9D,CACX,EACAC,YAAa,SAAqBttG,EAAGC,GACjC,IAAIstG,EAASC,EAWb,OATAA,EAAQ3wG,KAAK4wG,QAAQ9sD,EAAM+sD,WAAaztG,GAAI0gD,EAAMgtD,WAAa3tG,IACnD,IACRwtG,GAAS,EAAI3wG,KAAK0tD,KAGtBgjD,EAAU1wG,KAAKwB,MAAMmvG,GAAS,IAAM3wG,KAAK0tD,IAAM,MACjC,GAAKgjD,GAAW,MAC1BA,EAAU,IAAM1wG,KAAK0B,IAAIgvG,IAEtB1wG,KAAK0B,IAAIgvG,EACpB,EACAl4E,OAAQ,CACJu4E,SAAU,SAAkBnpF,EAAS6Z,EAAWtT,GAC5C,OAAIvG,EAAQre,iBACDqe,EAAQre,iBAAiBk4B,EAAWtT,GAAM,GAC1CvG,EAAQggB,YACRhgB,EAAQggB,YAAY,KAAOnG,EAAWtT,QAD1C,CAGX,EACA6iF,YAAa,SAAkBppF,EAAS6Z,EAAWtT,GAC/C,OAAIvG,EAAQre,iBACDqe,EAAQmgB,oBAAoBtG,EAAWtT,GAAM,GAC7CvG,EAAQggB,YACRhgB,EAAQogB,YAAY,KAAOvG,EAAWtT,QAD1C,CAGX,EACA8iF,QAAS,SAAiBltG,GAClBA,EAAEwR,eACFxR,EAAEwR,iBAEFxR,EAAEq0C,aAAc,CAExB,GAEJ84D,YAAa,SAAqBhqF,EAAI/hB,GAElC,IADA,IAAIgsG,EAAwB,iBAAThsG,EACZ+hB,EAAGkpB,YAAY,CAClB,GAAI+gE,GAASjqF,EAAGruB,cAAgBquB,EAAGruB,aAAasM,GAC5C,OAAO+hB,EACJ,IAAKiqF,GAASjqF,IAAO/hB,EACxB,OAAO+hB,EAEXA,EAAKA,EAAGkpB,UACZ,CACA,OAAO,IACX,GAEA50B,EAAS,CACTlR,UAAW,CACP6M,IAAK,CACDi6F,OAAQ,SAAgBl6E,GACpB,IAAIk6E,EAAS79G,OAAO20D,iBAAiB1iC,EAASoC,SAASk8B,EAAMssD,OAAS,aAAathG,MAAM,YAEzF,OAAIsiG,GAEsB,MADtBA,EAASA,EAAO,GAAGxgH,MAAM,MACdQ,SACP8lC,GAJO,GAMJvqB,SAASykG,EAAOl6E,GAAQ,KAE5B,CACX,GAEJm6E,aAAc,WACV7rF,EAASoC,QAAQ5a,MAAM82C,EAAMssD,OAAS,cAAgB,GACtDtsD,EAAM2rD,YAAcj0F,EAAOlR,UAAU6M,IAAIi6F,OAAO,GAChDttD,EAAM9G,QAAS,EACfxoC,cAAcsvC,EAAMwtD,mBAEG,IAAnBxtD,EAAMytD,WACN3B,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,gBAClC64G,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,gBAGtC64G,EAAMO,cAAc,YACpBP,EAAMp3E,OAAOw4E,YAAYxrF,EAASoC,QAASgoF,EAAMU,qBAAsB90F,EAAOlR,UAAU+mG,aAC5F,EACAG,OAAQ,SAAgB/rG,GACpBq+C,EAAM9G,QAAS,EAEf8G,EAAMytD,SAAW9rG,EACjB+f,EAASoC,QAAQ5a,MAAM82C,EAAMssD,OAAS,cAAgB,OAAS5qF,EAASupF,gBAAkB,KAAOvpF,EAASw3B,OAC1G8G,EAAMwtD,kBAAoBh9F,aAAY,WAClCs7F,EAAMO,cAAc,YACxB,GAAG,GAEHP,EAAMp3E,OAAOu4E,SAASvrF,EAASoC,QAASgoF,EAAMU,qBAAsB90F,EAAOlR,UAAU+mG,cACrF71F,EAAOlR,UAAUnH,EAAEsC,GAET,IAANA,IACA+f,EAASoC,QAAQ5a,MAAM82C,EAAMssD,OAAS,aAAe,GAE7D,EACAjtG,EAAG,SAAWsC,GACV,KAAyB,SAArB+f,EAASqC,SAAsBpiB,EAAI,GAA0B,UAArB+f,EAASqC,SAAuBpiB,EAAI,GAAhF,CAIK+f,EAASopF,kBACNnpG,IAAM+f,EAASsC,aAAeriB,EAAI+f,EAASsC,YAC3CriB,EAAI+f,EAASsC,aACNriB,IAAM+f,EAASwpF,aAAevpG,EAAI+f,EAASwpF,eAClDvpG,EAAI+f,EAASwpF,cAIrBvpG,EAAIkH,SAASlH,EAAG,IACZqT,MAAMrT,KACNA,EAAI,GAGR,IAAIgsG,EAAe,eAAiBhsG,EAAI,WACxC+f,EAASoC,QAAQ5a,MAAM82C,EAAMssD,OAAS,aAAeqB,CAhBrD,CAiBJ,GAEJt8B,KAAM,CACFhsE,OAAQ,WACJ26C,EAAM2rD,YAAc,EACpB3rD,EAAM9G,QAAS,EAEf,CAAC,aAAc,cAAe,gBAAiB,aAAa1gD,SAAQ,SAAUyH,GAC1E,OAAO6rG,EAAMp3E,OAAOu4E,SAASvrF,EAASoC,QAAS7jB,EAAGyX,EAAO25D,KAAKu8B,YAClE,IACA,CAAC,YAAa,cAAe,gBAAiB,aAAap1G,SAAQ,SAAUyH,GACzE,OAAO6rG,EAAMp3E,OAAOu4E,SAASvrF,EAASoC,QAAS7jB,EAAGyX,EAAO25D,KAAKu8B,YAClE,IACA,CAAC,WAAY,YAAa,cAAe,UAAW,cAAe,gBAAiB,kBAAmB,eAAep1G,SAAQ,SAAUyH,GACpI,OAAO6rG,EAAMp3E,OAAOu4E,SAASvrF,EAASoC,QAAS7jB,EAAGyX,EAAO25D,KAAKu8B,YAClE,GACJ,EACA93E,cAAe,WACX,CAAC,aAAc,cAAe,gBAAiB,aAAat9B,SAAQ,SAAUyH,GAC1E,OAAO6rG,EAAMp3E,OAAOw4E,YAAYxrF,EAASoC,QAAS7jB,EAAGyX,EAAO25D,KAAKu8B,YACrE,IACA,CAAC,YAAa,cAAe,gBAAiB,aAAap1G,SAAQ,SAAUyH,GACzE,OAAO6rG,EAAMp3E,OAAOw4E,YAAYxrF,EAASoC,QAAS7jB,EAAGyX,EAAO25D,KAAKu8B,YACrE,IACA,CAAC,WAAY,YAAa,cAAe,UAAW,cAAe,gBAAiB,kBAAmB,eAAep1G,SAAQ,SAAUyH,GACpI,OAAO6rG,EAAMp3E,OAAOw4E,YAAYxrF,EAASoC,QAAS7jB,EAAGyX,EAAO25D,KAAKu8B,YACrE,GACJ,EACAA,YAAa,SAAqB3tG,GAC9B,OAAQA,EAAE1R,MACN,IAAK,aACL,IAAK,cACL,IAAK,gBACL,IAAK,YACDmpB,EAAO25D,KAAKw8B,UAAU5tG,GACtB,MACJ,IAAK,YACL,IAAK,cACL,IAAK,gBACL,IAAK,YACDyX,EAAO25D,KAAK8Z,SAASlrF,GACrB,MACJ,IAAK,WACL,IAAK,YACL,IAAK,cACL,IAAK,UACL,IAAK,cACL,IAAK,gBACL,IAAK,kBACL,IAAK,cACDyX,EAAO25D,KAAKy8B,QAAQ7tG,GAGhC,EACA4tG,UAAW,SAAmB5tG,GAE1B,IAAIlH,EAASkH,EAAElH,OAASkH,EAAElH,OAASkH,EAAE8tG,WAGrC,GAFmBjC,EAAMsB,YAAYr0G,EAAQ,oBAGzC+yG,EAAMO,cAAc,cADxB,CAKA,GAAI3qF,EAASkpF,UACQkB,EAAMsB,YAAYr0G,EAAQ2oB,EAASkpF,UAGjC5qD,EAAM2rD,cAAgBjqF,EAASwpF,aAAelrD,EAAM2rD,cAAgBjqF,EAASsC,YAC5F,OAIR8nF,EAAMO,cAAc,SACpB3qF,EAASoC,QAAQ5a,MAAM82C,EAAMssD,OAAS,cAAgB,GACtDtsD,EAAMguD,YAAa,EACnBhuD,EAAMiuD,UAAY,KAClBjuD,EAAMkuD,eAAgB,EACtBluD,EAAMgtD,WAAalB,EAAMjd,KAAK,IAAK5uF,GACnC+/C,EAAM+sD,WAAajB,EAAMjd,KAAK,IAAK5uF,GACnC+/C,EAAMmuD,aAAe,CACjB91E,QAAS,EACToH,KAAM,EACN2uE,KAAM,EACNhkG,MAAO,IAEX41C,EAAMsrD,aAAe,CACjBnJ,QAAS,KACToJ,QAAS,KACTC,eAAgB,KAChBC,QAAS,KACTC,MAAO,KACPC,YAAa,CACTvpB,SAAU,EACVjP,SAAU,EACVy4B,qBAAsB,EACtB1oB,WAAY,GAlCpB,CAqCJ,EACAiI,SAAU,SAAkBlrF,GACxB,GAAI+/C,EAAMguD,YAActsF,EAAS0pF,YAAa,CACtCprD,EAAMiuD,WAAavsF,EAAS2M,iBAAiBpuB,EAAEouB,kBAEnD,IAAIggF,EAAWvC,EAAMjd,KAAK,IAAK5uF,GAC3BquG,EAAWxC,EAAMjd,KAAK,IAAK5uF,GAC3BsuG,EAAavuD,EAAM2rD,YACnB6C,EAAsB92F,EAAOlR,UAAU6M,IAAIi6F,OAAO,GAClDmB,EAAaJ,EAAWruD,EAAMgtD,WAC9B0B,EAAcF,EAAsB,EACpCG,EAAcF,EAIlB,GAAIzuD,EAAMkuD,gBAAkBluD,EAAMiuD,UAC9B,OAaJ,GAVIvsF,EAASmpF,iBACL2D,EAAsB,GACtB1C,EAAMM,MAAM/lF,IAAIxxB,SAAS5B,KAAM,eAC/B64G,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,iBAC3Bu7G,EAAsB,IAC7B1C,EAAMM,MAAM/lF,IAAIxxB,SAAS5B,KAAM,gBAC/B64G,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,kBAIlB,IAApB+sD,EAAMiuD,WAA2C,OAApBjuD,EAAMiuD,UAAoB,CACvD,IAAIW,EAAM9C,EAAMa,YAAY0B,EAAUC,GAClCO,EAAeD,GAAO,GAAKA,GAAOltF,EAAS2pF,aAAeuD,GAAO,KAAOA,EAAM,IAAMltF,EAAS2pF,YAC/EuD,GAAO,KAAOA,GAAO,IAAMltF,EAAS2pF,aAAeuD,GAAO,KAAOA,GAAO,IAAMltF,EAAS2pF,aACpFwD,GAGjB7uD,EAAMiuD,WAAY,EACdvsF,EAAS2M,iBAAiBpuB,EAAEouB,mBAHhC2xB,EAAMiuD,WAAY,EAKtBjuD,EAAMkuD,eAAgB,CAC1B,CAEA,GAAIxsF,EAASuC,iBAAmB/nB,KAAK0B,IAAIywG,EAAWruD,EAAMgtD,cACtC,IAApBhtD,EAAMiuD,UACF,OAGJnC,EAAMp3E,OAAOy4E,QAAQltG,GACrB6rG,EAAMO,cAAc,QAEpBrsD,EAAMmuD,aAAa91E,QAAUg2E,EAEzBruD,EAAMmuD,aAAa1uE,KAAO4uE,GACO,SAA7BruD,EAAMmuD,aAAa/jG,QACnB41C,EAAMmuD,aAAa/jG,MAAQ,OAC3B41C,EAAMmuD,aAAaC,KAAOC,GAE9BruD,EAAMmuD,aAAa1uE,KAAO4uE,GACnBruD,EAAMmuD,aAAa1uE,KAAO4uE,IACA,UAA7BruD,EAAMmuD,aAAa/jG,QACnB41C,EAAMmuD,aAAa/jG,MAAQ,QAC3B41C,EAAMmuD,aAAaC,KAAOC,GAE9BruD,EAAMmuD,aAAa1uE,KAAO4uE,GAE1BK,GAEIhtF,EAASsC,YAAcwqF,IAEvBG,EAAcF,GADND,EAAsB9sF,EAASsC,aAAetC,EAASqpF,YAGnE/qD,EAAMsrD,aAAe,CACjBnJ,QAAS,OACToJ,QAASvrD,EAAMmuD,aAAa/jG,MAC5BohG,eAAgB9pF,EAASsC,YAAcwqF,EACvC/C,QAAS+C,EAAsB9sF,EAASsC,YAAc,EACtD0nF,MAAOxvG,KAAK0B,IAAIoiD,EAAMmuD,aAAa91E,QAAU2nB,EAAMmuD,aAAaC,MAAQ1sF,EAASspF,eACjFW,YAAa,CACTvpB,SAAUosB,EACVr7B,SAAUs7B,EACV7C,qBAAsB5rD,EAAMmuD,aAAa91E,QAAU2nB,EAAMmuD,aAAaC,KACtElrB,WAAYsrB,EAAsB9sF,EAASsC,YAAc,QAK7DtC,EAASwpF,YAAcsD,IAEvBG,EAAcF,GADND,EAAsB9sF,EAASwpF,aAAexpF,EAASqpF,YAGnE/qD,EAAMsrD,aAAe,CACjBnJ,QAAS,QACToJ,QAASvrD,EAAMmuD,aAAa/jG,MAC5BohG,eAAgB9pF,EAASwpF,YAAcsD,EACvC/C,QAAS+C,EAAsB9sF,EAASwpF,YAAc,EACtDQ,MAAOxvG,KAAK0B,IAAIoiD,EAAMmuD,aAAa91E,QAAU2nB,EAAMmuD,aAAaC,MAAQ1sF,EAASspF,eACjFW,YAAa,CACTvpB,SAAUosB,EACVr7B,SAAUs7B,EACV7C,qBAAsB5rD,EAAMmuD,aAAa91E,QAAU2nB,EAAMmuD,aAAaC,KACtElrB,WAAYsrB,EAAsB9sF,EAASwpF,YAAc,OAKrExzF,EAAOlR,UAAUnH,EAAEsvG,EAAcJ,EACrC,CACJ,EACAT,QAAS,SAAiB7tG,GACtB,GAAI+/C,EAAMguD,WAAY,CAClBlC,EAAMO,cAAc,OACpB,IAAIkC,EAAa72F,EAAOlR,UAAU6M,IAAIi6F,OAAO,GAG7C,GAAmC,IAA/BttD,EAAMmuD,aAAa91E,SAAgC,IAAfk2E,GAAoB7sF,EAASypF,WAMjE,OALAW,EAAMO,cAAc,SACpBP,EAAMp3E,OAAOy4E,QAAQltG,GACrByX,EAAOlR,UAAUknG,OAAO,GACxB1tD,EAAMguD,YAAa,OACnBhuD,EAAMgtD,WAAa,GAKY,SAA/BhtD,EAAMsrD,aAAanJ,QAEfniD,EAAMsrD,aAAaG,SAAWzrD,EAAMsrD,aAAaE,gBAAkBxrD,EAAMsrD,aAAaI,MAClF1rD,EAAMsrD,aAAaI,OAAwC,SAA/B1rD,EAAMsrD,aAAaC,QAE/C7zF,EAAOlR,UAAUknG,OAAO,IACjB1tD,EAAMsrD,aAAaI,OAAwC,UAA/B1rD,EAAMsrD,aAAaC,SAC1DvrD,EAAMsrD,aAAaG,SAAWzrD,EAAMsrD,aAAaE,iBAEzC9zF,EAAOlR,UAAUknG,OAAOhsF,EAASsC,aAGrCtM,EAAOlR,UAAUknG,OAAO,GAGM,UAA/B1tD,EAAMsrD,aAAanJ,UAElBniD,EAAMsrD,aAAaG,SAAWzrD,EAAMsrD,aAAaE,gBAAkBxrD,EAAMsrD,aAAaI,MAClF1rD,EAAMsrD,aAAaI,OAAwC,UAA/B1rD,EAAMsrD,aAAaC,QAE/C7zF,EAAOlR,UAAUknG,OAAO,IACjB1tD,EAAMsrD,aAAaI,OAAwC,SAA/B1rD,EAAMsrD,aAAaC,SAC1DvrD,EAAMsrD,aAAaG,SAAWzrD,EAAMsrD,aAAaE,iBAEzC9zF,EAAOlR,UAAUknG,OAAOhsF,EAASwpF,aAGrCxzF,EAAOlR,UAAUknG,OAAO,IAGxC1tD,EAAMguD,YAAa,EACnBhuD,EAAMgtD,WAAalB,EAAMjd,KAAK,IAAK5uF,EACvC,CACJ,IAGJotB,EAAQ,SAAesH,GAEvB,GADAm3E,EAAMW,WAAW/qF,EAAUiT,IACvBjT,EAASoC,QAGT,KAAM,0CAFNpC,EAASoC,QAAQxa,aAAa,eAAgB,QAItD,EASAhe,KAAKk0B,KAAO,SAAUsvF,GAClBhD,EAAMO,cAAc,QACpBP,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,sBAClC64G,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,uBAErB,SAAT67G,GACA9uD,EAAMsrD,aAAanJ,QAAU,OAC7BniD,EAAMsrD,aAAaC,QAAU,QAC7BO,EAAMM,MAAM/lF,IAAIxxB,SAAS5B,KAAM,eAC/B64G,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,gBAClCykB,EAAOlR,UAAUknG,OAAOhsF,EAASsC,cACjB,UAAT8qF,IACP9uD,EAAMsrD,aAAanJ,QAAU,QAC7BniD,EAAMsrD,aAAaC,QAAU,OAC7BO,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,eAClC64G,EAAMM,MAAM/lF,IAAIxxB,SAAS5B,KAAM,gBAC/BykB,EAAOlR,UAAUknG,OAAOhsF,EAASwpF,aAEzC,EACA5/G,KAAKyX,MAAQ,WACT+oG,EAAMO,cAAc,SACpB30F,EAAOlR,UAAUknG,OAAO,EAC5B,EACApiH,KAAKo3D,OAAS,SAAUosD,GACpB,IAAItuD,EAAK/wD,OAAO65D,YAAcz0D,SAASgzC,gBAAgB56B,YAE1C,SAAT6hG,GACAhD,EAAMO,cAAc,cACpBP,EAAMM,MAAM/lF,IAAIxxB,SAAS5B,KAAM,sBAC/B64G,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,yBAElC64G,EAAMO,cAAc,eACpBP,EAAMM,MAAM/lF,IAAIxxB,SAAS5B,KAAM,uBAC/B64G,EAAMM,MAAMppG,OAAOnO,SAAS5B,KAAM,sBAClCutD,IAAO,GAEX9oC,EAAOlR,UAAUknG,OAAOltD,EAC5B,EAEAl1D,KAAK+X,GAAK,SAAU48F,EAAKnoG,GAErB,OADA+zG,EAAU5L,GAAOnoG,EACVxM,IACX,EACAA,KAAKwmB,IAAM,SAAUmuF,GACb4L,EAAU5L,KACV4L,EAAU5L,IAAO,EAEzB,EAEA30G,KAAK05B,OAAS,WACV8mF,EAAMO,cAAc,UACpB30F,EAAO25D,KAAKhsE,QAChB,EACA/Z,KAAKy4B,QAAU,WACX+nF,EAAMO,cAAc,WACpB30F,EAAO25D,KAAKv7C,eAChB,EAEAxqC,KAAKo2B,SAAW,SAAUiT,GACtBtH,EAAMsH,EACV,EAEArpC,KAAK8e,MAAQ,WACT,IACI2kG,EAAWr3F,EAAOlR,UAAU6M,IAAIi6F,OAAO,GAQ3C,MAAO,CACHljG,MARA2kG,IAAartF,EAASsC,YACd,OACD+qF,IAAartF,EAASwpF,YACrB,QAEA,SAIRn1G,KAAMiqD,EAAMsrD,aAEpB,EAnFIj+E,EAoFCs9E,GAnFD3qD,EAAMssD,OAASR,EAAMQ,SACrB50F,EAAO25D,KAAKhsE,QAmFpB,CAEJ,EAAG,CAAC,IAAM,CAAC,EAAG,CAAC,G,sBCljBTzZ,E,YAAAA,EAmMPqyD,GAlMGnmD,GAAGk3G,YAAc,SAASC,GACxB,aAEA,IAAIz3E,EAAW,CACX03E,OAAQ,mBACRC,WAAY,GACZC,OAAQ,CACJ,UACA,OACA,QACA,OACA,WAEJC,aAAa,CACXxb,SAAS,EACT/vE,SAAS,GAEXwrF,YAAY,EACZC,aAAa,EACbC,UAAU,EACVC,UAAW,KACXC,MAAO,MAGX,OAAOpkH,KAAKK,MAAK,WACb,IAAIS,EAAUR,EAAEm3B,OAAOyU,EAAUy3E,GAOjC,SAASU,EAAc9+G,GACnB,OAAOjF,EAAE,4BAA8BiF,EAAK,KAChD,CAEA,SAAS++G,IACL,IAAI54G,EAAWpL,EAAEN,MAAMsiC,MAAMq7C,UAAU,EAAG,KACtC4mC,EAASjkH,EAAEN,MAAM+V,KAAK,MAEtBypD,EAAwB,KAAb9zD,EAAmB,EAAI,EAElC5G,EAAS8+G,OAAOl4G,EAAU5K,EAAQ+iH,YAElCtvG,EAAM,GACNiwG,EAAU,GACVj6G,EAAU,GAEVk6G,EAAWJ,EAAcE,GACzBG,EAAaD,EAAS1iH,KAAK,0BAC3B4iH,EAAWF,EAAS1iH,KAAK,6BAe7B,OAZA0iH,EAASluG,WACJhC,IAAI,UAAWirD,GACfjrD,IAAI,aACL,oDAAgE,IAAVirD,EAAgB,MAGtE1+D,EAAQ8jH,UACR9jH,EAAQ8jH,SAAS9/G,GAKbA,EAAO+/G,OACX,KAAK,EACL,KAAK,EACDtwG,EAAM,eACNiwG,EAAU,SACVj6G,EAAUzF,EAAOmsD,SAAWnsD,EAAOmsD,SAAS6zD,YAAYrjH,KAAK,SAAW,GACxE,MACJ,KAAK,EACD+iH,EAAU,UACVj6G,EAAUzF,EAAOmsD,SAAWnsD,EAAOmsD,SAAS6zD,YAAYrjH,KAAK,SAAW,GACxE8S,EAAM,kBACN,MACJ,KAAK,EACDA,EAAM,gBACNiwG,EAAU,OACVj6G,EAAU,kBACV,MACJ,KAAK,EACDgK,EAAM,gBACNiwG,EAAU,UACVj6G,EAAU,cAIdo6G,IACAA,EAASrjF,WAAW,SACpBqjF,EAAShiH,SAAS,MAAQ6hH,GAGT,KAAb94G,IACAnB,EAAU,IAEdo6G,EAAS9jH,KAAK0J,IAEdm6G,IACAA,EACK3uG,KAAK,QAASxB,EAAM,0BAEpBA,IACD,QAG2C,IAAxB,IAAjBzP,EAAO+/G,MAAc,EAAI//G,EAAO+/G,OAAe,KAIpC,KAAbn5G,GACAg5G,EAAWnwG,IAAI,QAAS,IAI5BzT,EAAQkjH,aAELljH,EAAQijH,aAAaxb,UACpBkc,EAAS1uG,KACL,QACAjV,EAAQgjH,OAAOh/G,EAAO+/G,QACxBtc,QAAQ,CACNwc,UAAW,SACXriH,QAAS,WACV6lG,QACC,YACFA,QACE,QAGY,IAAZ/oC,GACAilD,EAASlc,QACL,SAKTznG,EAAQijH,aAAavrF,SACpBisF,EAAS1iH,KAAK,sBAAsBT,KAAKR,EAAQgjH,OAAOh/G,EAAO+/G,QAG3E,CAnHK/jH,EAAQkjH,YACLljH,EAAQmjH,aACRnjH,EAAQojH,UACZzjH,QAAQ6F,KAAK,gFAkHjB,WACI,IAAI0+G,EAAQ1kH,EAAEN,MACVukH,EAASS,EAAMjvG,KAAK,MACpBkvG,EAAWX,EAAgB9gH,KAAKxD,MAEhCmkH,EAAYrjH,EAAQqjH,UACnBA,IACDA,EAAYa,GAIhBb,EAAU/uC,MAAM,yDAA2D4vC,EAAMjvG,KAAK,MAAQ,YAE1FjV,EAAQojH,UACRG,EAAcE,GACTvuG,OAAO,kCACPA,OAAO,yCACPA,OAAO,2DACPA,OAAO,2DACPA,OAAO,2DAGZlV,EAAQmjH,aACRI,EAAcE,GAAQvuG,OAAO,uCAG7BlV,EAAQkjH,YAAcljH,EAAQijH,cAC9BM,EAAcE,GAAQvuG,OAAO,yCAGjC,IAAImnB,EAAS5zB,SAAS8L,cAAc,UACpC8nB,EAAO/nB,IAAMtU,EAAQ8iH,OACC,OAAlB9iH,EAAQsjH,OACRjnF,EAAOnf,aAAa,QAASld,EAAQsjH,OAGzCjnF,EAAOzoB,OAAS,WACfswG,EAAM1uG,SAASyB,GAAG,SAAUktG,GACrBD,EAAMxhH,KAAK,qBAAsByhH,EACzC,EAEA17G,SAAS+zB,KAAK/b,YAAY4b,EAC9B,EAEKx8B,KAAKX,KAGd,GACJ,C,4xsEClOJ,IAAIklH,EAAgB,EAAQ,OACxBC,EAAc,EAAQ,OAEtBC,EAAahnE,UAGjBoC,EAAO/X,QAAU,SAAU48E,GACzB,GAAIH,EAAcG,GAAW,OAAOA,EACpC,MAAM,IAAID,EAAWD,EAAYE,GAAY,wBAC/C,C,+BCTA,IAAIC,EAAsB,EAAQ,OAE9BC,EAAU37F,OACVw7F,EAAahnE,UAEjBoC,EAAO/X,QAAU,SAAU48E,GACzB,GAAIC,EAAoBD,GAAW,OAAOA,EAC1C,MAAM,IAAID,EAAW,aAAeG,EAAQF,GAAY,kBAC1D,C,+BCRA,IAAI7wF,EAAM,aAGVgsB,EAAO/X,QAAU,SAAU+8E,GAEzB,OADAhxF,EAAIgxF,GACGA,CACT,C,8BCNA,IAAIC,EAAkB,EAAQ,OAC1BjhH,EAAS,EAAQ,MACjByxB,EAAiB,WAEjByvF,EAAcD,EAAgB,eAC9BE,EAAiBpnF,MAAMt1B,eAIS7I,IAAhCulH,EAAeD,IACjBzvF,EAAe0vF,EAAgBD,EAAa,CAC1CnoE,cAAc,EACdv5C,MAAOQ,EAAO,QAKlBg8C,EAAO/X,QAAU,SAAU5kC,GACzB8hH,EAAeD,GAAa7hH,IAAO,CACrC,C,+BCnBA,IAAI+hH,EAAgB,EAAQ,MAExBR,EAAahnE,UAEjBoC,EAAO/X,QAAU,SAAU+8E,EAAIK,GAC7B,GAAID,EAAcC,EAAWL,GAAK,OAAOA,EACzC,MAAM,IAAIJ,EAAW,uBACvB,C,yBCNA5kE,EAAO/X,QAAgC,oBAAfq9E,aAAiD,oBAAZC,Q,+BCD7D,IAAIrX,EAAa,EAAQ,OACrBsX,EAAsB,EAAQ,OAC9BC,EAAU,EAAQ,OAElBH,EAAcpX,EAAWoX,YACzB1nE,EAAYswD,EAAWtwD,UAK3BoC,EAAO/X,QAAUq9E,GAAeE,EAAoBF,EAAY78G,UAAW,aAAc,QAAU,SAAUi9G,GAC3G,GAAmB,gBAAfD,EAAQC,GAAsB,MAAM,IAAI9nE,EAAU,wBACtD,OAAO8nE,EAAEC,UACX,C,8BCbA,IAAIzX,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtBC,EAAwB,EAAQ,OAEhCP,EAAcpX,EAAWoX,YACzBQ,EAAuBR,GAAeA,EAAY78G,UAClD4D,EAAQy5G,GAAwBF,EAAYE,EAAqBz5G,OAErE2zC,EAAO/X,QAAU,SAAUy9E,GACzB,GAAiC,IAA7BG,EAAsBH,GAAU,OAAO,EAC3C,IAAKr5G,EAAO,OAAO,EACnB,IAEE,OADAA,EAAMq5G,EAAG,EAAG,IACL,CACT,CAAE,MAAOxlH,GACP,OAAO,CACT,CACF,C,+BChBA,IAAI6lH,EAAQ,EAAQ,OAEpB/lE,EAAO/X,QAAU89E,GAAM,WACrB,GAA0B,mBAAfT,YAA2B,CACpC,IAAIU,EAAS,IAAIV,YAAY,GAEzBj/G,OAAO4/G,aAAaD,IAAS3/G,OAAOovB,eAAeuwF,EAAQ,IAAK,CAAExiH,MAAO,GAC/E,CACF,G,+BCTA,IAAI0iH,EAAa,EAAQ,MAErBtB,EAAahnE,UAEjBoC,EAAO/X,QAAU,SAAU+8E,GACzB,GAAIkB,EAAWlB,GAAK,MAAM,IAAIJ,EAAW,2BACzC,OAAOI,CACT,C,+BCPA,IAAI9W,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtBJ,EAAsB,EAAQ,OAC9BW,EAAU,EAAQ,OAClBC,EAAc,EAAQ,OACtBP,EAAwB,EAAQ,OAChCQ,EAAqB,EAAQ,OAC7BC,EAAmC,EAAQ,MAE3CC,EAAkBrY,EAAWqY,gBAC7BjB,EAAcpX,EAAWoX,YACzBC,EAAWrX,EAAWqX,SACtBzwG,EAAM1E,KAAK0E,IACXgxG,EAAuBR,EAAY78G,UACnC+9G,EAAoBjB,EAAS98G,UAC7B4D,EAAQu5G,EAAYE,EAAqBz5G,OACzC8nF,EAAcqxB,EAAoBM,EAAsB,YAAa,OACrEW,EAAgBjB,EAAoBM,EAAsB,gBAAiB,OAC3EY,EAAUd,EAAYY,EAAkBE,SACxCC,EAAUf,EAAYY,EAAkBG,SAE5C3mE,EAAO/X,SAAWq+E,GAAoCD,IAAuB,SAAUO,EAAaC,EAAWC,GAC7G,IAGIC,EAHApB,EAAaE,EAAsBe,GACnCI,OAA8BpnH,IAAdinH,EAA0BlB,EAAaQ,EAAQU,GAC/DI,GAAe9yB,IAAgBA,EAAYyyB,GAG/C,GADAR,EAAYQ,GACRN,IACFM,EAAcL,EAAgBK,EAAa,CAAE1pD,SAAU,CAAC0pD,KACpDjB,IAAeqB,IAAkBF,GAAwBG,IAAc,OAAOL,EAEpF,GAAIjB,GAAcqB,KAAmBF,GAAwBG,GAC3DF,EAAY16G,EAAMu6G,EAAa,EAAGI,OAC7B,CACL,IAAI1mH,EAAUwmH,IAAyBG,GAAeR,EAAgB,CAAEA,cAAeA,EAAcG,SAAiBhnH,EACtHmnH,EAAY,IAAIzB,EAAY0B,EAAe1mH,GAI3C,IAHA,IAAIshB,EAAI,IAAI2jG,EAASqB,GACjBvnG,EAAI,IAAIkmG,EAASwB,GACjBG,EAAapyG,EAAIkyG,EAAerB,GAC3B10G,EAAI,EAAGA,EAAIi2G,EAAYj2G,IAAK01G,EAAQtnG,EAAGpO,EAAGy1G,EAAQ9kG,EAAG3Q,GAChE,CAEA,OADKq1G,GAAkCD,EAAmBO,GACnDG,CACT,C,+BC3CA,IAmCII,EAAMrpE,EAAaunE,EAnCnB+B,EAAsB,EAAQ,OAC9BC,EAAc,EAAQ,OACtBnZ,EAAa,EAAQ,OACrBoZ,EAAa,EAAQ,OACrB/0E,EAAW,EAAQ,OACnB42D,EAAS,EAAQ,OACjBsc,EAAU,EAAQ,OAClBd,EAAc,EAAQ,OACtB4C,EAA8B,EAAQ,OACtCC,EAAgB,EAAQ,OACxBC,EAAwB,EAAQ,OAChCrC,EAAgB,EAAQ,MACxBhoE,EAAiB,EAAQ,OACzBH,EAAiB,EAAQ,OACzBgoE,EAAkB,EAAQ,OAC1BjhG,EAAM,EAAQ,OACd0jG,EAAsB,EAAQ,OAE9BC,EAAuBD,EAAoBE,QAC3CC,EAAmBH,EAAoBngG,IACvCugG,EAAY5Z,EAAW4Z,UACvBC,EAAqBD,GAAaA,EAAUr/G,UAC5Cu/G,EAAoB9Z,EAAW8Z,kBAC/BC,EAA6BD,GAAqBA,EAAkBv/G,UACpEy/G,EAAaJ,GAAa1qE,EAAe0qE,GACzCK,EAAsBJ,GAAsB3qE,EAAe2qE,GAC3DK,EAAkB/hH,OAAOoC,UACzBm1C,EAAYswD,EAAWtwD,UAEvByqE,EAAgBpD,EAAgB,eAChCqD,EAAkBtkG,EAAI,mBACtBukG,EAA0B,wBAE1BC,EAA4BpB,KAAyBnqE,GAAgD,UAA9BwoE,EAAQvX,EAAWua,OAC1FC,GAA2B,EAG3BC,EAA6B,CAC/Bb,UAAW,EACXc,WAAY,EACZZ,kBAAmB,EACnBa,WAAY,EACZC,YAAa,EACbC,WAAY,EACZC,YAAa,EACbC,aAAc,EACdC,aAAc,GAGZC,EAA8B,CAChCC,cAAe,EACfC,eAAgB,GAWdC,EAA2B,SAAUtE,GACvC,IAAI9kE,EAAQ9C,EAAe4nE,GAC3B,GAAKzyE,EAAS2N,GAAd,CACA,IAAI5hC,EAAQupG,EAAiB3nE,GAC7B,OAAQ5hC,GAAS6qF,EAAO7qF,EAAOiqG,GAA4BjqG,EAAMiqG,GAA2Be,EAAyBppE,EAFzF,CAG9B,EAEIqpE,EAAe,SAAUvE,GAC3B,IAAKzyE,EAASyyE,GAAK,OAAO,EAC1B,IAAI1E,EAAQmF,EAAQT,GACpB,OAAO7b,EAAOwf,EAA4BrI,IACrCnX,EAAOggB,EAA6B7I,EAC3C,EAwDA,IAAK6G,KAAQwB,GAEXtD,GADAvnE,EAAcowD,EAAWiZ,KACErpE,EAAYr1C,WACxBk/G,EAAqBtC,GAAWkD,GAA2BzqE,EACrE0qE,GAA4B,EAGnC,IAAKrB,KAAQgC,GAEX9D,GADAvnE,EAAcowD,EAAWiZ,KACErpE,EAAYr1C,aACxBk/G,EAAqBtC,GAAWkD,GAA2BzqE,GAI5E,KAAK0qE,IAA8BlB,EAAWY,IAAeA,IAAe/Z,SAAS1lG,aAEnFy/G,EAAa,WACX,MAAM,IAAItqE,EAAU,uBACtB,EACI4qE,GAA2B,IAAKrB,KAAQwB,EACtCza,EAAWiZ,IAAOlqE,EAAeixD,EAAWiZ,GAAOe,GAI3D,KAAKM,IAA8BL,GAAuBA,IAAwBC,KAChFD,EAAsBD,EAAWz/G,UAC7B+/G,GAA2B,IAAKrB,KAAQwB,EACtCza,EAAWiZ,IAAOlqE,EAAeixD,EAAWiZ,GAAM1+G,UAAW0/G,GASrE,GAJIK,GAA6BprE,EAAe6qE,KAAgCE,GAC9ElrE,EAAegrE,EAA4BE,GAGzCd,IAAgBle,EAAOgf,EAAqBE,GAQ9C,IAAKlB,KAPLuB,GAA2B,EAC3BjB,EAAsBU,EAAqBE,EAAe,CACxDtrE,cAAc,EACdx1B,IAAK,WACH,OAAOgrB,EAAS/yC,MAAQA,KAAK8oH,QAAmB1oH,CAClD,IAEW+oH,EAAgCza,EAAWiZ,IACtDI,EAA4BrZ,EAAWiZ,GAAOmB,EAAiBnB,GAInEnnE,EAAO/X,QAAU,CACfugF,0BAA2BA,EAC3BF,gBAAiBI,GAA4BJ,EAC7CkB,YA1GgB,SAAUxE,GAC1B,GAAIuE,EAAavE,GAAK,OAAOA,EAC7B,MAAM,IAAIpnE,EAAU,8BACtB,EAwGE6rE,uBAtG2B,SAAUC,GACrC,GAAIpC,EAAWoC,MAAQzsE,GAAkBmoE,EAAc8C,EAAYwB,IAAK,OAAOA,EAC/E,MAAM,IAAI9rE,EAAU+mE,EAAY+E,GAAK,oCACvC,EAoGEC,uBAlG2B,SAAU9a,EAAKprD,EAAUmmE,EAAQtpH,GAC5D,GAAK+mH,EAAL,CACA,GAAIuC,EAAQ,IAAK,IAAIC,KAASlB,EAA4B,CACxD,IAAImB,EAAwB5b,EAAW2b,GACvC,GAAIC,GAAyB3gB,EAAO2gB,EAAsBrhH,UAAWomG,GAAM,WAClEib,EAAsBrhH,UAAUomG,EACzC,CAAE,MAAO3uG,GAEP,IACE4pH,EAAsBrhH,UAAUomG,GAAOprD,CACzC,CAAE,MAAOsmE,GAAsB,CACjC,CACF,CACK5B,EAAoBtZ,KAAQ+a,GAC/BpC,EAAcW,EAAqBtZ,EAAK+a,EAASnmE,EAC7C+kE,GAA6BT,EAAmBlZ,IAAQprD,EAAUnjD,EAdhD,CAgB1B,EAkFE0pH,6BAhFiC,SAAUnb,EAAKprD,EAAUmmE,GAC1D,IAAIC,EAAOC,EACX,GAAKzC,EAAL,CACA,GAAIpqE,EAAgB,CAClB,GAAI2sE,EAAQ,IAAKC,KAASlB,EAExB,IADAmB,EAAwB5b,EAAW2b,KACN1gB,EAAO2gB,EAAuBjb,GAAM,WACxDib,EAAsBjb,EAC/B,CAAE,MAAO3uG,GAAqB,CAEhC,GAAKgoH,EAAWrZ,KAAQ+a,EAKjB,OAHL,IACE,OAAOpC,EAAcU,EAAYrZ,EAAK+a,EAASnmE,EAAW+kE,GAA6BN,EAAWrZ,IAAQprD,EAC5G,CAAE,MAAOvjD,GAAqB,CAElC,CACA,IAAK2pH,KAASlB,IACZmB,EAAwB5b,EAAW2b,KACJC,EAAsBjb,KAAQ+a,GAC3DpC,EAAcsC,EAAuBjb,EAAKprD,EAlBtB,CAqB1B,EA0DE6lE,yBAA0BA,EAC1BW,OArIW,SAAgBjF,GAC3B,IAAKzyE,EAASyyE,GAAK,OAAO,EAC1B,IAAI1E,EAAQmF,EAAQT,GACpB,MAAiB,aAAV1E,GACFnX,EAAOwf,EAA4BrI,IACnCnX,EAAOggB,EAA6B7I,EAC3C,EAgIEiJ,aAAcA,EACdrB,WAAYA,EACZC,oBAAqBA,E,+BC9LvB,IAAIja,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtByB,EAAc,EAAQ,OACtBD,EAAsB,EAAQ,OAC9B8C,EAAe,EAAQ,OACvB3C,EAA8B,EAAQ,OACtCE,EAAwB,EAAQ,OAChC0C,EAAiB,EAAQ,OACzBpE,EAAQ,EAAQ,OAChBqE,EAAa,EAAQ,OACrBC,EAAsB,EAAQ,OAC9BC,EAAW,EAAQ,OACnBnE,EAAU,EAAQ,OAClBoE,EAAS,EAAQ,OACjBC,EAAU,EAAQ,OAClBptE,EAAiB,EAAQ,OACzBH,EAAiB,EAAQ,OACzBwtE,EAAY,EAAQ,OACpBC,EAAa,EAAQ,OACrBC,EAAoB,EAAQ,OAC5BC,EAA4B,EAAQ,OACpCC,EAAiB,EAAQ,OACzBnD,EAAsB,EAAQ,OAE9BoD,EAAuBZ,EAAaa,OACpCC,EAA6Bd,EAAae,aAC1CC,EAAe,cACfC,EAAY,WACZC,EAAY,YAEZC,EAAc,cACdC,EAA8B5D,EAAoB6D,UAAUL,GAC5DM,EAA2B9D,EAAoB6D,UAAUJ,GACzDM,EAAmB/D,EAAoBhgG,IACvCgkG,EAAoBxd,EAAWgd,GAC/BS,EAAeD,EACf5F,EAAuB6F,GAAgBA,EAAaP,GACpDQ,EAAY1d,EAAWid,GACvB3E,EAAoBoF,GAAaA,EAAUR,GAC3ChD,EAAkB/hH,OAAOoC,UACzBs1B,EAAQmwE,EAAWnwE,MACnB8tF,EAAa3d,EAAW2d,WACxBxuG,EAAOuoG,EAAY6E,GACnBtd,EAAUyY,EAAY,GAAGzY,SAEzB2e,EAActB,EAAQuB,KACtBC,EAAgBxB,EAAQyB,OAExBC,EAAW,SAAUC,GACvB,MAAO,CAAU,IAATA,EACV,EAEIC,EAAY,SAAUD,GACxB,MAAO,CAAU,IAATA,EAAeA,GAAU,EAAI,IACvC,EAEIE,EAAY,SAAUF,GACxB,MAAO,CAAU,IAATA,EAAeA,GAAU,EAAI,IAAMA,GAAU,GAAK,IAAMA,GAAU,GAAK,IACjF,EAEIG,EAAc,SAAUtG,GAC1B,OAAOA,EAAO,IAAM,GAAKA,EAAO,IAAM,GAAKA,EAAO,IAAM,EAAIA,EAAO,EACrE,EAEIuG,EAAc,SAAUJ,GAC1B,OAAOL,EAAYvB,EAAO4B,GAAS,GAAI,EACzC,EAEIK,EAAc,SAAUL,GAC1B,OAAOL,EAAYK,EAAQ,GAAI,EACjC,EAEIM,EAAY,SAAU3uE,EAAaz6C,EAAKwkH,GAC1CJ,EAAsB3pE,EAAYstE,GAAY/nH,EAAK,CACjD05C,cAAc,EACdx1B,IAAK,WACH,OAAOsgG,EAAiBroH,MAAM6D,EAChC,GAEJ,EAEIkkB,GAAM,SAAUmlG,EAAM92G,EAAO0xB,EAAOqlF,GACtC,IAAIC,EAAQpB,EAAyBkB,GACjCG,EAAW1G,EAAQ7+E,GACnBwlF,IAAuBH,EAC3B,GAAIE,EAAWj3G,EAAQg3G,EAAMjH,WAAY,MAAM,IAAIkG,EAAWR,GAC9D,IAAIrsG,EAAQ4tG,EAAM5tG,MACd0mB,EAAQmnF,EAAWD,EAAMG,WACzBhB,EAAOrB,EAAW1rG,EAAO0mB,EAAOA,EAAQ9vB,GAC5C,OAAOk3G,EAAqBf,EAAO5e,EAAQ4e,EAC7C,EAEIrkG,GAAM,SAAUglG,EAAM92G,EAAO0xB,EAAO0lF,EAAYxpH,EAAOmpH,GACzD,IAAIC,EAAQpB,EAAyBkB,GACjCG,EAAW1G,EAAQ7+E,GACnBykF,EAAOiB,GAAYxpH,GACnBspH,IAAuBH,EAC3B,GAAIE,EAAWj3G,EAAQg3G,EAAMjH,WAAY,MAAM,IAAIkG,EAAWR,GAG9D,IAFA,IAAIrsG,EAAQ4tG,EAAM5tG,MACd0mB,EAAQmnF,EAAWD,EAAMG,WACpB97G,EAAI,EAAGA,EAAI2E,EAAO3E,IAAK+N,EAAM0mB,EAAQz0B,GAAK86G,EAAKe,EAAqB77G,EAAI2E,EAAQ3E,EAAI,EAC/F,EAEA,GAAKm2G,EAqGE,CACL,IAAI6F,GAA8BnC,GAAwBY,EAAkBzgH,OAASigH,EAEhFnF,GAAM,WACT2F,EAAkB,EACpB,KAAO3F,GAAM,WACX,IAAI2F,GAAmB,EACzB,MAAM3F,GAAM,WAIV,OAHA,IAAI2F,EACJ,IAAIA,EAAkB,KACtB,IAAIA,EAAkB1iG,KACc,IAA7B0iG,EAAkBlqH,QAAgByrH,KAAgCjC,CAC3E,IAYWiC,IAA+BjC,GACxCzD,EAA4BmE,EAAmB,OAAQR,KAXvDS,EAAe,SAAqBnqH,GAElC,OADA4oH,EAAW5qH,KAAMsmH,GACV6E,EAAkB,IAAIe,EAAkBvF,EAAQ3kH,IAAUhC,KAAMmsH,EACzE,GAEaP,GAAatF,EAE1BA,EAAqBr4E,YAAck+E,EAEnCf,EAA0Be,EAAcD,IAMtCzuE,GAAkBG,EAAeopE,KAAuB4B,GAC1DnrE,EAAeupE,EAAmB4B,GAIpC,IAAI8E,GAAW,IAAItB,EAAU,IAAID,EAAa,IAC1CwB,GAAWvH,EAAYY,EAAkBG,SAC7CuG,GAASvG,QAAQ,EAAG,YACpBuG,GAASvG,QAAQ,EAAG,aAChBuG,GAASxG,QAAQ,IAAOwG,GAASxG,QAAQ,IAAIyD,EAAe3D,EAAmB,CACjFG,QAAS,SAAiBoG,EAAYvpH,GACpC2pH,GAAS3tH,KAAMutH,EAAYvpH,GAAS,IAAM,GAC5C,EACA4pH,SAAU,SAAkBL,EAAYvpH,GACtC2pH,GAAS3tH,KAAMutH,EAAYvpH,GAAS,IAAM,GAC5C,GACC,CAAE6pH,QAAQ,GACf,MApIEvH,GAdA6F,EAAe,SAAqBnqH,GAClC4oH,EAAW5qH,KAAMsmH,GACjB,IAAIH,EAAaQ,EAAQ3kH,GACzBiqH,EAAiBjsH,KAAM,CACrBiD,KAAMyoH,EACNlsG,MAAO3B,EAAK0gB,EAAM4nF,GAAa,GAC/BA,WAAYA,IAET0B,IACH7nH,KAAKmmH,WAAaA,EAClBnmH,KAAK8tH,UAAW,EAEpB,GAEoClC,GAyBpC5E,GAvBAoF,EAAY,SAAkB5F,EAAQ+G,EAAYpH,GAChDyE,EAAW5qH,KAAMgnH,GACjB4D,EAAWpE,EAAQF,GACnB,IAAIyH,EAAcjC,EAA4BtF,GAC1CwH,EAAeD,EAAY5H,WAC3B92D,EAASw7D,EAAoB0C,GACjC,GAAIl+D,EAAS,GAAKA,EAAS2+D,EAAc,MAAM,IAAI3B,EAAW,gBAE9D,GAAIh9D,GADJ82D,OAA4B/lH,IAAf+lH,EAA2B6H,EAAe3+D,EAASy7D,EAAS3E,IAC/C6H,EAAc,MAAM,IAAI3B,EAnGnC,gBAoGfJ,EAAiBjsH,KAAM,CACrBiD,KAAM0oH,EACNnF,OAAQA,EACRL,WAAYA,EACZoH,WAAYl+D,EACZ7vC,MAAOuuG,EAAYvuG,QAEhBqoG,IACH7nH,KAAKwmH,OAASA,EACdxmH,KAAKmmH,WAAaA,EAClBnmH,KAAKutH,WAAal+D,EAEtB,GAE8Bu8D,GAE1B/D,IACFoF,EAAUd,EAAc,aAAcL,GACtCmB,EAAUb,EAAW,SAAUJ,GAC/BiB,EAAUb,EAAW,aAAcJ,GACnCiB,EAAUb,EAAW,aAAcJ,IAGrCrB,EAAe3D,EAAmB,CAChCE,QAAS,SAAiBqG,GACxB,OAAOxlG,GAAI/nB,KAAM,EAAGutH,GAAY,IAAM,IAAM,EAC9C,EACAU,SAAU,SAAkBV,GAC1B,OAAOxlG,GAAI/nB,KAAM,EAAGutH,GAAY,EAClC,EACAW,SAAU,SAAkBX,GAC1B,IAAI/tG,EAAQuI,GAAI/nB,KAAM,EAAGutH,EAAY1iH,UAAU7I,OAAS,GAAI6I,UAAU,IACtE,OAAQ2U,EAAM,IAAM,EAAIA,EAAM,KAAO,IAAM,EAC7C,EACA2uG,UAAW,SAAmBZ,GAC5B,IAAI/tG,EAAQuI,GAAI/nB,KAAM,EAAGutH,EAAY1iH,UAAU7I,OAAS,GAAI6I,UAAU,IACtE,OAAO2U,EAAM,IAAM,EAAIA,EAAM,EAC/B,EACA4uG,SAAU,SAAkBb,GAC1B,OAAOT,EAAY/kG,GAAI/nB,KAAM,EAAGutH,EAAY1iH,UAAU7I,OAAS,GAAI6I,UAAU,IAC/E,EACAwjH,UAAW,SAAmBd,GAC5B,OAAOT,EAAY/kG,GAAI/nB,KAAM,EAAGutH,EAAY1iH,UAAU7I,OAAS,GAAI6I,UAAU,OAAiB,CAChG,EACAyjH,WAAY,SAAoBf,GAC9B,OAAOf,EAAczkG,GAAI/nB,KAAM,EAAGutH,EAAY1iH,UAAU7I,OAAS,GAAI6I,UAAU,IAAa,GAC9F,EACA0jH,WAAY,SAAoBhB,GAC9B,OAAOf,EAAczkG,GAAI/nB,KAAM,EAAGutH,EAAY1iH,UAAU7I,OAAS,GAAI6I,UAAU,IAAa,GAC9F,EACAs8G,QAAS,SAAiBoG,EAAYvpH,GACpCkkB,GAAIloB,KAAM,EAAGutH,EAAYb,EAAU1oH,EACrC,EACA4pH,SAAU,SAAkBL,EAAYvpH,GACtCkkB,GAAIloB,KAAM,EAAGutH,EAAYb,EAAU1oH,EACrC,EACAwqH,SAAU,SAAkBjB,EAAYvpH,GACtCkkB,GAAIloB,KAAM,EAAGutH,EAAYX,EAAW5oH,EAAO6G,UAAU7I,OAAS,GAAI6I,UAAU,GAC9E,EACA4jH,UAAW,SAAmBlB,EAAYvpH,GACxCkkB,GAAIloB,KAAM,EAAGutH,EAAYX,EAAW5oH,EAAO6G,UAAU7I,OAAS,GAAI6I,UAAU,GAC9E,EACA6jH,SAAU,SAAkBnB,EAAYvpH,GACtCkkB,GAAIloB,KAAM,EAAGutH,EAAYV,EAAW7oH,EAAO6G,UAAU7I,OAAS,GAAI6I,UAAU,GAC9E,EACA8jH,UAAW,SAAmBpB,EAAYvpH,GACxCkkB,GAAIloB,KAAM,EAAGutH,EAAYV,EAAW7oH,EAAO6G,UAAU7I,OAAS,GAAI6I,UAAU,GAC9E,EACA+jH,WAAY,SAAoBrB,EAAYvpH,GAC1CkkB,GAAIloB,KAAM,EAAGutH,EAAYR,EAAa/oH,EAAO6G,UAAU7I,OAAS,GAAI6I,UAAU,GAChF,EACAgkH,WAAY,SAAoBtB,EAAYvpH,GAC1CkkB,GAAIloB,KAAM,EAAGutH,EAAYP,EAAahpH,EAAO6G,UAAU7I,OAAS,GAAI6I,UAAU,GAChF,IAkDJwgH,EAAec,EAAcT,GAC7BL,EAAee,EAAWT,GAE1BnrE,EAAO/X,QAAU,CACfq9E,YAAaqG,EACbpG,SAAUqG,E,+BCjQZ,IAAI0C,EAAW,EAAQ,OACnBC,EAAkB,EAAQ,OAC1BC,EAAoB,EAAQ,OAC5BC,EAAwB,EAAQ,OAEhC35G,EAAM1E,KAAK0E,IAKfkrC,EAAO/X,QAAU,GAAGymF,YAAc,SAAoBzhH,EAAkBy4B,GACtE,IAAIggF,EAAI4I,EAAS9uH,MACbk6C,EAAM80E,EAAkB9I,GACxBhxD,EAAK65D,EAAgBthH,EAAQysC,GAC7Bib,EAAO45D,EAAgB7oF,EAAOgU,GAC9B/T,EAAMt7B,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAC5CgW,EAAQd,QAAalV,IAAR+lC,EAAoB+T,EAAM60E,EAAgB5oF,EAAK+T,IAAQib,EAAMjb,EAAMgb,GAChFi6D,EAAM,EAMV,IALIh6D,EAAOD,GAAMA,EAAKC,EAAO/+C,IAC3B+4G,GAAO,EACPh6D,GAAQ/+C,EAAQ,EAChB8+C,GAAM9+C,EAAQ,GAETA,KAAU,GACX++C,KAAQ+wD,EAAGA,EAAEhxD,GAAMgxD,EAAE/wD,GACpB85D,EAAsB/I,EAAGhxD,GAC9BA,GAAMi6D,EACNh6D,GAAQg6D,EACR,OAAOjJ,CACX,C,+BC7BA,IAAI4I,EAAW,EAAQ,OACnBC,EAAkB,EAAQ,OAC1BC,EAAoB,EAAQ,OAIhCxuE,EAAO/X,QAAU,SAAczkC,GAO7B,IANA,IAAIkiH,EAAI4I,EAAS9uH,MACbgC,EAASgtH,EAAkB9I,GAC3BkJ,EAAkBvkH,UAAU7I,OAC5B8lC,EAAQinF,EAAgBK,EAAkB,EAAIvkH,UAAU,QAAKzK,EAAW4B,GACxEmkC,EAAMipF,EAAkB,EAAIvkH,UAAU,QAAKzK,EAC3CivH,OAAiBjvH,IAAR+lC,EAAoBnkC,EAAS+sH,EAAgB5oF,EAAKnkC,GACxDqtH,EAASvnF,GAAOo+E,EAAEp+E,KAAW9jC,EACpC,OAAOkiH,CACT,C,+BCfA,IAAIoJ,EAAW,iBAGXC,EAFsB,EAAQ,MAEdC,CAAoB,WAIxChvE,EAAO/X,QAAW8mF,EAGd,GAAGriH,QAH2B,SAAiBuiH,GACjD,OAAOH,EAAStvH,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAE1E,C,+BCVA,IAAI4uH,EAAoB,EAAQ,OAEhCxuE,EAAO/X,QAAU,SAAU6V,EAAatjB,EAAM00F,GAI5C,IAHA,IAAI5nF,EAAQ,EACR9lC,EAAS6I,UAAU7I,OAAS,EAAI0tH,EAAUV,EAAkBh0F,GAC5Dl2B,EAAS,IAAIw5C,EAAYt8C,GACtBA,EAAS8lC,GAAOhjC,EAAOgjC,GAAS9M,EAAK8M,KAC5C,OAAOhjC,CACT,C,+BCRA,IAAItB,EAAO,EAAQ,OACf7C,EAAO,EAAQ,OACfmuH,EAAW,EAAQ,OACnBa,EAA+B,EAAQ,OACvCC,EAAwB,EAAQ,OAChC1K,EAAgB,EAAQ,OACxB8J,EAAoB,EAAQ,OAC5Ba,EAAiB,EAAQ,OACzBC,EAAc,EAAQ,OACtBC,EAAoB,EAAQ,OAE5BC,EAASzxF,MAIbiiB,EAAO/X,QAAU,SAAcwnF,GAC7B,IAAI/J,EAAI4I,EAASmB,GACbC,EAAiBhL,EAAcllH,MAC/BovH,EAAkBvkH,UAAU7I,OAC5BmuH,EAAQf,EAAkB,EAAIvkH,UAAU,QAAKzK,EAC7CgwH,OAAoBhwH,IAAV+vH,EACVC,IAASD,EAAQ3sH,EAAK2sH,EAAOf,EAAkB,EAAIvkH,UAAU,QAAKzK,IACtE,IAEI4B,EAAQ8C,EAAQkgC,EAAMqM,EAAUK,EAAM1tC,EAFtCopG,EAAiB2iB,EAAkB7J,GACnCp+E,EAAQ,EAGZ,IAAIslE,GAAoBptG,OAASgwH,GAAUJ,EAAsBxiB,GAW/D,IAFAprG,EAASgtH,EAAkB9I,GAC3BphH,EAASorH,EAAiB,IAAIlwH,KAAKgC,GAAUguH,EAAOhuH,GAC9CA,EAAS8lC,EAAOA,IACpB9jC,EAAQosH,EAAUD,EAAMjK,EAAEp+E,GAAQA,GAASo+E,EAAEp+E,GAC7C+nF,EAAe/qH,EAAQgjC,EAAO9jC,QAThC,IAHAc,EAASorH,EAAiB,IAAIlwH,KAAS,GAEvC0xC,GADAL,EAAWy+E,EAAY5J,EAAG9Y,IACV17D,OACR1M,EAAOrkC,EAAK+wC,EAAML,IAAWp3B,KAAM6tB,IACzC9jC,EAAQosH,EAAUT,EAA6Bt+E,EAAU8+E,EAAO,CAACnrF,EAAKhhC,MAAO8jC,IAAQ,GAAQ9C,EAAKhhC,MAClG6rH,EAAe/qH,EAAQgjC,EAAO9jC,GAWlC,OADAc,EAAO9C,OAAS8lC,EACThjC,CACT,C,+BC5CA,IAAItB,EAAO,EAAQ,OACf6sH,EAAgB,EAAQ,OACxBvB,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAG5BsB,EAAe,SAAUC,GAC3B,IAAIC,EAA8B,IAATD,EACzB,OAAO,SAAU/1F,EAAOi1F,EAAYzkE,GAMlC,IALA,IAIIhnD,EAJAkiH,EAAI4I,EAASt0F,GACbpqB,EAAOigH,EAAcnK,GACrBp+E,EAAQknF,EAAkB5+G,GAC1BqgH,EAAgBjtH,EAAKisH,EAAYzkE,GAE9BljB,KAAU,GAGf,GADS2oF,EADTzsH,EAAQoM,EAAK03B,GACiBA,EAAOo+E,GACzB,OAAQqK,GAClB,KAAK,EAAG,OAAOvsH,EACf,KAAK,EAAG,OAAO8jC,EAGnB,OAAO0oF,GAAsB,OAAIpwH,CACnC,CACF,EAEAogD,EAAO/X,QAAU,CAGfioF,SAAUJ,EAAa,GAGvBx7E,cAAew7E,EAAa,G,+BChC9B,IAAI9sH,EAAO,EAAQ,OACf4iH,EAAc,EAAQ,OACtBiK,EAAgB,EAAQ,OACxBvB,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5B2B,EAAqB,EAAQ,MAE7BjjH,EAAO04G,EAAY,GAAG14G,MAGtB4iH,EAAe,SAAUC,GAC3B,IAAIK,EAAkB,IAATL,EACTM,EAAqB,IAATN,EACZO,EAAmB,IAATP,EACVQ,EAAoB,IAATR,EACXS,EAAyB,IAATT,EAChBU,EAA4B,IAATV,EACnBW,EAAoB,IAATX,GAAcS,EAC7B,OAAO,SAAUx2F,EAAOi1F,EAAYzkE,EAAMmmE,GASxC,IARA,IAOIntH,EAAOc,EAPPohH,EAAI4I,EAASt0F,GACbpqB,EAAOigH,EAAcnK,GACrBlkH,EAASgtH,EAAkB5+G,GAC3BqgH,EAAgBjtH,EAAKisH,EAAYzkE,GACjCljB,EAAQ,EACRtjC,EAAS2sH,GAAkBR,EAC3BljH,EAASmjH,EAASpsH,EAAOg2B,EAAOx4B,GAAU6uH,GAAaI,EAAmBzsH,EAAOg2B,EAAO,QAAKp6B,EAE3F4B,EAAS8lC,EAAOA,IAAS,IAAIopF,GAAYppF,KAAS13B,KAEtDtL,EAAS2rH,EADTzsH,EAAQoM,EAAK03B,GACiBA,EAAOo+E,GACjCqK,GACF,GAAIK,EAAQnjH,EAAOq6B,GAAShjC,OACvB,GAAIA,EAAQ,OAAQyrH,GACvB,KAAK,EAAG,OAAO,EACf,KAAK,EAAG,OAAOvsH,EACf,KAAK,EAAG,OAAO8jC,EACf,KAAK,EAAGp6B,EAAKD,EAAQzJ,QAChB,OAAQusH,GACb,KAAK,EAAG,OAAO,EACf,KAAK,EAAG7iH,EAAKD,EAAQzJ,GAI3B,OAAOgtH,GAAiB,EAAIF,GAAWC,EAAWA,EAAWtjH,CAC/D,CACF,EAEA+yC,EAAO/X,QAAU,CAGfv7B,QAASojH,EAAa,GAGtBvjH,IAAKujH,EAAa,GAGlBliH,OAAQkiH,EAAa,GAGrBvgF,KAAMugF,EAAa,GAGnB78E,MAAO68E,EAAa,GAGpBvuH,KAAMuuH,EAAa,GAGnBz7E,UAAWy7E,EAAa,GAGxBc,aAAcd,EAAa,G,8BCtE7B,IAAI51G,EAAQ,EAAQ,OAChB22G,EAAkB,EAAQ,OAC1BxG,EAAsB,EAAQ,OAC9BmE,EAAoB,EAAQ,OAC5BQ,EAAsB,EAAQ,OAE9Bl6G,EAAM1E,KAAK0E,IACXg8G,EAAe,GAAGhuG,YAClBiuG,IAAkBD,GAAgB,EAAI,CAAC,GAAGhuG,YAAY,GAAI,GAAK,EAC/DisG,EAAgBC,EAAoB,eACpCgC,EAASD,IAAkBhC,EAI/B/uE,EAAO/X,QAAU+oF,EAAS,SAAqBC,GAE7C,GAAIF,EAAe,OAAO72G,EAAM42G,EAActxH,KAAM6K,YAAc,EAClE,IAAIq7G,EAAImL,EAAgBrxH,MACpBgC,EAASgtH,EAAkB9I,GAC/B,GAAe,IAAXlkH,EAAc,OAAQ,EAC1B,IAAI8lC,EAAQ9lC,EAAS,EAGrB,IAFI6I,UAAU7I,OAAS,IAAG8lC,EAAQxyB,EAAIwyB,EAAO+iF,EAAoBhgH,UAAU,MACvEi9B,EAAQ,IAAGA,EAAQ9lC,EAAS8lC,GAC1BA,GAAS,EAAGA,IAAS,GAAIA,KAASo+E,GAAKA,EAAEp+E,KAAW2pF,EAAe,OAAO3pF,GAAS,EACzF,OAAQ,CACV,EAAIwpF,C,+BC1BJ,IAAI/K,EAAQ,EAAQ,OAChBd,EAAkB,EAAQ,OAC1BiM,EAAa,EAAQ,OAErBC,EAAUlM,EAAgB,WAE9BjlE,EAAO/X,QAAU,SAAUmpF,GAIzB,OAAOF,GAAc,KAAOnL,GAAM,WAChC,IAAI53E,EAAQ,GAKZ,OAJkBA,EAAMV,YAAc,CAAC,GAC3B0jF,GAAW,WACrB,MAAO,CAAEjsE,IAAK,EAChB,EAC2C,IAApC/W,EAAMijF,GAAa9/F,SAAS4zB,GACrC,GACF,C,+BClBA,IAAI6gE,EAAQ,EAAQ,OAEpB/lE,EAAO/X,QAAU,SAAUmpF,EAAavM,GACtC,IAAIziH,EAAS,GAAGgvH,GAChB,QAAShvH,GAAU2jH,GAAM,WAEvB3jH,EAAOjC,KAAK,KAAM0kH,GAAY,WAAc,OAAO,CAAG,EAAG,EAC3D,GACF,C,+BCRA,IAAIwM,EAAY,EAAQ,OACpB/C,EAAW,EAAQ,OACnBuB,EAAgB,EAAQ,OACxBrB,EAAoB,EAAQ,OAE5B5J,EAAahnE,UAEb0zE,EAAe,8CAGfxB,EAAe,SAAUyB,GAC3B,OAAO,SAAU/mE,EAAMykE,EAAYL,EAAiB/5E,GAClD,IAAI6wE,EAAI4I,EAAS9jE,GACb56C,EAAOigH,EAAcnK,GACrBlkH,EAASgtH,EAAkB9I,GAE/B,GADA2L,EAAUpC,GACK,IAAXztH,GAAgBotH,EAAkB,EAAG,MAAM,IAAIhK,EAAW0M,GAC9D,IAAIhqF,EAAQiqF,EAAW/vH,EAAS,EAAI,EAChCyP,EAAIsgH,GAAY,EAAI,EACxB,GAAI3C,EAAkB,EAAG,OAAa,CACpC,GAAItnF,KAAS13B,EAAM,CACjBilC,EAAOjlC,EAAK03B,GACZA,GAASr2B,EACT,KACF,CAEA,GADAq2B,GAASr2B,EACLsgH,EAAWjqF,EAAQ,EAAI9lC,GAAU8lC,EACnC,MAAM,IAAIs9E,EAAW0M,EAEzB,CACA,KAAMC,EAAWjqF,GAAS,EAAI9lC,EAAS8lC,EAAOA,GAASr2B,EAAOq2B,KAAS13B,IACrEilC,EAAOo6E,EAAWp6E,EAAMjlC,EAAK03B,GAAQA,EAAOo+E,IAE9C,OAAO7wE,CACT,CACF,EAEAmL,EAAO/X,QAAU,CAGfrnB,KAAMkvG,GAAa,GAGnBv/D,MAAOu/D,GAAa,G,+BC3CtB,IAAIzI,EAAc,EAAQ,OACtBrpF,EAAU,EAAQ,OAElB4mF,EAAahnE,UAEb4zE,EAA2BnrH,OAAOmrH,yBAGlCC,EAAoCpK,IAAgB,WAEtD,QAAaznH,IAATJ,KAAoB,OAAO,EAC/B,IAEE6G,OAAOovB,eAAe,GAAI,SAAU,CAAEC,UAAU,IAASl0B,OAAS,CACpE,CAAE,MAAOtB,GACP,OAAOA,aAAiB09C,SAC1B,CACF,CATwD,GAWxDoC,EAAO/X,QAAUwpF,EAAoC,SAAU/L,EAAGlkH,GAChE,GAAIw8B,EAAQ0nF,KAAO8L,EAAyB9L,EAAG,UAAUhwF,SACvD,MAAM,IAAIkvF,EAAW,gCACrB,OAAOc,EAAElkH,OAASA,CACtB,EAAI,SAAUkkH,EAAGlkH,GACf,OAAOkkH,EAAElkH,OAASA,CACpB,C,+BCzBA,IAAIokH,EAAc,EAAQ,OAE1B5lE,EAAO/X,QAAU29E,EAAY,GAAGv5G,M,+BCFhC,IAAIq+G,EAAa,EAAQ,OAErB94G,EAAQxB,KAAKwB,MAEbm9B,EAAO,SAAUZ,EAAOujF,GAC1B,IAAIlwH,EAAS2sC,EAAM3sC,OAEnB,GAAIA,EAAS,EAKX,IAHA,IACIw2B,EAAShnB,EADTC,EAAI,EAGDA,EAAIzP,GAAQ,CAGjB,IAFAwP,EAAIC,EACJ+mB,EAAUmW,EAAMl9B,GACTD,GAAK0gH,EAAUvjF,EAAMn9B,EAAI,GAAIgnB,GAAW,GAC7CmW,EAAMn9B,GAAKm9B,IAAQn9B,GAEjBA,IAAMC,MAAKk9B,EAAMn9B,GAAKgnB,EAC5B,MAWA,IARA,IAAI+7C,EAASniE,EAAMpQ,EAAS,GACxBof,EAAOmuB,EAAK27E,EAAWv8E,EAAO,EAAG4lC,GAAS29C,GAC1CnhE,EAAQxhB,EAAK27E,EAAWv8E,EAAO4lC,GAAS29C,GACxCC,EAAU/wG,EAAKpf,OACfowH,EAAUrhE,EAAM/uD,OAChBqwH,EAAS,EACTC,EAAS,EAEND,EAASF,GAAWG,EAASF,GAClCzjF,EAAM0jF,EAASC,GAAWD,EAASF,GAAWG,EAASF,EACnDF,EAAU9wG,EAAKixG,GAASthE,EAAMuhE,KAAY,EAAIlxG,EAAKixG,KAAYthE,EAAMuhE,KACrED,EAASF,EAAU/wG,EAAKixG,KAAYthE,EAAMuhE,KAIlD,OAAO3jF,CACT,EAEA6R,EAAO/X,QAAU8G,C,+BCxCjB,IAAI/Q,EAAU,EAAQ,OAClB0mF,EAAgB,EAAQ,OACxBnyE,EAAW,EAAQ,OAGnB4+E,EAFkB,EAAQ,MAEhBlM,CAAgB,WAC1BuK,EAASzxF,MAIbiiB,EAAO/X,QAAU,SAAU8pF,GACzB,IAAIrI,EASF,OARE1rF,EAAQ+zF,KACVrI,EAAIqI,EAActkF,aAEdi3E,EAAcgF,KAAOA,IAAM8F,GAAUxxF,EAAQ0rF,EAAEjhH,aAC1C8pC,EAASm3E,IAEN,QADVA,EAAIA,EAAEyH,OAFwDzH,OAAI9pH,SAKvDA,IAAN8pH,EAAkB8F,EAAS9F,CACtC,C,8BCrBA,IAAIsI,EAA0B,EAAQ,OAItChyE,EAAO/X,QAAU,SAAU8pF,EAAevwH,GACxC,OAAO,IAAKwwH,EAAwBD,GAA7B,CAAwD,IAAXvwH,EAAe,EAAIA,EACzE,C,+BCNA,IAAIgtH,EAAoB,EAAQ,OAIhCxuE,EAAO/X,QAAU,SAAUy9E,EAAGgE,GAI5B,IAHA,IAAIhwE,EAAM80E,EAAkB9I,GACxBuM,EAAI,IAAIvI,EAAEhwE,GACVp6B,EAAI,EACDA,EAAIo6B,EAAKp6B,IAAK2yG,EAAE3yG,GAAKomG,EAAEhsE,EAAMp6B,EAAI,GACxC,OAAO2yG,CACT,C,+BCVA,IAAIzD,EAAoB,EAAQ,OAC5BnE,EAAsB,EAAQ,OAE9B6H,EAAcrG,WAIlB7rE,EAAO/X,QAAU,SAAUy9E,EAAGgE,EAAGpiF,EAAO9jC,GACtC,IAAIk2C,EAAM80E,EAAkB9I,GACxByM,EAAgB9H,EAAoB/iF,GACpC8qF,EAAcD,EAAgB,EAAIz4E,EAAMy4E,EAAgBA,EAC5D,GAAIC,GAAe14E,GAAO04E,EAAc,EAAG,MAAM,IAAIF,EAAY,mBAGjE,IAFA,IAAID,EAAI,IAAIvI,EAAEhwE,GACVp6B,EAAI,EACDA,EAAIo6B,EAAKp6B,IAAK2yG,EAAE3yG,GAAKA,IAAM8yG,EAAc5uH,EAAQkiH,EAAEpmG,GAC1D,OAAO2yG,CACT,C,yBChBA,IAAII,EAAiB,iEACjBC,EAAiBD,EAAiB,KAClCE,EAAoBF,EAAiB,KAErCG,EAAU,SAAUC,GAItB,IAFA,IAAInuH,EAAS,CAAC,EACVgjC,EAAQ,EACLA,EAAQ,GAAIA,IAAShjC,EAAOmuH,EAAWh0G,OAAO6oB,IAAUA,EAC/D,OAAOhjC,CACT,EAEA07C,EAAO/X,QAAU,CACfyqF,IAAKJ,EACLK,IAAKH,EAAQF,GACbM,OAAQL,EACRM,OAAQL,EAAQD,G,+BChBlB,IAAIO,EAAW,EAAQ,OACnBC,EAAgB,EAAQ,MAG5B/yE,EAAO/X,QAAU,SAAU4I,EAAU7kC,EAAIxI,EAAOwvH,GAC9C,IACE,OAAOA,EAAUhnH,EAAG8mH,EAAStvH,GAAO,GAAIA,EAAM,IAAMwI,EAAGxI,EACzD,CAAE,MAAOtD,GACP6yH,EAAcliF,EAAU,QAAS3wC,EACnC,CACF,C,+BCVA,IAEI+yH,EAFkB,EAAQ,MAEfhO,CAAgB,YAC3BiO,GAAe,EAEnB,IACE,IAAIC,EAAS,EACTC,EAAqB,CACvBliF,KAAM,WACJ,MAAO,CAAEz3B,OAAQ05G,IACnB,EACA,OAAU,WACRD,GAAe,CACjB,GAEFE,EAAmBH,GAAY,WAC7B,OAAOzzH,IACT,EAEAu+B,MAAM42B,KAAKy+D,GAAoB,WAAc,MAAM,CAAG,GACxD,CAAE,MAAOlzH,GAAqB,CAE9B8/C,EAAO/X,QAAU,SAAUmO,EAAMi9E,GAC/B,IACE,IAAKA,IAAiBH,EAAc,OAAO,CAC7C,CAAE,MAAOhzH,GAAS,OAAO,CAAO,CAChC,IAAIozH,GAAoB,EACxB,IACE,IAAInqE,EAAS,CAAC,EACdA,EAAO8pE,GAAY,WACjB,MAAO,CACL/hF,KAAM,WACJ,MAAO,CAAEz3B,KAAM65G,GAAoB,EACrC,EAEJ,EACAl9E,EAAK+S,EACP,CAAE,MAAOjpD,GAAqB,CAC9B,OAAOozH,CACT,C,+BCvCA,IAAItvH,EAAS,EAAQ,MACjByjH,EAAwB,EAAQ,OAChC0C,EAAiB,EAAQ,OACzBnnH,EAAO,EAAQ,OACfonH,EAAa,EAAQ,OACrBmJ,EAAoB,EAAQ,OAC5BC,EAAU,EAAQ,OAClBC,EAAiB,EAAQ,OACzBC,EAAyB,EAAQ,OACjCC,EAAa,EAAQ,OACrBtM,EAAc,EAAQ,OACtBuM,EAAU,gBACVlM,EAAsB,EAAQ,OAE9B+D,EAAmB/D,EAAoBhgG,IACvCmsG,EAAyBnM,EAAoB6D,UAEjDvrE,EAAO/X,QAAU,CACf6rF,eAAgB,SAAUt5D,EAASu5D,EAAkB3D,EAAQ4D,GAC3D,IAAIl2E,EAAc0c,GAAQ,SAAUhQ,EAAMmiD,GACxCyd,EAAW5/D,EAAM66D,GACjBoG,EAAiBjhE,EAAM,CACrB/nD,KAAMsxH,EACNzsF,MAAOtjC,EAAO,MACd8rC,MAAO,KACP6D,KAAM,KACNzgC,KAAM,IAEHm0G,IAAa78D,EAAKt3C,KAAO,GACzBqgH,EAAkB5mB,IAAW6mB,EAAQ7mB,EAAUniD,EAAKwpE,GAAQ,CAAExpE,KAAMA,EAAMypE,WAAY7D,GAC7F,IAEI/K,EAAYvnE,EAAYr1C,UAExBo/G,EAAmBgM,EAAuBE,GAE1Ch5D,EAAS,SAAUvQ,EAAMnnD,EAAKG,GAChC,IAEIwpC,EAAU1F,EAFVhpB,EAAQupG,EAAiBr9D,GACzBn3B,EAAQ6gG,EAAS1pE,EAAMnnD,GAqBzB,OAlBEgwB,EACFA,EAAM7vB,MAAQA,GAGd8a,EAAMq1B,KAAOtgB,EAAQ,CACnBiU,MAAOA,EAAQssF,EAAQvwH,GAAK,GAC5BA,IAAKA,EACLG,MAAOA,EACPwpC,SAAUA,EAAW1uB,EAAMq1B,KAC3BzC,KAAM,KACN5C,SAAS,GAENhwB,EAAMwxB,QAAOxxB,EAAMwxB,MAAQzc,GAC5B2Z,IAAUA,EAASkE,KAAO7d,GAC1Bg0F,EAAa/oG,EAAMpL,OAClBs3C,EAAKt3C,OAEI,MAAVo0B,IAAehpB,EAAMgpB,MAAMA,GAASjU,IACjCm3B,CACX,EAEI0pE,EAAW,SAAU1pE,EAAMnnD,GAC7B,IAGIgwB,EAHA/U,EAAQupG,EAAiBr9D,GAEzBljB,EAAQssF,EAAQvwH,GAEpB,GAAc,MAAVikC,EAAe,OAAOhpB,EAAMgpB,MAAMA,GAEtC,IAAKjU,EAAQ/U,EAAMwxB,MAAOzc,EAAOA,EAAQA,EAAM6d,KAC7C,GAAI7d,EAAMhwB,MAAQA,EAAK,OAAOgwB,CAElC,EAsFA,OApFA82F,EAAe9E,EAAW,CAIxBz4E,MAAO,WAIL,IAHA,IACItuB,EAAQupG,EADDroH,MAEP6zB,EAAQ/U,EAAMwxB,MACXzc,GACLA,EAAMib,SAAU,EACZjb,EAAM2Z,WAAU3Z,EAAM2Z,SAAW3Z,EAAM2Z,SAASkE,KAAO,MAC3D7d,EAAQA,EAAM6d,KAEhB5yB,EAAMwxB,MAAQxxB,EAAMq1B,KAAO,KAC3Br1B,EAAMgpB,MAAQtjC,EAAO,MACjBqjH,EAAa/oG,EAAMpL,KAAO,EAVnB1T,KAWD0T,KAAO,CACnB,EAIA,OAAU,SAAU7P,GAClB,IAAImnD,EAAOhrD,KACP8e,EAAQupG,EAAiBr9D,GACzBn3B,EAAQ6gG,EAAS1pE,EAAMnnD,GAC3B,GAAIgwB,EAAO,CACT,IAAI6d,EAAO7d,EAAM6d,KACb1E,EAAOnZ,EAAM2Z,gBACV1uB,EAAMgpB,MAAMjU,EAAMiU,OACzBjU,EAAMib,SAAU,EACZ9B,IAAMA,EAAK0E,KAAOA,GAClBA,IAAMA,EAAKlE,SAAWR,GACtBluB,EAAMwxB,QAAUzc,IAAO/U,EAAMwxB,MAAQoB,GACrC5yB,EAAMq1B,OAAStgB,IAAO/U,EAAMq1B,KAAOnH,GACnC66E,EAAa/oG,EAAMpL,OAClBs3C,EAAKt3C,MACZ,CAAE,QAASmgB,CACb,EAIA3mB,QAAS,SAAiBuiH,GAIxB,IAHA,IAEI57F,EAFA/U,EAAQupG,EAAiBroH,MACzBywH,EAAgBjtH,EAAKisH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,GAEpEyzB,EAAQA,EAAQA,EAAM6d,KAAO5yB,EAAMwxB,OAGxC,IAFAmgF,EAAc58F,EAAM7vB,MAAO6vB,EAAMhwB,IAAK7D,MAE/B6zB,GAASA,EAAMib,SAASjb,EAAQA,EAAM2Z,QAEjD,EAIAhZ,IAAK,SAAa3wB,GAChB,QAAS6wH,EAAS10H,KAAM6D,EAC1B,IAGF8mH,EAAe9E,EAAW+K,EAAS,CAGjC7oG,IAAK,SAAalkB,GAChB,IAAIgwB,EAAQ6gG,EAAS10H,KAAM6D,GAC3B,OAAOgwB,GAASA,EAAM7vB,KACxB,EAGAkkB,IAAK,SAAarkB,EAAKG,GACrB,OAAOu3D,EAAOv7D,KAAc,IAAR6D,EAAY,EAAIA,EAAKG,EAC3C,GACE,CAGF+2B,IAAK,SAAa/2B,GAChB,OAAOu3D,EAAOv7D,KAAMgE,EAAkB,IAAVA,EAAc,EAAIA,EAAOA,EACvD,IAEE6jH,GAAaI,EAAsBpC,EAAW,OAAQ,CACxDtoE,cAAc,EACdx1B,IAAK,WACH,OAAOsgG,EAAiBroH,MAAM0T,IAChC,IAEK4qC,CACT,EACAq2E,UAAW,SAAUr2E,EAAai2E,EAAkB3D,GAClD,IAAIgE,EAAgBL,EAAmB,YACnCM,EAA6BR,EAAuBE,GACpDO,EAA2BT,EAAuBO,GAUtDX,EAAe31E,EAAai2E,GAAkB,SAAUQ,EAAUzjF,GAChE26E,EAAiBjsH,KAAM,CACrBiD,KAAM2xH,EACNnnH,OAAQsnH,EACRj2G,MAAO+1G,EAA2BE,GAClCzjF,KAAMA,EACN6C,KAAM,MAEV,IAAG,WAKD,IAJA,IAAIr1B,EAAQg2G,EAAyB90H,MACjCsxC,EAAOxyB,EAAMwyB,KACbzd,EAAQ/U,EAAMq1B,KAEXtgB,GAASA,EAAMib,SAASjb,EAAQA,EAAM2Z,SAE7C,OAAK1uB,EAAMrR,SAAYqR,EAAMq1B,KAAOtgB,EAAQA,EAAQA,EAAM6d,KAAO5yB,EAAMA,MAAMwxB,OAMjD4jF,EAAf,SAAT5iF,EAA+Czd,EAAMhwB,IAC5C,WAATytC,EAAiDzd,EAAM7vB,MAC7B,CAAC6vB,EAAMhwB,IAAKgwB,EAAM7vB,QAFc,IAJ5D8a,EAAMrR,OAAS,KACRymH,OAAuB9zH,GAAW,GAM7C,GAAGwwH,EAAS,UAAY,UAAWA,GAAQ,GAK3CuD,EAAWI,EACb,E,+BC3MF,IAAInO,EAAc,EAAQ,OACtBuE,EAAiB,EAAQ,OACzBqK,EAAc,oBACdpK,EAAa,EAAQ,OACrB0I,EAAW,EAAQ,OACnBS,EAAoB,EAAQ,OAC5BhhF,EAAW,EAAQ,OACnBihF,EAAU,EAAQ,OAClBiB,EAAuB,EAAQ,OAC/BtrB,EAAS,EAAQ,OACjBue,EAAsB,EAAQ,OAE9B+D,EAAmB/D,EAAoBhgG,IACvCmsG,EAAyBnM,EAAoB6D,UAC7ChqH,EAAOkzH,EAAqBlzH,KAC5B8yC,EAAYogF,EAAqBpgF,UACjCnG,EAAS03E,EAAY,GAAG13E,QACxBnpC,EAAK,EAGL2vH,EAAsB,SAAUp2G,GAClC,OAAOA,EAAMq2G,SAAWr2G,EAAMq2G,OAAS,IAAIC,EAC7C,EAEIA,EAAsB,WACxBp1H,KAAKgxC,QAAU,EACjB,EAEIqkF,EAAqB,SAAUjI,EAAOvpH,GACxC,OAAO9B,EAAKqrH,EAAMp8E,SAAS,SAAUw0E,GACnC,OAAOA,EAAG,KAAO3hH,CACnB,GACF,EAEAuxH,EAAoBnsH,UAAY,CAC9B8e,IAAK,SAAUlkB,GACb,IAAIgwB,EAAQwhG,EAAmBr1H,KAAM6D,GACrC,GAAIgwB,EAAO,OAAOA,EAAM,EAC1B,EACAW,IAAK,SAAU3wB,GACb,QAASwxH,EAAmBr1H,KAAM6D,EACpC,EACAqkB,IAAK,SAAUrkB,EAAKG,GAClB,IAAI6vB,EAAQwhG,EAAmBr1H,KAAM6D,GACjCgwB,EAAOA,EAAM,GAAK7vB,EACjBhE,KAAKgxC,QAAQtjC,KAAK,CAAC7J,EAAKG,GAC/B,EACA,OAAU,SAAUH,GAClB,IAAIikC,EAAQ+M,EAAU70C,KAAKgxC,SAAS,SAAUw0E,GAC5C,OAAOA,EAAG,KAAO3hH,CACnB,IAEA,OADKikC,GAAO4G,EAAO1uC,KAAKgxC,QAASlJ,EAAO,MAC9BA,CACZ,GAGF0Y,EAAO/X,QAAU,CACf6rF,eAAgB,SAAUt5D,EAASu5D,EAAkB3D,EAAQ4D,GAC3D,IAAIl2E,EAAc0c,GAAQ,SAAUhQ,EAAMmiD,GACxCyd,EAAW5/D,EAAM66D,GACjBoG,EAAiBjhE,EAAM,CACrB/nD,KAAMsxH,EACNhvH,GAAIA,IACJ4vH,OAAQ,OAELpB,EAAkB5mB,IAAW6mB,EAAQ7mB,EAAUniD,EAAKwpE,GAAQ,CAAExpE,KAAMA,EAAMypE,WAAY7D,GAC7F,IAEI/K,EAAYvnE,EAAYr1C,UAExBo/G,EAAmBgM,EAAuBE,GAE1Ch5D,EAAS,SAAUvQ,EAAMnnD,EAAKG,GAChC,IAAI8a,EAAQupG,EAAiBr9D,GACzB3nD,EAAO2xH,EAAY1B,EAASzvH,IAAM,GAGtC,OAFa,IAATR,EAAe6xH,EAAoBp2G,GAAOoJ,IAAIrkB,EAAKG,GAClDX,EAAKyb,EAAMvZ,IAAMvB,EACfgnD,CACT,EAiDA,OA/CA2/D,EAAe9E,EAAW,CAIxB,OAAU,SAAUhiH,GAClB,IAAIib,EAAQupG,EAAiBroH,MAC7B,IAAK+yC,EAASlvC,GAAM,OAAO,EAC3B,IAAIR,EAAO2xH,EAAYnxH,GACvB,OAAa,IAATR,EAAsB6xH,EAAoBp2G,GAAe,OAAEjb,GACxDR,GAAQsmG,EAAOtmG,EAAMyb,EAAMvZ,YAAclC,EAAKyb,EAAMvZ,GAC7D,EAIAivB,IAAK,SAAa3wB,GAChB,IAAIib,EAAQupG,EAAiBroH,MAC7B,IAAK+yC,EAASlvC,GAAM,OAAO,EAC3B,IAAIR,EAAO2xH,EAAYnxH,GACvB,OAAa,IAATR,EAAsB6xH,EAAoBp2G,GAAO0V,IAAI3wB,GAClDR,GAAQsmG,EAAOtmG,EAAMyb,EAAMvZ,GACpC,IAGFolH,EAAe9E,EAAW+K,EAAS,CAGjC7oG,IAAK,SAAalkB,GAChB,IAAIib,EAAQupG,EAAiBroH,MAC7B,GAAI+yC,EAASlvC,GAAM,CACjB,IAAIR,EAAO2xH,EAAYnxH,GACvB,IAAa,IAATR,EAAe,OAAO6xH,EAAoBp2G,GAAOiJ,IAAIlkB,GACzD,GAAIR,EAAM,OAAOA,EAAKyb,EAAMvZ,GAC9B,CACF,EAGA2iB,IAAK,SAAarkB,EAAKG,GACrB,OAAOu3D,EAAOv7D,KAAM6D,EAAKG,EAC3B,GACE,CAGF+2B,IAAK,SAAa/2B,GAChB,OAAOu3D,EAAOv7D,KAAMgE,GAAO,EAC7B,IAGKs6C,CACT,E,+BChIF,IAAIh+C,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtBkP,EAAW,EAAQ,OACnBtN,EAAgB,EAAQ,OACxBuN,EAAyB,EAAQ,MACjCvB,EAAU,EAAQ,OAClBpJ,EAAa,EAAQ,OACrB9C,EAAa,EAAQ,OACrBiM,EAAoB,EAAQ,OAC5BhhF,EAAW,EAAQ,OACnBwzE,EAAQ,EAAQ,OAChBiP,EAA8B,EAAQ,OACtCnK,EAAiB,EAAQ,OACzBF,EAAoB,EAAQ,OAEhC3qE,EAAO/X,QAAU,SAAU8rF,EAAkBv5D,EAASy6D,GACpD,IAAI7E,GAA8C,IAArC2D,EAAiB7uH,QAAQ,OAClCgwH,GAAgD,IAAtCnB,EAAiB7uH,QAAQ,QACnC8uH,EAAQ5D,EAAS,MAAQ,MACzB+E,EAAoBjnB,EAAW6lB,GAC/BqB,EAAkBD,GAAqBA,EAAkB1sH,UACzDq1C,EAAcq3E,EACdE,EAAW,CAAC,EAEZC,EAAY,SAAUzmB,GACxB,IAAI0mB,EAAwB3P,EAAYwP,EAAgBvmB,IACxD2Y,EAAc4N,EAAiBvmB,EACrB,QAARA,EAAgB,SAAarrG,GAE3B,OADA+xH,EAAsB/1H,KAAgB,IAAVgE,EAAc,EAAIA,GACvChE,IACT,EAAY,WAARqvG,EAAmB,SAAUxrG,GAC/B,QAAO6xH,IAAY3iF,EAASlvC,KAAekyH,EAAsB/1H,KAAc,IAAR6D,EAAY,EAAIA,EACzF,EAAY,QAARwrG,EAAgB,SAAaxrG,GAC/B,OAAO6xH,IAAY3iF,EAASlvC,QAAOzD,EAAY21H,EAAsB/1H,KAAc,IAAR6D,EAAY,EAAIA,EAC7F,EAAY,QAARwrG,EAAgB,SAAaxrG,GAC/B,QAAO6xH,IAAY3iF,EAASlvC,KAAekyH,EAAsB/1H,KAAc,IAAR6D,EAAY,EAAIA,EACzF,EAAI,SAAaA,EAAKG,GAEpB,OADA+xH,EAAsB/1H,KAAc,IAAR6D,EAAY,EAAIA,EAAKG,GAC1ChE,IACT,EAEJ,EASA,GAPcs1H,EACZf,GACCzM,EAAW6N,MAAwBD,GAAWE,EAAgB1oH,UAAYq5G,GAAM,YAC/E,IAAIoP,GAAoB3kF,UAAUU,MACpC,MAKA4M,EAAcm3E,EAAOnB,eAAet5D,EAASu5D,EAAkB3D,EAAQ4D,GACvEe,EAAuB77F,cAClB,GAAI47F,EAASf,GAAkB,GAAO,CAC3C,IAAIzhF,EAAW,IAAIwL,EAEf03E,EAAiBljF,EAAS0hF,GAAOkB,EAAU,CAAC,GAAK,EAAG,KAAO5iF,EAE3DmjF,EAAuB1P,GAAM,WAAczzE,EAASte,IAAI,EAAI,IAG5D0hG,EAAmBV,GAA4B,SAAUroB,GAAY,IAAIwoB,EAAkBxoB,EAAW,IAEtGgpB,GAAcT,GAAWnP,GAAM,WAIjC,IAFA,IAAI6P,EAAY,IAAIT,EAChB7tF,EAAQ,EACLA,KAASsuF,EAAU5B,GAAO1sF,EAAOA,GACxC,OAAQsuF,EAAU5hG,KAAK,EACzB,IAEK0hG,KACH53E,EAAc0c,GAAQ,SAAUq7D,EAAOlpB,GACrCyd,EAAWyL,EAAOT,GAClB,IAAI5qE,EAAOmgE,EAAkB,IAAIwK,EAAqBU,EAAO/3E,GAE7D,OADKy1E,EAAkB5mB,IAAW6mB,EAAQ7mB,EAAUniD,EAAKwpE,GAAQ,CAAExpE,KAAMA,EAAMypE,WAAY7D,IACpF5lE,CACT,KACY/hD,UAAY2sH,EACxBA,EAAgB3nF,YAAcqQ,IAG5B23E,GAAwBE,KAC1BL,EAAU,UACVA,EAAU,OACVlF,GAAUkF,EAAU,SAGlBK,GAAcH,IAAgBF,EAAUtB,GAGxCkB,GAAWE,EAAgBxoF,cAAcwoF,EAAgBxoF,KAC/D,CASA,OAPAyoF,EAAStB,GAAoBj2E,EAC7Bh+C,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,OAAQ9rE,IAAgBq3E,GAAqBE,GAElFxK,EAAe/sE,EAAai2E,GAEvBmB,GAASD,EAAOd,UAAUr2E,EAAai2E,EAAkB3D,GAEvDtyE,CACT,C,+BCxGA,IAEIg4E,EAFkB,EAAQ,MAElB7Q,CAAgB,SAE5BjlE,EAAO/X,QAAU,SAAUmpF,GACzB,IAAI2E,EAAS,IACb,IACE,MAAM3E,GAAa2E,EACrB,CAAE,MAAOC,GACP,IAEE,OADAD,EAAOD,IAAS,EACT,MAAM1E,GAAa2E,EAC5B,CAAE,MAAOhM,GAAsB,CACjC,CAAE,OAAO,CACX,C,+BCdA,IAAIhE,EAAQ,EAAQ,OAEpB/lE,EAAO/X,SAAW89E,GAAM,WACtB,SAASkQ,IAAkB,CAG3B,OAFAA,EAAExtH,UAAUglC,YAAc,KAEnBpnC,OAAO+2C,eAAe,IAAI64E,KAASA,EAAExtH,SAC9C,G,+BCPA,IAAIm9G,EAAc,EAAQ,OACtBsQ,EAAyB,EAAQ,OACjCn1H,EAAW,EAAQ,KAEnBo1H,EAAO,KACPriH,EAAU8xG,EAAY,GAAG9xG,SAI7BksC,EAAO/X,QAAU,SAAUppB,EAAQu3G,EAAKjkF,EAAW3uC,GACjD,IAAI6yH,EAAIt1H,EAASm1H,EAAuBr3G,IACpCy3G,EAAK,IAAMF,EAEf,MADkB,KAAdjkF,IAAkBmkF,GAAM,IAAMnkF,EAAY,KAAOr+B,EAAQ/S,EAASyC,GAAQ2yH,EAAM,UAAY,KACzFG,EAAK,IAAMD,EAAI,KAAOD,EAAM,GACrC,C,yBCZAp2E,EAAO/X,QAAU,SAAUzkC,EAAOiW,GAChC,MAAO,CAAEjW,MAAOA,EAAOiW,KAAMA,EAC/B,C,+BCJA,IAAI4tG,EAAc,EAAQ,OACtBkP,EAAuB,EAAQ,OAC/BC,EAA2B,EAAQ,MAEvCx2E,EAAO/X,QAAU,SAAUkhB,EAAQ9lD,EAAKG,GAClC6jH,EAAakP,EAAqB3X,EAAEz1D,EAAQ9lD,EAAKmzH,EAAyB,EAAGhzH,IAC5E2lD,EAAO9lD,GAAOG,CACrB,C,+BCPA,IAAIoiH,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAChB0Q,EAAW,eAEXvE,EAAcrG,WACd6K,EAAYt3G,SACZtN,EAAM1B,KAAK0B,IACX6kH,EAAgBp1G,KAAK9Y,UACrBmuH,EAAwBD,EAAcE,YACtCC,EAAgBlR,EAAY+Q,EAAc1oH,SAC1C8oH,EAAanR,EAAY+Q,EAAcI,YACvCC,EAAiBpR,EAAY+Q,EAAcK,gBAC3CC,EAAcrR,EAAY+Q,EAAcM,aACxCC,EAAqBtR,EAAY+Q,EAAcO,oBAC/CC,EAAgBvR,EAAY+Q,EAAcQ,eAC1CC,EAAcxR,EAAY+Q,EAAcS,aACxCC,EAAgBzR,EAAY+Q,EAAcU,eAK9Cr3E,EAAO/X,QAAW89E,GAAM,WACtB,MAA2D,6BAApD6Q,EAAsBz2H,KAAK,IAAIohB,MAAK,gBAC7C,MAAOwkG,GAAM,WACX6Q,EAAsBz2H,KAAK,IAAIohB,KAAKyH,KACtC,IAAM,WACJ,IAAK0tG,EAAUI,EAAct3H,OAAQ,MAAM,IAAI0yH,EAAY,sBAC3D,IAAI5wG,EAAO9hB,KACP08E,EAAO86C,EAAe11G,GACtBg2G,EAAeJ,EAAmB51G,GAClCi2G,EAAOr7C,EAAO,EAAI,IAAMA,EAAO,KAAO,IAAM,GAChD,OAAOq7C,EAAOd,EAAS3kH,EAAIoqE,GAAOq7C,EAAO,EAAI,EAAG,GAC9C,IAAMd,EAASW,EAAY91G,GAAQ,EAAG,EAAG,GACzC,IAAMm1G,EAASM,EAAWz1G,GAAO,EAAG,GACpC,IAAMm1G,EAASQ,EAAY31G,GAAO,EAAG,GACrC,IAAMm1G,EAASU,EAAc71G,GAAO,EAAG,GACvC,IAAMm1G,EAASY,EAAc/1G,GAAO,EAAG,GACvC,IAAMm1G,EAASa,EAAc,EAAG,GAChC,GACJ,EAAIV,C,+BCvCJ,IAAI9D,EAAW,EAAQ,OACnB0E,EAAsB,EAAQ,OAE9B5S,EAAahnE,UAIjBoC,EAAO/X,QAAU,SAAUwvF,GAEzB,GADA3E,EAAStzH,MACI,WAATi4H,GAA8B,YAATA,EAAoBA,EAAO,cAC/C,GAAa,WAATA,EAAmB,MAAM,IAAI7S,EAAW,kBACjD,OAAO4S,EAAoBh4H,KAAMi4H,EACnC,C,+BCZA,IAAIC,EAAc,EAAQ,OACtBjiG,EAAiB,EAAQ,OAE7BuqB,EAAO/X,QAAU,SAAUh7B,EAAQhC,EAAM4xC,GAGvC,OAFIA,EAAWt1B,KAAKmwG,EAAY76E,EAAWt1B,IAAKtc,EAAM,CAAE+2C,QAAQ,IAC5DnF,EAAWn1B,KAAKgwG,EAAY76E,EAAWn1B,IAAKzc,EAAM,CAAE0sH,QAAQ,IACzDliG,EAAempF,EAAE3xG,EAAQhC,EAAM4xC,EACxC,C,+BCPA,IAAI2qE,EAAgB,EAAQ,OAE5BxnE,EAAO/X,QAAU,SAAUh7B,EAAQ2H,EAAKtU,GACtC,IAAK,IAAI+C,KAAOuR,EAAK4yG,EAAcv6G,EAAQ5J,EAAKuR,EAAIvR,GAAM/C,GAC1D,OAAO2M,CACT,C,+BCLA,IAAI03G,EAAc,EAAQ,OAEtBC,EAAahnE,UAEjBoC,EAAO/X,QAAU,SAAUy9E,EAAGkS,GAC5B,WAAYlS,EAAEkS,GAAI,MAAM,IAAIhT,EAAW,0BAA4BD,EAAYiT,GAAK,OAASjT,EAAYe,GAC3G,C,+BCNA,IAQImS,EAAeC,EAAS9R,EAAQ+R,EARhC7pB,EAAa,EAAQ,OACrB8pB,EAAuB,EAAQ,OAC/B1R,EAAmC,EAAQ,MAE3CC,EAAkBrY,EAAWqY,gBAC7BoF,EAAezd,EAAWoX,YAC1B2S,EAAkB/pB,EAAWgqB,eAC7Bj8G,GAAS,EAGb,GAAIqqG,EACFrqG,EAAS,SAAUk8G,GACjB5R,EAAgB4R,EAAc,CAAEj7D,SAAU,CAACi7D,IAC7C,OACK,GAAIxM,EAAc,IAClBsM,IACHJ,EAAgBG,EAAqB,qBAClBC,EAAkBJ,EAAcK,gBAGjDD,IACFH,EAAU,IAAIG,EACdjS,EAAS,IAAI2F,EAAa,GAE1BoM,EAAU,SAAUI,GAClBL,EAAQM,MAAMC,YAAY,KAAM,CAACF,GACnC,EAE0B,IAAtBnS,EAAOL,aACToS,EAAQ/R,GACkB,IAAtBA,EAAOL,aAAkB1pG,EAAS87G,IAG5C,CAAE,MAAO73H,GAAqB,CAE9B8/C,EAAO/X,QAAUhsB,C,yBCnCjB,IAAI2oG,EAAahnE,UAGjBoC,EAAO/X,QAAU,SAAU+8E,GACzB,GAAIA,EAHiB,iBAGM,MAAMJ,EAAW,kCAC5C,OAAOI,CACT,C,yBCNAhlE,EAAO/X,QAAU,CACfqwF,eAAgB,CAAEx5G,EAAG,iBAAkBrL,EAAG,EAAGiL,EAAG,GAChD65G,mBAAoB,CAAEz5G,EAAG,qBAAsBrL,EAAG,EAAGiL,EAAG,GACxD85G,sBAAuB,CAAE15G,EAAG,wBAAyBrL,EAAG,EAAGiL,EAAG,GAC9D+5G,mBAAoB,CAAE35G,EAAG,qBAAsBrL,EAAG,EAAGiL,EAAG,GACxDg6G,sBAAuB,CAAE55G,EAAG,wBAAyBrL,EAAG,EAAGiL,EAAG,GAC9Di6G,mBAAoB,CAAE75G,EAAG,sBAAuBrL,EAAG,EAAGiL,EAAG,GACzDk6G,2BAA4B,CAAE95G,EAAG,8BAA+BrL,EAAG,EAAGiL,EAAG,GACzEm6G,cAAe,CAAE/5G,EAAG,gBAAiBrL,EAAG,EAAGiL,EAAG,GAC9Co6G,kBAAmB,CAAEh6G,EAAG,oBAAqBrL,EAAG,EAAGiL,EAAG,GACtDq6G,oBAAqB,CAAEj6G,EAAG,sBAAuBrL,EAAG,GAAIiL,EAAG,GAC3Ds6G,kBAAmB,CAAEl6G,EAAG,oBAAqBrL,EAAG,GAAIiL,EAAG,GACvDu6G,YAAa,CAAEn6G,EAAG,aAAcrL,EAAG,GAAIiL,EAAG,GAC1Cw6G,yBAA0B,CAAEp6G,EAAG,2BAA4BrL,EAAG,GAAIiL,EAAG,GACrEy6G,eAAgB,CAAEr6G,EAAG,gBAAiBrL,EAAG,GAAIiL,EAAG,GAChD06G,mBAAoB,CAAEt6G,EAAG,qBAAsBrL,EAAG,GAAIiL,EAAG,GACzD26G,gBAAiB,CAAEv6G,EAAG,iBAAkBrL,EAAG,GAAIiL,EAAG,GAClD46G,kBAAmB,CAAEx6G,EAAG,oBAAqBrL,EAAG,GAAIiL,EAAG,GACvD66G,cAAe,CAAEz6G,EAAG,eAAgBrL,EAAG,GAAIiL,EAAG,GAC9C86G,aAAc,CAAE16G,EAAG,cAAerL,EAAG,GAAIiL,EAAG,GAC5C+6G,WAAY,CAAE36G,EAAG,YAAarL,EAAG,GAAIiL,EAAG,GACxCg7G,iBAAkB,CAAE56G,EAAG,mBAAoBrL,EAAG,GAAIiL,EAAG,GACrDi7G,mBAAoB,CAAE76G,EAAG,qBAAsBrL,EAAG,GAAIiL,EAAG,GACzDk7G,aAAc,CAAE96G,EAAG,cAAerL,EAAG,GAAIiL,EAAG,GAC5Cm7G,qBAAsB,CAAE/6G,EAAG,wBAAyBrL,EAAG,GAAIiL,EAAG,GAC9Do7G,eAAgB,CAAEh7G,EAAG,iBAAkBrL,EAAG,GAAIiL,EAAG,G,yBCvBnDshC,EAAO/X,QAAU,CACf8xF,YAAa,EACbC,oBAAqB,EACrBC,aAAc,EACdC,eAAgB,EAChBC,YAAa,EACbC,cAAe,EACfC,aAAc,EACdC,qBAAsB,EACtBC,SAAU,EACVC,kBAAmB,EACnBC,eAAgB,EAChBC,gBAAiB,EACjBC,kBAAmB,EACnBC,UAAW,EACXC,cAAe,EACfC,aAAc,EACdC,SAAU,EACVC,iBAAkB,EAClBC,OAAQ,EACRC,YAAa,EACbC,cAAe,EACfC,cAAe,EACfC,eAAgB,EAChBC,aAAc,EACdC,cAAe,EACfC,iBAAkB,EAClBC,iBAAkB,EAClBC,eAAgB,EAChBC,iBAAkB,EAClBC,cAAe,EACfC,UAAW,E,+BChCb,IAEIvhG,EAFwB,EAAQ,KAEpBwhG,CAAsB,QAAQxhG,UAC1CyhG,EAAwBzhG,GAAaA,EAAUmT,aAAenT,EAAUmT,YAAYhlC,UAExFu3C,EAAO/X,QAAU8zF,IAA0B11H,OAAOoC,eAAY7I,EAAYm8H,C,+BCN1E,IAEIC,EAFY,EAAQ,OAEA98G,MAAM,mBAE9B8gC,EAAO/X,UAAY+zF,IAAYA,EAAQ,E,+BCJvC,IAAIC,EAAK,EAAQ,OAEjBj8E,EAAO/X,QAAU,eAAec,KAAKkzF,E,+BCFrC,IAAIp/G,EAAY,EAAQ,OAExBmjC,EAAO/X,QAAU,oBAAoBc,KAAKlsB,IAA+B,oBAAVq/G,M,+BCF/D,IAAIr/G,EAAY,EAAQ,OAGxBmjC,EAAO/X,QAAU,qCAAqCc,KAAKlsB,E,+BCH3D,IAAIs/G,EAAc,EAAQ,OAE1Bn8E,EAAO/X,QAA0B,SAAhBk0F,C,8BCFjB,IAAIt/G,EAAY,EAAQ,OAExBmjC,EAAO/X,QAAU,qBAAqBc,KAAKlsB,E,8BCF3C,IAEIu/G,EAFY,EAAQ,OAEDl9G,MAAM,wBAE7B8gC,EAAO/X,UAAYm0F,IAAWA,EAAO,E,+BCHrC,IAAIluB,EAAa,EAAQ,OACrBrxF,EAAY,EAAQ,OACpB4oG,EAAU,EAAQ,OAElB4W,EAAsB,SAAUx9G,GAClC,OAAOhC,EAAUxQ,MAAM,EAAGwS,EAAOrd,UAAYqd,CAC/C,EAEAmhC,EAAO/X,QACDo0F,EAAoB,QAAgB,MACpCA,EAAoB,sBAA8B,aAClDA,EAAoB,SAAiB,OACrCA,EAAoB,YAAoB,OACxCnuB,EAAWouB,KAA6B,iBAAfA,IAAIl0G,QAA4B,MACzD8lF,EAAWquB,MAA+B,iBAAhBA,KAAKn0G,QAA4B,OAC3B,YAAhCq9F,EAAQvX,EAAWiF,SAA+B,OAClDjF,EAAWvqG,QAAUuqG,EAAWnlG,SAAiB,UAC9C,M,+BClBT,IAAI68G,EAAc,EAAQ,OAEtB4W,EAASp0H,MACT0L,EAAU8xG,EAAY,GAAG9xG,SAEzB2oH,EAAgCrzG,OAAO,IAAIozG,EAAuB,UAAXl3C,OAEvDo3C,EAA2B,uBAC3BC,EAAwBD,EAAyB3zF,KAAK0zF,GAE1Dz8E,EAAO/X,QAAU,SAAUq9C,EAAOs3C,GAChC,GAAID,GAAyC,iBAATr3C,IAAsBk3C,EAAOK,kBAC/D,KAAOD,KAAet3C,EAAQxxE,EAAQwxE,EAAOo3C,EAA0B,IACvE,OAAOp3C,CACX,C,+BCdA,IAAIiiC,EAA8B,EAAQ,OACtCuV,EAAkB,EAAQ,OAC1BC,EAA0B,EAAQ,OAGlCC,EAAoB50H,MAAM40H,kBAE9Bh9E,EAAO/X,QAAU,SAAU/nC,EAAOwpH,EAAGpkC,EAAOs3C,GACtCG,IACEC,EAAmBA,EAAkB98H,EAAOwpH,GAC3CnC,EAA4BrnH,EAAO,QAAS48H,EAAgBx3C,EAAOs3C,IAE5E,C,+BCZA,IAAI7W,EAAQ,EAAQ,OAChByQ,EAA2B,EAAQ,MAEvCx2E,EAAO/X,SAAW89E,GAAM,WACtB,IAAI7lH,EAAQ,IAAIkI,MAAM,KACtB,QAAM,UAAWlI,KAEjBmG,OAAOovB,eAAev1B,EAAO,QAASs2H,EAAyB,EAAG,IAC3C,IAAhBt2H,EAAMolF,MACf,G,+BCTA,IAAI+hC,EAAc,EAAQ,OACtBtB,EAAQ,EAAQ,OAChB+M,EAAW,EAAQ,OACnBmK,EAA0B,EAAQ,OAElCC,EAAsB90H,MAAMK,UAAU1H,SAEtCo8H,EAAsBpX,GAAM,WAC9B,GAAIsB,EAAa,CAGf,IAAIl+D,EAAS9iD,OAAOrC,OAAOqC,OAAOovB,eAAe,CAAC,EAAG,OAAQ,CAAElO,IAAK,WAClE,OAAO/nB,OAAS2pD,CAClB,KACA,GAAyC,SAArC+zE,EAAoB/8H,KAAKgpD,GAAoB,OAAO,CAC1D,CAEA,MAA6D,SAAtD+zE,EAAoB/8H,KAAK,CAAE4J,QAAS,EAAGkB,KAAM,KAEd,UAAjCiyH,EAAoB/8H,KAAK,CAAC,EACjC,IAEA6/C,EAAO/X,QAAUk1F,EAAsB,WACrC,IAAIzX,EAAIoN,EAAStzH,MACbyL,EAAOgyH,EAAwBvX,EAAEz6G,KAAM,SACvClB,EAAUkzH,EAAwBvX,EAAE37G,SACxC,OAAQkB,EAAkBlB,EAAiBkB,EAAO,KAAOlB,EAArBkB,EAArBlB,CACjB,EAAImzH,C,+BC3BJ,IAAIl/F,EAAU,EAAQ,OAClBwwF,EAAoB,EAAQ,OAC5B4O,EAA2B,EAAQ,OACnCp6H,EAAO,EAAQ,OAIfq6H,EAAmB,SAAUpwH,EAAQwC,EAAU2J,EAAQkkH,EAAW53F,EAAO3+B,EAAOw2H,EAAQC,GAM1F,IALA,IAGIxlG,EAASylG,EAHTC,EAAch4F,EACdi4F,EAAc,EACdC,IAAQL,GAASv6H,EAAKu6H,EAAQC,GAG3BG,EAAcL,GACfK,KAAevkH,IACjB4e,EAAU4lG,EAAQA,EAAMxkH,EAAOukH,GAAcA,EAAaluH,GAAY2J,EAAOukH,GAEzE52H,EAAQ,GAAKi3B,EAAQhG,IACvBylG,EAAajP,EAAkBx2F,GAC/B0lG,EAAcL,EAAiBpwH,EAAQwC,EAAUuoB,EAASylG,EAAYC,EAAa32H,EAAQ,GAAK,IAEhGq2H,EAAyBM,EAAc,GACvCzwH,EAAOywH,GAAe1lG,GAGxB0lG,KAEFC,IAEF,OAAOD,CACT,EAEA19E,EAAO/X,QAAUo1F,C,+BChCjB,IAAItX,EAAQ,EAAQ,OAEpB/lE,EAAO/X,SAAW89E,GAAM,WAEtB,OAAO1/G,OAAO4/G,aAAa5/G,OAAOw3H,kBAAkB,CAAC,GACvD,G,+BCLA,IAAIjY,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OACpByM,EAAc,EAAQ,OAEtB96H,EAAO4iH,EAAYA,EAAY5iH,MAGnCg9C,EAAO/X,QAAU,SAAUj8B,EAAIw+C,GAE7B,OADA6mE,EAAUrlH,QACMpM,IAAT4qD,EAAqBx+C,EAAK8xH,EAAc96H,EAAKgJ,EAAIw+C,GAAQ,WAC9D,OAAOx+C,EAAGkO,MAAMswC,EAAMngD,UACxB,CACF,C,+BCZA,IAAIu7G,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OACpB9+E,EAAW,EAAQ,OACnB42D,EAAS,EAAQ,OACjBuhB,EAAa,EAAQ,OACrBoT,EAAc,EAAQ,OAEtBC,EAAY5vB,SACZtuE,EAAS+lF,EAAY,GAAG/lF,QACxB5+B,EAAO2kH,EAAY,GAAG3kH,MACtB+8H,EAAY,CAAC,EAcjBh+E,EAAO/X,QAAU61F,EAAcC,EAAU/6H,KAAO,SAAcwnD,GAC5D,IAAIyrE,EAAI5E,EAAU7xH,MACd6lH,EAAY4Q,EAAExtH,UACdw1H,EAAWvT,EAAWrgH,UAAW,GACjC4lH,EAAgB,WAClB,IAAI9pF,EAAOtG,EAAOo+F,EAAUvT,EAAWrgH,YACvC,OAAO7K,gBAAgBywH,EAlBX,SAAUvG,EAAGwU,EAAY/3F,GACvC,IAAKgjE,EAAO60B,EAAWE,GAAa,CAGlC,IAFA,IAAI1jG,EAAO,GACPvpB,EAAI,EACDA,EAAIitH,EAAYjtH,IAAKupB,EAAKvpB,GAAK,KAAOA,EAAI,IACjD+sH,EAAUE,GAAcH,EAAU,MAAO,gBAAkB98H,EAAKu5B,EAAM,KAAO,IAC/E,CAAE,OAAOwjG,EAAUE,GAAYxU,EAAGvjF,EACpC,CAW2CgY,CAAU83E,EAAG9vF,EAAK3kC,OAAQ2kC,GAAQ8vF,EAAE/7G,MAAMswC,EAAMrkB,EACzF,EAEA,OADIoM,EAAS8yE,KAAY4K,EAAcxnH,UAAY48G,GAC5C4K,CACT,C,+BClCA,IAAIrK,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OAExBrxE,EAAO/X,QAAU,SAAUkhB,EAAQ9lD,EAAKjB,GACtC,IAEE,OAAOwjH,EAAYyL,EAAUhrH,OAAOmrH,yBAAyBroE,EAAQ9lD,GAAKjB,IAC5E,CAAE,MAAOlC,GAAqB,CAChC,C,+BCRA,IAAIi+H,EAAa,EAAQ,OACrBvY,EAAc,EAAQ,OAE1B5lE,EAAO/X,QAAU,SAAUj8B,GAIzB,GAAuB,aAAnBmyH,EAAWnyH,GAAoB,OAAO45G,EAAY55G,EACxD,C,+BCRA,IAAIkiG,EAAa,EAAQ,OACrBkwB,EAAU,EAAQ,OAEtBp+E,EAAO/X,QAAU,SAAUh9B,GACzB,GAAImzH,EAAS,CACX,IACE,OAAOlwB,EAAWiF,QAAQkrB,iBAAiBpzH,EAC7C,CAAE,MAAO/K,GAAqB,CAC9B,IAEE,OAAOiuG,SAAS,mBAAqBljG,EAAO,KAArCkjG,EACT,CAAE,MAAOjuG,GAAqB,CAChC,CACF,C,+BCbA,IAAIguG,EAAa,EAAQ,OAEzBluD,EAAO/X,QAAU,SAAUq2F,EAAaC,GACtC,IAAIzgF,EAAcowD,EAAWowB,GACzBjZ,EAAYvnE,GAAeA,EAAYr1C,UAC3C,OAAO48G,GAAaA,EAAUkZ,EAChC,C,wBCJAv+E,EAAO/X,QAAU,SAAUsB,GACzB,MAAO,CACLsH,SAAUtH,EACV2H,KAAM3H,EAAI2H,KACVz3B,MAAM,EAEV,C,+BCRA,IAAIgsG,EAAU,EAAQ,OAClB+Y,EAAY,EAAQ,OACpBjL,EAAoB,EAAQ,OAC5BkL,EAAY,EAAQ,OAGpBxL,EAFkB,EAAQ,MAEfhO,CAAgB,YAE/BjlE,EAAO/X,QAAU,SAAU+8E,GACzB,IAAKuO,EAAkBvO,GAAK,OAAOwZ,EAAUxZ,EAAIiO,IAC5CuL,EAAUxZ,EAAI,eACdyZ,EAAUhZ,EAAQT,GACzB,C,+BCZA,IAAI7kH,EAAO,EAAQ,OACfkxH,EAAY,EAAQ,OACpByB,EAAW,EAAQ,OACnBnO,EAAc,EAAQ,OACtB4K,EAAoB,EAAQ,OAE5B3K,EAAahnE,UAEjBoC,EAAO/X,QAAU,SAAU48E,EAAU6Z,GACnC,IAAI9xB,EAAiBviG,UAAU7I,OAAS,EAAI+tH,EAAkB1K,GAAY6Z,EAC1E,GAAIrN,EAAUzkB,GAAiB,OAAOkmB,EAAS3yH,EAAKysG,EAAgBiY,IACpE,MAAM,IAAID,EAAWD,EAAYE,GAAY,mBAC/C,C,+BCZA,IAAIe,EAAc,EAAQ,OACtB5nF,EAAU,EAAQ,OAClBspF,EAAa,EAAQ,OACrB7B,EAAU,EAAQ,OAClB1kH,EAAW,EAAQ,KAEnBmM,EAAO04G,EAAY,GAAG14G,MAE1B8yC,EAAO/X,QAAU,SAAU02F,GACzB,GAAIrX,EAAWqX,GAAW,OAAOA,EACjC,GAAK3gG,EAAQ2gG,GAAb,CAGA,IAFA,IAAIC,EAAYD,EAASn9H,OACrBw6B,EAAO,GACF/qB,EAAI,EAAGA,EAAI2tH,EAAW3tH,IAAK,CAClC,IAAI+mB,EAAU2mG,EAAS1tH,GACD,iBAAX+mB,EAAqB9qB,EAAK8uB,EAAMhE,GAChB,iBAAXA,GAA4C,WAArBytF,EAAQztF,IAA8C,WAArBytF,EAAQztF,IAAuB9qB,EAAK8uB,EAAMj7B,EAASi3B,GAC7H,CACA,IAAI6mG,EAAa7iG,EAAKx6B,OAClB2K,GAAO,EACX,OAAO,SAAU9I,EAAKG,GACpB,GAAI2I,EAEF,OADAA,GAAO,EACA3I,EAET,GAAIw6B,EAAQx+B,MAAO,OAAOgE,EAC1B,IAAK,IAAIwN,EAAI,EAAGA,EAAI6tH,EAAY7tH,IAAK,GAAIgrB,EAAKhrB,KAAO3N,EAAK,OAAOG,CACnE,CAjB8B,CAkBhC,C,+BC5BA,IAAI6tH,EAAY,EAAQ,OACpByB,EAAW,EAAQ,OACnB3yH,EAAO,EAAQ,OACfkqH,EAAsB,EAAQ,OAC9ByU,EAAoB,EAAQ,MAE5BC,EAAe,eACf7M,EAAcrG,WACdjH,EAAahnE,UACbtrC,EAAMlC,KAAKkC,IAEX0sH,EAAY,SAAUt3G,EAAKu3G,GAC7Bz/H,KAAKkoB,IAAMA,EACXloB,KAAK0T,KAAOZ,EAAI2sH,EAAS,GACzBz/H,KAAKw0B,IAAMq9F,EAAU3pG,EAAIsM,KACzBx0B,KAAKw8B,KAAOq1F,EAAU3pG,EAAIsU,KAC5B,EAEAgjG,EAAUv2H,UAAY,CACpB6mH,YAAa,WACX,OAAOwP,EAAkBhM,EAAS3yH,EAAKX,KAAKw8B,KAAMx8B,KAAKkoB,MACzD,EACA/Y,SAAU,SAAUq2G,GAClB,OAAO7kH,EAAKX,KAAKw0B,IAAKx0B,KAAKkoB,IAAKs9F,EAClC,GAKFhlE,EAAO/X,QAAU,SAAUsB,GACzBupF,EAASvpF,GACT,IAAI21F,GAAW31F,EAAIr2B,KAGnB,GAAIgsH,GAAYA,EAAS,MAAM,IAAIta,EAAWma,GAC9C,IAAIE,EAAU5U,EAAoB6U,GAClC,GAAID,EAAU,EAAG,MAAM,IAAI/M,EAAY6M,GACvC,OAAO,IAAIC,EAAUz1F,EAAK01F,EAC5B,C,yBCtCAj/E,EAAO/X,QAAU,SAAUrmB,EAAGvC,GAC5B,IAEuB,IAArBhV,UAAU7I,OAAevB,QAAQC,MAAM0hB,GAAK3hB,QAAQC,MAAM0hB,EAAGvC,EAC/D,CAAE,MAAOnf,GAAqB,CAChC,C,yBCJA,IAAIsvH,EAASzxF,MACTjsB,EAAM1B,KAAK0B,IACX6rD,EAAMvtD,KAAKutD,IACX/rD,EAAQxB,KAAKwB,MACbutH,EAAM/uH,KAAK+uH,IACXC,EAAMhvH,KAAKgvH,IA4Ffp/E,EAAO/X,QAAU,CACf8jF,KA3FS,SAAUI,EAAQkT,EAAgBrgH,GAC3C,IAOIsgH,EAAUC,EAAU9rH,EAPpBuyG,EAASwJ,EAAOxwG,GAChBwgH,EAAyB,EAARxgH,EAAYqgH,EAAiB,EAC9CI,GAAQ,GAAKD,GAAkB,EAC/BE,EAAQD,GAAQ,EAChBE,EAAwB,KAAnBN,EAAwB1hE,EAAI,GAAI,IAAMA,EAAI,GAAI,IAAM,EACzD45D,EAAOpL,EAAS,GAAgB,IAAXA,GAAgB,EAAIA,EAAS,EAAI,EAAI,EAC1D7kF,EAAQ,EAmCZ,KAjCA6kF,EAASr6G,EAAIq6G,KAEEA,GAAUA,IAAW/9B,KAElCmxC,EAAWpT,GAAWA,EAAS,EAAI,EACnCmT,EAAWG,IAEXH,EAAW1tH,EAAMutH,EAAIhT,GAAUiT,GAE3BjT,GADJ14G,EAAIkqD,EAAI,GAAI2hE,IACK,IACfA,IACA7rH,GAAK,IAGL04G,GADEmT,EAAWI,GAAS,EACZC,EAAKlsH,EAELksH,EAAKhiE,EAAI,EAAG,EAAI+hE,IAEfjsH,GAAK,IAChB6rH,IACA7rH,GAAK,GAEH6rH,EAAWI,GAASD,GACtBF,EAAW,EACXD,EAAWG,GACFH,EAAWI,GAAS,GAC7BH,GAAYpT,EAAS14G,EAAI,GAAKkqD,EAAI,EAAG0hE,GACrCC,GAAYI,IAEZH,EAAWpT,EAASxuD,EAAI,EAAG+hE,EAAQ,GAAK/hE,EAAI,EAAG0hE,GAC/CC,EAAW,IAGRD,GAAkB,GACvBrZ,EAAO1+E,KAAsB,IAAXi4F,EAClBA,GAAY,IACZF,GAAkB,EAIpB,IAFAC,EAAWA,GAAYD,EAAiBE,EACxCC,GAAkBH,EACXG,EAAiB,GACtBxZ,EAAO1+E,KAAsB,IAAXg4F,EAClBA,GAAY,IACZE,GAAkB,EAGpB,OADAxZ,EAAO1+E,EAAQ,IAAa,IAAPiwF,EACdvR,CACT,EAoCEiG,OAlCW,SAAUjG,EAAQqZ,GAC7B,IAQIE,EARAvgH,EAAQgnG,EAAOxkH,OACfg+H,EAAyB,EAARxgH,EAAYqgH,EAAiB,EAC9CI,GAAQ,GAAKD,GAAkB,EAC/BE,EAAQD,GAAQ,EAChBG,EAAQJ,EAAiB,EACzBl4F,EAAQtoB,EAAQ,EAChBu4G,EAAOvR,EAAO1+E,KACdg4F,EAAkB,IAAP/H,EAGf,IADAA,IAAS,EACFqI,EAAQ,GACbN,EAAsB,IAAXA,EAAiBtZ,EAAO1+E,KACnCs4F,GAAS,EAKX,IAHAL,EAAWD,GAAY,IAAMM,GAAS,EACtCN,KAAcM,EACdA,GAASP,EACFO,EAAQ,GACbL,EAAsB,IAAXA,EAAiBvZ,EAAO1+E,KACnCs4F,GAAS,EAEX,GAAiB,IAAbN,EACFA,EAAW,EAAII,MACV,IAAIJ,IAAaG,EACtB,OAAOF,EAAWv2G,IAAMuuG,GAAO,IAAYnpC,IAE3CmxC,GAAY5hE,EAAI,EAAG0hE,GACnBC,GAAYI,CACd,CAAE,OAAQnI,GAAQ,EAAI,GAAKgI,EAAW5hE,EAAI,EAAG2hE,EAAWD,EAC1D,E,+BChGA,IAAI/X,EAAa,EAAQ,OACrB/0E,EAAW,EAAQ,OACnB0K,EAAiB,EAAQ,OAG7B+C,EAAO/X,QAAU,SAAUjO,EAAO67F,EAAOgK,GACvC,IAAIrhF,EAAWshF,EAUf,OAPE7iF,GAEAqqE,EAAW9oE,EAAYq3E,EAAMpoF,cAC7B+Q,IAAcqhF,GACdttF,EAASutF,EAAqBthF,EAAU/1C,YACxCq3H,IAAuBD,EAAQp3H,WAC/Bw0C,EAAejjB,EAAO8lG,GACjB9lG,CACT,C,+BCjBA,IAAIuY,EAAW,EAAQ,OACnBg1E,EAA8B,EAAQ,OAI1CvnE,EAAO/X,QAAU,SAAUy9E,EAAGplH,GACxBiyC,EAASjyC,IAAY,UAAWA,GAClCinH,EAA4B7B,EAAG,QAASplH,EAAQy/H,MAEpD,C,8BCTA,IAAIjgI,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBoa,EAAa,EAAQ,OACrBztF,EAAW,EAAQ,OACnB42D,EAAS,EAAQ,OACjB1zE,EAAiB,WACjBwqG,EAA4B,EAAQ,OACpCC,EAAoC,EAAQ,OAC5Cja,EAAe,EAAQ,OACvBjiG,EAAM,EAAQ,OACdm8G,EAAW,EAAQ,OAEnBC,GAAW,EACXC,EAAWr8G,EAAI,QACfjf,EAAK,EAELu7H,EAAc,SAAUtb,GAC1BvvF,EAAeuvF,EAAIqb,EAAU,CAAE78H,MAAO,CACpC+8H,SAAU,IAAMx7H,IAChBy7H,SAAU,CAAC,IAEf,EA4DIC,EAAOzgF,EAAO/X,QAAU,CAC1B/O,OA3BW,WACXunG,EAAKvnG,OAAS,WAA0B,EACxCknG,GAAW,EACX,IAAIM,EAAsBT,EAA0BrhB,EAChD1wE,EAAS03E,EAAY,GAAG13E,QACxBnF,EAAO,CAAC,EACZA,EAAKs3F,GAAY,EAGbK,EAAoB33F,GAAMvnC,SAC5By+H,EAA0BrhB,EAAI,SAAUoG,GAEtC,IADA,IAAI1gH,EAASo8H,EAAoB1b,GACxB/zG,EAAI,EAAGzP,EAAS8C,EAAO9C,OAAQyP,EAAIzP,EAAQyP,IAClD,GAAI3M,EAAO2M,KAAOovH,EAAU,CAC1BnyF,EAAO5pC,EAAQ2M,EAAG,GAClB,KACF,CACA,OAAO3M,CACX,EAEAxE,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAAQ,GAAQ,CAChD8W,oBAAqBR,EAAkCthB,IAG7D,EAIEgV,QA5DY,SAAU5O,EAAIhhH,GAE1B,IAAKuuC,EAASyyE,GAAK,MAAoB,iBAANA,EAAiBA,GAAmB,iBAANA,EAAiB,IAAM,KAAOA,EAC7F,IAAK7b,EAAO6b,EAAIqb,GAAW,CAEzB,IAAKpa,EAAajB,GAAK,MAAO,IAE9B,IAAKhhH,EAAQ,MAAO,IAEpBs8H,EAAYtb,EAEd,CAAE,OAAOA,EAAGqb,GAAUE,QACxB,EAiDE/L,YA/CgB,SAAUxP,EAAIhhH,GAC9B,IAAKmlG,EAAO6b,EAAIqb,GAAW,CAEzB,IAAKpa,EAAajB,GAAK,OAAO,EAE9B,IAAKhhH,EAAQ,OAAO,EAEpBs8H,EAAYtb,EAEd,CAAE,OAAOA,EAAGqb,GAAUG,QACxB,EAsCEI,SAnCa,SAAU5b,GAEvB,OADImb,GAAYC,GAAYna,EAAajB,KAAQ7b,EAAO6b,EAAIqb,IAAWC,EAAYtb,GAC5EA,CACT,GAmCAgb,EAAWK,IAAY,C,+BCxFvB,IAAIpb,EAAkB,EAAQ,OAC1BwZ,EAAY,EAAQ,OAEpBxL,EAAWhO,EAAgB,YAC3BE,EAAiBpnF,MAAMt1B,UAG3Bu3C,EAAO/X,QAAU,SAAU+8E,GACzB,YAAcplH,IAAPolH,IAAqByZ,EAAU1gG,QAAUinF,GAAMG,EAAe8N,KAAcjO,EACrF,C,+BCTA,IAAIS,EAAU,EAAQ,OAKtBzlE,EAAO/X,QAAUlK,MAAMC,SAAW,SAAiB6mF,GACjD,MAA6B,UAAtBY,EAAQZ,EACjB,C,+BCPA,IAAIY,EAAU,EAAQ,OAEtBzlE,EAAO/X,QAAU,SAAU+8E,GACzB,IAAI1E,EAAQmF,EAAQT,GACpB,MAAiB,kBAAV1E,GAAuC,mBAAVA,CACtC,C,+BCLA,IAAIsF,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAChBuB,EAAa,EAAQ,OACrB7B,EAAU,EAAQ,OAClBob,EAAa,EAAQ,OACrBC,EAAgB,EAAQ,OAExB15E,EAAO,WAA0B,EACjCjJ,EAAY0iF,EAAW,UAAW,aAClCE,EAAoB,2BACpB3qF,EAAOwvE,EAAYmb,EAAkB3qF,MACrC+mF,GAAuB4D,EAAkBh4F,KAAKqe,GAE9C45E,EAAsB,SAAuBnc,GAC/C,IAAKyC,EAAWzC,GAAW,OAAO,EAClC,IAEE,OADA1mE,EAAUiJ,EAAM,GAAIy9D,IACb,CACT,CAAE,MAAO3kH,GACP,OAAO,CACT,CACF,EAEI+gI,EAAsB,SAAuBpc,GAC/C,IAAKyC,EAAWzC,GAAW,OAAO,EAClC,OAAQY,EAAQZ,IACd,IAAK,gBACL,IAAK,oBACL,IAAK,yBAA0B,OAAO,EAExC,IAIE,OAAOsY,KAAyB/mF,EAAK2qF,EAAmBD,EAAcjc,GACxE,CAAE,MAAO3kH,GACP,OAAO,CACT,CACF,EAEA+gI,EAAoB7iF,MAAO,EAI3B4B,EAAO/X,SAAWkW,GAAa4nE,GAAM,WACnC,IAAIoN,EACJ,OAAO6N,EAAoBA,EAAoB7gI,QACzC6gI,EAAoB36H,UACpB26H,GAAoB,WAAc7N,GAAS,CAAM,KAClDA,CACP,IAAK8N,EAAsBD,C,+BClD3B,IAAI73B,EAAS,EAAQ,OAErBnpD,EAAO/X,QAAU,SAAU4U,GACzB,YAAsBj9C,IAAfi9C,IAA6BssD,EAAOtsD,EAAY,UAAYssD,EAAOtsD,EAAY,YACxF,C,8BCJA,IAAItK,EAAW,EAAQ,OAEnB3gC,EAAQxB,KAAKwB,MAKjBouC,EAAO/X,QAAUjmB,OAAOk/G,WAAa,SAAmBlc,GACtD,OAAQzyE,EAASyyE,IAAO5lG,SAAS4lG,IAAOpzG,EAAMozG,KAAQA,CACxD,C,+BCTA,IAAIzyE,EAAW,EAAQ,OAEvByN,EAAO/X,QAAU,SAAU48E,GACzB,OAAOtyE,EAASsyE,IAA0B,OAAbA,CAC/B,C,+BCJA,IAAItyE,EAAW,EAAQ,OACnBkzE,EAAU,EAAQ,OAGlBqQ,EAFkB,EAAQ,MAElB7Q,CAAgB,SAI5BjlE,EAAO/X,QAAU,SAAU+8E,GACzB,IAAIrvE,EACJ,OAAOpD,EAASyyE,UAAmCplH,KAA1B+1C,EAAWqvE,EAAG8Q,MAA0BngF,EAA2B,WAAhB8vE,EAAQT,GACtF,C,+BCXA,IAAI7kH,EAAO,EAAQ,OAEnB6/C,EAAO/X,QAAU,SAAUmjE,EAAQp/F,EAAIm1H,GAIrC,IAHA,IAEI38F,EAAMlgC,EAFNusC,EAAWswF,EAA6B/1B,EAASA,EAAOv6D,SACxDK,EAAOk6D,EAAOl6D,OAET1M,EAAOrkC,EAAK+wC,EAAML,IAAWp3B,MAEpC,QAAe7Z,KADf0E,EAAS0H,EAAGw4B,EAAKhhC,QACS,OAAOc,CAErC,C,+BCVA,IAAItB,EAAO,EAAQ,OACf7C,EAAO,EAAQ,OACf2yH,EAAW,EAAQ,OACnBnO,EAAc,EAAQ,OACtByK,EAAwB,EAAQ,OAChCZ,EAAoB,EAAQ,OAC5BpJ,EAAgB,EAAQ,MACxBkK,EAAc,EAAQ,OACtBC,EAAoB,EAAQ,OAC5BwD,EAAgB,EAAQ,MAExBnO,EAAahnE,UAEbwjF,EAAS,SAAUC,EAAS/8H,GAC9B9E,KAAK6hI,QAAUA,EACf7hI,KAAK8E,OAASA,CAChB,EAEIg9H,EAAkBF,EAAO34H,UAE7Bu3C,EAAO/X,QAAU,SAAU0kE,EAAU40B,EAAiBjhI,GACpD,IAMIuwC,EAAU2wF,EAAQl6F,EAAO9lC,EAAQ8C,EAAQ4sC,EAAM1M,EAN/CgmB,EAAOlqD,GAAWA,EAAQkqD,KAC1BypE,KAAgB3zH,IAAWA,EAAQ2zH,YACnCwN,KAAenhI,IAAWA,EAAQmhI,WAClCC,KAAiBphI,IAAWA,EAAQohI,aACpCC,KAAiBrhI,IAAWA,EAAQqhI,aACpC31H,EAAKhJ,EAAKu+H,EAAiB/2E,GAG3BxvC,EAAO,SAAU4mH,GAEnB,OADI/wF,GAAUkiF,EAAcliF,EAAU,SAAU+wF,GACzC,IAAIR,GAAO,EAAMQ,EAC1B,EAEIC,EAAS,SAAUr+H,GACrB,OAAIywH,GACFnB,EAAStvH,GACFm+H,EAAc31H,EAAGxI,EAAM,GAAIA,EAAM,GAAIwX,GAAQhP,EAAGxI,EAAM,GAAIA,EAAM,KAChEm+H,EAAc31H,EAAGxI,EAAOwX,GAAQhP,EAAGxI,EAC9C,EAEA,GAAIi+H,EACF5wF,EAAW87D,EAAS97D,cACf,GAAI6wF,EACT7wF,EAAW87D,MACN,CAEL,KADA60B,EAASjS,EAAkB5iB,IACd,MAAM,IAAIiY,EAAWD,EAAYhY,GAAY,oBAE1D,GAAIyiB,EAAsBoS,GAAS,CACjC,IAAKl6F,EAAQ,EAAG9lC,EAASgtH,EAAkB7hB,GAAWnrG,EAAS8lC,EAAOA,IAEpE,IADAhjC,EAASu9H,EAAOl1B,EAASrlE,MACX89E,EAAckc,EAAiBh9H,GAAS,OAAOA,EAC7D,OAAO,IAAI88H,GAAO,EACtB,CACAvwF,EAAWy+E,EAAY3iB,EAAU60B,EACnC,CAGA,IADAtwF,EAAOuwF,EAAY90B,EAASz7D,KAAOL,EAASK,OACnC1M,EAAOrkC,EAAK+wC,EAAML,IAAWp3B,MAAM,CAC1C,IACEnV,EAASu9H,EAAOr9F,EAAKhhC,MACvB,CAAE,MAAOtD,GACP6yH,EAAcliF,EAAU,QAAS3wC,EACnC,CACA,GAAqB,iBAAVoE,GAAsBA,GAAU8gH,EAAckc,EAAiBh9H,GAAS,OAAOA,CAC5F,CAAE,OAAO,IAAI88H,GAAO,EACtB,C,8BCnEA,IAAIjhI,EAAO,EAAQ,OACf2yH,EAAW,EAAQ,OACnB0L,EAAY,EAAQ,OAExBx+E,EAAO/X,QAAU,SAAU4I,EAAUC,EAAMttC,GACzC,IAAIs+H,EAAaC,EACjBjP,EAASjiF,GACT,IAEE,KADAixF,EAActD,EAAU3tF,EAAU,WAChB,CAChB,GAAa,UAATC,EAAkB,MAAMttC,EAC5B,OAAOA,CACT,CACAs+H,EAAc3hI,EAAK2hI,EAAajxF,EAClC,CAAE,MAAO3wC,GACP6hI,GAAa,EACbD,EAAc5hI,CAChB,CACA,GAAa,UAAT4wC,EAAkB,MAAMttC,EAC5B,GAAIu+H,EAAY,MAAMD,EAEtB,OADAhP,EAASgP,GACFt+H,CACT,C,+BCtBA,IAAIonG,EAAoB,2BACpB5mG,EAAS,EAAQ,MACjBwyH,EAA2B,EAAQ,MACnC3L,EAAiB,EAAQ,OACzB4T,EAAY,EAAQ,OAEpBuD,EAAa,WAAc,OAAOxiI,IAAM,EAE5CwgD,EAAO/X,QAAU,SAAUg6F,EAAqB9a,EAAMj2E,EAAMgxF,GAC1D,IAAI7Z,EAAgBlB,EAAO,YAI3B,OAHA8a,EAAoBx5H,UAAYzE,EAAO4mG,EAAmB,CAAE15D,KAAMslF,IAA2B0L,EAAiBhxF,KAC9G25E,EAAeoX,EAAqB5Z,GAAe,GAAO,GAC1DoW,EAAUpW,GAAiB2Z,EACpBC,CACT,C,+BCdA,IAAIniI,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfgiI,EAAU,EAAQ,OAClBjY,EAAe,EAAQ,OACvB5C,EAAa,EAAQ,OACrB8a,EAA4B,EAAQ,OACpChlF,EAAiB,EAAQ,OACzBH,EAAiB,EAAQ,OACzB4tE,EAAiB,EAAQ,OACzBtD,EAA8B,EAAQ,OACtCC,EAAgB,EAAQ,OACxBvC,EAAkB,EAAQ,OAC1BwZ,EAAY,EAAQ,OACpB4D,EAAgB,EAAQ,OAExBvX,EAAuBZ,EAAaa,OACpCC,EAA6Bd,EAAae,aAC1CrgB,EAAoBy3B,EAAcz3B,kBAClC03B,EAAyBD,EAAcC,uBACvCrP,EAAWhO,EAAgB,YAC3Bsd,EAAO,OACPC,EAAS,SACTxP,EAAU,UAEVgP,EAAa,WAAc,OAAOxiI,IAAM,EAE5CwgD,EAAO/X,QAAU,SAAUw6F,EAAUtb,EAAM8a,EAAqB/wF,EAAMwxF,EAASC,EAAQ3R,GACrFoR,EAA0BH,EAAqB9a,EAAMj2E,GAErD,IAqBI0xF,EAA0Bt2G,EAASuiF,EArBnCg0B,EAAqB,SAAUC,GACjC,GAAIA,IAASJ,GAAWK,EAAiB,OAAOA,EAChD,IAAKT,GAA0BQ,GAAQA,KAAQE,EAAmB,OAAOA,EAAkBF,GAE3F,OAAQA,GACN,KAAKP,EACL,KAAKC,EACL,KAAKxP,EAAS,OAAO,WAAqB,OAAO,IAAIiP,EAAoBziI,KAAMsjI,EAAO,EAGxF,OAAO,WAAc,OAAO,IAAIb,EAAoBziI,KAAO,CAC7D,EAEI6oH,EAAgBlB,EAAO,YACvB8b,GAAwB,EACxBD,EAAoBP,EAASh6H,UAC7By6H,EAAiBF,EAAkB/P,IAClC+P,EAAkB,eAClBN,GAAWM,EAAkBN,GAC9BK,GAAmBT,GAA0BY,GAAkBL,EAAmBH,GAClFS,EAA6B,UAAThc,GAAmB6b,EAAkBxyF,SAA4B0yF,EA+BzF,GA3BIC,IACFP,EAA2BxlF,EAAe+lF,EAAkBhjI,KAAK,IAAIsiI,OACpCp8H,OAAOoC,WAAam6H,EAAyB1xF,OACvEixF,GAAW/kF,EAAewlF,KAA8Bh4B,IACvD3tD,EACFA,EAAe2lF,EAA0Bh4B,GAC/B0c,EAAWsb,EAAyB3P,KAC9CzL,EAAcob,EAA0B3P,EAAU+O,IAItDnX,EAAe+X,EAA0Bva,GAAe,GAAM,GAC1D8Z,IAAS1D,EAAUpW,GAAiB2Z,IAKxClX,GAAwB4X,IAAYF,GAAUU,GAAkBA,EAAej4H,OAASu3H,KACrFL,GAAWnX,EACdzD,EAA4Byb,EAAmB,OAAQR,IAEvDS,GAAwB,EACxBF,EAAkB,WAAoB,OAAO5iI,EAAK+iI,EAAgB1jI,KAAO,IAKzEkjI,EAMF,GALAp2G,EAAU,CACRsG,OAAQiwG,EAAmBL,GAC3BxmG,KAAM2mG,EAASI,EAAkBF,EAAmBN,GACpD/xF,QAASqyF,EAAmB7P,IAE1BhC,EAAQ,IAAKniB,KAAOviF,GAClBg2G,GAA0BW,KAA2Bp0B,KAAOm0B,KAC9Dxb,EAAcwb,EAAmBn0B,EAAKviF,EAAQuiF,SAE3C/uG,EAAE,CAAEmN,OAAQk6G,EAAMjnE,OAAO,EAAM0pE,OAAQ0Y,GAA0BW,GAAyB32G,GASnG,OALM61G,IAAWnR,GAAWgS,EAAkB/P,KAAc8P,GAC1Dvb,EAAcwb,EAAmB/P,EAAU8P,EAAiB,CAAE93H,KAAMy3H,IAEtEjE,EAAUtX,GAAQ4b,EAEXz2G,CACT,C,+BCpGA,IAcIs+E,EAAmBw4B,EAAmCC,EAdtDtd,EAAQ,EAAQ,OAChBuB,EAAa,EAAQ,OACrB/0E,EAAW,EAAQ,OACnBvuC,EAAS,EAAQ,MACjBo5C,EAAiB,EAAQ,OACzBoqE,EAAgB,EAAQ,OACxBvC,EAAkB,EAAQ,OAC1Bkd,EAAU,EAAQ,OAElBlP,EAAWhO,EAAgB,YAC3Bqd,GAAyB,EAOzB,GAAGtmG,OAGC,SAFNqnG,EAAgB,GAAGrnG,SAIjBonG,EAAoChmF,EAAeA,EAAeimF,OACxBh9H,OAAOoC,YAAWmiG,EAAoBw4B,GAHlDd,GAAyB,IAO7B/vF,EAASq4D,IAAsBmb,GAAM,WACjE,IAAIh9E,EAAO,CAAC,EAEZ,OAAO6hE,EAAkBqoB,GAAU9yH,KAAK4oC,KAAUA,CACpD,IAE4B6hE,EAAoB,CAAC,EACxCu3B,IAASv3B,EAAoB5mG,EAAO4mG,IAIxC0c,EAAW1c,EAAkBqoB,KAChCzL,EAAc5c,EAAmBqoB,GAAU,WACzC,OAAOzzH,IACT,IAGFwgD,EAAO/X,QAAU,CACf2iE,kBAAmBA,EACnB03B,uBAAwBA,E,yBC9C1BtiF,EAAO/X,QAAU,CAAC,C,+BCAlB,IAAI29E,EAAc,EAAQ,OAGtB0d,EAAeC,IAAI96H,UAEvBu3C,EAAO/X,QAAU,CAEfs7F,IACA77G,IAAKk+F,EAAY0d,EAAa57G,KAC9BH,IAAKq+F,EAAY0d,EAAa/7G,KAC9ByM,IAAK4xF,EAAY0d,EAAatvG,KAC9B9c,OAAQ0uG,EAAY0d,EAAqB,QACzCpjF,MAAOojF,E,yBCXT,IAAIE,EAASpzH,KAAKqzH,MACdz3C,EAAM57E,KAAK47E,IAIfhsC,EAAO/X,SAAYu7F,GAGdA,EAAO,IAAM,oBAAsBA,EAAO,IAAM,qBAE5B,QAApBA,GAAQ,OACT,SAAejwH,GACjB,IAAIsC,GAAKtC,EACT,OAAa,IAANsC,EAAUA,EAAIA,GAAK,MAAQA,EAAI,KAAOA,EAAIA,EAAIA,EAAI,EAAIm2E,EAAIn2E,GAAK,CACxE,EAAI2tH,C,+BCfJ,IAAIjM,EAAO,EAAQ,OAEfzlH,EAAM1B,KAAK0B,IAEX4xH,EAAU,qBACVC,EAAkB,EAAID,EAM1B1jF,EAAO/X,QAAU,SAAU10B,EAAGqwH,EAAeC,EAAiBC,GAC5D,IAAIjuH,GAAKtC,EACL+iF,EAAWxkF,EAAI+D,GACfiJ,EAAIy4G,EAAK1hH,GACb,GAAIygF,EAAWwtC,EAAiB,OAAOhlH,EARnB,SAAUjJ,GAC9B,OAAOA,EAAI8tH,EAAkBA,CAC/B,CAM6CI,CAAgBztC,EAAWwtC,EAAkBF,GAAiBE,EAAkBF,EAC3H,IAAIhiH,GAAK,EAAIgiH,EAAgBF,GAAWptC,EACpChyF,EAASsd,GAAKA,EAAI00E,GAEtB,OAAIhyF,EAASu/H,GAAmBv/H,GAAWA,EAAewa,GAAIsvE,KACvDtvE,EAAIxa,CACb,C,+BCrBA,IAAI0/H,EAAa,EAAQ,OASzBhkF,EAAO/X,QAAU73B,KAAKm6G,QAAU,SAAgBh3G,GAC9C,OAAOywH,EAAWzwH,EARE,sBACE,qBACA,sBAOxB,C,yBCXA,IAAI4rH,EAAM/uH,KAAK+uH,IACX8E,EAAS7zH,KAAK6zH,OAGlBjkF,EAAO/X,QAAU73B,KAAK8zH,OAAS,SAAe3wH,GAC5C,OAAO4rH,EAAI5rH,GAAK0wH,CAClB,C,wBCNA,IAAI9E,EAAM/uH,KAAK+uH,IAKfn/E,EAAO/X,QAAU73B,KAAK+zH,OAAS,SAAe5wH,GAC5C,IAAIsC,GAAKtC,EACT,OAAOsC,GAAK,MAAQA,EAAI,KAAOA,EAAIA,EAAIA,EAAI,EAAIspH,EAAI,EAAItpH,EACzD,C,yBCLAmqC,EAAO/X,QAAU73B,KAAKmnH,MAAQ,SAAchkH,GAC1C,IAAIsC,GAAKtC,EAET,OAAa,IAANsC,GAAWA,GAAMA,EAAIA,EAAIA,EAAI,GAAK,EAAI,CAC/C,C,+BCPA,IAeI05F,EAAQhqF,EAAQrZ,EAAMwL,EAASzR,EAf/BioG,EAAa,EAAQ,OACrBk2B,EAAiB,EAAQ,OACzBphI,EAAO,EAAQ,OACfqhI,EAAY,aACZC,EAAQ,EAAQ,OAChBC,EAAS,EAAQ,OACjBC,EAAgB,EAAQ,OACxBC,EAAkB,EAAQ,MAC1BrG,EAAU,EAAQ,OAElBxqB,EAAmB1F,EAAW0F,kBAAoB1F,EAAW2F,uBAC7D9qG,EAAWmlG,EAAWnlG,SACtBoqG,EAAUjF,EAAWiF,QACrBhoG,EAAU+iG,EAAW/iG,QACrBu5H,EAAYN,EAAe,kBAI/B,IAAKM,EAAW,CACd,IAAIr3E,EAAQ,IAAIi3E,EAEZK,EAAQ,WACV,IAAI7uH,EAAQ9J,EAEZ,IADIoyH,IAAYtoH,EAASq9F,EAAQyxB,SAAS9uH,EAAO+uH,OAC1C74H,EAAKqhD,EAAM9lC,WAChBvb,GACF,CAAE,MAAO9L,GAEP,MADImtD,EAAMvwB,MAAMyyE,IACVrvG,CACR,CACI4V,GAAQA,EAAOgvH,OACrB,EAIKP,GAAWnG,GAAYqG,IAAmB7wB,IAAoB7qG,GAQvDy7H,GAAiBr5H,GAAWA,EAAQC,UAE9CsM,EAAUvM,EAAQC,aAAQxL,IAElB6tC,YAActiC,EACtBlF,EAAOjD,EAAK0U,EAAQzR,KAAMyR,GAC1B63F,EAAS,WACPtpG,EAAK0+H,EACP,GAESvG,EACT7uB,EAAS,WACP4D,EAAQ4xB,SAASJ,EACnB,GASAN,EAAYrhI,EAAKqhI,EAAWn2B,GAC5BqB,EAAS,WACP80B,EAAUM,EACZ,IAhCAp/G,GAAS,EACTrZ,EAAOnD,EAASqrB,eAAe,IAC/B,IAAIw/E,EAAiB+wB,GAAO3wB,QAAQ9nG,EAAM,CAAE84H,eAAe,IAC3Dz1B,EAAS,WACPrjG,EAAKrJ,KAAO0iB,GAAUA,CACxB,GA8BFm/G,EAAY,SAAU14H,GACfqhD,EAAMvwB,MAAMyyE,IACjBliD,EAAM9yB,IAAIvuB,EACZ,CACF,CAEAg0C,EAAO/X,QAAUy8F,C,+BC7EjB,IAAIrT,EAAY,EAAQ,OAEpBzM,EAAahnE,UAEbqnF,EAAoB,SAAUvb,GAChC,IAAIt+G,EAAS8J,EACb1V,KAAKkY,QAAU,IAAIgyG,GAAE,SAAUwb,EAAWC,GACxC,QAAgBvlI,IAAZwL,QAAoCxL,IAAXsV,EAAsB,MAAM,IAAI0vG,EAAW,2BACxEx5G,EAAU85H,EACVhwH,EAASiwH,CACX,IACA3lI,KAAK4L,QAAUimH,EAAUjmH,GACzB5L,KAAK0V,OAASm8G,EAAUn8G,EAC1B,EAIA8qC,EAAO/X,QAAQ22E,EAAI,SAAU8K,GAC3B,OAAO,IAAIub,EAAkBvb,EAC/B,C,+BCnBA,IAAI3oH,EAAW,EAAQ,KAEvBi/C,EAAO/X,QAAU,SAAU48E,EAAUugB,GACnC,YAAoBxlI,IAAbilH,EAAyBx6G,UAAU7I,OAAS,EAAI,GAAK4jI,EAAWrkI,EAAS8jH,EAClF,C,+BCJA,IAAIlvE,EAAW,EAAQ,OAEnBivE,EAAahnE,UAEjBoC,EAAO/X,QAAU,SAAU+8E,GACzB,GAAIrvE,EAASqvE,GACX,MAAM,IAAIJ,EAAW,iDACrB,OAAOI,CACX,C,+BCRA,IAEIqgB,EAFa,EAAQ,OAEOjmH,SAKhC4gC,EAAO/X,QAAUjmB,OAAO5C,UAAY,SAAkB4lG,GACpD,MAAoB,iBAANA,GAAkBqgB,EAAergB,EACjD,C,+BCTA,IAAI9W,EAAa,EAAQ,OACrB6X,EAAQ,EAAQ,OAChBH,EAAc,EAAQ,OACtB7kH,EAAW,EAAQ,KACnBge,EAAO,cACPumH,EAAc,EAAQ,OAEtB7mH,EAASmnG,EAAY,GAAGnnG,QACxB8mH,EAAcr3B,EAAW/uF,WACzByxB,EAASs9D,EAAWt9D,OACpBqiF,EAAWriF,GAAUA,EAAOC,SAC5BmgF,EAAS,EAAIuU,EAAYD,EAAc,QAAU,KAE/CrS,IAAalN,GAAM,WAAcwf,EAAYl/H,OAAO4sH,GAAY,IAItEjzE,EAAO/X,QAAU+oF,EAAS,SAAoBnyG,GAC5C,IAAI2mH,EAAgBzmH,EAAKhe,EAAS8d,IAC9Bva,EAASihI,EAAYC,GACzB,OAAkB,IAAXlhI,GAA6C,MAA7Bma,EAAO+mH,EAAe,IAAc,EAAIlhI,CACjE,EAAIihI,C,+BCrBJ,IAAIr3B,EAAa,EAAQ,OACrB6X,EAAQ,EAAQ,OAChBH,EAAc,EAAQ,OACtB7kH,EAAW,EAAQ,KACnBge,EAAO,cACPumH,EAAc,EAAQ,OAEtBG,EAAYv3B,EAAWnxF,SACvB6zB,EAASs9D,EAAWt9D,OACpBqiF,EAAWriF,GAAUA,EAAOC,SAC5B60F,EAAM,YACNtvF,EAAOwvE,EAAY8f,EAAItvF,MACvB46E,EAA2C,IAAlCyU,EAAUH,EAAc,OAAmD,KAApCG,EAAUH,EAAc,SAEtErS,IAAalN,GAAM,WAAc0f,EAAUp/H,OAAO4sH,GAAY,IAIpEjzE,EAAO/X,QAAU+oF,EAAS,SAAkBnyG,EAAQ8mH,GAClD,IAAItP,EAAIt3G,EAAKhe,EAAS8d,IACtB,OAAO4mH,EAAUpP,EAAIsP,IAAU,IAAOvvF,EAAKsvF,EAAKrP,GAAK,GAAK,IAC5D,EAAIoP,C,+BCrBJ,IAAIpe,EAAc,EAAQ,OACtBzB,EAAc,EAAQ,OACtBzlH,EAAO,EAAQ,OACf4lH,EAAQ,EAAQ,OAChB6f,EAAa,EAAQ,OACrBC,EAA8B,EAAQ,OACtCC,EAA6B,EAAQ,OACrCxX,EAAW,EAAQ,OACnBuB,EAAgB,EAAQ,OAGxBkW,EAAU1/H,OAAOC,OAEjBmvB,EAAiBpvB,OAAOovB,eACxBoK,EAAS+lF,EAAY,GAAG/lF,QAI5BmgB,EAAO/X,SAAW89F,GAAWhgB,GAAM,WAEjC,GAAIsB,GAQiB,IARF0e,EAAQ,CAAE1mH,EAAG,GAAK0mH,EAAQtwG,EAAe,CAAC,EAAG,IAAK,CACnEqnB,YAAY,EACZv1B,IAAK,WACHkO,EAAej2B,KAAM,IAAK,CACxBgE,MAAO,EACPs5C,YAAY,GAEhB,IACE,CAAEz9B,EAAG,KAAMA,EAAS,OAAO,EAE/B,IAAI4yG,EAAI,CAAC,EACL+T,EAAI,CAAC,EAELC,EAASr1F,OAAO,oBAChBs1F,EAAW,uBAGf,OAFAjU,EAAEgU,GAAU,EACZC,EAASllI,MAAM,IAAI0L,SAAQ,SAAUitE,GAAOqsD,EAAErsD,GAAOA,CAAK,IACxB,IAA3BosD,EAAQ,CAAC,EAAG9T,GAAGgU,IAAiBL,EAAWG,EAAQ,CAAC,EAAGC,IAAI/kI,KAAK,MAAQilI,CACjF,IAAK,SAAgBj5H,EAAQmM,GAM3B,IALA,IAAI+sH,EAAI7X,EAASrhH,GACb2hH,EAAkBvkH,UAAU7I,OAC5B8lC,EAAQ,EACR8+F,EAAwBP,EAA4BjnB,EACpDynB,EAAuBP,EAA2BlnB,EAC/CgQ,EAAkBtnF,GAMvB,IALA,IAIIjkC,EAJAgzH,EAAIxG,EAAcxlH,UAAUi9B,MAC5BtL,EAAOoqG,EAAwBvmG,EAAO+lG,EAAWvP,GAAI+P,EAAsB/P,IAAMuP,EAAWvP,GAC5F70H,EAASw6B,EAAKx6B,OACdwP,EAAI,EAEDxP,EAASwP,GACd3N,EAAM24B,EAAKhrB,KACNq2G,IAAelnH,EAAKkmI,EAAsBhQ,EAAGhzH,KAAM8iI,EAAE9iI,GAAOgzH,EAAEhzH,IAErE,OAAO8iI,CACX,EAAIJ,C,+BCtDJ,IAAItgB,EAAU,EAAQ,OAClBoL,EAAkB,EAAQ,OAC1ByV,EAAuB,WACvB5b,EAAa,EAAQ,OAErB6b,EAA+B,iBAAV5iI,QAAsBA,QAAU0C,OAAOq6H,oBAC5Dr6H,OAAOq6H,oBAAoB/8H,QAAU,GAWzCq8C,EAAO/X,QAAQ22E,EAAI,SAA6BoG,GAC9C,OAAOuhB,GAA+B,WAAhB9gB,EAAQT,GAVX,SAAUA,GAC7B,IACE,OAAOshB,EAAqBthB,EAC9B,CAAE,MAAO9kH,GACP,OAAOwqH,EAAW6b,EACpB,CACF,CAKMC,CAAexhB,GACfshB,EAAqBzV,EAAgB7L,GAC3C,C,+BCtBA,IAAI7b,EAAS,EAAQ,OACjBme,EAAa,EAAQ,OACrBgH,EAAW,EAAQ,OACnBmY,EAAY,EAAQ,OACpBC,EAA2B,EAAQ,OAEnCC,EAAWF,EAAU,YACrBG,EAAUvgI,OACV+hH,EAAkBwe,EAAQn+H,UAK9Bu3C,EAAO/X,QAAUy+F,EAA2BE,EAAQxpF,eAAiB,SAAUsoE,GAC7E,IAAIv8D,EAASmlE,EAAS5I,GACtB,GAAIvc,EAAOhgD,EAAQw9E,GAAW,OAAOx9E,EAAOw9E,GAC5C,IAAIl5F,EAAc0b,EAAO1b,YACzB,OAAI65E,EAAW75E,IAAgB0b,aAAkB1b,EACxCA,EAAYhlC,UACZ0gD,aAAkBy9E,EAAUxe,EAAkB,IACzD,C,+BCpBA,IAAIrC,EAAQ,EAAQ,OAChBxzE,EAAW,EAAQ,OACnBkzE,EAAU,EAAQ,OAClBohB,EAA8B,EAAQ,OAGtCC,EAAgBzgI,OAAO4/G,aACvB8gB,EAAsBhhB,GAAM,WAAc+gB,EAAc,EAAI,IAIhE9mF,EAAO/X,QAAW8+F,GAAuBF,EAA+B,SAAsB7hB,GAC5F,QAAKzyE,EAASyyE,MACV6hB,GAA+C,gBAAhBphB,EAAQT,OACpC8hB,GAAgBA,EAAc9hB,GACvC,EAAI8hB,C,+BCbJ,IAAI3E,EAAU,EAAQ,OAClBj0B,EAAa,EAAQ,OACrB6X,EAAQ,EAAQ,OAChBihB,EAAS,EAAQ,MAGrBhnF,EAAO/X,QAAUk6F,IAAYpc,GAAM,WAGjC,KAAIihB,GAAUA,EAAS,KAAvB,CACA,IAAI3jI,EAAM+M,KAAK62H,SAEfC,iBAAiB/mI,KAAK,KAAMkD,GAAK,WAA0B,WACpD6qG,EAAW7qG,EAJgB,CAKpC,G,+BCfA,IAAImiH,EAAsB,EAAQ,OAC9BjzE,EAAW,EAAQ,OACnB2jF,EAAyB,EAAQ,OACjCiR,EAAqB,EAAQ,OAMjCnnF,EAAO/X,QAAU5hC,OAAO42C,iBAAmB,aAAe,CAAC,EAAI,WAC7D,IAEI06E,EAFAyP,GAAiB,EACjBr+F,EAAO,CAAC,EAEZ,KACE4uF,EAASnS,EAAoBn/G,OAAOoC,UAAW,YAAa,QACrDsgC,EAAM,IACbq+F,EAAiBr+F,aAAgBhL,KACnC,CAAE,MAAO79B,GAAqB,CAC9B,OAAO,SAAwBwlH,EAAGxlE,GAGhC,OAFAg2E,EAAuBxQ,GACvByhB,EAAmBjnF,GACd3N,EAASmzE,IACV0hB,EAAgBzP,EAAOjS,EAAGxlE,GACzBwlE,EAAExoE,UAAYgD,EACZwlE,GAHkBA,CAI3B,CACF,CAjB+D,QAiBzD9lH,E,+BC3BN,IAAIynH,EAAc,EAAQ,OACtBtB,EAAQ,EAAQ,OAChBH,EAAc,EAAQ,OACtByhB,EAAuB,EAAQ,OAC/BzB,EAAa,EAAQ,OACrB/U,EAAkB,EAAQ,OAG1BwV,EAAuBzgB,EAFC,YAGxB14G,EAAO04G,EAAY,GAAG14G,MAItBo6H,EAASjgB,GAAetB,GAAM,WAEhC,IAAIL,EAAIr/G,OAAOrC,OAAO,MAEtB,OADA0hH,EAAE,GAAK,GACC2gB,EAAqB3gB,EAAG,EAClC,IAGIoK,EAAe,SAAUyX,GAC3B,OAAO,SAAUviB,GAQf,IAPA,IAMI3hH,EANAqiH,EAAImL,EAAgB7L,GACpBhpF,EAAO4pG,EAAWlgB,GAClB8hB,EAAgBF,GAAsC,OAA5BD,EAAqB3hB,GAC/ClkH,EAASw6B,EAAKx6B,OACdyP,EAAI,EACJ3M,EAAS,GAEN9C,EAASyP,GACd5N,EAAM24B,EAAK/qB,KACNo2G,KAAgBmgB,EAAgBnkI,KAAOqiH,EAAI2gB,EAAqB3gB,EAAGriH,KACtE6J,EAAK5I,EAAQijI,EAAa,CAAClkI,EAAKqiH,EAAEriH,IAAQqiH,EAAEriH,IAGhD,OAAOiB,CACT,CACF,EAEA07C,EAAO/X,QAAU,CAGfuI,QAASs/E,GAAa,GAGtBl9F,OAAQk9F,GAAa,G,+BC9CvB,IAAI2X,EAAwB,EAAQ,OAChChiB,EAAU,EAAQ,OAItBzlE,EAAO/X,QAAUw/F,EAAwB,CAAC,EAAE1mI,SAAW,WACrD,MAAO,WAAa0kH,EAAQjmH,MAAQ,GACtC,C,+BCPA,IAAI0uG,EAAa,EAAQ,OAEzBluD,EAAO/X,QAAUimE,C,wBCFjBluD,EAAO/X,QAAU,SAAUmO,GACzB,IACE,MAAO,CAAEl2C,OAAO,EAAOsD,MAAO4yC,IAChC,CAAE,MAAOl2C,GACP,MAAO,CAAEA,OAAO,EAAMsD,MAAOtD,EAC/B,CACF,C,+BCNA,IAAIguG,EAAa,EAAQ,OACrBw5B,EAA2B,EAAQ,OACnCpgB,EAAa,EAAQ,OACrBwN,EAAW,EAAQ,OACnBgM,EAAgB,EAAQ,OACxB7b,EAAkB,EAAQ,OAC1BkX,EAAc,EAAQ,OACtBgG,EAAU,EAAQ,OAClBjR,EAAa,EAAQ,OAErByW,EAAyBD,GAA4BA,EAAyBj/H,UAC9E0oH,EAAUlM,EAAgB,WAC1B2iB,GAAc,EACdC,EAAiCvgB,EAAWpZ,EAAW45B,uBAEvDC,EAA6BjT,EAAS,WAAW,WACnD,IAAIkT,EAA6BlH,EAAc4G,GAC3CO,EAAyBD,IAA+B5+G,OAAOs+G,GAInE,IAAKO,GAAyC,KAAf/W,EAAmB,OAAO,EAEzD,GAAIiR,KAAawF,EAA8B,QAAKA,EAAgC,SAAI,OAAO,EAI/F,IAAKzW,GAAcA,EAAa,KAAO,cAAcnoF,KAAKi/F,GAA6B,CAErF,IAAItwH,EAAU,IAAIgwH,GAAyB,SAAUt8H,GAAWA,EAAQ,EAAI,IACxE88H,EAAc,SAAU9xF,GAC1BA,GAAK,WAA0B,IAAG,WAA0B,GAC9D,EAIA,IAHkB1+B,EAAQ+1B,YAAc,CAAC,GAC7B0jF,GAAW+W,IACvBN,EAAclwH,EAAQzR,MAAK,WAA0B,cAAciiI,GACjD,OAAO,CAE3B,CAAE,QAAQD,GAA2C,YAAhB9L,GAA6C,SAAhBA,GAA4B0L,EAChG,IAEA7nF,EAAO/X,QAAU,CACfq2F,YAAayJ,EACbI,gBAAiBN,EACjBD,YAAaA,E,+BC5Cf,IAAI15B,EAAa,EAAQ,OAEzBluD,EAAO/X,QAAUimE,EAAW/iG,O,+BCF5B,IAAI2nH,EAAW,EAAQ,OACnBvgF,EAAW,EAAQ,OACnB61F,EAAuB,EAAQ,OAEnCpoF,EAAO/X,QAAU,SAAUyhF,EAAGn2G,GAE5B,GADAu/G,EAASpJ,GACLn3E,EAASh/B,IAAMA,EAAEk6B,cAAgBi8E,EAAG,OAAOn2G,EAC/C,IAAI80H,EAAoBD,EAAqBxpB,EAAE8K,GAG/C,OADAt+G,EADci9H,EAAkBj9H,SACxBmI,GACD80H,EAAkB3wH,OAC3B,C,+BCXA,IAAIgwH,EAA2B,EAAQ,OACnC1S,EAA8B,EAAQ,OACtC+S,EAA6B,qBAEjC/nF,EAAO/X,QAAU8/F,IAA+B/S,GAA4B,SAAUroB,GACpF+6B,EAAyB78F,IAAI8hE,GAAU1mG,UAAKrG,GAAW,WAA0B,GACnF,G,+BCNA,IAAI61B,EAAiB,WAErBuqB,EAAO/X,QAAU,SAAUqgG,EAAQC,EAAQllI,GACzCA,KAAOilI,GAAU7yG,EAAe6yG,EAAQjlI,EAAK,CAC3C05C,cAAc,EACdx1B,IAAK,WAAc,OAAOghH,EAAOllI,EAAM,EACvCqkB,IAAK,SAAUs9F,GAAMujB,EAAOllI,GAAO2hH,CAAI,GAE3C,C,yBCRA,IAAIsf,EAAQ,WACV9kI,KAAKs9B,KAAO,KACZt9B,KAAKioB,KAAO,IACd,EAEA68G,EAAM77H,UAAY,CAChB8xB,IAAK,SAAUJ,GACb,IAAI9G,EAAQ,CAAE8G,KAAMA,EAAM+W,KAAM,MAC5BzpB,EAAOjoB,KAAKioB,KACZA,EAAMA,EAAKypB,KAAO7d,EACjB7zB,KAAKs9B,KAAOzJ,EACjB7zB,KAAKioB,KAAO4L,CACd,EACA9L,IAAK,WACH,IAAI8L,EAAQ7zB,KAAKs9B,KACjB,GAAIzJ,EAGF,OADa,QADF7zB,KAAKs9B,KAAOzJ,EAAM6d,QACV1xC,KAAKioB,KAAO,MACxB4L,EAAM8G,IAEjB,GAGF6lB,EAAO/X,QAAUq8F,C,+BCvBjB,IAAInkI,EAAO,EAAQ,OACfgpG,EAAS,EAAQ,OACjBic,EAAgB,EAAQ,MACxBojB,EAAc,EAAQ,OAEtBC,EAAkBtyF,OAAO1tC,UAE7Bu3C,EAAO/X,QAAU,SAAUygG,GACzB,IAAIC,EAAQD,EAAEC,MACd,YAAiB/oI,IAAV+oI,GAAyB,UAAWF,GAAqBt/B,EAAOu/B,EAAG,WAAYtjB,EAAcqjB,EAAiBC,GAC1FC,EAAvBxoI,EAAKqoI,EAAaE,EACxB,C,+BCXA,IAAIx6B,EAAa,EAAQ,OACrBmZ,EAAc,EAAQ,OAGtBmK,EAA2BnrH,OAAOmrH,yBAGtCxxE,EAAO/X,QAAU,SAAUh9B,GACzB,IAAKo8G,EAAa,OAAOnZ,EAAWjjG,GACpC,IAAI4xC,EAAa20E,EAAyBtjB,EAAYjjG,GACtD,OAAO4xC,GAAcA,EAAWr5C,KAClC,C,wBCRAw8C,EAAO/X,QAAU5hC,OAAOuf,IAAM,SAAYrS,EAAGC,GAE3C,OAAOD,IAAMC,EAAU,IAAND,GAAW,EAAIA,GAAM,EAAIC,EAAID,GAAMA,GAAKC,GAAMA,CACjE,C,+BCNA,IAWM4U,EAXF8lF,EAAa,EAAQ,OACrBh0F,EAAQ,EAAQ,OAChBotG,EAAa,EAAQ,OACrB6U,EAAc,EAAQ,OACtByM,EAAa,EAAQ,OACrBle,EAAa,EAAQ,OACrBme,EAA0B,EAAQ,OAElC16B,EAAWD,EAAWC,SAEtB26B,EAAO,WAAW//F,KAAK6/F,IAA+B,QAAhBzM,KACpC/zG,EAAU8lF,EAAWouB,IAAIl0G,QAAQpnB,MAAM,MAC5BQ,OAAS,GAAoB,MAAf4mB,EAAQ,KAAeA,EAAQ,GAAK,GAAoB,MAAfA,EAAQ,IAA6B,MAAfA,EAAQ,KAMtG43B,EAAO/X,QAAU,SAAU8gG,EAAWC,GACpC,IAAIC,EAAkBD,EAAa,EAAI,EACvC,OAAOF,EAAO,SAAUjrH,EAASrd,GAC/B,IAAI0oI,EAAYL,EAAwBx+H,UAAU7I,OAAQ,GAAKynI,EAC3Dj9H,EAAKs7G,EAAWzpG,GAAWA,EAAUswF,EAAStwF,GAC9C/V,EAASohI,EAAYxe,EAAWrgH,UAAW4+H,GAAmB,GAC9D1pI,EAAW2pI,EAAY,WACzBhvH,EAAMlO,EAAIxM,KAAMsI,EAClB,EAAIkE,EACJ,OAAOg9H,EAAaD,EAAUxpI,EAAUiB,GAAWuoI,EAAUxpI,EAC/D,EAAIwpI,CACN,C,+BC7BA,IAAII,EAAa,EAAQ,OACrB3V,EAAU,EAAQ,OAElB4V,EAAMD,EAAWC,IACjB7uG,EAAM4uG,EAAW5uG,IAErBylB,EAAO/X,QAAU,SAAUvgB,GACzB,IAAIpjB,EAAS,IAAI8kI,EAIjB,OAHA5V,EAAQ9rG,GAAK,SAAUs9F,GACrBzqF,EAAIj2B,EAAQ0gH,EACd,IACO1gH,CACT,C,+BCZA,IAAI+kI,EAAO,EAAQ,OACfF,EAAa,EAAQ,OACrBt2H,EAAQ,EAAQ,OAChBK,EAAO,EAAQ,OACfo2H,EAAe,EAAQ,OACvBC,EAAa,EAAQ,OACrBC,EAAgB,EAAQ,OAExBx1G,EAAMm1G,EAAWn1G,IACjB9c,EAASiyH,EAAWjyH,OAIxB8oC,EAAO/X,QAAU,SAAoBktB,GACnC,IAAIuwD,EAAI2jB,EAAK7pI,MACTiqI,EAAWH,EAAan0E,GACxB7wD,EAASuO,EAAM6yG,GAOnB,OANIxyG,EAAKwyG,IAAM+jB,EAASv2H,KAAMq2H,EAAW7jB,GAAG,SAAUvxG,GAChDs1H,EAAS96H,SAASwF,IAAI+C,EAAO5S,EAAQ6P,EAC3C,IACKq1H,EAAcC,EAASna,eAAe,SAAUn7G,GAC/C6f,EAAI0xF,EAAGvxG,IAAI+C,EAAO5S,EAAQ6P,EAChC,IACO7P,CACT,C,+BCxBA,IAAIshH,EAAc,EAAQ,OAGtB8jB,EAAeN,IAAI3gI,UAEvBu3C,EAAO/X,QAAU,CAEfmhG,IACA7uG,IAAKqrF,EAAY8jB,EAAanvG,KAC9BvG,IAAK4xF,EAAY8jB,EAAa11G,KAC9B9c,OAAQ0uG,EAAY8jB,EAAqB,QACzCxpF,MAAOwpF,E,+BCXT,IAAIL,EAAO,EAAQ,OACfF,EAAa,EAAQ,OACrBj2H,EAAO,EAAQ,OACfo2H,EAAe,EAAQ,OACvBC,EAAa,EAAQ,OACrBC,EAAgB,EAAQ,OAExBJ,EAAMD,EAAWC,IACjB7uG,EAAM4uG,EAAW5uG,IACjBvG,EAAMm1G,EAAWn1G,IAIrBgsB,EAAO/X,QAAU,SAAsBktB,GACrC,IAAIuwD,EAAI2jB,EAAK7pI,MACTiqI,EAAWH,EAAan0E,GACxB7wD,EAAS,IAAI8kI,EAYjB,OAVIl2H,EAAKwyG,GAAK+jB,EAASv2H,KACrBs2H,EAAcC,EAASna,eAAe,SAAUn7G,GAC1C6f,EAAI0xF,EAAGvxG,IAAIomB,EAAIj2B,EAAQ6P,EAC7B,IAEAo1H,EAAW7jB,GAAG,SAAUvxG,GAClBs1H,EAAS96H,SAASwF,IAAIomB,EAAIj2B,EAAQ6P,EACxC,IAGK7P,CACT,C,+BC7BA,IAAI+kI,EAAO,EAAQ,OACfr1G,EAAM,aACN9gB,EAAO,EAAQ,OACfo2H,EAAe,EAAQ,OACvBC,EAAa,EAAQ,OACrBC,EAAgB,EAAQ,OACxBzW,EAAgB,EAAQ,MAI5B/yE,EAAO/X,QAAU,SAAwBktB,GACvC,IAAIuwD,EAAI2jB,EAAK7pI,MACTiqI,EAAWH,EAAan0E,GAC5B,GAAIjiD,EAAKwyG,IAAM+jB,EAASv2H,KAAM,OAEjB,IAFwBq2H,EAAW7jB,GAAG,SAAUvxG,GAC3D,GAAIs1H,EAAS96H,SAASwF,GAAI,OAAO,CACnC,IAAG,GACH,IAAI08B,EAAW44F,EAASna,cACxB,OAEO,IAFAka,EAAc34F,GAAU,SAAU18B,GACvC,GAAI6f,EAAI0xF,EAAGvxG,GAAI,OAAO4+G,EAAcliF,EAAU,UAAU,EAC1D,GACF,C,+BCpBA,IAAIw4F,EAAO,EAAQ,OACfn2H,EAAO,EAAQ,OACfsgH,EAAU,EAAQ,OAClB8V,EAAe,EAAQ,OAI3BtpF,EAAO/X,QAAU,SAAoBktB,GACnC,IAAIuwD,EAAI2jB,EAAK7pI,MACTiqI,EAAWH,EAAan0E,GAC5B,QAAIjiD,EAAKwyG,GAAK+jB,EAASv2H,QAGV,IAFNsgH,EAAQ9N,GAAG,SAAUvxG,GAC1B,IAAKs1H,EAAS96H,SAASwF,GAAI,OAAO,CACpC,IAAG,EACL,C,+BCdA,IAAIk1H,EAAO,EAAQ,OACfr1G,EAAM,aACN9gB,EAAO,EAAQ,OACfo2H,EAAe,EAAQ,OACvBE,EAAgB,EAAQ,OACxBzW,EAAgB,EAAQ,MAI5B/yE,EAAO/X,QAAU,SAAsBktB,GACrC,IAAIuwD,EAAI2jB,EAAK7pI,MACTiqI,EAAWH,EAAan0E,GAC5B,GAAIjiD,EAAKwyG,GAAK+jB,EAASv2H,KAAM,OAAO,EACpC,IAAI29B,EAAW44F,EAASna,cACxB,OAEO,IAFAka,EAAc34F,GAAU,SAAU18B,GACvC,IAAK6f,EAAI0xF,EAAGvxG,GAAI,OAAO4+G,EAAcliF,EAAU,UAAU,EAC3D,GACF,C,+BCjBA,IAAI+0E,EAAc,EAAQ,OACtB4jB,EAAgB,EAAQ,OACxBL,EAAa,EAAQ,OAErBC,EAAMD,EAAWC,IACjBM,EAAeP,EAAWjpF,MAC1BxzC,EAAUk5G,EAAY8jB,EAAah9H,SACnCsvB,EAAO4pF,EAAY8jB,EAAa1tG,MAChCkV,EAAOlV,EAAK,IAAIotG,GAAOl4F,KAE3B8O,EAAO/X,QAAU,SAAUvgB,EAAK1b,EAAI29H,GAClC,OAAOA,EAAgBH,EAAc,CAAE34F,SAAU7U,EAAKtU,GAAMwpB,KAAMA,GAAQllC,GAAMU,EAAQgb,EAAK1b,EAC/F,C,+BCZA,IAAI60H,EAAa,EAAQ,OAErB+I,EAAgB,SAAU12H,GAC5B,MAAO,CACLA,KAAMA,EACN8gB,IAAK,WACH,OAAO,CACT,EACAgI,KAAM,WACJ,MAAO,CACLkV,KAAM,WACJ,MAAO,CAAEz3B,MAAM,EACjB,EAEJ,EAEJ,EAEAumC,EAAO/X,QAAU,SAAUh9B,GACzB,IAAIm+H,EAAMvI,EAAW,OACrB,KACE,IAAIuI,GAAMn+H,GAAM2+H,EAAc,IAC9B,IAIE,OADA,IAAIR,GAAMn+H,GAAM2+H,GAAe,KACxB,CACT,CAAE,MAAO7f,GACP,OAAO,CACT,CACF,CAAE,MAAO7pH,GACP,OAAO,CACT,CACF,C,+BCjCA,IAAIslH,EAAsB,EAAQ,OAC9B2jB,EAAa,EAAQ,OAEzBnpF,EAAO/X,QAAUu9E,EAAoB2jB,EAAWjpF,MAAO,OAAQ,QAAU,SAAUx4B,GACjF,OAAOA,EAAIxU,IACb,C,+BCLA,IAAI2tH,EAAa,EAAQ,OACrBpZ,EAAwB,EAAQ,OAChCxC,EAAkB,EAAQ,OAC1BoC,EAAc,EAAQ,OAEtB8J,EAAUlM,EAAgB,WAE9BjlE,EAAO/X,QAAU,SAAU8rF,GACzB,IAAIj2E,EAAc+iF,EAAW9M,GAEzB1M,GAAevpE,IAAgBA,EAAYqzE,IAC7C1J,EAAsB3pE,EAAaqzE,EAAS,CAC1Cp0E,cAAc,EACdx1B,IAAK,WAAc,OAAO/nB,IAAM,GAGtC,C,+BChBA,IAAI6pI,EAAO,EAAQ,OACfF,EAAa,EAAQ,OACrBt2H,EAAQ,EAAQ,OAChBy2H,EAAe,EAAQ,OACvBE,EAAgB,EAAQ,OAExBjvG,EAAM4uG,EAAW5uG,IACjBvG,EAAMm1G,EAAWn1G,IACjB9c,EAASiyH,EAAWjyH,OAIxB8oC,EAAO/X,QAAU,SAA6BktB,GAC5C,IAAIuwD,EAAI2jB,EAAK7pI,MACTqqI,EAAWP,EAAan0E,GAAOm6D,cAC/BhrH,EAASuO,EAAM6yG,GAKnB,OAJA8jB,EAAcK,GAAU,SAAU11H,GAC5B6f,EAAI0xF,EAAGvxG,GAAI+C,EAAO5S,EAAQ6P,GACzBomB,EAAIj2B,EAAQ6P,EACnB,IACO7P,CACT,C,+BCrBA,IAAImxB,EAAiB,WACjB0zE,EAAS,EAAQ,OAGjBkf,EAFkB,EAAQ,MAEVpD,CAAgB,eAEpCjlE,EAAO/X,QAAU,SAAUh7B,EAAQ68H,EAAKC,GAClC98H,IAAW88H,IAAQ98H,EAASA,EAAOxE,WACnCwE,IAAWk8F,EAAOl8F,EAAQo7G,IAC5B5yF,EAAexoB,EAAQo7G,EAAe,CAAEtrE,cAAc,EAAMv5C,MAAOsmI,GAEvE,C,+BCXA,IAAIT,EAAO,EAAQ,OACf9uG,EAAM,aACN1nB,EAAQ,EAAQ,OAChBy2H,EAAe,EAAQ,OACvBE,EAAgB,EAAQ,OAI5BxpF,EAAO/X,QAAU,SAAektB,GAC9B,IAAIuwD,EAAI2jB,EAAK7pI,MACTqqI,EAAWP,EAAan0E,GAAOm6D,cAC/BhrH,EAASuO,EAAM6yG,GAInB,OAHA8jB,EAAcK,GAAU,SAAU7kB,GAChCzqF,EAAIj2B,EAAQ0gH,EACd,IACO1gH,CACT,C,8BChBA,IAAIwuH,EAAW,EAAQ,OACnBkX,EAAe,EAAQ,OACvBzW,EAAoB,EAAQ,OAG5BpC,EAFkB,EAAQ,MAEhBlM,CAAgB,WAI9BjlE,EAAO/X,QAAU,SAAUy9E,EAAGukB,GAC5B,IACI5T,EADA3M,EAAIoJ,EAASpN,GAAGj4E,YAEpB,YAAa7tC,IAAN8pH,GAAmB6J,EAAkB8C,EAAIvD,EAASpJ,GAAGyH,IAAY8Y,EAAqBD,EAAa3T,EAC5G,C,+BCbA,IAAItQ,EAAQ,EAAQ,OAIpB/lE,EAAO/X,QAAU,SAAUmpF,GACzB,OAAOrL,GAAM,WACX,IAAIh9E,EAAO,GAAGqoF,GAAa,KAC3B,OAAOroF,IAASA,EAAKjsB,eAAiBisB,EAAK/nC,MAAM,KAAKQ,OAAS,CACjE,GACF,C,+BCRA,IAAIqb,EAAY,EAAQ,OAExBmjC,EAAO/X,QAAU,mEAAmEc,KAAKlsB,E,+BCFzF,IAAI+oG,EAAc,EAAQ,OACtB0E,EAAW,EAAQ,OACnBvpH,EAAW,EAAQ,KACnBmpI,EAAU,EAAQ,OAClBhU,EAAyB,EAAQ,OAEjCiU,EAASvkB,EAAYskB,GACrBE,EAAcxkB,EAAY,GAAGv5G,OAC7ByE,EAAOV,KAAKU,KAGZg/G,EAAe,SAAUua,GAC3B,OAAO,SAAUrwG,EAAOswG,EAAWC,GACjC,IAIIC,EAASC,EAJTpU,EAAIt1H,EAASm1H,EAAuBl8F,IACpC0wG,EAAepgB,EAASggB,GACxBK,EAAetU,EAAE70H,OACjBopI,OAAyBhrI,IAAf2qI,EAA2B,IAAMxpI,EAASwpI,GAExD,OAAIG,GAAgBC,GAA4B,KAAZC,EAAuBvU,IAE3DoU,EAAeN,EAAOS,EAAS95H,GAD/B05H,EAAUE,EAAeC,GACqBC,EAAQppI,UACrCA,OAASgpI,IAASC,EAAeL,EAAYK,EAAc,EAAGD,IACxEH,EAAShU,EAAIoU,EAAeA,EAAepU,EACpD,CACF,EAEAr2E,EAAO/X,QAAU,CAGfvC,MAAOoqF,GAAa,GAGpBnqF,IAAKmqF,GAAa,G,8BChCpB,IAAIlK,EAAc,EAAQ,OAEtBilB,EAAS,WASTC,EAAgB,eAChBC,EAAkB,yBAClBC,EAAiB,kDAGjB9Y,EAAcrG,WACdz1E,EAAOwvE,EAAYmlB,EAAgB30F,MACnCxkC,EAAQxB,KAAKwB,MACbsoC,EAAe9wB,OAAO8wB,aACtBG,EAAaurE,EAAY,GAAGvrE,YAC5Bp5C,EAAO2kH,EAAY,GAAG3kH,MACtBiM,EAAO04G,EAAY,GAAG14G,MACtB4G,EAAU8xG,EAAY,GAAG9xG,SACzB9S,EAAQ4kH,EAAY,GAAG5kH,OACvB8b,EAAc8oG,EAAY,GAAG9oG,aAoC7BmuH,EAAe,SAAUC,GAG3B,OAAOA,EAAQ,GAAK,IAAMA,EAAQ,GACpC,EAMIC,EAAQ,SAAU56C,EAAO66C,EAAWC,GACtC,IAAI/rH,EAAI,EAGR,IAFAixE,EAAQ86C,EAAYz5H,EAAM2+E,EAlEjB,KAkEiCA,GAAS,EACnDA,GAAS3+E,EAAM2+E,EAAQ66C,GAChB76C,EAAQ+6C,KACb/6C,EAAQ3+E,EAAM2+E,EA9DE/iD,IA+DhBluB,GA1EO,GA4ET,OAAO1N,EAAM0N,EAAI,GAAsBixE,GAASA,EAzEvC,IA0EX,EAMIg7C,EAAS,SAAU1kG,GACrB,IAAImT,EAAS,GAGbnT,EAxDe,SAAUhoB,GAIzB,IAHA,IAAIm7B,EAAS,GACTjpB,EAAU,EACVvvB,EAASqd,EAAOrd,OACbuvB,EAAUvvB,GAAQ,CACvB,IAAIgC,EAAQ62C,EAAWx7B,EAAQkS,KAC/B,GAAIvtB,GAAS,OAAUA,GAAS,OAAUutB,EAAUvvB,EAAQ,CAE1D,IAAIiqD,EAAQpR,EAAWx7B,EAAQkS,KACN,QAAZ,MAAR06B,GACHv+C,EAAK8sC,IAAkB,KAARx2C,IAAkB,KAAe,KAARioD,GAAiB,QAIzDv+C,EAAK8sC,EAAQx2C,GACbutB,IAEJ,MACE7jB,EAAK8sC,EAAQx2C,EAEjB,CACA,OAAOw2C,CACT,CAkCUwxF,CAAW3kG,GAGnB,IAMI51B,EAAGwrF,EANHxzC,EAAcpiB,EAAMrlC,OAGpBqU,EAvFS,IAwFT06E,EAAQ,EACRk7C,EA1FY,GA8FhB,IAAKx6H,EAAI,EAAGA,EAAI41B,EAAMrlC,OAAQyP,KAC5BwrF,EAAe51D,EAAM51B,IACF,KACjB/D,EAAK8sC,EAAQE,EAAauiD,IAI9B,IAAIivC,EAAc1xF,EAAOx4C,OACrBmqI,EAAiBD,EAQrB,IALIA,GACFx+H,EAAK8sC,EAxGO,KA4GP2xF,EAAiB1iF,GAAa,CAEnC,IAAIvqC,EAAImsH,EACR,IAAK55H,EAAI,EAAGA,EAAI41B,EAAMrlC,OAAQyP,KAC5BwrF,EAAe51D,EAAM51B,KACD4E,GAAK4mF,EAAe/9E,IACtCA,EAAI+9E,GAKR,IAAImvC,EAAwBD,EAAiB,EAC7C,GAAIjtH,EAAI7I,EAAIjE,GAAOi5H,EAASt6C,GAASq7C,GACnC,MAAM,IAAI1Z,EAAY8Y,GAMxB,IAHAz6C,IAAU7xE,EAAI7I,GAAK+1H,EACnB/1H,EAAI6I,EAECzN,EAAI,EAAGA,EAAI41B,EAAMrlC,OAAQyP,IAAK,CAEjC,IADAwrF,EAAe51D,EAAM51B,IACF4E,KAAO06E,EAAQs6C,EAChC,MAAM,IAAI3Y,EAAY8Y,GAExB,GAAIvuC,IAAiB5mF,EAAG,CAItB,IAFA,IAAIojC,EAAIs3C,EACJjxE,EA9ID,KA+IU,CACX,IAAI3d,EAAI2d,GAAKmsH,EA/IZ,EA+I0BnsH,GAAKmsH,EA9I/B,MA8IoDnsH,EAAImsH,EACzD,GAAIxyF,EAAIt3C,EAAG,MACX,IAAIkqI,EAAU5yF,EAAIt3C,EACdmqI,EAnJH,GAmJuBnqI,EACxBuL,EAAK8sC,EAAQE,EAAa+wF,EAAatpI,EAAIkqI,EAAUC,KACrD7yF,EAAIrnC,EAAMi6H,EAAUC,GACpBxsH,GAtJC,EAuJH,CAEApS,EAAK8sC,EAAQE,EAAa+wF,EAAahyF,KACvCwyF,EAAON,EAAM56C,EAAOq7C,EAAuBD,IAAmBD,GAC9Dn7C,EAAQ,EACRo7C,GACF,CACF,CAEAp7C,IACA16E,GACF,CACA,OAAO5U,EAAK+4C,EAAQ,GACtB,EAEAgG,EAAO/X,QAAU,SAAUpB,GACzB,IAEI51B,EAAGvG,EAFHqhI,EAAU,GACV/oE,EAAShiE,EAAM8S,EAAQgJ,EAAY+pB,GAAQkkG,EAAiB,KAAW,KAE3E,IAAK95H,EAAI,EAAGA,EAAI+xD,EAAOxhE,OAAQyP,IAC7BvG,EAAQs4D,EAAO/xD,GACf/D,EAAK6+H,EAAS31F,EAAK00F,EAAepgI,GAAS,OAAS6gI,EAAO7gI,GAASA,GAEtE,OAAOzJ,EAAK8qI,EAAS,IACvB,C,+BCnLA,IAAI1hB,EAAsB,EAAQ,OAC9BtpH,EAAW,EAAQ,KACnBm1H,EAAyB,EAAQ,OAEjChE,EAAcrG,WAIlB7rE,EAAO/X,QAAU,SAAgBryB,GAC/B,IAAIskD,EAAMn5D,EAASm1H,EAAuB12H,OACtC8E,EAAS,GACTuR,EAAIw0G,EAAoBz0G,GAC5B,GAAIC,EAAI,GAAKA,IAAMu4E,IAAU,MAAM,IAAI8jC,EAAY,+BACnD,KAAMr8G,EAAI,GAAIA,KAAO,KAAOqkD,GAAOA,GAAc,EAAJrkD,IAAOvR,GAAU41D,GAC9D,OAAO51D,CACT,C,+BCfA,IAAI0nI,EAAW,aACXC,EAAyB,EAAQ,OAKrCjsF,EAAO/X,QAAUgkG,EAAuB,WAAa,WACnD,OAAOD,EAASxsI,KAElB,EAAI,GAAG0sI,O,+BCTP,IAAIphB,EAAuB,gBACvB/E,EAAQ,EAAQ,OAChBuf,EAAc,EAAQ,OAM1BtlF,EAAO/X,QAAU,SAAUmpF,GACzB,OAAOrL,GAAM,WACX,QAASuf,EAAYlU,MANf,cAOGA,MACHtG,GAAwBwa,EAAYlU,GAAanmH,OAASmmH,CAClE,GACF,C,+BCdA,IAAI+a,EAAa,eACbF,EAAyB,EAAQ,OAKrCjsF,EAAO/X,QAAUgkG,EAAuB,aAAe,WACrD,OAAOE,EAAW3sI,KAEpB,EAAI,GAAG4sI,S,+BCTP,IAAIxmB,EAAc,EAAQ,OACtBsQ,EAAyB,EAAQ,OACjCn1H,EAAW,EAAQ,KACnBukI,EAAc,EAAQ,OAEtBxxH,EAAU8xG,EAAY,GAAG9xG,SACzBu4H,EAAQl2F,OAAO,KAAOmvF,EAAc,MACpCgH,EAAQn2F,OAAO,QAAUmvF,EAAc,MAAQA,EAAc,OAG7DxV,EAAe,SAAUC,GAC3B,OAAO,SAAU/1F,GACf,IAAInb,EAAS9d,EAASm1H,EAAuBl8F,IAG7C,OAFW,EAAP+1F,IAAUlxG,EAAS/K,EAAQ+K,EAAQwtH,EAAO,KACnC,EAAPtc,IAAUlxG,EAAS/K,EAAQ+K,EAAQytH,EAAO,OACvCztH,CACT,CACF,EAEAmhC,EAAO/X,QAAU,CAGfvC,MAAOoqF,EAAa,GAGpBnqF,IAAKmqF,EAAa,GAGlB/wG,KAAM+wG,EAAa,G,8BC5BrB,IAAI5hB,EAAa,EAAQ,OACrB6X,EAAQ,EAAQ,OAChBwmB,EAAK,EAAQ,OACbpQ,EAAc,EAAQ,OAEtB5V,EAAkBrY,EAAWqY,gBAEjCvmE,EAAO/X,UAAYs+E,IAAoBR,GAAM,WAG3C,GAAqB,SAAhBoW,GAA0BoQ,EAAK,IAAwB,SAAhBpQ,GAA0BoQ,EAAK,IAAwB,YAAhBpQ,GAA6BoQ,EAAK,GAAK,OAAO,EACjI,IAAIvmB,EAAS,IAAIV,YAAY,GACzBzyG,EAAQ0zG,EAAgBP,EAAQ,CAAE9oD,SAAU,CAAC8oD,KACjD,OAA6B,IAAtBA,EAAOL,YAAyC,IAArB9yG,EAAM8yG,UAC1C,G,+BCdA,IAAIxlH,EAAO,EAAQ,OACf0gI,EAAa,EAAQ,OACrB5b,EAAkB,EAAQ,OAC1BuC,EAAgB,EAAQ,OAE5BxnE,EAAO/X,QAAU,WACf,IAAI2I,EAASiwF,EAAW,UACpB2L,EAAkB57F,GAAUA,EAAOnoC,UACnCgkI,EAAUD,GAAmBA,EAAgBC,QAC7CC,EAAeznB,EAAgB,eAE/BunB,IAAoBA,EAAgBE,IAItCllB,EAAcglB,EAAiBE,GAAc,SAAUjV,GACrD,OAAOt3H,EAAKssI,EAASjtI,KACvB,GAAG,CAAEmtI,MAAO,GAEhB,C,+BCnBA,IAAIC,EAAgB,EAAQ,MAG5B5sF,EAAO/X,QAAU2kG,KAAmBh8F,OAAY,OAAOA,OAAOi8F,M,+BCH9D,IAuBIC,EAAWn1H,EAAOmgH,EAASpxG,EAvB3BwnF,EAAa,EAAQ,OACrBh0F,EAAQ,EAAQ,OAChBlX,EAAO,EAAQ,OACfskH,EAAa,EAAQ,OACrBne,EAAS,EAAQ,OACjB4c,EAAQ,EAAQ,OAChB1lH,EAAO,EAAQ,OACfqqH,EAAa,EAAQ,OACrB71G,EAAgB,EAAQ,MACxBg0H,EAA0B,EAAQ,OAClCtE,EAAS,EAAQ,OACjBnG,EAAU,EAAQ,OAElB12G,EAAMwmF,EAAW6+B,aACjBngG,EAAQshE,EAAW8+B,eACnB75B,EAAUjF,EAAWiF,QACrB85B,EAAW/+B,EAAW++B,SACtB9+B,EAAWD,EAAWC,SACtB+pB,EAAiBhqB,EAAWgqB,eAC5B9uG,EAAS8kF,EAAW9kF,OACpB2H,EAAU,EACVs8B,EAAQ,CAAC,EACT6/E,EAAqB,qBAGzBnnB,GAAM,WAEJ+mB,EAAY5+B,EAAWxxF,QACzB,IAEA,IAAIqgD,EAAM,SAAUh4D,GAClB,GAAIokG,EAAO97C,EAAOtoD,GAAK,CACrB,IAAIiH,EAAKqhD,EAAMtoD,UACRsoD,EAAMtoD,GACbiH,GACF,CACF,EAEImhI,EAAS,SAAUpoI,GACrB,OAAO,WACLg4D,EAAIh4D,EACN,CACF,EAEIqoI,EAAgB,SAAU1nH,GAC5Bq3C,EAAIr3C,EAAM7iB,KACZ,EAEIwqI,EAAyB,SAAUtoI,GAErCmpG,EAAWmqB,YAAYjvG,EAAOrkB,GAAK+nI,EAAUlmH,SAAW,KAAOkmH,EAAUxmH,KAC3E,EAGKoB,GAAQklB,IACXllB,EAAM,SAAsB7J,GAC1BgrH,EAAwBx+H,UAAU7I,OAAQ,GAC1C,IAAIwK,EAAKs7G,EAAWzpG,GAAWA,EAAUswF,EAAStwF,GAC9CsoB,EAAOukF,EAAWrgH,UAAW,GAKjC,OAJAgjD,IAAQt8B,GAAW,WACjB7W,EAAMlO,OAAIpM,EAAWumC,EACvB,EACAxuB,EAAMoZ,GACCA,CACT,EACA6b,EAAQ,SAAwB7nC,UACvBsoD,EAAMtoD,EACf,EAEIq5H,EACFzmH,EAAQ,SAAU5S,GAChBouG,EAAQ4xB,SAASoI,EAAOpoI,GAC1B,EAESkoI,GAAYA,EAAS92G,IAC9Bxe,EAAQ,SAAU5S,GAChBkoI,EAAS92G,IAAIg3G,EAAOpoI,GACtB,EAGSmzH,IAAmBqM,GAE5B79G,GADAoxG,EAAU,IAAII,GACCoV,MACfxV,EAAQM,MAAM/+G,UAAY+zH,EAC1Bz1H,EAAQ3U,EAAK0jB,EAAK2xG,YAAa3xG,IAI/BwnF,EAAWv0F,kBACX2tG,EAAWpZ,EAAWmqB,eACrBnqB,EAAWq/B,eACZT,GAAoC,UAAvBA,EAAUlmH,WACtBm/F,EAAMsnB,IAEP11H,EAAQ01H,EACRn/B,EAAWv0F,iBAAiB,UAAWyzH,GAAe,IAGtDz1H,EADSu1H,KAAsBr4H,EAAc,UACrC,SAAU9P,GAChB1E,EAAK0gB,YAAYlM,EAAc,WAAWq4H,GAAsB,WAC9D7sI,EAAK+gB,YAAY5hB,MACjBu9D,EAAIh4D,EACN,CACF,EAGQ,SAAUA,GAChBwd,WAAW4qH,EAAOpoI,GAAK,EACzB,GAIJi7C,EAAO/X,QAAU,CACfvgB,IAAKA,EACLklB,MAAOA,E,+BClHT,IAAIg5E,EAAc,EAAQ,OAI1B5lE,EAAO/X,QAAU29E,EAAY,GAAI6mB,Q,+BCJjC,IAAIe,EAAc,EAAQ,OAEtB5oB,EAAahnE,UAIjBoC,EAAO/X,QAAU,SAAU48E,GACzB,IAAI4oB,EAAOD,EAAY3oB,EAAU,UACjC,GAAmB,iBAAR4oB,EAAkB,MAAM,IAAI7oB,EAAW,kCAElD,OAAO8oB,OAAOD,EAChB,C,+BCXA,IAAIpjB,EAAsB,EAAQ,OAC9BC,EAAW,EAAQ,OAEnB4H,EAAcrG,WAIlB7rE,EAAO/X,QAAU,SAAU+8E,GACzB,QAAWplH,IAAPolH,EAAkB,OAAO,EAC7B,IAAImH,EAAS9B,EAAoBrF,GAC7BxjH,EAAS8oH,EAAS6B,GACtB,GAAIA,IAAW3qH,EAAQ,MAAM,IAAI0wH,EAAY,yBAC7C,OAAO1wH,CACT,C,+BCbA,IAAImsI,EAAoB,EAAQ,OAE5Bzb,EAAcrG,WAElB7rE,EAAO/X,QAAU,SAAU+8E,EAAI4oB,GAC7B,IAAI/+E,EAAS8+E,EAAkB3oB,GAC/B,GAAIn2D,EAAS++E,EAAO,MAAM,IAAI1b,EAAY,gBAC1C,OAAOrjE,CACT,C,+BCRA,IAAIw7D,EAAsB,EAAQ,OAE9B6H,EAAcrG,WAElB7rE,EAAO/X,QAAU,SAAU+8E,GACzB,IAAI1gH,EAAS+lH,EAAoBrF,GACjC,GAAI1gH,EAAS,EAAG,MAAM,IAAI4tH,EAAY,qCACtC,OAAO5tH,CACT,C,yBCRA,IAAI+L,EAAQD,KAAKC,MAEjB2vC,EAAO/X,QAAU,SAAU+8E,GACzB,IAAIxhH,EAAQ6M,EAAM20G,GAClB,OAAOxhH,EAAQ,EAAI,EAAIA,EAAQ,IAAO,IAAe,IAARA,CAC/C,C,+BCLA,IAAI1D,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB/tG,EAAO,EAAQ,OACfknH,EAAc,EAAQ,OACtBwmB,EAA8C,EAAQ,OACtDC,EAAsB,EAAQ,OAC9BC,EAAoB,EAAQ,OAC5B3jB,EAAa,EAAQ,OACrBoM,EAA2B,EAAQ,MACnCjP,EAA8B,EAAQ,OACtCymB,EAAmB,EAAQ,MAC3B1jB,EAAW,EAAQ,OACnBnE,EAAU,EAAQ,OAClB8nB,EAAW,EAAQ,OACnBC,EAAiB,EAAQ,OACzBC,EAAgB,EAAQ,OACxBhlC,EAAS,EAAQ,OACjBsc,EAAU,EAAQ,OAClBlzE,EAAW,EAAQ,OACnB67F,EAAW,EAAQ,OACnBpqI,EAAS,EAAQ,MACjBohH,EAAgB,EAAQ,MACxBnoE,EAAiB,EAAQ,OACzByjF,EAAsB,WACtB2N,EAAiB,EAAQ,OACzB3hI,EAAU,iBACVinH,EAAa,EAAQ,OACrBlM,EAAwB,EAAQ,OAChC8O,EAAuB,EAAQ,OAC/B+X,EAAiC,EAAQ,OACzCC,EAA8B,EAAQ,OACtC7mB,EAAsB,EAAQ,OAC9BiD,EAAoB,EAAQ,OAE5B9C,EAAmBH,EAAoBngG,IACvCkkG,EAAmB/D,EAAoBhgG,IACvCigG,EAAuBD,EAAoBE,QAC3C4mB,EAAuBjY,EAAqB3X,EAC5C6vB,EAAiCH,EAA+B1vB,EAChEiN,EAAa3d,EAAW2d,WACxBvG,EAAcyoB,EAAkBzoB,YAChCQ,EAAuBR,EAAY78G,UACnC88G,EAAWwoB,EAAkBxoB,SAC7BiD,EAA4BslB,EAAoBtlB,0BAChDF,EAAkBwlB,EAAoBxlB,gBACtCJ,EAAa4lB,EAAoB5lB,WACjCC,EAAsB2lB,EAAoB3lB,oBAC1CoB,EAAeukB,EAAoBvkB,aACnCmlB,EAAoB,oBACpBC,EAAe,eAEfliB,EAAY,SAAUzH,EAAI3hH,GAC5BokH,EAAsBzC,EAAI3hH,EAAK,CAC7B05C,cAAc,EACdx1B,IAAK,WACH,OAAOsgG,EAAiBroH,MAAM6D,EAChC,GAEJ,EAEIurI,EAAgB,SAAU5pB,GAC5B,IAAI1E,EACJ,OAAO8E,EAAcU,EAAsBd,IAAiC,iBAAzB1E,EAAQmF,EAAQT,KAAoC,sBAAV1E,CAC/F,EAEIuuB,GAAoB,SAAU5hI,EAAQ5J,GACxC,OAAOkmH,EAAat8G,KACdmhI,EAAS/qI,IACVA,KAAO4J,GACP+gI,GAAkB3qI,IAClBA,GAAO,CACd,EAEIyrI,GAAkC,SAAkC7hI,EAAQ5J,GAE9E,OADAA,EAAM8qI,EAAc9qI,GACbwrI,GAAkB5hI,EAAQ5J,GAC7BmzH,EAAyB,EAAGvpH,EAAO5J,IACnCorI,EAA+BxhI,EAAQ5J,EAC7C,EAEI0rI,GAAwB,SAAwB9hI,EAAQ5J,EAAKw5C,GAE/D,OADAx5C,EAAM8qI,EAAc9qI,KAChBwrI,GAAkB5hI,EAAQ5J,IACzBkvC,EAASsK,IACTssD,EAAOtsD,EAAY,WAClBssD,EAAOtsD,EAAY,QACnBssD,EAAOtsD,EAAY,QAEnBA,EAAWE,cACVosD,EAAOtsD,EAAY,cAAeA,EAAWnnB,UAC7CyzE,EAAOtsD,EAAY,gBAAiBA,EAAWC,WAI7C0xF,EAAqBvhI,EAAQ5J,EAAKw5C,IAFzC5vC,EAAO5J,GAAOw5C,EAAWr5C,MAClByJ,EAEX,EAEIo6G,GACGmB,IACH8lB,EAA+B1vB,EAAIkwB,GACnCvY,EAAqB3X,EAAImwB,GACzBtiB,EAAUtE,EAAqB,UAC/BsE,EAAUtE,EAAqB,cAC/BsE,EAAUtE,EAAqB,cAC/BsE,EAAUtE,EAAqB,WAGjCroH,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAASpB,GAA6B,CACtEgJ,yBAA0Bsd,GAC1Br5G,eAAgBs5G,KAGlB/uF,EAAO/X,QAAU,SAAU8nF,EAAMv1D,EAASw0E,GACxC,IAAIpB,EAAQ7d,EAAK7wG,MAAM,OAAO,GAAK,EAC/B60G,EAAmBhE,GAAQif,EAAU,UAAY,IAAM,QACvDC,EAAS,MAAQlf,EACjBmf,EAAS,MAAQnf,EACjBof,EAA8BjhC,EAAW6lB,GACzCjK,EAAwBqlB,EACxBC,EAAiCtlB,GAAyBA,EAAsBrhH,UAChF4sH,EAAW,CAAC,EAYZga,EAAa,SAAU7kF,EAAMljB,GAC/BknG,EAAqBhkF,EAAMljB,EAAO,CAChC/f,IAAK,WACH,OAbO,SAAUijC,EAAMljB,GAC3B,IAAIzkC,EAAOglH,EAAiBr9D,GAC5B,OAAO3nD,EAAK6pH,KAAKuiB,GAAQ3nG,EAAQsmG,EAAQ/qI,EAAKkqH,YAAY,EAC5D,CAUa/qE,CAAOxiD,KAAM8nC,EACtB,EACA5f,IAAK,SAAUlkB,GACb,OAXO,SAAUgnD,EAAMljB,EAAO9jC,GAClC,IAAIX,EAAOglH,EAAiBr9D,GAC5B3nD,EAAK6pH,KAAKwiB,GAAQ5nG,EAAQsmG,EAAQ/qI,EAAKkqH,WAAYiiB,EAAUd,EAAe1qI,GAASA,GAAO,EAC9F,CAQam0H,CAAOn4H,KAAM8nC,EAAO9jC,EAC7B,EACAs5C,YAAY,GAEhB,EAEK0rE,EAwCMqlB,IACT/jB,EAAwBtvD,GAAQ,SAAUq7D,EAAOhzH,EAAMysI,EAAkBpgB,GAEvE,OADA9E,EAAWyL,EAAOuZ,GACXzkB,EACAp4E,EAAS1vC,GACV+rI,EAAc/rI,QAA0BjD,IAAZsvH,EAC5B,IAAIigB,EAA4BtsI,EAAMorI,EAASqB,EAAkB1B,GAAQ1e,QACpDtvH,IAArB0vI,EACE,IAAIH,EAA4BtsI,EAAMorI,EAASqB,EAAkB1B,IACjE,IAAIuB,EAA4BtsI,GAClC0mH,EAAa1mH,GAAc0rI,EAA4BzkB,EAAuBjnH,GAC3E1C,EAAKkuI,EAAgBvkB,EAAuBjnH,GAPvB,IAAIssI,EAA4BhpB,EAAQtjH,IAQjEgzH,EAAO/L,EACd,IAEI7sE,GAAgBA,EAAe6sE,EAAuB5B,GAC1Dx7G,EAAQg0H,EAAoByO,IAA8B,SAAU9rI,GAC5DA,KAAOymH,GACXvC,EAA4BuC,EAAuBzmH,EAAK8rI,EAA4B9rI,GAExF,IACAymH,EAAsBrhH,UAAY2mI,IA5DlCtlB,EAAwBtvD,GAAQ,SAAUhQ,EAAM3nD,EAAMgsD,EAAQqgE,GAC5D9E,EAAW5/D,EAAM4kF,GACjB,IAEIppB,EAAQL,EAAYnkH,EAFpB8lC,EAAQ,EACRylF,EAAa,EAEjB,GAAKx6E,EAAS1vC,GAIP,KAAI+rI,EAAc/rI,GAalB,OAAI0mH,EAAa1mH,GACf0rI,EAA4BzkB,EAAuBjnH,GAEnD1C,EAAKkuI,EAAgBvkB,EAAuBjnH,GAfnDmjH,EAASnjH,EACTkqH,EAAakhB,EAASp/E,EAAQ++E,GAC9B,IAAI2B,EAAO1sI,EAAK8iH,WAChB,QAAgB/lH,IAAZsvH,EAAuB,CACzB,GAAIqgB,EAAO3B,EAAO,MAAM,IAAI/hB,EAAW8iB,GAEvC,IADAhpB,EAAa4pB,EAAOxiB,GACH,EAAG,MAAM,IAAIlB,EAAW8iB,EAC3C,MAEE,IADAhpB,EAAa2E,EAAS4E,GAAW0e,GAChB7gB,EAAawiB,EAAM,MAAM,IAAI1jB,EAAW8iB,GAE3DntI,EAASmkH,EAAaioB,CAKxB,MApBEpsI,EAAS2kH,EAAQtjH,GAEjBmjH,EAAS,IAAIV,EADbK,EAAankH,EAASosI,GA2BxB,IAPAniB,EAAiBjhE,EAAM,CACrBw7D,OAAQA,EACR+G,WAAYA,EACZpH,WAAYA,EACZnkH,OAAQA,EACRkrH,KAAM,IAAInH,EAASS,KAEd1+E,EAAQ9lC,GAAQ6tI,EAAW7kF,EAAMljB,IAC1C,IAEI2V,GAAgBA,EAAe6sE,EAAuB5B,GAC1DknB,EAAiCtlB,EAAsBrhH,UAAYzE,EAAOmkH,IAyBxEinB,EAA+B3hG,cAAgBq8E,GACjDvC,EAA4B6nB,EAAgC,cAAetlB,GAG7EnC,EAAqBynB,GAAgCtlB,sBAAwBA,EAEzExB,GACFf,EAA4B6nB,EAAgC9mB,EAAiByL,GAG/E,IAAI/C,EAASlH,IAA0BqlB,EAEvC9Z,EAAStB,GAAoBjK,EAE7BhqH,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,OAAQoH,EAAQ5yE,MAAOoqE,GAA6B6M,GAEnFqZ,KAAqB5kB,GACzBvC,EAA4BuC,EAAuB4kB,EAAmBd,GAGlEc,KAAqBU,GACzB7nB,EAA4B6nB,EAAgCV,EAAmBd,GAGjFja,EAAWI,EACb,GACK/zE,EAAO/X,QAAU,WAA0B,C,+BCzOlD,IAAIimE,EAAa,EAAQ,OACrB6X,EAAQ,EAAQ,OAChBiP,EAA8B,EAAQ,OACtCxM,EAA4B,mCAE5BlD,EAAcpX,EAAWoX,YACzBwC,EAAY5Z,EAAW4Z,UAE3B9nE,EAAO/X,SAAWugF,IAA8BzC,GAAM,WACpD+B,EAAU,EACZ,MAAO/B,GAAM,WACX,IAAI+B,GAAW,EACjB,MAAOkN,GAA4B,SAAUroB,GAC3C,IAAImb,EACJ,IAAIA,EAAU,MACd,IAAIA,EAAU,KACd,IAAIA,EAAUnb,EAChB,IAAG,IAASoZ,GAAM,WAEhB,OAAkE,IAA3D,IAAI+B,EAAU,IAAIxC,EAAY,GAAI,OAAG1lH,GAAW4B,MACzD,G,+BCrBA,IAAI+sI,EAA8B,EAAQ,OACtCiB,EAA+B,EAAQ,OAE3CxvF,EAAO/X,QAAU,SAAUqK,EAAU9X,GACnC,OAAO+zG,EAA4BiB,EAA6Bl9F,GAAW9X,EAC7E,C,+BCLA,IAAIx3B,EAAO,EAAQ,OACf7C,EAAO,EAAQ,OACf6pI,EAAe,EAAQ,OACvB1b,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5Bc,EAAc,EAAQ,OACtBC,EAAoB,EAAQ,OAC5BH,EAAwB,EAAQ,OAChCqgB,EAAgB,EAAQ,OACxBhmB,EAAyB,gCACzBimB,EAAW,EAAQ,OAEvB1vF,EAAO/X,QAAU,SAAc7uB,GAC7B,IAMInI,EAAGzP,EAAQ8C,EAAQqrI,EAAmBnsI,EAAOghC,EAAMqM,EAAUK,EAN7Dw4E,EAAIsgB,EAAaxqI,MACjBkmH,EAAI4I,EAASl1G,GACbw1G,EAAkBvkH,UAAU7I,OAC5BmuH,EAAQf,EAAkB,EAAIvkH,UAAU,QAAKzK,EAC7CgwH,OAAoBhwH,IAAV+vH,EACV/iB,EAAiB2iB,EAAkB7J,GAEvC,GAAI9Y,IAAmBwiB,EAAsBxiB,GAI3C,IAFA17D,GADAL,EAAWy+E,EAAY5J,EAAG9Y,IACV17D,KAChBw0E,EAAI,KACKlhF,EAAOrkC,EAAK+wC,EAAML,IAAWp3B,MACpCisG,EAAEx4G,KAAKs3B,EAAKhhC,OAShB,IANIosH,GAAWhB,EAAkB,IAC/Be,EAAQ3sH,EAAK2sH,EAAOtlH,UAAU,KAEhC7I,EAASgtH,EAAkB9I,GAC3BphH,EAAS,IAAKmlH,EAAuBC,GAA5B,CAAgCloH,GACzCmuI,EAAoBF,EAAcnrI,GAC7B2M,EAAI,EAAGzP,EAASyP,EAAGA,IACtBzN,EAAQosH,EAAUD,EAAMjK,EAAEz0G,GAAIA,GAAKy0G,EAAEz0G,GAErC3M,EAAO2M,GAAK0+H,EAAoBD,EAASlsI,IAAUA,EAErD,OAAOc,CACT,C,+BCxCA,IAAIwpI,EAAsB,EAAQ,OAC9B8B,EAAqB,EAAQ,MAE7BnmB,EAAyBqkB,EAAoBrkB,uBAC7CH,EAA2BwkB,EAAoBxkB,yBAInDtpE,EAAO/X,QAAU,SAAU8pF,GACzB,OAAOtI,EAAuBmmB,EAAmB7d,EAAezI,EAAyByI,IAC3F,C,+BCVA,IAAIhM,EAAQ,EAAQ,OAChBd,EAAkB,EAAQ,OAC1BoC,EAAc,EAAQ,OACtB8a,EAAU,EAAQ,OAElBlP,EAAWhO,EAAgB,YAE/BjlE,EAAO/X,SAAW89E,GAAM,WAEtB,IAAIpjH,EAAM,IAAI2R,IAAI,gBAAiB,aAC/BxM,EAASnF,EAAIktI,aACbC,EAAU,IAAIC,gBAAgB,eAC9BzrI,EAAS,GAUb,OATA3B,EAAIga,SAAW,QACf7U,EAAO4E,SAAQ,SAAUlJ,EAAOH,GAC9ByE,EAAe,OAAE,KACjBxD,GAAUjB,EAAMG,CAClB,IACAssI,EAAgB,OAAE,IAAK,GAGvBA,EAAgB,OAAE,SAAKlwI,GACfuiI,KAAax/H,EAAIuD,SAAW4pI,EAAQ97G,IAAI,IAAK,IAAM87G,EAAQ97G,IAAI,IAAK,KAAO87G,EAAQ97G,IAAI,SAAKp0B,IAAckwI,EAAQ97G,IAAI,QACvHlsB,EAAOoL,OAASivH,IAAY9a,KAC7Bv/G,EAAOinC,MACK,4BAAbpsC,EAAI+B,MACgB,MAApBoD,EAAOyf,IAAI,MAC6B,QAAxC6B,OAAO,IAAI2mH,gBAAgB,WAC1BjoI,EAAOmrH,IAE4B,MAApC,IAAI3+G,IAAI,eAAe07H,UACsC,MAA7D,IAAID,gBAAgB,IAAIA,gBAAgB,QAAQxoH,IAAI,MAEnB,eAAjC,IAAIjT,IAAI,gBAAgBgS,MAEQ,YAAhC,IAAIhS,IAAI,eAAeoJ,MAEZ,SAAXpZ,GAEyC,MAAzC,IAAIgQ,IAAI,iBAAa1U,GAAW0mB,IACvC,G,yBCxCA,IAAIs+F,EAAahnE,UAEjBoC,EAAO/X,QAAU,SAAUgoG,EAAQ1lH,GACjC,GAAI0lH,EAAS1lH,EAAU,MAAM,IAAIq6F,EAAW,wBAC5C,OAAOqrB,CACT,C,+BCLA,IAAInkI,EAAO,EAAQ,OACfq9F,EAAS,EAAQ,OACjB+mC,EAA+B,EAAQ,MACvCz6G,EAAiB,WAErBuqB,EAAO/X,QAAU,SAAUk/E,GACzB,IAAIv2E,EAAS9kC,EAAK8kC,SAAW9kC,EAAK8kC,OAAS,CAAC,GACvCu4D,EAAOv4D,EAAQu2E,IAAO1xF,EAAemb,EAAQu2E,EAAM,CACtD3jH,MAAO0sI,EAA6BtxB,EAAEuI,IAE1C,C,8BCVA,IAAIlC,EAAkB,EAAQ,OAE9Bh9E,EAAQ22E,EAAIqG,C,yBCDZjlE,EAAO/X,QAAU,+C,+BCDjB,IAAI44F,EAAa,EAAQ,OACrB13B,EAAS,EAAQ,OACjBoe,EAA8B,EAAQ,OACtCnC,EAAgB,EAAQ,MACxBnoE,EAAiB,EAAQ,OACzB2tE,EAA4B,EAAQ,OACpCulB,EAAgB,EAAQ,OACxBxlB,EAAoB,EAAQ,OAC5BsS,EAA0B,EAAQ,OAClCmT,EAAoB,EAAQ,OAC5BC,EAAoB,EAAQ,OAC5BhpB,EAAc,EAAQ,OACtB8a,EAAU,EAAQ,OAEtBniF,EAAO/X,QAAU,SAAUqoG,EAAW91E,EAASw2D,EAAQuf,GACrD,IAAIC,EAAoB,kBACpBC,EAAmBF,EAAqB,EAAI,EAC5CzkI,EAAOwkI,EAAUtvI,MAAM,KACvB0vI,EAAa5kI,EAAKA,EAAKtK,OAAS,GAChCmvI,EAAgB9P,EAAW3mH,MAAM,KAAMpO,GAE3C,GAAK6kI,EAAL,CAEA,IAAIC,EAAyBD,EAAcloI,UAK3C,IAFK05H,GAAWh5B,EAAOynC,EAAwB,iBAAiBA,EAAuB7Q,OAElF/O,EAAQ,OAAO2f,EAEpB,IAAIE,EAAYhQ,EAAW,SAEvBiQ,EAAet2E,GAAQ,SAAU54C,EAAGvC,GACtC,IAAItV,EAAUkzH,EAAwBsT,EAAqBlxH,EAAIuC,OAAGhiB,GAC9D0E,EAASisI,EAAqB,IAAII,EAAc/uH,GAAK,IAAI+uH,EAK7D,YAJgB/wI,IAAZmK,GAAuBw9G,EAA4BjjH,EAAQ,UAAWyF,GAC1EsmI,EAAkB/rI,EAAQwsI,EAAcxsI,EAAOghF,MAAO,GAClD9lF,MAAQ4lH,EAAcwrB,EAAwBpxI,OAAOmrH,EAAkBrmH,EAAQ9E,KAAMsxI,GACrFzmI,UAAU7I,OAASivI,GAAkBL,EAAkB9rI,EAAQ+F,UAAUomI,IACtEnsI,CACT,IAcA,GAZAwsI,EAAaroI,UAAYmoI,EAEN,UAAfF,EACEzzF,EAAgBA,EAAe6zF,EAAcD,GAC5CjmB,EAA0BkmB,EAAcD,EAAW,CAAE5lI,MAAM,IACvDo8G,GAAempB,KAAqBG,IAC7CR,EAAcW,EAAcH,EAAeH,GAC3CL,EAAcW,EAAcH,EAAe,sBAG7C/lB,EAA0BkmB,EAAcH,IAEnCxO,EAAS,IAERyO,EAAuB3lI,OAASylI,GAClCnpB,EAA4BqpB,EAAwB,OAAQF,GAE9DE,EAAuBnjG,YAAcqjG,CACvC,CAAE,MAAO5wI,GAAqB,CAE9B,OAAO4wI,CAzCmB,CA0C5B,C,8BC/DA,IAAIhxI,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrB3mH,EAAQ,EAAQ,OAChB6rG,EAAQ,EAAQ,OAChBgrB,EAAgC,EAAQ,OAExCC,EAAkB,iBAClBC,EAAkBpQ,EAAWmQ,GAE7BhgB,GAAUjL,GAAM,WAClB,OAA0C,IAAnCkrB,EAAgB,CAAC,IAAIC,OAAO,EACrC,KAAMnrB,GAAM,WACV,OAAqE,IAA9DkrB,EAAgB,CAAC,GAAID,EAAiB,CAAEjR,MAAO,IAAKA,KAC7D,IAGAjgI,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMk/F,MAAO,EAAG/iB,OAAQoH,GAAU,CAC/DmgB,eAAgBJ,EAA8BC,GAAiB,SAAUxtG,GAEvE,OAAO,SAAwB0tG,EAAQnnI,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CACzF,GAAG2mH,GAAQ,I,+BCpBb,IAAIlxH,EAAI,EAAQ,OACZslH,EAAgB,EAAQ,MACxBhoE,EAAiB,EAAQ,OACzBH,EAAiB,EAAQ,OACzB2tE,EAA4B,EAAQ,OACpC5mH,EAAS,EAAQ,MACjBujH,EAA8B,EAAQ,OACtCiP,EAA2B,EAAQ,MACnC4Z,EAAoB,EAAQ,OAC5BC,EAAoB,EAAQ,OAC5B7c,EAAU,EAAQ,OAClByJ,EAA0B,EAAQ,OAGlC5U,EAFkB,EAAQ,MAEVpD,CAAgB,eAChCuX,EAASp0H,MACT8E,EAAO,GAAGA,KAEV+jI,EAAkB,SAAwBC,EAAQnnI,GACpD,IACIygD,EADA4mF,EAAahsB,EAAcisB,EAAyB7xI,MAEpDy9C,EACFuN,EAAOvN,EAAe,IAAIu/E,EAAU4U,EAAah0F,EAAe59C,MAAQ6xI,IAExE7mF,EAAO4mF,EAAa5xI,KAAOwE,EAAOqtI,GAClC9pB,EAA4B/8D,EAAM69D,EAAe,eAEnCzoH,IAAZmK,GAAuBw9G,EAA4B/8D,EAAM,UAAWyyE,EAAwBlzH,IAChGsmI,EAAkB7lF,EAAMymF,EAAiBzmF,EAAK86B,MAAO,GACjDj7E,UAAU7I,OAAS,GAAG4uI,EAAkB5lF,EAAMngD,UAAU,IAC5D,IAAIinI,EAAc,GAGlB,OAFA9d,EAAQ0d,EAAQhkI,EAAM,CAAEs9C,KAAM8mF,IAC9B/pB,EAA4B/8D,EAAM,SAAU8mF,GACrC9mF,CACT,EAEIvN,EAAgBA,EAAeg0F,EAAiBzU,GAC/C5R,EAA0BqmB,EAAiBzU,EAAQ,CAAEvxH,MAAM,IAEhE,IAAIomI,EAA0BJ,EAAgBxoI,UAAYzE,EAAOw4H,EAAO/zH,UAAW,CACjFglC,YAAa+oF,EAAyB,EAAGya,GACzClnI,QAASysH,EAAyB,EAAG,IACrCvrH,KAAMurH,EAAyB,EAAG,oBAKpC12H,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMk/F,MAAO,GAAK,CAC/CwE,eAAgBF,G,+BC/ClB,EAAQ,M,+BCDR,IAAInxI,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrBqjC,EAAoB,EAAQ,OAC5B5d,EAAa,EAAQ,OAErBzI,EAAe,cACf5F,EAAcisB,EAAkBrmB,GAKpCprH,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,OAJb1b,EAAWgd,KAIgC5F,GAAe,CAChFA,YAAaA,IAGfqO,EAAWzI,E,+BCfX,IAAI7D,EAAc,EAAQ,OACtBI,EAAwB,EAAQ,OAChCvB,EAAa,EAAQ,MAErBJ,EAAuBR,YAAY78G,UAEnC4+G,KAAiB,aAAcvB,IACjC2B,EAAsB3B,EAAsB,WAAY,CACtD/oE,cAAc,EACdx1B,IAAK,WACH,OAAO2+F,EAAW1mH,KACpB,G,+BCXJ,IAAIM,EAAI,EAAQ,OACZguI,EAAsB,EAAQ,OAMlChuI,EAAE,CAAEmN,OAAQ,cAAe0zH,MAAM,EAAM/W,QAJPkkB,EAAoBtlB,2BAIyB,CAC3EyB,OAAQ6jB,EAAoB7jB,Q,+BCR9B,IAAInqH,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAChBgoB,EAAoB,EAAQ,OAC5Bjb,EAAW,EAAQ,OACnBvE,EAAkB,EAAQ,OAC1BjE,EAAW,EAAQ,OACnBslB,EAAqB,EAAQ,MAE7BtqB,EAAcyoB,EAAkBzoB,YAChCC,EAAWwoB,EAAkBxoB,SAC7BiB,EAAoBjB,EAAS98G,UAC7B+oI,EAAyB5rB,EAAYN,EAAY78G,UAAU4D,OAC3DohH,EAAW7H,EAAYY,EAAkBiH,UACzCL,EAAWxH,EAAYY,EAAkB4G,UAQ7CttH,EAAE,CAAEmN,OAAQ,cAAeizC,OAAO,EAAMmtE,QAAQ,EAAMzD,OANhC7D,GAAM,WAC1B,OAAQ,IAAIT,EAAY,GAAGj5G,MAAM,OAAGzM,GAAW+lH,UACjD,KAIiF,CAC/Et5G,MAAO,SAAeq5B,EAAOC,GAC3B,GAAI6rG,QAAkC5xI,IAAR+lC,EAC5B,OAAO6rG,EAAuB1e,EAAStzH,MAAOkmC,GAShD,IAPA,IAAIlkC,EAASsxH,EAAStzH,MAAMmmH,WACxB71E,EAAQy+E,EAAgB7oF,EAAOlkC,GAC/BiwI,EAAMljB,OAAwB3uH,IAAR+lC,EAAoBnkC,EAASmkC,EAAKnkC,GACxD8C,EAAS,IAAKsrI,EAAmBpwI,KAAM8lH,GAA9B,CAA4CgF,EAASmnB,EAAM3hG,IACpE4hG,EAAa,IAAInsB,EAAS/lH,MAC1BmyI,EAAa,IAAIpsB,EAASjhH,GAC1BgjC,EAAQ,EACLwI,EAAQ2hG,GACbrkB,EAASukB,EAAYrqG,IAASmmF,EAASikB,EAAY5hG,MACnD,OAAOxrC,CACX,G,+BCrCF,IAAIxE,EAAI,EAAQ,OACZ8xI,EAAY,EAAQ,OAIpBA,GAAW9xI,EAAE,CAAEmN,OAAQ,cAAeizC,OAAO,GAAQ,CACvD2xF,sBAAuB,WACrB,OAAOD,EAAUpyI,KAAM6K,UAAU7I,OAAS6I,UAAU,QAAKzK,GAAW,EACtE,G,+BCRF,IAAIE,EAAI,EAAQ,OACZ8xI,EAAY,EAAQ,OAIpBA,GAAW9xI,EAAE,CAAEmN,OAAQ,cAAeizC,OAAO,GAAQ,CACvDgd,SAAU,WACR,OAAO00E,EAAUpyI,KAAM6K,UAAU7I,OAAS6I,UAAU,QAAKzK,GAAW,EACtE,G,+BCRF,IAAIE,EAAI,EAAQ,OACZwuH,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5BnE,EAAsB,EAAQ,OAC9BynB,EAAmB,EAAQ,MAI/BhyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClC9R,GAAI,SAAY9G,GACd,IAAIo+E,EAAI4I,EAAS9uH,MACbk6C,EAAM80E,EAAkB9I,GACxByM,EAAgB9H,EAAoB/iF,GACpChoB,EAAI6yG,GAAiB,EAAIA,EAAgBz4E,EAAMy4E,EACnD,OAAQ7yG,EAAI,GAAKA,GAAKo6B,OAAO95C,EAAY8lH,EAAEpmG,EAC7C,IAGFwyH,EAAiB,K,+BClBjB,IAAIhyI,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChB/nF,EAAU,EAAQ,OAClBuU,EAAW,EAAQ,OACnB+7E,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5B4O,EAA2B,EAAQ,OACnC/N,EAAiB,EAAQ,OACzBc,EAAqB,EAAQ,MAC7B4hB,EAA+B,EAAQ,OACvC9sB,EAAkB,EAAQ,OAC1BiM,EAAa,EAAQ,OAErB8gB,EAAuB/sB,EAAgB,sBAKvCgtB,EAA+B/gB,GAAc,KAAOnL,GAAM,WAC5D,IAAI53E,EAAQ,GAEZ,OADAA,EAAM6jG,IAAwB,EACvB7jG,EAAMtO,SAAS,KAAOsO,CAC/B,IAEI+jG,EAAqB,SAAUxsB,GACjC,IAAKnzE,EAASmzE,GAAI,OAAO,EACzB,IAAIysB,EAAazsB,EAAEssB,GACnB,YAAsBpyI,IAAfuyI,IAA6BA,EAAan0G,EAAQ0nF,EAC3D,EAOA5lH,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAMysF,MAAO,EAAG/iB,QAL9BqoB,IAAiCF,EAA6B,WAKd,CAE5DlyG,OAAQ,SAAgBuqE,GACtB,IAGIn5F,EAAGqO,EAAG9d,EAAQk4C,EAAK+H,EAHnBikE,EAAI4I,EAAS9uH,MACbyyH,EAAI9B,EAAmBzK,EAAG,GAC1B7vG,EAAI,EAER,IAAK5E,GAAK,EAAGzP,EAAS6I,UAAU7I,OAAQyP,EAAIzP,EAAQyP,IAElD,GAAIihI,EADJzwF,GAAW,IAAPxwC,EAAWy0G,EAAIr7G,UAAU4G,IAI3B,IAFAyoC,EAAM80E,EAAkB/sE,GACxB27E,EAAyBvnH,EAAI6jC,GACxBp6B,EAAI,EAAGA,EAAIo6B,EAAKp6B,IAAKzJ,IAASyJ,KAAKmiC,GAAG4tE,EAAe4C,EAAGp8G,EAAG4rC,EAAEniC,SAElE89G,EAAyBvnH,EAAI,GAC7Bw5G,EAAe4C,EAAGp8G,IAAK4rC,GAI3B,OADAwwE,EAAEzwH,OAASqU,EACJo8G,CACT,G,+BCvDF,IAAInyH,EAAI,EAAQ,OACZ4uH,EAAa,EAAQ,OACrBojB,EAAmB,EAAQ,MAI/BhyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClCwuE,WAAYA,IAIdojB,EAAiB,a,+BCXjB,IAAIhyI,EAAI,EAAQ,OACZsyI,EAAS,eAObtyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QANR,EAAQ,MAEdoF,CAAoB,UAIoB,CAC1D/7E,MAAO,SAAeg8E,GACpB,OAAOmjB,EAAO5yI,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACxE,G,+BCXF,IAAIE,EAAI,EAAQ,OACZud,EAAO,EAAQ,OACfy0H,EAAmB,EAAQ,MAI/BhyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClC7iC,KAAMA,IAIRy0H,EAAiB,O,8BCXjB,IAAIhyI,EAAI,EAAQ,OACZuyI,EAAU,gBAQdvyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QAPC,EAAQ,MAEjBmoB,CAA6B,WAKW,CAChEnkI,OAAQ,SAAgBqhH,GACtB,OAAOojB,EAAQ7yI,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACzE,G,+BCZF,IAAIE,EAAI,EAAQ,OACZwyI,EAAa,mBACbR,EAAmB,EAAQ,MAE3BS,EAAa,YACbC,GAAc,EAIdD,IAAc,IAAIx0G,MAAM,GAAGw0G,IAAY,WAAcC,GAAc,CAAO,IAI9E1yI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAAQ4oB,GAAe,CACvDn+F,UAAW,SAAmB46E,GAC5B,OAAOqjB,EAAW9yI,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAC5E,IAIFkyI,EAAiBS,E,+BCpBjB,IAAIzyI,EAAI,EAAQ,OACZ2yI,EAAiB,uBACjBX,EAAmB,EAAQ,MAI/BhyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClC5L,cAAe,SAAuB26E,GACpC,OAAOwjB,EAAejzI,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAChF,IAGFkyI,EAAiB,gB,+BCZjB,IAAIhyI,EAAI,EAAQ,OACZ4yI,EAAY,kBACZZ,EAAmB,EAAQ,MAI/BhyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClCgwE,SAAU,SAAkBjB,GAC1B,OAAOyjB,EAAUlzI,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAC3E,IAGFkyI,EAAiB,W,+BCZjB,IAAIhyI,EAAI,EAAQ,OACZ6yI,EAAQ,cACRb,EAAmB,EAAQ,MAE3Bc,EAAO,OACPJ,GAAc,EAIdI,IAAQ,IAAI70G,MAAM,GAAG60G,IAAM,WAAcJ,GAAc,CAAO,IAIlE1yI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAAQ4oB,GAAe,CACvDjxI,KAAM,SAAc0tH,GAClB,OAAO0jB,EAAMnzI,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACvE,IAIFkyI,EAAiBc,E,+BCpBjB,IAAI9yI,EAAI,EAAQ,OACZu9H,EAAmB,EAAQ,OAC3BhM,EAAY,EAAQ,OACpB/C,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5B2B,EAAqB,EAAQ,MAIjCrwH,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClC2yF,QAAS,SAAiB5jB,GACxB,IAEIgD,EAFAvM,EAAI4I,EAAS9uH,MACb89H,EAAY9O,EAAkB9I,GAKlC,OAHA2L,EAAUpC,IACVgD,EAAI9B,EAAmBzK,EAAG,IACxBlkH,OAAS67H,EAAiBpL,EAAGvM,EAAGA,EAAG4X,EAAW,EAAG,EAAGrO,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,GACjGqyH,CACT,G,+BClBF,IAAInyH,EAAI,EAAQ,OACZu9H,EAAmB,EAAQ,OAC3B/O,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5BnE,EAAsB,EAAQ,OAC9B8F,EAAqB,EAAQ,MAIjCrwH,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClC4yF,KAAM,WACJ,IAAIC,EAAW1oI,UAAU7I,OAAS6I,UAAU,QAAKzK,EAC7C8lH,EAAI4I,EAAS9uH,MACb89H,EAAY9O,EAAkB9I,GAC9BuM,EAAI9B,EAAmBzK,EAAG,GAE9B,OADAuM,EAAEzwH,OAAS67H,EAAiBpL,EAAGvM,EAAGA,EAAG4X,EAAW,OAAgB19H,IAAbmzI,EAAyB,EAAI1oB,EAAoB0oB,IAC7F9gB,CACT,G,+BCjBF,IAAInyH,EAAI,EAAQ,OACZ4M,EAAU,EAAQ,OAKtB5M,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAAQ,GAAGl9G,UAAYA,GAAW,CAClEA,QAASA,G,+BCPX,IAAI5M,EAAI,EAAQ,OACZ60D,EAAO,EAAQ,OAUnB70D,EAAE,CAAEmN,OAAQ,QAAS0zH,MAAM,EAAM/W,QATC,EAAQ,MAEfoL,EAA4B,SAAUroB,GAE/D5uE,MAAM42B,KAAKg4C,EACb,KAIgE,CAC9Dh4C,KAAMA,G,+BCZR,IAAI70D,EAAI,EAAQ,OACZkzI,EAAY,kBACZjtB,EAAQ,EAAQ,OAChB+rB,EAAmB,EAAQ,MAU/BhyI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAPX7D,GAAM,WAE3B,OAAQhoF,MAAM,GAAGpvB,UACnB,KAI8D,CAC5DA,SAAU,SAAkB2oB,GAC1B,OAAO07G,EAAUxzI,KAAM83B,EAAIjtB,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACnE,IAIFkyI,EAAiB,W,+BCnBjB,IAAIhyI,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBqtB,EAAW,iBACXjkB,EAAsB,EAAQ,OAE9BkkB,EAAgBttB,EAAY,GAAG1gH,SAE/B6rH,IAAkBmiB,GAAiB,EAAIA,EAAc,CAAC,GAAI,GAAI,GAAK,EAKvEpzI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAJrBmH,IAAkB/B,EAAoB,YAIC,CAClD9pH,QAAS,SAAiB+rH,GACxB,IAAIkiB,EAAY9oI,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACtD,OAAOmxH,EAEHmiB,EAAc1zI,KAAMyxH,EAAekiB,IAAc,EACjDF,EAASzzI,KAAMyxH,EAAekiB,EACpC,G,+BCpBM,EAAQ,MAKhBrzI,CAAE,CAAEmN,OAAQ,QAAS0zH,MAAM,GAAQ,CACjC3iG,QALY,EAAQ,Q,+BCDtB,IAAI6yF,EAAkB,EAAQ,OAC1BihB,EAAmB,EAAQ,MAC3BrT,EAAY,EAAQ,OACpB/W,EAAsB,EAAQ,OAC9BjyF,EAAiB,WACjBg+F,EAAiB,EAAQ,OACzBC,EAAyB,EAAQ,OACjCyO,EAAU,EAAQ,OAClB9a,EAAc,EAAQ,OAEtB+rB,EAAiB,iBACjB3nB,EAAmB/D,EAAoBhgG,IACvCmgG,EAAmBH,EAAoB6D,UAAU6nB,GAYrDpzF,EAAO/X,QAAUwrF,EAAe11F,MAAO,SAAS,SAAUw2F,EAAUzjF,GAClE26E,EAAiBjsH,KAAM,CACrBiD,KAAM2wI,EACNnmI,OAAQ4jH,EAAgB0D,GACxBjtF,MAAO,EACPwJ,KAAMA,GAIV,IAAG,WACD,IAAIxyB,EAAQupG,EAAiBroH,MACzByN,EAASqR,EAAMrR,OACfq6B,EAAQhpB,EAAMgpB,QAClB,IAAKr6B,GAAUq6B,GAASr6B,EAAOzL,OAE7B,OADA8c,EAAMrR,OAAS,KACRymH,OAAuB9zH,GAAW,GAE3C,OAAQ0e,EAAMwyB,MACZ,IAAK,OAAQ,OAAO4iF,EAAuBpsF,GAAO,GAClD,IAAK,SAAU,OAAOosF,EAAuBzmH,EAAOq6B,IAAQ,GAC5D,OAAOosF,EAAuB,CAACpsF,EAAOr6B,EAAOq6B,KAAS,EAC1D,GAAG,UAKH,IAAI1U,EAAS6rG,EAAU4U,UAAY5U,EAAU1gG,MAQ7C,GALA+zG,EAAiB,QACjBA,EAAiB,UACjBA,EAAiB,YAGZ3P,GAAW9a,GAA+B,WAAhBz0F,EAAO3nB,KAAmB,IACvDwqB,EAAe7C,EAAQ,OAAQ,CAAEpvB,MAAO,UAC1C,CAAE,MAAOtD,GAAqB,C,+BC5D9B,IAAIJ,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBiK,EAAgB,EAAQ,OACxBgB,EAAkB,EAAQ,OAC1B7B,EAAsB,EAAQ,OAE9BskB,EAAa1tB,EAAY,GAAG3kH,MAOhCnB,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OALhBiG,IAAkBxpH,SACP2oH,EAAoB,OAAQ,MAIL,CAClD/tH,KAAM,SAAcwyG,GAClB,OAAO6/B,EAAWziB,EAAgBrxH,WAAqBI,IAAd6zG,EAA0B,IAAMA,EAC3E,G,8BChBF,IAAI3zG,EAAI,EAAQ,OACZgjB,EAAc,EAAQ,MAK1BhjB,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAAQ9mG,IAAgB,GAAGA,aAAe,CAC1EA,YAAaA,G,+BCPf,IAAIhjB,EAAI,EAAQ,OACZyzI,EAAO,aAQXzzI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QAPC,EAAQ,MAEjBmoB,CAA6B,QAKW,CAChExlI,IAAK,SAAa0iH,GAChB,OAAOskB,EAAK/zI,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACtE,G,+BCZF,IAAIE,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChBrB,EAAgB,EAAQ,OACxB2K,EAAiB,EAAQ,OAEzBG,EAASzxF,MAWbj+B,EAAE,CAAEmN,OAAQ,QAAS0zH,MAAM,EAAM/W,OATd7D,GAAM,WACvB,SAASkQ,IAAkB,CAE3B,QAASzG,EAAOzgE,GAAG5uD,KAAK81H,aAAcA,EACxC,KAKyD,CACvDlnE,GAAI,WAIF,IAHA,IAAIznB,EAAQ,EACRsnF,EAAkBvkH,UAAU7I,OAC5B8C,EAAS,IAAKogH,EAAcllH,MAAQA,KAAOgwH,GAAQZ,GAChDA,EAAkBtnF,GAAO+nF,EAAe/qH,EAAQgjC,EAAOj9B,UAAUi9B,MAExE,OADAhjC,EAAO9C,OAASotH,EACTtqH,CACT,G,+BCxBF,IAAIxE,EAAI,EAAQ,OACZwuH,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5BglB,EAAiB,EAAQ,OACzBpW,EAA2B,EAAQ,OAsBvCt9H,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAMysF,MAAO,EAAG/iB,OArBhC,EAAQ,MAEM7D,EAAM,WAC9B,OAAoD,aAA7C,GAAG74G,KAAK/M,KAAK,CAAEqB,OAAQ,YAAe,EAC/C,MAIqC,WACnC,IAEE6E,OAAOovB,eAAe,GAAI,SAAU,CAAEC,UAAU,IAASxoB,MAC3D,CAAE,MAAOhN,GACP,OAAOA,aAAiB09C,SAC1B,CACF,CAEqC61F,IAIyB,CAE5DvmI,KAAM,SAAcitB,GAClB,IAAIurF,EAAI4I,EAAS9uH,MACbk6C,EAAM80E,EAAkB9I,GACxBguB,EAAWrpI,UAAU7I,OACzB47H,EAAyB1jF,EAAMg6F,GAC/B,IAAK,IAAIziI,EAAI,EAAGA,EAAIyiI,EAAUziI,IAC5By0G,EAAEhsE,GAAOrvC,UAAU4G,GACnByoC,IAGF,OADA85F,EAAe9tB,EAAGhsE,GACXA,CACT,G,+BCvCF,IAAI55C,EAAI,EAAQ,OACZ6zI,EAAe,eACf3kB,EAAsB,EAAQ,OAC9B4kB,EAAiB,EAAQ,OAU7B9zI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QATpB,EAAQ,QAIOgqB,EAAiB,IAAMA,EAAiB,KACzC5kB,EAAoB,gBAII,CAClDl8E,YAAa,SAAqBm8E,GAChC,OAAO0kB,EAAan0I,KAAMyvH,EAAY5kH,UAAU7I,OAAQ6I,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAChG,G,+BChBF,IAAIE,EAAI,EAAQ,OACZ+zI,EAAU,cACV7kB,EAAsB,EAAQ,OAC9B4kB,EAAiB,EAAQ,OAU7B9zI,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QATpB,EAAQ,QAIOgqB,EAAiB,IAAMA,EAAiB,KACzC5kB,EAAoB,WAII,CAClDr8E,OAAQ,SAAgBs8E,GACtB,IAAIztH,EAAS6I,UAAU7I,OACvB,OAAOqyI,EAAQr0I,KAAMyvH,EAAYztH,EAAQA,EAAS,EAAI6I,UAAU,QAAKzK,EACvE,G,+BCjBF,IAAIE,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtB5nF,EAAU,EAAQ,OAElB81G,EAAgBluB,EAAY,GAAGzY,SAC/BpkE,EAAO,CAAC,EAAG,GAMfjpC,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAAQxgG,OAAO2f,KAAU3f,OAAO2f,EAAKokE,YAAc,CACnFA,QAAS,WAGP,OADInvE,EAAQx+B,QAAOA,KAAKgC,OAAShC,KAAKgC,QAC/BsyI,EAAct0I,KACvB,G,+BChBF,IAAIM,EAAI,EAAQ,OACZk+B,EAAU,EAAQ,OAClB0mF,EAAgB,EAAQ,OACxBnyE,EAAW,EAAQ,OACnBg8E,EAAkB,EAAQ,OAC1BC,EAAoB,EAAQ,OAC5BqC,EAAkB,EAAQ,OAC1BxB,EAAiB,EAAQ,OACzBpK,EAAkB,EAAQ,OAC1B8sB,EAA+B,EAAQ,OACvCgC,EAAc,EAAQ,OAEtBC,EAAsBjC,EAA6B,SAEnD5gB,EAAUlM,EAAgB,WAC1BuK,EAASzxF,MACTzrB,EAAMlC,KAAKkC,IAKfxS,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QAASoqB,GAAuB,CAChE3nI,MAAO,SAAeq5B,EAAOC,GAC3B,IAKImY,EAAax5C,EAAQuR,EALrB6vG,EAAImL,EAAgBrxH,MACpBgC,EAASgtH,EAAkB9I,GAC3BpmG,EAAIivG,EAAgB7oF,EAAOlkC,GAC3BiwI,EAAMljB,OAAwB3uH,IAAR+lC,EAAoBnkC,EAASmkC,EAAKnkC,GAG5D,GAAIw8B,EAAQ0nF,KACV5nE,EAAc4nE,EAAEj4E,aAEZi3E,EAAc5mE,KAAiBA,IAAgB0xE,GAAUxxF,EAAQ8f,EAAYr1C,aAEtE8pC,EAASuL,IAEE,QADpBA,EAAcA,EAAYqzE,OAF1BrzE,OAAcl+C,GAKZk+C,IAAgB0xE,QAA0B5vH,IAAhBk+C,GAC5B,OAAOi2F,EAAYruB,EAAGpmG,EAAGmyH,GAI7B,IADAntI,EAAS,SAAqB1E,IAAhBk+C,EAA4B0xE,EAAS1xE,GAAaxrC,EAAIm/H,EAAMnyH,EAAG,IACxEzJ,EAAI,EAAGyJ,EAAImyH,EAAKnyH,IAAKzJ,IAASyJ,KAAKomG,GAAG2J,EAAe/qH,EAAQuR,EAAG6vG,EAAEpmG,IAEvE,OADAhb,EAAO9C,OAASqU,EACTvR,CACT,G,+BC9CF,IAAIxE,EAAI,EAAQ,OACZm0I,EAAQ,cAOZn0I,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QANR,EAAQ,MAEdoF,CAAoB,SAIoB,CAC1Dz/E,KAAM,SAAc0/E,GAClB,OAAOglB,EAAMz0I,KAAMyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACvE,G,+BCXF,IAAIE,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OACpB/C,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5BC,EAAwB,EAAQ,OAChC1tH,EAAW,EAAQ,KACnBglH,EAAQ,EAAQ,OAChBmuB,EAAe,EAAQ,OACvBllB,EAAsB,EAAQ,OAC9BmlB,EAAK,EAAQ,OACbC,EAAa,EAAQ,OACrB7H,EAAK,EAAQ,OACbvF,EAAS,EAAQ,MAEjBj+F,EAAO,GACPsrG,EAAazuB,EAAY78E,EAAKgG,MAC9B7hC,EAAO04G,EAAY78E,EAAK77B,MAGxBonI,EAAqBvuB,GAAM,WAC7Bh9E,EAAKgG,UAAKnvC,EACZ,IAEI20I,EAAgBxuB,GAAM,WACxBh9E,EAAKgG,KAAK,KACZ,IAEIggF,EAAgBC,EAAoB,QAEpCwlB,GAAezuB,GAAM,WAEvB,GAAIwmB,EAAI,OAAOA,EAAK,GACpB,KAAI4H,GAAMA,EAAK,GAAf,CACA,GAAIC,EAAY,OAAO,EACvB,GAAIpN,EAAQ,OAAOA,EAAS,IAE5B,IACIh+B,EAAMrvB,EAAKn2E,EAAO8jC,EADlBhjC,EAAS,GAIb,IAAK0kG,EAAO,GAAIA,EAAO,GAAIA,IAAQ,CAGjC,OAFArvB,EAAMvwD,OAAO8wB,aAAa8uD,GAElBA,GACN,KAAK,GAAI,KAAK,GAAI,KAAK,GAAI,KAAK,GAAIxlG,EAAQ,EAAG,MAC/C,KAAK,GAAI,KAAK,GAAIA,EAAQ,EAAG,MAC7B,QAASA,EAAQ,EAGnB,IAAK8jC,EAAQ,EAAGA,EAAQ,GAAIA,IAC1ByB,EAAK77B,KAAK,CAAEoS,EAAGq6D,EAAMryC,EAAOouB,EAAGlyD,GAEnC,CAIA,IAFAulC,EAAKgG,MAAK,SAAUntB,EAAGvC,GAAK,OAAOA,EAAEq2C,EAAI9zC,EAAE8zC,CAAG,IAEzCpuB,EAAQ,EAAGA,EAAQyB,EAAKvnC,OAAQ8lC,IACnCqyC,EAAM5wC,EAAKzB,GAAOhoB,EAAEb,OAAO,GACvBna,EAAOma,OAAOna,EAAO9C,OAAS,KAAOm4E,IAAKr1E,GAAUq1E,GAG1D,MAAkB,gBAAXr1E,CA7BiB,CA8B1B,IAeAxE,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,OAbrB0qB,IAAuBC,IAAkBxlB,IAAkBylB,GAapB,CAClDzlG,KAAM,SAAc2iF,QACA9xH,IAAd8xH,GAAyBL,EAAUK,GAEvC,IAAIvjF,EAAQmgF,EAAS9uH,MAErB,GAAIg1I,EAAa,YAAqB50I,IAAd8xH,EAA0B2iB,EAAWlmG,GAASkmG,EAAWlmG,EAAOujF,GAExF,IAEI+iB,EAAantG,EAFb8/B,EAAQ,GACRstE,EAAclmB,EAAkBrgF,GAGpC,IAAK7G,EAAQ,EAAGA,EAAQotG,EAAaptG,IAC/BA,KAAS6G,GAAOjhC,EAAKk6D,EAAOj5B,EAAM7G,IAQxC,IALA4sG,EAAa9sE,EA3BI,SAAUsqD,GAC7B,OAAO,SAAUn+G,EAAGC,GAClB,YAAU5T,IAAN4T,GAAyB,OACnB5T,IAAN2T,EAAwB,OACV3T,IAAd8xH,GAAiCA,EAAUn+G,EAAGC,IAAM,EACjDzS,EAASwS,GAAKxS,EAASyS,GAAK,GAAK,CAC1C,CACF,CAoBwBmhI,CAAejjB,IAEnC+iB,EAAcjmB,EAAkBpnD,GAChC9/B,EAAQ,EAEDA,EAAQmtG,GAAatmG,EAAM7G,GAAS8/B,EAAM9/B,KACjD,KAAOA,EAAQotG,GAAajmB,EAAsBtgF,EAAO7G,KAEzD,OAAO6G,CACT,G,+BCvGe,EAAQ,MAIzBwlF,CAAW,Q,+BCJX,IAAI7zH,EAAI,EAAQ,OACZwuH,EAAW,EAAQ,OACnBC,EAAkB,EAAQ,OAC1BlE,EAAsB,EAAQ,OAC9BmE,EAAoB,EAAQ,OAC5BglB,EAAiB,EAAQ,OACzBpW,EAA2B,EAAQ,OACnCjN,EAAqB,EAAQ,MAC7Bd,EAAiB,EAAQ,OACzBZ,EAAwB,EAAQ,OAGhCulB,EAF+B,EAAQ,MAEjBjC,CAA6B,UAEnDz/H,EAAMlC,KAAKkC,IACXwC,EAAM1E,KAAK0E,IAKfhV,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAM0pE,QAASoqB,GAAuB,CAChE9lG,OAAQ,SAAgBxI,EAAOkvG,GAC7B,IAIIC,EAAaC,EAAmB7iB,EAAG3yG,EAAGq1C,EAAMD,EAJ5CgxD,EAAI4I,EAAS9uH,MACbk6C,EAAM80E,EAAkB9I,GACxBqvB,EAAcxmB,EAAgB7oF,EAAOgU,GACrCk1E,EAAkBvkH,UAAU7I,OAahC,IAXwB,IAApBotH,EACFimB,EAAcC,EAAoB,EACL,IAApBlmB,GACTimB,EAAc,EACdC,EAAoBp7F,EAAMq7F,IAE1BF,EAAcjmB,EAAkB,EAChCkmB,EAAoBhgI,EAAIxC,EAAI+3G,EAAoBuqB,GAAc,GAAIl7F,EAAMq7F,IAE1E3X,EAAyB1jF,EAAMm7F,EAAcC,GAC7C7iB,EAAI9B,EAAmBzK,EAAGovB,GACrBx1H,EAAI,EAAGA,EAAIw1H,EAAmBx1H,KACjCq1C,EAAOogF,EAAcz1H,KACTomG,GAAG2J,EAAe4C,EAAG3yG,EAAGomG,EAAE/wD,IAGxC,GADAs9D,EAAEzwH,OAASszI,EACPD,EAAcC,EAAmB,CACnC,IAAKx1H,EAAIy1H,EAAaz1H,EAAIo6B,EAAMo7F,EAAmBx1H,IAEjDo1C,EAAKp1C,EAAIu1H,GADTlgF,EAAOr1C,EAAIw1H,KAECpvB,EAAGA,EAAEhxD,GAAMgxD,EAAE/wD,GACpB85D,EAAsB/I,EAAGhxD,GAEhC,IAAKp1C,EAAIo6B,EAAKp6B,EAAIo6B,EAAMo7F,EAAoBD,EAAav1H,IAAKmvG,EAAsB/I,EAAGpmG,EAAI,EAC7F,MAAO,GAAIu1H,EAAcC,EACvB,IAAKx1H,EAAIo6B,EAAMo7F,EAAmBx1H,EAAIy1H,EAAaz1H,IAEjDo1C,EAAKp1C,EAAIu1H,EAAc,GADvBlgF,EAAOr1C,EAAIw1H,EAAoB,KAEnBpvB,EAAGA,EAAEhxD,GAAMgxD,EAAE/wD,GACpB85D,EAAsB/I,EAAGhxD,GAGlC,IAAKp1C,EAAI,EAAGA,EAAIu1H,EAAav1H,IAC3BomG,EAAEpmG,EAAIy1H,GAAe1qI,UAAUiV,EAAI,GAGrC,OADAk0H,EAAe9tB,EAAGhsE,EAAMo7F,EAAoBD,GACrC5iB,CACT,G,8BChEF,IAAInyH,EAAI,EAAQ,OACZk1I,EAAkB,EAAQ,OAC1BnkB,EAAkB,EAAQ,OAC1BihB,EAAmB,EAAQ,MAE3BtiB,EAASzxF,MAIbj+B,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClC+0F,WAAY,WACV,OAAOD,EAAgBnkB,EAAgBrxH,MAAOgwH,EAChD,IAGFsiB,EAAiB,a,+BCfjB,IAAIhyI,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OACpBR,EAAkB,EAAQ,OAC1B0d,EAA8B,EAAQ,OACtC2G,EAA4B,EAAQ,OACpCpD,EAAmB,EAAQ,MAE3BtiB,EAASzxF,MACTgR,EAAO62E,EAAYsvB,EAA0B,QAAS,SAI1Dp1I,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClCi1F,SAAU,SAAkBC,QACRx1I,IAAdw1I,GAAyB/jB,EAAU+jB,GACvC,IAAI1vB,EAAImL,EAAgBrxH,MACpByyH,EAAIsc,EAA4B/e,EAAQ9J,GAC5C,OAAO32E,EAAKkjF,EAAGmjB,EACjB,IAGFtD,EAAiB,W,+BCtBjB,IAAIhyI,EAAI,EAAQ,OACZgyI,EAAmB,EAAQ,MAC3B1U,EAA2B,EAAQ,OACnC5O,EAAoB,EAAQ,OAC5BD,EAAkB,EAAQ,OAC1BsC,EAAkB,EAAQ,OAC1BxG,EAAsB,EAAQ,OAE9BmF,EAASzxF,MACTzrB,EAAMlC,KAAKkC,IACXwC,EAAM1E,KAAK0E,IAIfhV,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClCm1F,UAAW,SAAmB3vG,EAAOkvG,GACnC,IAKIC,EAAaC,EAAmBQ,EAAQrjB,EALxCvM,EAAImL,EAAgBrxH,MACpBk6C,EAAM80E,EAAkB9I,GACxBqvB,EAAcxmB,EAAgB7oF,EAAOgU,GACrCk1E,EAAkBvkH,UAAU7I,OAC5B8d,EAAI,EAcR,IAZwB,IAApBsvG,EACFimB,EAAcC,EAAoB,EACL,IAApBlmB,GACTimB,EAAc,EACdC,EAAoBp7F,EAAMq7F,IAE1BF,EAAcjmB,EAAkB,EAChCkmB,EAAoBhgI,EAAIxC,EAAI+3G,EAAoBuqB,GAAc,GAAIl7F,EAAMq7F,IAE1EO,EAASlY,EAAyB1jF,EAAMm7F,EAAcC,GACtD7iB,EAAIzC,EAAO8lB,GAEJh2H,EAAIy1H,EAAaz1H,IAAK2yG,EAAE3yG,GAAKomG,EAAEpmG,GACtC,KAAOA,EAAIy1H,EAAcF,EAAav1H,IAAK2yG,EAAE3yG,GAAKjV,UAAUiV,EAAIy1H,EAAc,GAC9E,KAAOz1H,EAAIg2H,EAAQh2H,IAAK2yG,EAAE3yG,GAAKomG,EAAEpmG,EAAIw1H,EAAoBD,GAEzD,OAAO5iB,CACT,IAGF6f,EAAiB,Y,+BCxCM,EAAQ,KAG/BA,CAAiB,U,+BCHM,EAAQ,KAG/BA,CAAiB,O,+BCLjB,IAAIhyI,EAAI,EAAQ,OACZwuH,EAAW,EAAQ,OACnBE,EAAoB,EAAQ,OAC5BglB,EAAiB,EAAQ,OACzB/kB,EAAwB,EAAQ,OAChC2O,EAA2B,EAAQ,OAmBvCt9H,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,EAAMysF,MAAO,EAAG/iB,OAhBH,IAAlB,GAAGl6E,QAAQ,KAGG,WACnC,IAEErpC,OAAOovB,eAAe,GAAI,SAAU,CAAEC,UAAU,IAASga,SAC3D,CAAE,MAAOxvC,GACP,OAAOA,aAAiB09C,SAC1B,CACF,CAEkC61F,IAI4B,CAE5D/jG,QAAS,SAAiBvV,GACxB,IAAIurF,EAAI4I,EAAS9uH,MACbk6C,EAAM80E,EAAkB9I,GACxBguB,EAAWrpI,UAAU7I,OACzB,GAAIkyI,EAAU,CACZtW,EAAyB1jF,EAAMg6F,GAE/B,IADA,IAAIp0H,EAAIo6B,EACDp6B,KAAK,CACV,IAAIo1C,EAAKp1C,EAAIo0H,EACTp0H,KAAKomG,EAAGA,EAAEhxD,GAAMgxD,EAAEpmG,GACjBmvG,EAAsB/I,EAAGhxD,EAChC,CACA,IAAK,IAAI1jD,EAAI,EAAGA,EAAI0iI,EAAU1iI,IAC5B00G,EAAE10G,GAAK3G,UAAU2G,EAErB,CAAE,OAAOwiI,EAAe9tB,EAAGhsE,EAAMg6F,EACnC,G,+BC1CF,IAAI5zI,EAAI,EAAQ,OACZy1I,EAAY,EAAQ,OACpB1kB,EAAkB,EAAQ,OAE1BrB,EAASzxF,MAIbj+B,EAAE,CAAEmN,OAAQ,QAASizC,OAAO,GAAQ,CAClC,KAAQ,SAAU5Y,EAAO9jC,GACvB,OAAO+xI,EAAU1kB,EAAgBrxH,MAAOgwH,EAAQloF,EAAO9jC,EACzD,G,+BCXF,IAAI1D,EAAI,EAAQ,OACZiuI,EAAoB,EAAQ,OAKhCjuI,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,QAJX,EAAQ,QAImC,CACnErE,SAAUwoB,EAAkBxoB,U,+BCN9B,EAAQ,M,+BCDR,IAAIzlH,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OAItBoL,EAHQ,EAAQ,MAGPjL,EAAM,WAEjB,OAAqC,MAA9B,IAAIxkG,KAAK,OAAOi0H,SACzB,IAEIh0H,EAAcokG,EAAYrkG,KAAK9Y,UAAU+Y,aAI7C1hB,EAAE,CAAEmN,OAAQ,OAAQizC,OAAO,EAAM0pE,OAAQoH,GAAU,CACjDwkB,QAAS,WACP,OAAOh0H,EAAYhiB,MAAQ,IAC7B,G,+BChBF,IAAIM,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OAEtB6vB,EAAQl0H,KACRu1G,EAAgBlR,EAAY6vB,EAAMhtI,UAAUwF,SAIhDnO,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChCxqG,IAAK,WACH,OAAO2gG,EAAc,IAAI2e,EAC3B,G,+BCZF,IAAI31I,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtByE,EAAsB,EAAQ,OAE9BsM,EAAgBp1G,KAAK9Y,UACrBquH,EAAgBlR,EAAY+Q,EAAc1oH,SAC1CynI,EAAc9vB,EAAY+Q,EAAc+e,aAI5C51I,EAAE,CAAEmN,OAAQ,OAAQizC,OAAO,GAAQ,CACjCy1F,QAAS,SAAiBz5D,GAExB46C,EAAct3H,MACd,IAAIo2I,EAAKvrB,EAAoBnuC,GAE7B,OAAOw5D,EAAYl2I,KADRo2I,GAAM,GAAKA,GAAM,GAAKA,EAAK,KAAOA,EAE/C,G,+BCjBM,EAAQ,MAIhB91I,CAAE,CAAEmN,OAAQ,OAAQizC,OAAO,GAAQ,CACjC21F,YAAat0H,KAAK9Y,UAAUqtI,a,8BCL9B,IAAIh2I,EAAI,EAAQ,OACZ+2H,EAAc,EAAQ,OAK1B/2H,EAAE,CAAEmN,OAAQ,OAAQizC,OAAO,EAAM0pE,OAAQroG,KAAK9Y,UAAUouH,cAAgBA,GAAe,CACrFA,YAAaA,G,+BCPf,IAAI/2H,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChBuI,EAAW,EAAQ,OACnBkf,EAAc,EAAQ,OAS1B1tI,EAAE,CAAEmN,OAAQ,OAAQizC,OAAO,EAAMysF,MAAO,EAAG/iB,OAP9B7D,GAAM,WACjB,OAAkC,OAA3B,IAAIxkG,KAAKyH,KAAK9iB,UAC2D,IAA3Eqb,KAAK9Y,UAAUvC,OAAO/F,KAAK,CAAE02H,YAAa,WAAc,OAAO,CAAG,GACzE,KAI6D,CAE3D3wH,OAAQ,SAAgB7C,GACtB,IAAIqiH,EAAI4I,EAAS9uH,MACbu2I,EAAKvI,EAAY9nB,EAAG,UACxB,MAAoB,iBAANqwB,GAAmB32H,SAAS22H,GAAarwB,EAAEmR,cAAT,IAClD,G,+BClBF,IAAI1tB,EAAS,EAAQ,OACjBqe,EAAgB,EAAQ,OACxBwuB,EAAkB,EAAQ,OAG1BtJ,EAFkB,EAAQ,MAEXznB,CAAgB,eAC/B0R,EAAgBp1G,KAAK9Y,UAIpB0gG,EAAOwtB,EAAe+V,IACzBllB,EAAcmP,EAAe+V,EAAcsJ,E,+BCV7C,IAAIpwB,EAAc,EAAQ,OACtB4B,EAAgB,EAAQ,OAExBmP,EAAgBp1G,KAAK9Y,UACrBwtI,EAAe,eACfC,EAAY,WACZC,EAAqBvwB,EAAY+Q,EAAcuf,IAC/Cpf,EAAgBlR,EAAY+Q,EAAc1oH,SAI1Cmb,OAAO,IAAI7H,KAAKyH,QAAUitH,GAC5BzuB,EAAcmP,EAAeuf,GAAW,WACtC,IAAI1yI,EAAQszH,EAAct3H,MAE1B,OAAOgE,GAAUA,EAAQ2yI,EAAmB32I,MAAQy2I,CACtD,G,+BChBF,IAAIn2I,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrBh0F,EAAQ,EAAQ,OAChB62H,EAAgC,EAAQ,OAExCqF,EAAe,cACfC,EAAcnoC,EAAWkoC,GAGzBplB,EAAgD,IAAvC,IAAI5oH,MAAM,IAAK,CAAE23H,MAAO,IAAKA,MAEtCuW,EAAgC,SAAU5F,EAAYl2E,GACxD,IAAIkrD,EAAI,CAAC,EACTA,EAAEgrB,GAAcK,EAA8BL,EAAYl2E,EAASw2D,GACnElxH,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMk/F,MAAO,EAAG/iB,OAAQoH,GAAUtL,EACnE,EAEI6wB,EAAqC,SAAU7F,EAAYl2E,GAC7D,GAAI67E,GAAeA,EAAY3F,GAAa,CAC1C,IAAIhrB,EAAI,CAAC,EACTA,EAAEgrB,GAAcK,EAA8BqF,EAAe,IAAM1F,EAAYl2E,EAASw2D,GACxFlxH,EAAE,CAAEmN,OAAQmpI,EAAczV,MAAM,EAAMlzF,aAAa,EAAMk/F,MAAO,EAAG/iB,OAAQoH,GAAUtL,EACvF,CACF,EAGA4wB,EAA8B,SAAS,SAAU9yG,GAC/C,OAAO,SAAez5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CACxE,IACAisI,EAA8B,aAAa,SAAU9yG,GACnD,OAAO,SAAmBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC5E,IACAisI,EAA8B,cAAc,SAAU9yG,GACpD,OAAO,SAAoBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC7E,IACAisI,EAA8B,kBAAkB,SAAU9yG,GACxD,OAAO,SAAwBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CACjF,IACAisI,EAA8B,eAAe,SAAU9yG,GACrD,OAAO,SAAqBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC9E,IACAisI,EAA8B,aAAa,SAAU9yG,GACnD,OAAO,SAAmBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC5E,IACAisI,EAA8B,YAAY,SAAU9yG,GAClD,OAAO,SAAkBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC3E,IACAksI,EAAmC,gBAAgB,SAAU/yG,GAC3D,OAAO,SAAsBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC/E,IACAksI,EAAmC,aAAa,SAAU/yG,GACxD,OAAO,SAAmBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC5E,IACAksI,EAAmC,gBAAgB,SAAU/yG,GAC3D,OAAO,SAAsBz5B,GAAW,OAAOmQ,EAAMspB,EAAMhkC,KAAM6K,UAAY,CAC/E,G,+BCxDA,IAAIm9G,EAAgB,EAAQ,OACxBgvB,EAAgB,EAAQ,OAExBC,EAAiBruI,MAAMK,UAIvBguI,EAAe11I,WAAay1I,GAC9BhvB,EAAcivB,EAAgB,WAAYD,E,+BCR5C,IAAI12I,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtB7kH,EAAW,EAAQ,KAEnB0d,EAASmnG,EAAY,GAAGnnG,QACxB47B,EAAaurE,EAAY,GAAGvrE,YAC5BjE,EAAOwvE,EAAY,IAAIxvE,MACvBsgG,EAAiB9wB,EAAY,GAAI7kH,UACjC2B,EAAckjH,EAAY,GAAGljH,aAE7Bu4C,EAAM,cAENyqF,EAAM,SAAU18B,EAAMxnG,GAExB,IADA,IAAI8C,EAASoyI,EAAe1tC,EAAM,IAC3B1kG,EAAO9C,OAASA,GAAQ8C,EAAS,IAAMA,EAC9C,OAAOA,CACT,EAIAxE,EAAE,CAAEmY,QAAQ,GAAQ,CAClB8zB,OAAQ,SAAgBltB,GAMtB,IALA,IAII86D,EAAKqvB,EAJL9uC,EAAMn5D,EAAS8d,GACfva,EAAS,GACT9C,EAAS04D,EAAI14D,OACb8lC,EAAQ,EAELA,EAAQ9lC,GACbm4E,EAAMl7D,EAAOy7C,EAAK5yB,KACd8O,EAAK6E,EAAK0+B,GACZr1E,GAAUq1E,EAIRr1E,IAFF0kG,EAAO3uD,EAAWs/B,EAAK,IACZ,IACC,IAAM+rD,EAAI18B,EAAM,GAEhB,KAAOtmG,EAAYgjI,EAAI18B,EAAM,IAG3C,OAAO1kG,CACX,G,+BCvCF,IAAIxE,EAAI,EAAQ,OACZkD,EAAO,EAAQ,OAKnBlD,EAAE,CAAEmN,OAAQ,WAAYizC,OAAO,EAAM0pE,OAAQzb,SAASnrG,OAASA,GAAQ,CACrEA,KAAMA,G,+BCRR,IAAIskH,EAAa,EAAQ,OACrB/0E,EAAW,EAAQ,OACnBgkF,EAAuB,EAAQ,OAC/BnR,EAAgB,EAAQ,MACxBH,EAAkB,EAAQ,OAC1ByS,EAAc,EAAQ,OAEtBif,EAAe1xB,EAAgB,eAC/B2xB,EAAoBzoC,SAAS1lG,UAI3BkuI,KAAgBC,GACpBrgB,EAAqB3X,EAAEg4B,EAAmBD,EAAc,CAAEnzI,MAAOk0H,GAAY,SAAUhS,GACrF,IAAK4B,EAAW9nH,QAAU+yC,EAASmzE,GAAI,OAAO,EAC9C,IAAIkS,EAAIp4H,KAAKiJ,UACb,OAAO8pC,EAASqlF,GAAKxS,EAAcwS,EAAGlS,GAAKA,aAAalmH,IAC1D,GAAGm3I,I,+BCjBL,IAAItvB,EAAc,EAAQ,OACtBwvB,EAAuB,gBACvBjxB,EAAc,EAAQ,OACtB6B,EAAwB,EAAQ,OAEhCmvB,EAAoBzoC,SAAS1lG,UAC7BquI,EAAmBlxB,EAAYgxB,EAAkB71I,UACjDg2I,EAAS,mEACTC,EAAapxB,EAAYmxB,EAAO3gG,MAKhCixE,IAAgBwvB,GAClBpvB,EAAsBmvB,EALb,OAKsC,CAC7C75F,cAAc,EACdx1B,IAAK,WACH,IACE,OAAOyvH,EAAWD,EAAQD,EAAiBt3I,OAAO,EACpD,CAAE,MAAOU,GACP,MAAO,EACT,CACF,G,+BCtBJ,IAAIJ,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OAIzBpuG,EAAE,CAAEmY,QAAQ,EAAM2xG,OAAQ1b,EAAWA,aAAeA,GAAc,CAChEA,WAAYA,G,+BCNd,IAAIpuG,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrB3mH,EAAQ,EAAQ,OAChB/Z,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAChBuB,EAAa,EAAQ,OACrB8mB,EAAW,EAAQ,OACnB1jB,EAAa,EAAQ,OACrBusB,EAAsB,EAAQ,OAC9BrK,EAAgB,EAAQ,MAExB7nB,EAAU37F,OACV8tH,EAAarW,EAAW,OAAQ,aAChCzqF,EAAOwvE,EAAY,IAAIxvE,MACvB33B,EAASmnG,EAAY,GAAGnnG,QACxB47B,EAAaurE,EAAY,GAAGvrE,YAC5BvmC,EAAU8xG,EAAY,GAAG9xG,SACzB4iI,EAAiB9wB,EAAY,GAAI7kH,UAEjCo2I,EAAS,mBACTC,EAAM,oBACNC,EAAK,oBAELC,GAA4B1K,GAAiB7mB,GAAM,WACrD,IAAIkgB,EAASpF,EAAW,SAAXA,CAAqB,uBAElC,MAAgC,WAAzBqW,EAAW,CAACjR,KAEgB,OAA9BiR,EAAW,CAAEt1H,EAAGqkH,KAEe,OAA/BiR,EAAW7wI,OAAO4/H,GACzB,IAGIsR,EAAqBxxB,GAAM,WAC7B,MAAsC,qBAA/BmxB,EAAW,iBACY,cAAzBA,EAAW,SAClB,IAEIM,EAA0B,SAAUxyB,EAAI2Z,GAC1C,IAAIx4F,EAAOukF,EAAWrgH,WAClBotI,EAAYR,EAAoBtY,GACpC,GAAKrX,EAAWmwB,SAAsB73I,IAAPolH,IAAoBopB,EAASppB,GAM5D,OALA7+E,EAAK,GAAK,SAAU9iC,EAAKG,GAGvB,GADI8jH,EAAWmwB,KAAYj0I,EAAQrD,EAAKs3I,EAAWj4I,KAAMulH,EAAQ1hH,GAAMG,KAClE4qI,EAAS5qI,GAAQ,OAAOA,CAC/B,EACO0W,EAAMg9H,EAAY,KAAM/wG,EACjC,EAEIuxG,EAAe,SAAUx4H,EAAO2vC,EAAQhwC,GAC1C,IAAI2tB,EAAO/tB,EAAOI,EAAQgwC,EAAS,GAC/B3d,EAAOzyB,EAAOI,EAAQgwC,EAAS,GACnC,OAAKzY,EAAKghG,EAAKl4H,KAAWk3B,EAAKihG,EAAInmG,IAAWkF,EAAKihG,EAAIn4H,KAAWk3B,EAAKghG,EAAK5qG,GACnE,MAAQkqG,EAAer8F,EAAWn7B,EAAO,GAAI,IAC7CA,CACX,EAEIg4H,GAGFp3I,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAMgM,MAAO,EAAG/iB,OAAQ0tB,GAA4BC,GAAsB,CAElGhvI,UAAW,SAAmBy8G,EAAI2Z,EAAUjsE,GAC1C,IAAIvsB,EAAOukF,EAAWrgH,WAClB/F,EAAS4V,EAAMo9H,EAA2BE,EAA0BN,EAAY,KAAM/wG,GAC1F,OAAOoxG,GAAuC,iBAAVjzI,EAAqBwP,EAAQxP,EAAQ6yI,EAAQO,GAAgBpzI,CACnG,G,8BCrEJ,IAAI4pG,EAAa,EAAQ,OACJ,EAAQ,MAI7B2c,CAAe3c,EAAW5lG,KAAM,QAAQ,E,+BCLvB,EAAQ,MAKzBH,CAAW,OAAO,SAAUq7B,GAC1B,OAAO,WAAiB,OAAOA,EAAKhkC,KAAM6K,UAAU7I,OAAS6I,UAAU,QAAKzK,EAAY,CAC1F,GANuB,EAAQ,O,+BCD/B,IAAIE,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OACpB6E,EAAyB,EAAQ,OACjC1C,EAAU,EAAQ,OAClBmkB,EAAa,EAAQ,OACrBxV,EAAU,EAAQ,OAClBpc,EAAQ,EAAQ,OAEhBwd,EAAMoU,EAAWpU,IACjBvvG,EAAM2jH,EAAW3jH,IACjBzM,EAAMowH,EAAWpwH,IACjBG,EAAMiwH,EAAWjwH,IACjBxa,EAAO04G,EAAY,GAAG14G,MAEtB0qI,EAAgCzV,GAAWpc,GAAM,WACnD,OAEuB,IAFhBwd,EAAIrvF,QAAQ,MAAM,SAAU8wE,GACjC,OAAOA,CACT,IAAGz9F,IAAI,KAAK/lB,MACd,IAIA1B,EAAE,CAAEmN,OAAQ,MAAO0zH,MAAM,EAAM/W,OAAQuY,GAAWyV,GAAiC,CACjF1jG,QAAS,SAAiBkzB,EAAO6nD,GAC/BiH,EAAuB9uD,GACvBiqD,EAAUpC,GACV,IAAI1iH,EAAM,IAAIg3H,EACVjkH,EAAI,EAMR,OALAk0G,EAAQpsD,GAAO,SAAU5jE,GACvB,IAAIH,EAAM4rH,EAAWzrH,EAAO8b,KACvB0U,EAAIznB,EAAKlJ,GACT6J,EAAKqa,EAAIhb,EAAKlJ,GAAMG,GADLkkB,EAAInb,EAAKlJ,EAAK,CAACG,GAErC,IACO+I,CACT,G,+BClCF,EAAQ,M,+BCDR,IAAIzM,EAAI,EAAQ,OACZqkI,EAAQ,EAAQ,MAGhB0T,EAASznI,KAAK0nI,MACd3Y,EAAM/uH,KAAK+uH,IACX/sH,EAAOhC,KAAKgC,KACZgtH,EAAMhvH,KAAKgvH,IAUft/H,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAM/W,QARlBiuB,GAEgC,MAAzCznI,KAAKwB,MAAMimI,EAAO71H,OAAO+1H,aAEzBF,EAAOzpD,OAAcA,KAIwB,CAChD0pD,MAAO,SAAevkI,GACpB,IAAIsC,GAAKtC,EACT,OAAOsC,EAAI,EAAImT,IAAMnT,EAAI,kBACrBspH,EAAItpH,GAAKupH,EACT+E,EAAMtuH,EAAI,EAAIzD,EAAKyD,EAAI,GAAKzD,EAAKyD,EAAI,GAC3C,G,+BCvBF,IAAI/V,EAAI,EAAQ,OAGZk4I,EAAS5nI,KAAK6nI,MACd9Y,EAAM/uH,KAAK+uH,IACX/sH,EAAOhC,KAAKgC,KAYhBtS,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAM/W,SALjBouB,GAAU,EAAIA,EAAO,GAAK,IAKS,CAChDC,MAXF,SAASA,EAAM1kI,GACb,IAAIsC,GAAKtC,EACT,OAAQ6L,SAASvJ,IAAY,IAANA,EAAcA,EAAI,GAAKoiI,GAAOpiI,GAAKspH,EAAItpH,EAAIzD,EAAKyD,EAAIA,EAAI,IAA9CA,CACnC,G,+BCVA,IAAI/V,EAAI,EAAQ,OAGZo4I,EAAS9nI,KAAK+nI,MACdhZ,EAAM/uH,KAAK+uH,IAOfr/H,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAM/W,SALjBsuB,GAAU,EAAIA,GAAQ,GAAK,IAKQ,CAChDC,MAAO,SAAe5kI,GACpB,IAAIsC,GAAKtC,EACT,OAAa,IAANsC,EAAUA,EAAIspH,GAAK,EAAItpH,IAAM,EAAIA,IAAM,CAChD,G,+BCfF,IAAI/V,EAAI,EAAQ,OACZy3H,EAAO,EAAQ,OAEfzlH,EAAM1B,KAAK0B,IACX6rD,EAAMvtD,KAAKutD,IAIf79D,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChCyX,KAAM,SAAc7kI,GAClB,IAAIsC,GAAKtC,EACT,OAAOgkH,EAAK1hH,GAAK8nD,EAAI7rD,EAAI+D,GAAI,EAAI,EACnC,G,8BCZF,IAAI/V,EAAI,EAAQ,OAEZ8R,EAAQxB,KAAKwB,MACbutH,EAAM/uH,KAAK+uH,IACXkZ,EAAQjoI,KAAKioI,MAIjBv4I,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChC2X,MAAO,SAAe/kI,GACpB,IAAIsC,EAAItC,IAAM,EACd,OAAOsC,EAAI,GAAKjE,EAAMutH,EAAItpH,EAAI,IAAOwiI,GAAS,EAChD,G,+BCZF,IAAIv4I,EAAI,EAAQ,OACZ2jI,EAAQ,EAAQ,OAGhB8U,EAAQnoI,KAAKooI,KACb1mI,EAAM1B,KAAK0B,IACX2vC,EAAIrxC,KAAKqxC,EAMb3hD,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAM/W,QAJlB2uB,GAASA,EAAM,OAASnqD,KAIY,CAChDoqD,KAAM,SAAcjlI,GAClB,IAAI5R,EAAI8hI,EAAM3xH,EAAIyB,GAAK,GAAK,EAC5B,OAAQ5R,EAAI,GAAKA,EAAI8/C,EAAIA,KAAOA,EAAI,EACtC,G,+BChBF,IAAI3hD,EAAI,EAAQ,OACZ2jI,EAAQ,EAAQ,OAKpB3jI,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAM/W,OAAQ6Z,IAAUrzH,KAAKqzH,OAAS,CAAEA,MAAOA,G,+BCNjE,EAAQ,MAKhB3jI,CAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAAEpW,OAJvB,EAAQ,Q,+BCDrB,IAAIzqH,EAAI,EAAQ,OAGZ24I,EAASroI,KAAKsoI,MACd5mI,EAAM1B,KAAK0B,IACXM,EAAOhC,KAAKgC,KAQhBtS,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAMgM,MAAO,EAAG/iB,SAJ3B6uB,GAAUA,EAAOrqD,IAAUplE,OAASolE,KAIS,CAE1DsqD,MAAO,SAAeC,EAAQC,GAM5B,IALA,IAIIxuC,EAAK/vE,EAJLm2D,EAAM,EACNv/E,EAAI,EACJ4nI,EAAOxuI,UAAU7I,OACjBs3I,EAAO,EAEJ7nI,EAAI4nI,GAELC,GADJ1uC,EAAMt4F,EAAIzH,UAAU4G,QAGlBu/E,EAAMA,GADNn2D,EAAMy+G,EAAO1uC,GACK/vE,EAAM,EACxBy+G,EAAO1uC,GAGP5Z,GAFS4Z,EAAM,GACf/vE,EAAM+vE,EAAM0uC,GACCz+G,EACD+vE,EAEhB,OAAO0uC,IAAS1qD,IAAWA,IAAW0qD,EAAO1mI,EAAKo+E,EACpD,G,+BCjCF,IAAI1wF,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAGhBgzB,EAAQ3oI,KAAK4oI,KASjBl5I,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAM/W,OAPnB7D,GAAM,WACjB,OAAiC,IAA1BgzB,EAAM,WAAY,IAA8B,IAAjBA,EAAMv3I,MAC9C,KAKkD,CAChDw3I,KAAM,SAAczlI,EAAGC,GACrB,IAAIylI,EAAS,MACTC,GAAM3lI,EACN4lI,GAAM3lI,EACN4lI,EAAKH,EAASC,EACdG,EAAKJ,EAASE,EAClB,OAAO,EAAIC,EAAKC,IAAOJ,EAASC,IAAO,IAAMG,EAAKD,GAAMH,EAASE,IAAO,KAAO,KAAO,EACxF,G,+BCrBM,EAAQ,MAKhBr5I,CAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChCuD,MALU,EAAQ,Q,+BCDZ,EAAQ,MAKhBpkI,CAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAAEwD,MAJxB,EAAQ,O,+BCDpB,IAAIrkI,EAAI,EAAQ,OAEZq/H,EAAM/uH,KAAK+uH,IACXC,EAAMhvH,KAAKgvH,IAIft/H,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChC2Y,KAAM,SAAc/lI,GAClB,OAAO4rH,EAAI5rH,GAAK6rH,CAClB,G,8BCVM,EAAQ,MAKhBt/H,CAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChCpJ,KALS,EAAQ,Q,+BCDnB,IAAIz3H,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChB0d,EAAQ,EAAQ,OAEhB3xH,EAAM1B,KAAK0B,IACXk6E,EAAM57E,KAAK47E,IACXvqC,EAAIrxC,KAAKqxC,EAUb3hD,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,EAAM/W,OARnB7D,GAAM,WAEjB,OAA8B,QAAvB31G,KAAKmpI,MAAM,MACpB,KAKkD,CAChDA,KAAM,SAAchmI,GAClB,IAAIsC,GAAKtC,EACT,OAAOzB,EAAI+D,GAAK,GAAK4tH,EAAM5tH,GAAK4tH,GAAO5tH,IAAM,GAAKm2E,EAAIn2E,EAAI,GAAKm2E,GAAKn2E,EAAI,KAAO4rC,EAAI,EACrF,G,+BCpBF,IAAI3hD,EAAI,EAAQ,OACZ2jI,EAAQ,EAAQ,OAEhBz3C,EAAM57E,KAAK47E,IAIflsF,EAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChC6Y,KAAM,SAAcjmI,GAClB,IAAIsC,GAAKtC,EACLqO,EAAI6hH,EAAM5tH,GACVwJ,EAAIokH,GAAO5tH,GACf,OAAO+L,IAAMwsE,IAAW,EAAI/uE,IAAM+uE,KAAY,GAAKxsE,EAAIvC,IAAM2sE,EAAIn2E,GAAKm2E,GAAKn2E,GAC7E,G,+BCbmB,EAAQ,MAI7Bg1G,CAAez6G,KAAM,QAAQ,E,+BCJrB,EAAQ,MAKhBtQ,CAAE,CAAEmN,OAAQ,OAAQ0zH,MAAM,GAAQ,CAChC8Y,MALU,EAAQ,Q,8BCDpB,IAAI35I,EAAI,EAAQ,OACZqiI,EAAU,EAAQ,OAClB9a,EAAc,EAAQ,OACtBnZ,EAAa,EAAQ,OACrBpiG,EAAO,EAAQ,OACf85G,EAAc,EAAQ,OACtBkP,EAAW,EAAQ,OACnB3rB,EAAS,EAAQ,OACjBwhB,EAAoB,EAAQ,OAC5BvF,EAAgB,EAAQ,MACxBgpB,EAAW,EAAQ,OACnBZ,EAAc,EAAQ,OACtBznB,EAAQ,EAAQ,OAChB2a,EAAsB,WACtBlP,EAA2B,WAC3B/7F,EAAiB,WACjBikH,EAAkB,EAAQ,OAC1B36H,EAAO,cAEP46H,EAAS,SACTC,EAAe1rC,EAAWyrC,GAC1BE,EAAsB/tI,EAAK6tI,GAC3BG,EAAkBF,EAAanxI,UAC/Bm1C,EAAYswD,EAAWtwD,UACvBwsF,EAAcxkB,EAAY,GAAGv5G,OAC7BguC,EAAaurE,EAAY,GAAGvrE,YAkD5B22E,EAAS8D,EAAS6kB,GAASC,EAAa,UAAYA,EAAa,QAAUA,EAAa,SASxFG,EAAgB,SAAgBv2I,GAClC,IAR4BqyH,EAQxBhgH,EAAIxL,UAAU7I,OAAS,EAAI,EAAIo4I,EAxDrB,SAAUp2I,GACxB,IAAIw2I,EAAYxM,EAAYhqI,EAAO,UACnC,MAA2B,iBAAbw2I,EAAwBA,EAKzB,SAAUn1B,GACvB,IACI/0E,EAAOmqG,EAAOtU,EAAOuU,EAASh9D,EAAQ17E,EAAQ8lC,EAAO0hE,EADrDgc,EAAKwoB,EAAY3oB,EAAU,UAE/B,GAAIupB,EAASppB,GAAK,MAAM,IAAIpnE,EAAU,6CACtC,GAAiB,iBAANonE,GAAkBA,EAAGxjH,OAAS,EAGvC,GAFAwjH,EAAKjmG,EAAKimG,GAEI,MADdl1E,EAAQuK,EAAW2qE,EAAI,KACO,KAAVl1E,GAElB,GAAc,MADdmqG,EAAQ5/F,EAAW2qE,EAAI,KACO,MAAVi1B,EAAe,OAAOjxH,SACrC,GAAc,KAAV8mB,EAAc,CACvB,OAAQuK,EAAW2qE,EAAI,IAErB,KAAK,GACL,KAAK,GACH2gB,EAAQ,EACRuU,EAAU,GACV,MAEF,KAAK,GACL,KAAK,IACHvU,EAAQ,EACRuU,EAAU,GACV,MACF,QACE,OAAQl1B,EAIZ,IADAxjH,GADA07E,EAASktD,EAAYplB,EAAI,IACTxjH,OACX8lC,EAAQ,EAAGA,EAAQ9lC,EAAQ8lC,IAI9B,IAHA0hE,EAAO3uD,EAAW6iC,EAAQ51C,IAGf,IAAM0hE,EAAOkxC,EAAS,OAAOlxH,IACxC,OAAOjM,SAASmgE,EAAQyoD,EAC5B,CACA,OAAQ3gB,CACZ,CA1CoDm1B,CAASH,EAC7D,CAqDkDI,CAAU52I,IAC1D,OAPO4hH,EAAc00B,EAFOjkB,EASPr2H,OAP2BumH,GAAM,WAAc2zB,EAAgB7jB,EAAQ,IAO/DlL,EAAkBtkH,OAAOwP,GAAIrW,KAAMu6I,GAAiBlkI,CACnF,EAEAkkI,EAActxI,UAAYqxI,EACtB9oB,IAAWmR,IAAS2X,EAAgBrsG,YAAcssG,GAEtDj6I,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMktB,MAAM,EAAMivD,OAAQoH,GAAU,CACjEhvG,OAAQ+3H,IAIV,IAAInvB,EAA4B,SAAU39G,EAAQmM,GAChD,IAAK,IAOgB/V,EAPZ24B,EAAOqrF,EAAcqZ,EAAoBtnH,GAAU,oLAO1DpY,MAAM,KAAMgQ,EAAI,EAAQgrB,EAAKx6B,OAASwP,EAAGA,IACrCm4F,EAAO/vF,EAAQ/V,EAAM24B,EAAKhrB,MAAQm4F,EAAOl8F,EAAQ5J,IACnDoyB,EAAexoB,EAAQ5J,EAAKmuH,EAAyBp4G,EAAQ/V,GAGnE,EAEI8+H,GAAW0X,GAAqBjvB,EAA0B9+G,EAAK6tI,GAASE,IACxE7oB,GAAUmR,IAASvX,EAA0B9+G,EAAK6tI,GAASC,E,+BCjHvD,EAAQ,MAIhB95I,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM0Z,iBAAiB,EAAMC,aAAa,GAAQ,CAC5E5W,QAAStzH,KAAKutD,IAAI,GAAI,K,+BCLhB,EAAQ,MAKhB79D,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAAEvhH,SAJjB,EAAQ,Q,+BCDrB,EAAQ,MAKhBtf,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClCO,UALqB,EAAQ,O,+BCDvB,EAAQ,MAIhBphI,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClCz3G,MAAO,SAAeijG,GAEpB,OAAOA,GAAWA,CACpB,G,+BCRF,IAAIrsH,EAAI,EAAQ,OACZkuI,EAAmB,EAAQ,MAE3Bl8H,EAAM1B,KAAK0B,IAIfhS,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClC4Z,cAAe,SAAuBpuB,GACpC,OAAO6hB,EAAiB7hB,IAAWr6G,EAAIq6G,IAAW,gBACpD,G,+BCVM,EAAQ,MAIhBrsH,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM0Z,iBAAiB,EAAMC,aAAa,GAAQ,CAC5EE,iBAAkB,kB,+BCLZ,EAAQ,MAIhB16I,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM0Z,iBAAiB,EAAMC,aAAa,GAAQ,CAC5EG,kBAAmB,kB,+BCLrB,IAAI36I,EAAI,EAAQ,OACZqf,EAAa,EAAQ,OAKzBrf,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAAQ5nG,OAAO7C,aAAeA,GAAc,CAC5EA,WAAYA,G,+BCPd,IAAIrf,EAAI,EAAQ,OACZid,EAAW,EAAQ,OAKvBjd,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAAQ5nG,OAAOjF,WAAaA,GAAY,CACxEA,SAAUA,G,+BCPZ,IAAIjd,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtByE,EAAsB,EAAQ,OAC9BqvB,EAAkB,EAAQ,OAC1BxP,EAAU,EAAQ,OAClBhG,EAAQ,EAAQ,OAChBne,EAAQ,EAAQ,OAEhBmM,EAAcrG,WACd9G,EAAU37F,OACVstG,EAAYt3G,SACZtN,EAAM1B,KAAK0B,IACXF,EAAQxB,KAAKwB,MACb+rD,EAAMvtD,KAAKutD,IACXttD,EAAQD,KAAKC,MACbqqI,EAAsB90B,EAAY,GAAI+0B,eACtCxQ,EAASvkB,EAAYskB,GACrBE,EAAcxkB,EAAY,GAAGv5G,OAG7BuuI,EAAuD,gBAArCF,GAAqB,OAAS,IAEb,YAAlCA,EAAoB,MAAO,IAEO,aAAlCA,EAAoB,MAAO,IAEI,SAA/BA,EAAoB,GAAI,GAuB7B56I,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,QAJrBgxB,KAfL70B,GAAM,WACX20B,EAAoB,EAAGtsD,IACzB,KAAM23B,GAAM,WACV20B,EAAoB,GAAG,IACzB,QAKQ30B,GAAM,WACZ20B,EAAoBtsD,IAAUA,KAC9BssD,EAAoB1xH,IAAKolE,IAC3B,KAOmD,CACnDusD,cAAe,SAAuBE,GACpC,IAAItnI,EAAImmI,EAAgBl6I,MACxB,QAAuBI,IAAnBi7I,EAA8B,OAAOH,EAAoBnnI,GAC7D,IAAIqrG,EAAIyL,EAAoBwwB,GAC5B,IAAKnkB,EAAUnjH,GAAI,OAAO6V,OAAO7V,GAEjC,GAAIqrG,EAAI,GAAKA,EAAI,GAAI,MAAM,IAAIsT,EAAY,6BAC3C,GAAI0oB,EAAiB,OAAOF,EAAoBnnI,EAAGqrG,GACnD,IACIlgG,EAAGvK,EAAGV,EAAG4lC,EADTv6B,EAAI,GAMR,GAJIvL,EAAI,IACNuL,EAAI,IACJvL,GAAKA,GAEG,IAANA,EACFY,EAAI,EACJuK,EAAIyrH,EAAO,IAAKvrB,EAAI,OACf,CAGL,IAAI5zE,EAAIk5F,EAAM3wH,GACdY,EAAIvC,EAAMo5B,GACV,IAAI74B,EAAIwrD,EAAI,GAAIxpD,EAAIyqG,GAChB/oG,EAAIxF,EAAMkD,EAAIpB,GACd,EAAIoB,IAAM,EAAIsC,EAAI,GAAK1D,IACzB0D,GAAK,GAEHA,GAAK8nD,EAAI,GAAIihD,EAAI,KACnB/oG,GAAK,GACL1B,GAAK,GAEPuK,EAAIqmG,EAAQlvG,EACd,CAYA,OAXU,IAAN+oG,IACFlgG,EAAI0rH,EAAY1rH,EAAG,EAAG,GAAK,IAAM0rH,EAAY1rH,EAAG,IAExC,IAANvK,GACFV,EAAI,IACJ4lC,EAAI,MAEJ5lC,EAAIU,EAAI,EAAI,IAAM,IAClBklC,EAAI0rE,EAAQjzG,EAAIqC,KAGX2K,GADPJ,EAAK,KAAMjL,EAAI4lC,CAEjB,G,8BC/FF,IAAIv5C,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtByE,EAAsB,EAAQ,OAC9BqvB,EAAkB,EAAQ,OAC1BxP,EAAU,EAAQ,OAClBnkB,EAAQ,EAAQ,OAEhBmM,EAAcrG,WACd9G,EAAU37F,OACVxX,EAAQxB,KAAKwB,MACbu4H,EAASvkB,EAAYskB,GACrBE,EAAcxkB,EAAY,GAAGv5G,OAC7ByuI,EAAgBl1B,EAAY,GAAInzD,SAEhCkL,EAAM,SAAUpqD,EAAGsC,EAAGklI,GACxB,OAAa,IAANllI,EAAUklI,EAAMllI,EAAI,GAAM,EAAI8nD,EAAIpqD,EAAGsC,EAAI,EAAGklI,EAAMxnI,GAAKoqD,EAAIpqD,EAAIA,EAAGsC,EAAI,EAAGklI,EAClF,EAeIC,EAAW,SAAUn4I,EAAMgT,EAAGpC,GAGhC,IAFA,IAAI6zB,GAAS,EACT2zG,EAAKxnI,IACA6zB,EAAQ,GACf2zG,GAAMplI,EAAIhT,EAAKykC,GACfzkC,EAAKykC,GAAS2zG,EAAK,IACnBA,EAAKrpI,EAAMqpI,EAAK,IAEpB,EAEIC,EAAS,SAAUr4I,EAAMgT,GAG3B,IAFA,IAAIyxB,EAAQ,EACR7zB,EAAI,IACC6zB,GAAS,GAChB7zB,GAAK5Q,EAAKykC,GACVzkC,EAAKykC,GAAS11B,EAAM6B,EAAIoC,GACxBpC,EAAKA,EAAIoC,EAAK,GAElB,EAEIslI,EAAe,SAAUt4I,GAG3B,IAFA,IAAIykC,EAAQ,EACRxoB,EAAI,KACCwoB,GAAS,GAChB,GAAU,KAANxoB,GAAsB,IAAVwoB,GAA+B,IAAhBzkC,EAAKykC,GAAc,CAChD,IAAI3lC,EAAIojH,EAAQliH,EAAKykC,IACrBxoB,EAAU,KAANA,EAAWnd,EAAImd,EAAIqrH,EAAO,IAAK,EAAIxoI,EAAEH,QAAUG,CACrD,CACA,OAAOmd,CACX,EAcAhf,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAZtB7D,GAAM,WACjB,MAAqC,UAA9B+0B,EAAc,KAAS,IACF,MAA1BA,EAAc,GAAK,IACS,SAA5BA,EAAc,MAAO,IACuB,wBAA5CA,EAAc,kBAAuB,EACzC,MAAO/0B,GAAM,WAEX+0B,EAAc,CAAC,EACjB,KAIqD,CACnDroF,QAAS,SAAiBooF,GACxB,IAKI1mI,EAAGinI,EAAGpqI,EAAGsO,EALT6sG,EAASutB,EAAgBl6I,MACzB67I,EAAchxB,EAAoBwwB,GAClCh4I,EAAO,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,GACvB00H,EAAO,GACPjzH,EAAS,IAIb,GAAI+2I,EAAc,GAAKA,EAAc,GAAI,MAAM,IAAInpB,EAAY,6BAE/D,GAAI/F,GAAWA,EAAQ,MAAO,MAC9B,GAAIA,IAAW,MAAQA,GAAU,KAAM,OAAOpH,EAAQoH,GAKtD,GAJIA,EAAS,IACXoL,EAAO,IACPpL,GAAUA,GAERA,EAAS,MAKX,GAHAivB,GADAjnI,EA3EI,SAAUZ,GAGlB,IAFA,IAAIsC,EAAI,EACJ3E,EAAKqC,EACFrC,GAAM,MACX2E,GAAK,GACL3E,GAAM,KAER,KAAOA,GAAM,GACX2E,GAAK,EACL3E,GAAM,EACN,OAAO2E,CACX,CAgEUspH,CAAIhT,EAASxuD,EAAI,EAAG,GAAI,IAAM,IAC1B,EAAIwuD,EAASxuD,EAAI,GAAIxpD,EAAG,GAAKg4G,EAASxuD,EAAI,EAAGxpD,EAAG,GACxDinI,GAAK,kBACLjnI,EAAI,GAAKA,GACD,EAAG,CAGT,IAFA6mI,EAASn4I,EAAM,EAAGu4I,GAClBpqI,EAAIqqI,EACGrqI,GAAK,GACVgqI,EAASn4I,EAAM,IAAK,GACpBmO,GAAK,EAIP,IAFAgqI,EAASn4I,EAAM86D,EAAI,GAAI3sD,EAAG,GAAI,GAC9BA,EAAImD,EAAI,EACDnD,GAAK,IACVkqI,EAAOr4I,EAAM,GAAK,IAClBmO,GAAK,GAEPkqI,EAAOr4I,EAAM,GAAKmO,GAClBgqI,EAASn4I,EAAM,EAAG,GAClBq4I,EAAOr4I,EAAM,GACbyB,EAAS62I,EAAat4I,EACxB,MACEm4I,EAASn4I,EAAM,EAAGu4I,GAClBJ,EAASn4I,EAAM,IAAMsR,EAAG,GACxB7P,EAAS62I,EAAat4I,GAAQsnI,EAAO,IAAKkR,GAU5C,OAPEA,EAAc,EAEP9jB,IADTj4G,EAAIhb,EAAO9C,SACW65I,EAClB,KAAOlR,EAAO,IAAKkR,EAAc/7H,GAAKhb,EACtC8lI,EAAY9lI,EAAQ,EAAGgb,EAAI+7H,GAAe,IAAMjR,EAAY9lI,EAAQgb,EAAI+7H,IAEnE9jB,EAAOjzH,CAEpB,G,+BChIF,IAAIxE,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAChB2zB,EAAkB,EAAQ,OAE1B4B,EAAoB11B,EAAY,GAAI21B,aAYxCz7I,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAVtB7D,GAAM,WAEjB,MAA2C,MAApCu1B,EAAkB,OAAG17I,EAC9B,MAAOmmH,GAAM,WAEXu1B,EAAkB,CAAC,EACrB,KAIqD,CACnDC,YAAa,SAAqBr+C,GAChC,YAAqBt9F,IAAds9F,EACHo+C,EAAkB5B,EAAgBl6I,OAClC87I,EAAkB5B,EAAgBl6I,MAAO09F,EAC/C,G,+BCtBF,IAAIp9F,EAAI,EAAQ,OACZwG,EAAS,EAAQ,OAKrBxG,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAMgM,MAAO,EAAG/iB,OAAQvjH,OAAOC,SAAWA,GAAU,CAC9EA,OAAQA,G,+BCNF,EAAQ,MAMhBxG,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAMviF,MALhB,EAAQ,QAK8B,CACtDp6C,OALW,EAAQ,O,+BCHrB,IAAIlE,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtB2J,EAAS,EAAQ,OACjBK,EAAY,EAAQ,OACpB/C,EAAW,EAAQ,OACnBiI,EAAuB,EAAQ,OAI/BlP,GACFvnH,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAAQoH,GAAU,CACnDwqB,iBAAkB,SAA0B5jB,EAAG51E,GAC7Cu0E,EAAqB3X,EAAE0P,EAAS9uH,MAAOo4H,EAAG,CAAErwG,IAAK8pG,EAAUrvE,GAASlF,YAAY,EAAMC,cAAc,GACtG,G,+BCbJ,IAAIj9C,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtBo0B,EAAmB,WAKvB37I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAAQvjH,OAAOo1I,mBAAqBA,EAAkBr9F,MAAOipE,GAAe,CAC5Go0B,iBAAkBA,G,+BCRpB,IAAI37I,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtB5xF,EAAiB,WAKrB31B,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAAQvjH,OAAOovB,iBAAmBA,EAAgB2oB,MAAOipE,GAAe,CACxG5xF,eAAgBA,G,+BCRlB,IAAI31B,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtB2J,EAAS,EAAQ,OACjBK,EAAY,EAAQ,OACpB/C,EAAW,EAAQ,OACnBiI,EAAuB,EAAQ,OAI/BlP,GACFvnH,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAAQoH,GAAU,CACnDkW,iBAAkB,SAA0BtP,EAAGD,GAC7CpB,EAAqB3X,EAAE0P,EAAS9uH,MAAOo4H,EAAG,CAAElwG,IAAK2pG,EAAUsG,GAAS76E,YAAY,EAAMC,cAAc,GACtG,G,8BCbJ,IAAIj9C,EAAI,EAAQ,OACZ47I,EAAW,iBAIf57I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClCnwF,QAAS,SAAiBk1E,GACxB,OAAOg2B,EAASh2B,EAClB,G,+BCRF,IAAI5lH,EAAI,EAAQ,OACZqgI,EAAW,EAAQ,OACnBpa,EAAQ,EAAQ,OAChBxzE,EAAW,EAAQ,OACnBquF,EAAW,iBAGX+a,EAAUt1I,OAAOu1I,OAKrB97I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAJR7D,GAAM,WAAc41B,EAAQ,EAAI,IAIKv9F,MAAO+hF,GAAY,CAChFyb,OAAQ,SAAgB52B,GACtB,OAAO22B,GAAWppG,EAASyyE,GAAM22B,EAAQ/a,EAAS5b,IAAOA,CAC3D,G,+BCfF,IAAIllH,EAAI,EAAQ,OACZ0zH,EAAU,EAAQ,OAClBnE,EAAiB,EAAQ,OAI7BvvH,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClCvtG,YAAa,SAAqBu5E,GAChC,IAAIpjE,EAAM,CAAC,EAIX,OAHAiqF,EAAQ7mB,GAAU,SAAUrtF,EAAGo2C,GAC7B25D,EAAe9lF,EAAKjqB,EAAGo2C,EACzB,GAAG,CAAEu+D,YAAY,IACV1qF,CACT,G,+BCbF,IAAIzpC,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChB8K,EAAkB,EAAQ,OAC1B4d,EAAiC,WACjCpnB,EAAc,EAAQ,OAM1BvnH,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAJpBvC,GAAetB,GAAM,WAAc0oB,EAA+B,EAAI,IAIlCrwF,MAAOipE,GAAe,CACtEmK,yBAA0B,SAAkCxM,EAAI3hH,GAC9D,OAAOorI,EAA+B5d,EAAgB7L,GAAK3hH,EAC7D,G,+BCbF,IAAIvD,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtBw0B,EAAU,EAAQ,OAClBhrB,EAAkB,EAAQ,OAC1Byd,EAAiC,EAAQ,OACzCjf,EAAiB,EAAQ,OAI7BvvH,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAMviF,MAAOipE,GAAe,CACtDy0B,0BAA2B,SAAmC3yF,GAO5D,IANA,IAKI9lD,EAAKw5C,EALL6oE,EAAImL,EAAgB1nE,GACpBqoE,EAA2B8c,EAA+B1vB,EAC1D5iF,EAAO6/G,EAAQn2B,GACfphH,EAAS,CAAC,EACVgjC,EAAQ,EAELtL,EAAKx6B,OAAS8lC,QAEA1nC,KADnBi9C,EAAa20E,EAAyB9L,EAAGriH,EAAM24B,EAAKsL,QACtB+nF,EAAe/qH,EAAQjB,EAAKw5C,GAE5D,OAAOv4C,CACT,G,8BCtBF,IAAIxE,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChB2a,EAAsB,WAO1B5gI,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAJR7D,GAAM,WAAc,OAAQ1/G,OAAOq6H,oBAAoB,EAAI,KAIpB,CAC/DA,oBAAqBA,G,+BCVvB,IAAI5gI,EAAI,EAAQ,OACZ8sI,EAAgB,EAAQ,MACxB7mB,EAAQ,EAAQ,OAChB8f,EAA8B,EAAQ,OACtCvX,EAAW,EAAQ,OAQvBxuH,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAJpBgjB,GAAiB7mB,GAAM,WAAc8f,EAA4BjnB,EAAE,EAAI,KAIjC,CAClDwnB,sBAAuB,SAA+BphB,GACpD,IAAI+2B,EAAyBlW,EAA4BjnB,EACzD,OAAOm9B,EAAyBA,EAAuBztB,EAAStJ,IAAO,EACzE,G,+BChBF,IAAIllH,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChBuI,EAAW,EAAQ,OACnB0tB,EAAuB,EAAQ,OAC/BtV,EAA2B,EAAQ,OAMvC5mI,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAJR7D,GAAM,WAAci2B,EAAqB,EAAI,IAIR59F,MAAOsoF,GAA4B,CAChGtpF,eAAgB,SAAwB4nE,GACtC,OAAOg3B,EAAqB1tB,EAAStJ,GACvC,G,+BCbF,IAAIllH,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrBjb,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OACpB6E,EAAyB,EAAQ,OACjCiY,EAAgB,EAAQ,OACxB3a,EAAU,EAAQ,OAClBzN,EAAQ,EAAQ,OAGhBk2B,EAAgB51I,OAAO6tC,QACvBlwC,EAAS68H,EAAW,SAAU,UAC9B3zH,EAAO04G,EAAY,GAAG14G,MAU1BpN,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QARGqyB,GAAiBl2B,GAAM,WAC1D,OAEgB,IAFTk2B,EAAc,MAAM,SAAUj3B,GACnC,OAAOA,CACT,IAAGpjG,EAAEpgB,MACP,KAI2E,CACzE0yC,QAAS,SAAiBkzB,EAAO6nD,GAC/BiH,EAAuB9uD,GACvBiqD,EAAUpC,GACV,IAAI1lF,EAAMvlC,EAAO,MACbsb,EAAI,EAQR,OAPAk0G,EAAQpsD,GAAO,SAAU5jE,GACvB,IAAIH,EAAM8qI,EAAclf,EAAWzrH,EAAO8b,MAGtCjc,KAAOkmC,EAAKr8B,EAAKq8B,EAAIlmC,GAAMG,GAC1B+lC,EAAIlmC,GAAO,CAACG,EACnB,IACO+lC,CACT,G,+BCpCM,EAAQ,MAKhBzpC,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClCx3B,OALW,EAAQ,Q,+BCDrB,IAAIrpG,EAAI,EAAQ,OACZgnI,EAAgB,EAAQ,OAK5BhnI,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAAQvjH,OAAO4/G,eAAiB6gB,GAAiB,CACjF7gB,aAAc6gB,G,+BCPhB,IAAIhnI,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChBxzE,EAAW,EAAQ,OACnBkzE,EAAU,EAAQ,OAClBohB,EAA8B,EAAQ,OAGtCqV,EAAY71I,OAAO81I,SAMvBr8I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAJrBid,GAA+B9gB,GAAM,WAAcm2B,EAAU,EAAI,KAI1B,CAClDC,SAAU,SAAkBn3B,GAC1B,OAAKzyE,EAASyyE,OACV6hB,GAA+C,gBAAhBphB,EAAQT,OACpCk3B,GAAYA,EAAUl3B,EAC/B,G,6BClBF,IAAIllH,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChBxzE,EAAW,EAAQ,OACnBkzE,EAAU,EAAQ,OAClBohB,EAA8B,EAAQ,OAGtCuV,EAAY/1I,OAAOg2I,SAMvBv8I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAJrBid,GAA+B9gB,GAAM,WAAcq2B,EAAU,EAAI,KAI1B,CAClDC,SAAU,SAAkBr3B,GAC1B,OAAKzyE,EAASyyE,OACV6hB,GAA+C,gBAAhBphB,EAAQT,OACpCo3B,GAAYA,EAAUp3B,EAC/B,G,+BClBM,EAAQ,MAKhBllH,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClC/6G,GALO,EAAQ,O,+BCDjB,IAAI9lB,EAAI,EAAQ,OACZwuH,EAAW,EAAQ,OACnBguB,EAAa,EAAQ,OAOzBx8I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OANtB,EAAQ,MAEM7D,EAAM,WAAcu2B,EAAW,EAAI,KAII,CAC/DtgH,KAAM,SAAcgpF,GAClB,OAAOs3B,EAAWhuB,EAAStJ,GAC7B,G,8BCZF,IAAIllH,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtB2J,EAAS,EAAQ,OACjB1C,EAAW,EAAQ,OACnB6f,EAAgB,EAAQ,OACxB/wF,EAAiB,EAAQ,OACzBo0E,EAA2B,WAI3BnK,GACFvnH,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAAQoH,GAAU,CACnDurB,iBAAkB,SAA0B3kB,GAC1C,IAEIxuB,EAFAsc,EAAI4I,EAAS9uH,MACb6D,EAAM8qI,EAAcvW,GAExB,GACE,GAAIxuB,EAAOooB,EAAyB9L,EAAGriH,GAAM,OAAO+lG,EAAK7hF,UAClDm+F,EAAItoE,EAAesoE,GAC9B,G,8BCnBJ,IAAI5lH,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtB2J,EAAS,EAAQ,OACjB1C,EAAW,EAAQ,OACnB6f,EAAgB,EAAQ,OACxB/wF,EAAiB,EAAQ,OACzBo0E,EAA2B,WAI3BnK,GACFvnH,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAAQoH,GAAU,CACnDwrB,iBAAkB,SAA0B5kB,GAC1C,IAEIxuB,EAFAsc,EAAI4I,EAAS9uH,MACb6D,EAAM8qI,EAAcvW,GAExB,GACE,GAAIxuB,EAAOooB,EAAyB9L,EAAGriH,GAAM,OAAO+lG,EAAK1hF,UAClDg+F,EAAItoE,EAAesoE,GAC9B,G,+BCnBJ,IAAI5lH,EAAI,EAAQ,OACZyyC,EAAW,EAAQ,OACnBquF,EAAW,iBACXT,EAAW,EAAQ,OACnBpa,EAAQ,EAAQ,OAGhB02B,EAAqBp2I,OAAOw3H,kBAKhC/9H,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAJR7D,GAAM,WAAc02B,EAAmB,EAAI,IAINr+F,MAAO+hF,GAAY,CAChFtC,kBAAmB,SAA2B7Y,GAC5C,OAAOy3B,GAAsBlqG,EAASyyE,GAAMy3B,EAAmB7b,EAAS5b,IAAOA,CACjF,G,+BCfF,IAAIqC,EAAc,EAAQ,OACtBI,EAAwB,EAAQ,OAChCl1E,EAAW,EAAQ,OACnBuyE,EAAsB,EAAQ,OAC9BwJ,EAAW,EAAQ,OACnB4H,EAAyB,EAAQ,OAGjC94E,EAAiB/2C,OAAO+2C,eAExBH,EAAiB52C,OAAO42C,eACxBmrE,EAAkB/hH,OAAOoC,UACzBi0I,EAAQ,YAIZ,GAAIr1B,GAAejqE,GAAkBH,KAAoBy/F,KAASt0B,GAAkB,IAClFX,EAAsBW,EAAiBs0B,EAAO,CAC5C3/F,cAAc,EACdx1B,IAAK,WACH,OAAO61B,EAAekxE,EAAS9uH,MACjC,EACAkoB,IAAK,SAAmBw4B,GACtB,IAAIwlE,EAAIwQ,EAAuB12H,MAC3BslH,EAAoB5kE,IAAU3N,EAASmzE,IACzCzoE,EAAeyoE,EAAGxlE,EAEtB,GAEJ,CAAE,MAAOhgD,GAAqB,C,+BC7B9B,IAAIJ,EAAI,EAAQ,OACZyyC,EAAW,EAAQ,OACnBquF,EAAW,iBACXT,EAAW,EAAQ,OACnBpa,EAAQ,EAAQ,OAGhB42B,EAAQt2I,OAAOu2I,KAKnB98I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,OAJR7D,GAAM,WAAc42B,EAAM,EAAI,IAIOv+F,MAAO+hF,GAAY,CAChFyc,KAAM,SAAc53B,GAClB,OAAO23B,GAASpqG,EAASyyE,GAAM23B,EAAM/b,EAAS5b,IAAOA,CACvD,G,+BCfM,EAAQ,MAKhBllH,CAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClC1jF,eALmB,EAAQ,Q,+BCD7B,IAAIwqF,EAAwB,EAAQ,OAChCjgB,EAAgB,EAAQ,OACxBzmH,EAAW,EAAQ,OAIlB0mI,GACHjgB,EAAcnhH,OAAOoC,UAAW,WAAY1H,EAAU,CAAEssH,QAAQ,G,+BCPlE,IAAIvtH,EAAI,EAAQ,OACZ+8I,EAAU,gBAId/8I,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClC/tG,OAAQ,SAAgB8yF,GACtB,OAAOm3B,EAAQn3B,EACjB,G,+BCRF,IAAI5lH,EAAI,EAAQ,OACZylI,EAAc,EAAQ,OAI1BzlI,EAAE,CAAEmY,QAAQ,EAAM2xG,OAAQzqG,aAAeomH,GAAe,CACtDpmH,WAAYomH,G,+BCNd,IAAIzlI,EAAI,EAAQ,OACZ2lI,EAAY,EAAQ,OAIxB3lI,EAAE,CAAEmY,QAAQ,EAAM2xG,OAAQ7sG,WAAa0oH,GAAa,CAClD1oH,SAAU0oH,G,+BCNZ,IAAI3lI,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfkxH,EAAY,EAAQ,OACpByrB,EAA6B,EAAQ,OACrCC,EAAU,EAAQ,MAClBvpB,EAAU,EAAQ,OAKtB1zH,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAJO,EAAQ,QAIgC,CAChFozB,WAAY,SAAoBrwC,GAC9B,IAAI+c,EAAIlqH,KACJy9I,EAAaH,EAA2Bl+B,EAAE8K,GAC1Ct+G,EAAU6xI,EAAW7xI,QACrB8J,EAAS+nI,EAAW/nI,OACpB5Q,EAASy4I,GAAQ,WACnB,IAAIG,EAAiB7rB,EAAU3H,EAAEt+G,SAC7BwnB,EAAS,GACT7B,EAAU,EACVoZ,EAAY,EAChBqpF,EAAQ7mB,GAAU,SAAUj1F,GAC1B,IAAI4vB,EAAQvW,IACRosH,GAAgB,EACpBhzG,IACAhqC,EAAK+8I,EAAgBxzB,EAAGhyG,GAASzR,MAAK,SAAUzC,GAC1C25I,IACJA,GAAgB,EAChBvqH,EAAO0U,GAAS,CAAE1iC,OAAQ,YAAapB,MAAOA,KAC5C2mC,GAAa/+B,EAAQwnB,GACzB,IAAG,SAAU1yB,GACPi9I,IACJA,GAAgB,EAChBvqH,EAAO0U,GAAS,CAAE1iC,OAAQ,WAAYw4I,OAAQl9I,KAC5CiqC,GAAa/+B,EAAQwnB,GACzB,GACF,MACEuX,GAAa/+B,EAAQwnB,EACzB,IAEA,OADItuB,EAAOpE,OAAOgV,EAAO5Q,EAAOd,OACzBy5I,EAAWvlI,OACpB,G,+BCzCF,IAAI5X,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfkxH,EAAY,EAAQ,OACpByrB,EAA6B,EAAQ,OACrCC,EAAU,EAAQ,MAClBvpB,EAAU,EAAQ,OAKtB1zH,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAJO,EAAQ,QAIgC,CAChF/+E,IAAK,SAAa8hE,GAChB,IAAI+c,EAAIlqH,KACJy9I,EAAaH,EAA2Bl+B,EAAE8K,GAC1Ct+G,EAAU6xI,EAAW7xI,QACrB8J,EAAS+nI,EAAW/nI,OACpB5Q,EAASy4I,GAAQ,WACnB,IAAIM,EAAkBhsB,EAAU3H,EAAEt+G,SAC9BwnB,EAAS,GACT7B,EAAU,EACVoZ,EAAY,EAChBqpF,EAAQ7mB,GAAU,SAAUj1F,GAC1B,IAAI4vB,EAAQvW,IACRosH,GAAgB,EACpBhzG,IACAhqC,EAAKk9I,EAAiB3zB,EAAGhyG,GAASzR,MAAK,SAAUzC,GAC3C25I,IACJA,GAAgB,EAChBvqH,EAAO0U,GAAS9jC,IACd2mC,GAAa/+B,EAAQwnB,GACzB,GAAG1d,EACL,MACEi1B,GAAa/+B,EAAQwnB,EACzB,IAEA,OADItuB,EAAOpE,OAAOgV,EAAO5Q,EAAOd,OACzBy5I,EAAWvlI,OACpB,G,+BCpCF,IAAI5X,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfkxH,EAAY,EAAQ,OACpBwP,EAAa,EAAQ,OACrBic,EAA6B,EAAQ,OACrCC,EAAU,EAAQ,MAClBvpB,EAAU,EAAQ,OAClB8pB,EAAsC,EAAQ,OAE9CC,EAAoB,0BAIxBz9I,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAAQ0zB,GAAuC,CAChFpqG,IAAK,SAAay5D,GAChB,IAAI+c,EAAIlqH,KACJ2xI,EAAiBtQ,EAAW,kBAC5Boc,EAAaH,EAA2Bl+B,EAAE8K,GAC1Ct+G,EAAU6xI,EAAW7xI,QACrB8J,EAAS+nI,EAAW/nI,OACpB5Q,EAASy4I,GAAQ,WACnB,IAAIG,EAAiB7rB,EAAU3H,EAAEt+G,SAC7B8lI,EAAS,GACTngH,EAAU,EACVoZ,EAAY,EACZqzG,GAAkB,EACtBhqB,EAAQ7mB,GAAU,SAAUj1F,GAC1B,IAAI4vB,EAAQvW,IACR0sH,GAAkB,EACtBtzG,IACAhqC,EAAK+8I,EAAgBxzB,EAAGhyG,GAASzR,MAAK,SAAUzC,GAC1Ci6I,GAAmBD,IACvBA,GAAkB,EAClBpyI,EAAQ5H,GACV,IAAG,SAAUtD,GACPu9I,GAAmBD,IACvBC,GAAkB,EAClBvM,EAAO5pG,GAASpnC,IACdiqC,GAAaj1B,EAAO,IAAIi8H,EAAeD,EAAQqM,IACnD,GACF,MACEpzG,GAAaj1B,EAAO,IAAIi8H,EAAeD,EAAQqM,GACnD,IAEA,OADIj5I,EAAOpE,OAAOgV,EAAO5Q,EAAOd,OACzBy5I,EAAWvlI,OACpB,G,+BC7CF,IAAI5X,EAAI,EAAQ,OACZqiI,EAAU,EAAQ,OAClB4F,EAA6B,qBAC7BL,EAA2B,EAAQ,OACnC7G,EAAa,EAAQ,OACrBvZ,EAAa,EAAQ,OACrBE,EAAgB,EAAQ,OAExBmgB,EAAyBD,GAA4BA,EAAyBj/H,UAWlF,GAPA3I,EAAE,CAAEmN,OAAQ,UAAWizC,OAAO,EAAM0pE,OAAQme,EAA4B2V,MAAM,GAAQ,CACpF,MAAS,SAAUC,GACjB,OAAOn+I,KAAKyG,UAAKrG,EAAW+9I,EAC9B,KAIGxb,GAAW7a,EAAWogB,GAA2B,CACpD,IAAItlI,EAASy+H,EAAW,WAAWp4H,UAAiB,MAChDk/H,EAA8B,QAAMvlI,GACtColH,EAAcmgB,EAAwB,QAASvlI,EAAQ,CAAEirH,QAAQ,GAErE,C,+BCxBA,IAgDIuwB,EAAUC,EAAsCC,EAhDhDh+I,EAAI,EAAQ,OACZqiI,EAAU,EAAQ,OAClB/D,EAAU,EAAQ,OAClBlwB,EAAa,EAAQ,OACrB/tG,EAAO,EAAQ,OACfqnH,EAAgB,EAAQ,OACxBvqE,EAAiB,EAAQ,OACzB4tE,EAAiB,EAAQ,OACzB8I,EAAa,EAAQ,OACrBtC,EAAY,EAAQ,OACpB/J,EAAa,EAAQ,OACrB/0E,EAAW,EAAQ,OACnB63E,EAAa,EAAQ,OACrBwlB,EAAqB,EAAQ,MAC7BmO,EAAO,aACPrZ,EAAY,EAAQ,OACpBsZ,EAAmB,EAAQ,OAC3BjB,EAAU,EAAQ,MAClBzY,EAAQ,EAAQ,OAChB5c,EAAsB,EAAQ,OAC9BggB,EAA2B,EAAQ,OACnCuW,EAA8B,EAAQ,OACtCnB,EAA6B,EAAQ,OAErCoB,EAAU,UACVnW,EAA6BkW,EAA4B3f,YACzDuJ,EAAiCoW,EAA4B9V,gBAC7DgW,EAA6BF,EAA4BrW,YACzDwW,EAA0B12B,EAAoB6D,UAAU2yB,GACxDzyB,EAAmB/D,EAAoBhgG,IACvCigH,EAAyBD,GAA4BA,EAAyBj/H,UAC9E41I,EAAqB3W,EACrB4W,EAAmB3W,EACnB/pF,EAAYswD,EAAWtwD,UACvB70C,EAAWmlG,EAAWnlG,SACtBoqG,EAAUjF,EAAWiF,QACrBi1B,EAAuB0U,EAA2Bl+B,EAClD2/B,EAA8BnW,EAE9BoW,KAAoBz1I,GAAYA,EAAS01I,aAAevwC,EAAWqS,eACnEm+B,EAAsB,qBAWtBC,EAAa,SAAU35B,GACzB,IAAI/+G,EACJ,SAAOssC,EAASyyE,KAAOsC,EAAWrhH,EAAO++G,EAAG/+G,QAAQA,CACtD,EAEI24I,EAAe,SAAUC,EAAUvgI,GACrC,IAMIha,EAAQ2B,EAAM64I,EANdt7I,EAAQ8a,EAAM9a,MACdu7I,EAfU,IAeLzgI,EAAMA,MACXT,EAAUkhI,EAAKF,EAASE,GAAKF,EAASpnI,KACtCrM,EAAUyzI,EAASzzI,QACnB8J,EAAS2pI,EAAS3pI,OAClB0vH,EAASia,EAASja,OAEtB,IACM/mH,GACGkhI,IApBK,IAqBJzgI,EAAM0gI,WAAyBC,EAAkB3gI,GACrDA,EAAM0gI,UAvBA,IAyBQ,IAAZnhI,EAAkBvZ,EAASd,GAEzBohI,GAAQA,EAAOE,QACnBxgI,EAASuZ,EAAQra,GACbohI,IACFA,EAAOC,OACPia,GAAS,IAGTx6I,IAAWu6I,EAASnnI,QACtBxC,EAAO,IAAI0oC,EAAU,yBACZ33C,EAAO04I,EAAWr6I,IAC3BnE,EAAK8F,EAAM3B,EAAQ8G,EAAS8J,GACvB9J,EAAQ9G,IACV4Q,EAAO1R,EAChB,CAAE,MAAOtD,GACH0kI,IAAWka,GAAQla,EAAOC,OAC9B3vH,EAAOhV,EACT,CACF,EAEIqvG,EAAS,SAAUjxF,EAAO4gI,GACxB5gI,EAAM6gI,WACV7gI,EAAM6gI,UAAW,EACjBza,GAAU,WAGR,IAFA,IACIma,EADAO,EAAY9gI,EAAM8gI,UAEfP,EAAWO,EAAU73H,OAC1Bq3H,EAAaC,EAAUvgI,GAEzBA,EAAM6gI,UAAW,EACbD,IAAa5gI,EAAM0gI,WAAWK,EAAY/gI,EAChD,IACF,EAEIiiG,EAAgB,SAAUt1G,EAAMyM,EAAS0lI,GAC3C,IAAI13H,EAAO7H,EACP2gI,IACF94H,EAAQ3c,EAAS01I,YAAY,UACvB/mI,QAAUA,EAChBgO,EAAM03H,OAASA,EACf13H,EAAM45H,UAAUr0I,GAAM,GAAO,GAC7BijG,EAAWqS,cAAc76F,IACpBA,EAAQ,CAAEhO,QAASA,EAAS0lI,OAAQA,IACtCvV,IAAmChqH,EAAUqwF,EAAW,KAAOjjG,IAAQ4S,EAAQ6H,GAC3Eza,IAASyzI,GAAqBV,EAAiB,8BAA+BZ,EACzF,EAEIiC,EAAc,SAAU/gI,GAC1Bne,EAAK49I,EAAM7vC,GAAY,WACrB,IAGI5pG,EAHAoT,EAAU4G,EAAMihI,OAChB/7I,EAAQ8a,EAAM9a,MAGlB,GAFmBg8I,EAAYlhI,KAG7Bha,EAASy4I,GAAQ,WACX3e,EACFjrB,EAAQj7F,KAAK,qBAAsB1U,EAAOkU,GACrC6oG,EAAcm+B,EAAqBhnI,EAASlU,EACrD,IAEA8a,EAAM0gI,UAAY5gB,GAAWohB,EAAYlhI,GArF/B,EADF,EAuFJha,EAAOpE,OAAO,MAAMoE,EAAOd,KAEnC,GACF,EAEIg8I,EAAc,SAAUlhI,GAC1B,OA7FY,IA6FLA,EAAM0gI,YAA0B1gI,EAAMxI,MAC/C,EAEImpI,EAAoB,SAAU3gI,GAChCne,EAAK49I,EAAM7vC,GAAY,WACrB,IAAIx2F,EAAU4G,EAAMihI,OAChBnhB,EACFjrB,EAAQj7F,KAAK,mBAAoBR,GAC5B6oG,EAzGa,mBAyGoB7oG,EAAS4G,EAAM9a,MACzD,GACF,EAEIR,EAAO,SAAUgJ,EAAIsS,EAAO60D,GAC9B,OAAO,SAAU3vE,GACfwI,EAAGsS,EAAO9a,EAAO2vE,EACnB,CACF,EAEIssE,EAAiB,SAAUnhI,EAAO9a,EAAO2vE,GACvC70D,EAAM7E,OACV6E,EAAM7E,MAAO,EACT05D,IAAQ70D,EAAQ60D,GACpB70D,EAAM9a,MAAQA,EACd8a,EAAMA,MArHO,EAsHbixF,EAAOjxF,GAAO,GAChB,EAEIohI,GAAkB,SAAUphI,EAAO9a,EAAO2vE,GAC5C,IAAI70D,EAAM7E,KAAV,CACA6E,EAAM7E,MAAO,EACT05D,IAAQ70D,EAAQ60D,GACpB,IACE,GAAI70D,EAAMihI,SAAW/7I,EAAO,MAAM,IAAIo6C,EAAU,oCAChD,IAAI33C,EAAO04I,EAAWn7I,GAClByC,EACFy+H,GAAU,WACR,IAAIlqE,EAAU,CAAE/gD,MAAM,GACtB,IACEtZ,EAAK8F,EAAMzC,EACTR,EAAK08I,GAAiBllF,EAASl8C,GAC/Btb,EAAKy8I,EAAgBjlF,EAASl8C,GAElC,CAAE,MAAOpe,GACPu/I,EAAejlF,EAASt6D,EAAOoe,EACjC,CACF,KAEAA,EAAM9a,MAAQA,EACd8a,EAAMA,MA/II,EAgJVixF,EAAOjxF,GAAO,GAElB,CAAE,MAAOpe,GACPu/I,EAAe,CAAEhmI,MAAM,GAASvZ,EAAOoe,EACzC,CAzBsB,CA0BxB,EAGA,GAAIypH,IAcFuW,GAZAD,EAAqB,SAAiBsB,GACpCv1B,EAAW5qH,KAAM8+I,GACjBjtB,EAAUsuB,GACVx/I,EAAKy9I,EAAUp+I,MACf,IAAI8e,EAAQ8/H,EAAwB5+I,MACpC,IACEmgJ,EAAS38I,EAAK08I,GAAiBphI,GAAQtb,EAAKy8I,EAAgBnhI,GAC9D,CAAE,MAAOpe,GACPu/I,EAAenhI,EAAOpe,EACxB,CACF,GAEsCuI,WAGtCm1I,EAAW,SAAiB+B,GAC1Bl0B,EAAiBjsH,KAAM,CACrBiD,KAAMy7I,EACNzkI,MAAM,EACN0lI,UAAU,EACVrpI,QAAQ,EACRspI,UAAW,IAAI9a,EACf0a,WAAW,EACX1gI,MAlLQ,EAmLR9a,MAAO,MAEX,GAISiF,UAAY++G,EAAc82B,EAAkB,QAAQ,SAAcsB,EAAajC,GACtF,IAAIr/H,EAAQ8/H,EAAwB5+I,MAChCq/I,EAAWzW,EAAqBwH,EAAmBpwI,KAAM6+I,IAS7D,OARA//H,EAAMxI,QAAS,EACf+oI,EAASE,IAAKz3B,EAAWs4B,IAAeA,EACxCf,EAASpnI,KAAO6vG,EAAWq2B,IAAeA,EAC1CkB,EAASja,OAASxG,EAAUjrB,EAAQyxB,YAAShlI,EA/LnC,IAgMN0e,EAAMA,MAAmBA,EAAM8gI,UAAU7kH,IAAIskH,GAC5Cna,GAAU,WACbka,EAAaC,EAAUvgI,EACzB,IACOugI,EAASnnI,OAClB,IAEAmmI,EAAuB,WACrB,IAAInmI,EAAU,IAAIkmI,EACdt/H,EAAQ8/H,EAAwB1mI,GACpClY,KAAKkY,QAAUA,EACflY,KAAK4L,QAAUpI,EAAK08I,GAAiBphI,GACrC9e,KAAK0V,OAASlS,EAAKy8I,EAAgBnhI,EACrC,EAEAw+H,EAA2Bl+B,EAAIwpB,EAAuB,SAAU1e,GAC9D,OAAOA,IAAM20B,QA1MmBwB,IA0MGn2B,EAC/B,IAAIm0B,EAAqBn0B,GACzB60B,EAA4B70B,EAClC,GAEKyY,GAAW7a,EAAWogB,IAA6BC,IAA2BthI,OAAOoC,WAAW,CACnGq1I,EAAanW,EAAuB1hI,KAE/Bk4I,GAEH32B,EAAcmgB,EAAwB,QAAQ,SAAciY,EAAajC,GACvE,IAAInzF,EAAOhrD,KACX,OAAO,IAAI6+I,GAAmB,SAAUjzI,EAAS8J,GAC/C/U,EAAK29I,EAAYtzF,EAAMp/C,EAAS8J,EAClC,IAAGjP,KAAK25I,EAAajC,EAEvB,GAAG,CAAEtwB,QAAQ,IAIf,WACSsa,EAAuBl6F,WAChC,CAAE,MAAOvtC,GAAqB,CAG1B+8C,GACFA,EAAe0qF,EAAwB2W,EAE3C,CAGFx+I,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMktB,MAAM,EAAMivD,OAAQme,GAA8B,CACrF58H,QAASkzI,IAGXxzB,EAAewzB,EAAoBH,GAAS,GAAO,GACnDvqB,EAAWuqB,E,8BC9RX,IAAIp+I,EAAI,EAAQ,OACZqiI,EAAU,EAAQ,OAClBuF,EAA2B,EAAQ,OACnC3hB,EAAQ,EAAQ,OAChB8a,EAAa,EAAQ,OACrBvZ,EAAa,EAAQ,OACrBsoB,EAAqB,EAAQ,MAC7BsN,EAAiB,EAAQ,OACzB11B,EAAgB,EAAQ,OAExBmgB,EAAyBD,GAA4BA,EAAyBj/H,UA0BlF,GAhBA3I,EAAE,CAAEmN,OAAQ,UAAWizC,OAAO,EAAMw9F,MAAM,EAAM9zB,SAP5B8d,GAA4B3hB,GAAM,WAEpD4hB,EAAgC,QAAExnI,KAAK,CAAE8F,KAAM,WAA0B,IAAK,WAA0B,GAC1G,KAIuE,CACrE,QAAW,SAAU65I,GACnB,IAAIp2B,EAAIkmB,EAAmBpwI,KAAMqhI,EAAW,YACxC7wF,EAAas3E,EAAWw4B,GAC5B,OAAOtgJ,KAAKyG,KACV+pC,EAAa,SAAUz8B,GACrB,OAAO2pI,EAAexzB,EAAGo2B,KAAa75I,MAAK,WAAc,OAAOsN,CAAG,GACrE,EAAIusI,EACJ9vG,EAAa,SAAU77B,GACrB,OAAO+oI,EAAexzB,EAAGo2B,KAAa75I,MAAK,WAAc,MAAMkO,CAAG,GACpE,EAAI2rI,EAER,KAIG3d,GAAW7a,EAAWogB,GAA2B,CACpD,IAAItlI,EAASy+H,EAAW,WAAWp4H,UAAmB,QAClDk/H,EAAgC,UAAMvlI,GACxColH,EAAcmgB,EAAwB,UAAWvlI,EAAQ,CAAEirH,QAAQ,GAEvE,C,8BCxCA,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,M,8BCNR,IAAIvtH,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfkxH,EAAY,EAAQ,OACpByrB,EAA6B,EAAQ,OACrCC,EAAU,EAAQ,MAClBvpB,EAAU,EAAQ,OAKtB1zH,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAJO,EAAQ,QAIgC,CAChFm2B,KAAM,SAAcpzC,GAClB,IAAI+c,EAAIlqH,KACJy9I,EAAaH,EAA2Bl+B,EAAE8K,GAC1Cx0G,EAAS+nI,EAAW/nI,OACpB5Q,EAASy4I,GAAQ,WACnB,IAAIM,EAAkBhsB,EAAU3H,EAAEt+G,SAClCooH,EAAQ7mB,GAAU,SAAUj1F,GAC1BvX,EAAKk9I,EAAiB3zB,EAAGhyG,GAASzR,KAAKg3I,EAAW7xI,QAAS8J,EAC7D,GACF,IAEA,OADI5Q,EAAOpE,OAAOgV,EAAO5Q,EAAOd,OACzBy5I,EAAWvlI,OACpB,G,+BCvBF,IAAI5X,EAAI,EAAQ,OACZg9I,EAA6B,EAAQ,OAKzCh9I,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAJF,sBAIwC,CACvE10G,OAAQ,SAAgB8uB,GACtB,IAAIi5G,EAAaH,EAA2Bl+B,EAAEp/G,MAG9C,OADAwgJ,EADuB/C,EAAW/nI,QACjB8uB,GACVi5G,EAAWvlI,OACpB,G,+BCZF,IAAI5X,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrBsB,EAAU,EAAQ,OAClBuF,EAA2B,EAAQ,OACnCK,EAA6B,qBAC7BmV,EAAiB,EAAQ,OAEzB+C,EAA4Bpf,EAAW,WACvCqf,EAAgB/d,IAAY4F,EAIhCjoI,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAAQuY,GAAW4F,GAA8B,CAClF38H,QAAS,SAAiBmI,GACxB,OAAO2pI,EAAegD,GAAiB1gJ,OAASygJ,EAA4BvY,EAA2BloI,KAAM+T,EAC/G,G,+BCfF,IAAIzT,EAAI,EAAQ,OACZg9I,EAA6B,EAAQ,OAIzCh9I,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,GAAQ,CACnCwf,cAAe,WACb,IAAI9X,EAAoByU,EAA2Bl+B,EAAEp/G,MACrD,MAAO,CACLkY,QAAS2wH,EAAkB3wH,QAC3BtM,QAASi9H,EAAkBj9H,QAC3B8J,OAAQmzH,EAAkBnzH,OAE9B,G,+BCbF,IAAIpV,EAAI,EAAQ,OACZsgJ,EAAgB,EAAQ,OACxB/uB,EAAY,EAAQ,OACpByB,EAAW,EAAQ,OAWvBhzH,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,QAVvB,EAAQ,MAGW7D,EAAM,WAEnC7nE,QAAQhkC,OAAM,WAA0B,GAC1C,KAIsE,CACpEA,MAAO,SAAejN,EAAQozI,EAAcC,GAC1C,OAAOF,EAAc/uB,EAAUpkH,GAASozI,EAAcvtB,EAASwtB,GACjE,G,+BCjBF,IAAIxgJ,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrB3mH,EAAQ,EAAQ,OAChBlX,EAAO,EAAQ,OACfgnI,EAAe,EAAQ,OACvBlX,EAAW,EAAQ,OACnBvgF,EAAW,EAAQ,OACnBvuC,EAAS,EAAQ,MACjB+hH,EAAQ,EAAQ,OAEhBw6B,EAAkB1f,EAAW,UAAW,aACxCzY,EAAkB/hH,OAAOoC,UACzByE,EAAO,GAAGA,KAMVszI,EAAiBz6B,GAAM,WACzB,SAASkQ,IAAkB,CAC3B,QAASsqB,GAAgB,WAA0B,GAAG,GAAItqB,aAAcA,EAC1E,IAEIwqB,GAAY16B,GAAM,WACpBw6B,GAAgB,WAA0B,GAC5C,IAEIvvB,EAASwvB,GAAkBC,EAE/B3gJ,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAAQoH,EAAQ5yE,KAAM4yE,GAAU,CACjE7yE,UAAW,SAAmBmqF,EAAQniG,GACpC6jG,EAAa1B,GACbxV,EAAS3sF,GACT,IAAIu6G,EAAYr2I,UAAU7I,OAAS,EAAI8mI,EAAS0B,EAAa3/H,UAAU,IACvE,GAAIo2I,IAAaD,EAAgB,OAAOD,EAAgBjY,EAAQniG,EAAMu6G,GACtE,GAAIpY,IAAWoY,EAAW,CAExB,OAAQv6G,EAAK3kC,QACX,KAAK,EAAG,OAAO,IAAI8mI,EACnB,KAAK,EAAG,OAAO,IAAIA,EAAOniG,EAAK,IAC/B,KAAK,EAAG,OAAO,IAAImiG,EAAOniG,EAAK,GAAIA,EAAK,IACxC,KAAK,EAAG,OAAO,IAAImiG,EAAOniG,EAAK,GAAIA,EAAK,GAAIA,EAAK,IACjD,KAAK,EAAG,OAAO,IAAImiG,EAAOniG,EAAK,GAAIA,EAAK,GAAIA,EAAK,GAAIA,EAAK,IAG5D,IAAIw6G,EAAQ,CAAC,MAEb,OADAzmI,EAAMhN,EAAMyzI,EAAOx6G,GACZ,IAAKjsB,EAAMlX,EAAMslI,EAAQqY,GAClC,CAEA,IAAIzgG,EAAQwgG,EAAUj4I,UAClB6pC,EAAWtuC,EAAOuuC,EAAS2N,GAASA,EAAQkoE,GAC5C9jH,EAAS4V,EAAMouH,EAAQh2F,EAAUnM,GACrC,OAAOoM,EAASjuC,GAAUA,EAASguC,CACrC,G,+BCtDF,IAAIxyC,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtByL,EAAW,EAAQ,OACnBqb,EAAgB,EAAQ,OACxB5X,EAAuB,EAAQ,OAWnCz2H,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAVvB,EAAQ,MAGS7D,EAAM,WAEjC7nE,QAAQzoB,eAAe8gG,EAAqB3X,EAAE,CAAC,EAAG,EAAG,CAAEp7G,MAAO,IAAM,EAAG,CAAEA,MAAO,GAClF,IAImE46C,MAAOipE,GAAe,CACvF5xF,eAAgB,SAAwBxoB,EAAQ2zI,EAAa7zI,GAC3D+lH,EAAS7lH,GACT,IAAI5J,EAAM8qI,EAAcyS,GACxB9tB,EAAS/lH,GACT,IAEE,OADAwpH,EAAqB3X,EAAE3xG,EAAQ5J,EAAK0J,IAC7B,CACT,CAAE,MAAO7M,GACP,OAAO,CACT,CACF,G,+BC1BF,IAAIJ,EAAI,EAAQ,OACZgzH,EAAW,EAAQ,OACnBtB,EAA2B,WAI/B1xH,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,GAAQ,CACnCkgB,eAAgB,SAAwB5zI,EAAQ2zI,GAC9C,IAAI/jG,EAAa20E,EAAyBsB,EAAS7lH,GAAS2zI,GAC5D,QAAO/jG,IAAeA,EAAWE,sBAA8B9vC,EAAO2zI,EACxE,G,8BCVF,IAAI9gJ,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtByL,EAAW,EAAQ,OACnBwb,EAAiC,EAAQ,OAI7CxuI,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAMviF,MAAOipE,GAAe,CACvDmK,yBAA0B,SAAkCvkH,EAAQ2zI,GAClE,OAAOtS,EAA+B1vB,EAAEkU,EAAS7lH,GAAS2zI,EAC5D,G,+BCVF,IAAI9gJ,EAAI,EAAQ,OACZgzH,EAAW,EAAQ,OACnBuU,EAAuB,EAAQ,OAKnCvnI,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAMviF,MAJJ,EAAQ,QAI+B,CACpEhB,eAAgB,SAAwBnwC,GACtC,OAAOo6H,EAAqBvU,EAAS7lH,GACvC,G,+BCVF,IAAInN,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfoyC,EAAW,EAAQ,OACnBugF,EAAW,EAAQ,OACnBguB,EAAmB,EAAQ,OAC3BxS,EAAiC,EAAQ,OACzClxF,EAAiB,EAAQ,OAe7Bt9C,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,GAAQ,CACnCp5G,IAZF,SAASA,EAAIta,EAAQ2zI,GACnB,IACI/jG,EAAYp0C,EADZs4I,EAAW12I,UAAU7I,OAAS,EAAIyL,EAAS5C,UAAU,GAEzD,OAAIyoH,EAAS7lH,KAAY8zI,EAAiB9zI,EAAO2zI,IACjD/jG,EAAayxF,EAA+B1vB,EAAE3xG,EAAQ2zI,IAC/BE,EAAiBjkG,GACpCA,EAAWr5C,WACQ5D,IAAnBi9C,EAAWt1B,SAAoB3nB,EAAYO,EAAK08C,EAAWt1B,IAAKw5H,GAChExuG,EAAS9pC,EAAY20C,EAAenwC,IAAiBsa,EAAI9e,EAAWm4I,EAAaG,QAArF,CACF,G,+BCnBQ,EAAQ,MAIhBjhJ,CAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,GAAQ,CACnC3sG,IAAK,SAAa/mB,EAAQ2zI,GACxB,OAAOA,KAAe3zI,CACxB,G,+BCPF,IAAInN,EAAI,EAAQ,OACZgzH,EAAW,EAAQ,OACnBgU,EAAgB,EAAQ,OAI5BhnI,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,GAAQ,CACnC1a,aAAc,SAAsBh5G,GAElC,OADA6lH,EAAS7lH,GACF65H,EAAc75H,EACvB,G,+BCVM,EAAQ,MAKhBnN,CAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,GAAQ,CACnCkb,QALY,EAAQ,Q,+BCDtB,IAAI/7I,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrB/N,EAAW,EAAQ,OAKvBhzH,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAMviF,MAJpB,EAAQ,QAI+B,CACpDy/E,kBAAmB,SAA2B5wH,GAC5C6lH,EAAS7lH,GACT,IACE,IAAI+zI,EAA0BngB,EAAW,SAAU,qBAEnD,OADImgB,GAAyBA,EAAwB/zI,IAC9C,CACT,CAAE,MAAO/M,GACP,OAAO,CACT,CACF,G,+BCjBF,IAAIJ,EAAI,EAAQ,OACZgzH,EAAW,EAAQ,OACnBqU,EAAqB,EAAQ,OAC7B8Z,EAAuB,EAAQ,OAI/BA,GAAsBnhJ,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,GAAQ,CAC7D1jF,eAAgB,SAAwBhwC,EAAQizC,GAC9C4yE,EAAS7lH,GACTk6H,EAAmBjnF,GACnB,IAEE,OADA+gG,EAAqBh0I,EAAQizC,IACtB,CACT,CAAE,MAAOhgD,GACP,OAAO,CACT,CACF,G,+BCjBF,IAAIJ,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACf2yH,EAAW,EAAQ,OACnBvgF,EAAW,EAAQ,OACnBuuG,EAAmB,EAAQ,OAC3B/6B,EAAQ,EAAQ,OAChBwQ,EAAuB,EAAQ,OAC/B+X,EAAiC,EAAQ,OACzClxF,EAAiB,EAAQ,OACzBo5E,EAA2B,EAAQ,MAqCvC12H,EAAE,CAAEmN,OAAQ,UAAW0zH,MAAM,EAAM/W,OAPjB7D,GAAM,WACtB,IAAIjoE,EAAc,WAA0B,EACxCqL,EAASotE,EAAqB3X,EAAE,IAAI9gE,EAAe,IAAK,CAAEf,cAAc,IAE5E,OAA8D,IAAvDmB,QAAQx2B,IAAIo2B,EAAYr1C,UAAW,IAAK,EAAG0gD,EACpD,KAE0D,CACxDzhC,IAlCF,SAASA,EAAIza,EAAQ2zI,EAAaM,GAChC,IAEIC,EAAoB14I,EAAWkvH,EAF/BopB,EAAW12I,UAAU7I,OAAS,EAAIyL,EAAS5C,UAAU,GACrD+2I,EAAgB9S,EAA+B1vB,EAAEkU,EAAS7lH,GAAS2zI,GAEvE,IAAKQ,EAAe,CAClB,GAAI7uG,EAAS9pC,EAAY20C,EAAenwC,IACtC,OAAOya,EAAIjf,EAAWm4I,EAAaM,EAAGH,GAExCK,EAAgB5qB,EAAyB,EAC3C,CACA,GAAIsqB,EAAiBM,GAAgB,CACnC,IAA+B,IAA3BA,EAAc1rH,WAAuB6c,EAASwuG,GAAW,OAAO,EACpE,GAAII,EAAqB7S,EAA+B1vB,EAAEmiC,EAAUH,GAAc,CAChF,GAAIO,EAAmB55H,KAAO45H,EAAmBz5H,MAAuC,IAAhCy5H,EAAmBzrH,SAAoB,OAAO,EACtGyrH,EAAmB39I,MAAQ09I,EAC3B3qB,EAAqB3X,EAAEmiC,EAAUH,EAAaO,EAChD,MAAO5qB,EAAqB3X,EAAEmiC,EAAUH,EAAapqB,EAAyB,EAAG0qB,GACnF,KAAO,CAEL,QAAethJ,KADf+3H,EAASypB,EAAc15H,KACG,OAAO,EACjCvnB,EAAKw3H,EAAQopB,EAAUG,EACzB,CAAE,OAAO,CACX,G,+BCnCA,IAAIphJ,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB2c,EAAiB,EAAQ,OAE7B/qH,EAAE,CAAEmY,QAAQ,GAAQ,CAAEimC,QAAS,CAAC,IAIhC2sE,EAAe3c,EAAWhwD,QAAS,WAAW,E,+BCR9C,IAAImpE,EAAc,EAAQ,OACtBnZ,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtBkP,EAAW,EAAQ,OACnBnK,EAAoB,EAAQ,OAC5BpD,EAA8B,EAAQ,OACtCvjH,EAAS,EAAQ,MACjB08H,EAAsB,WACtBtb,EAAgB,EAAQ,MACxBzvE,EAAW,EAAQ,OACnB50C,EAAW,EAAQ,KACnBsgJ,EAAiB,EAAQ,OACzBC,EAAgB,EAAQ,OACxBnR,EAAgB,EAAQ,OACxB3oB,EAAgB,EAAQ,OACxBzB,EAAQ,EAAQ,OAChB5c,EAAS,EAAQ,OACjBwe,EAAuB,iBACvBgM,EAAa,EAAQ,OACrB1O,EAAkB,EAAQ,OAC1Bs8B,EAAsB,EAAQ,OAC9BC,EAAkB,EAAQ,OAE1B1rB,EAAQ7Q,EAAgB,SACxBw8B,EAAevzC,EAAW/3D,OAC1BsyF,EAAkBgZ,EAAah5I,UAC/BwwH,EAAc/qB,EAAW+qB,YACzB7iF,EAAOwvE,EAAY6iB,EAAgBryF,MACnC33B,EAASmnG,EAAY,GAAGnnG,QACxB3K,EAAU8xG,EAAY,GAAG9xG,SACzB4tI,EAAgB97B,EAAY,GAAG1gH,SAC/BklI,EAAcxkB,EAAY,GAAGv5G,OAE7Bs1I,EAAS,2CACTC,EAAM,KACNC,EAAM,KAGNC,EAAc,IAAIL,EAAaG,KAASA,EAExCG,EAAgBT,EAAcS,cAC9BC,EAAgBV,EAAcU,cAoFlC,GAAIltB,EAAS,SAlFKzN,KACdy6B,GAAeC,GAAiBR,GAAuBC,GAAmBz7B,GAAM,WAIhF,OAHA87B,EAAI/rB,IAAS,EAGN2rB,EAAaG,KAASA,GAAOH,EAAaI,KAASA,GAA0C,SAAnCz4H,OAAOq4H,EAAaG,EAAK,KAC5F,MA4EmC,CA4DnC,IA3DA,IAAIK,EAAgB,SAAgB/kI,EAASyrH,GAC3C,IAKIuZ,EAAUC,EAAQC,EAAQ/oE,EAAS/0E,EAAQga,EAL3C+jI,EAAej9B,EAAcqjB,EAAiBjpI,MAC9C8iJ,EAAkB3sG,EAASz4B,GAC3BqlI,OAA8B3iJ,IAAV+oI,EACpB6Z,EAAS,GACTC,EAAavlI,EAGjB,IAAKmlI,GAAgBC,GAAmBC,GAAqBrlI,EAAQuwB,cAAgBw0G,EACnF,OAAO/kI,EA0CT,IAvCIolI,GAAmBl9B,EAAcqjB,EAAiBvrH,MACpDA,EAAUA,EAAQ9D,OACdmpI,IAAmB5Z,EAAQ0Y,EAAeoB,KAGhDvlI,OAAsBtd,IAAZsd,EAAwB,GAAKnc,EAASmc,GAChDyrH,OAAkB/oI,IAAV+oI,EAAsB,GAAK5nI,EAAS4nI,GAC5C8Z,EAAavlI,EAETqkI,GAAuB,WAAYK,IACrCO,IAAWxZ,GAAS+Y,EAAc/Y,EAAO,MAAQ,KACrCA,EAAQ70H,EAAQ60H,EAAO,KAAM,KAG3CuZ,EAAWvZ,EAEPoZ,GAAiB,WAAYH,IAC/BQ,IAAWzZ,GAAS+Y,EAAc/Y,EAAO,MAAQ,IACnCqZ,IAAerZ,EAAQ70H,EAAQ60H,EAAO,KAAM,KAGxD6Y,IACFnoE,EArFU,SAAUx6D,GAWxB,IAVA,IASI86D,EATAn4E,EAASqd,EAAOrd,OAChB8lC,EAAQ,EACRhjC,EAAS,GACTo+I,EAAQ,GACR55G,EAAQ9kC,EAAO,MACf2+I,GAAW,EACXC,GAAM,EACNC,EAAU,EACVC,EAAY,GAETx7G,GAAS9lC,EAAQ8lC,IAAS,CAE/B,GAAY,QADZqyC,EAAMl7D,EAAOI,EAAQyoB,IAEnBqyC,GAAOl7D,EAAOI,IAAUyoB,QACnB,GAAY,MAARqyC,EACTgpE,GAAW,OACN,IAAKA,EAAU,QAAQ,GAC5B,IAAa,MAARhpE,EACHgpE,GAAW,EACX,MACF,IAAa,MAARhpE,EAGH,GAFAr1E,GAAUq1E,EAEwC,OAA9CywD,EAAYvrH,EAAQyoB,EAAQ,EAAGA,EAAQ,GACzC,SAEE8O,EAAKurG,EAAQvX,EAAYvrH,EAAQyoB,EAAQ,MAC3CA,GAAS,EACTs7G,GAAM,GAERC,IACA,SACF,IAAa,MAARlpE,GAAeipE,EAClB,GAAkB,KAAdE,GAAoB35C,EAAOrgE,EAAOg6G,GACpC,MAAM,IAAI7pB,EAAY,8BAExBnwF,EAAMg6G,IAAa,EACnBJ,EAAMA,EAAMlhJ,QAAU,CAACshJ,EAAWD,GAClCD,GAAM,EACNE,EAAY,GACZ,SAEAF,EAAKE,GAAanpE,EACjBr1E,GAAUq1E,CACjB,CAAE,MAAO,CAACr1E,EAAQo+I,EACpB,CAuCgBK,CAAU7lI,GACpBA,EAAUm8D,EAAQ,GAClBmpE,EAASnpE,EAAQ,IAGnB/0E,EAASqmH,EAAkB82B,EAAavkI,EAASyrH,GAAQ0Z,EAAe7iJ,KAAOipI,EAAiBwZ,IAE5FE,GAAUC,GAAUI,EAAOhhJ,UAC7B8c,EAAQqpG,EAAqBrjH,GACzB69I,IACF7jI,EAAM6jI,QAAS,EACf7jI,EAAM28B,IAAMgnG,EAxHD,SAAUpjI,GAM3B,IALA,IAII86D,EAJAn4E,EAASqd,EAAOrd,OAChB8lC,EAAQ,EACRhjC,EAAS,GACTq+I,GAAW,EAERr7G,GAAS9lC,EAAQ8lC,IAEV,QADZqyC,EAAMl7D,EAAOI,EAAQyoB,IAKhBq7G,GAAoB,MAARhpE,GAGH,MAARA,EACFgpE,GAAW,EACM,MAARhpE,IACTgpE,GAAW,GACXr+I,GAAUq1E,GANZr1E,GAAU,WAJVA,GAAUq1E,EAAMl7D,EAAOI,IAAUyoB,GAYnC,OAAOhjC,CACX,CAkGkC0+I,CAAa9lI,GAAUglI,IAE/CE,IAAQ9jI,EAAM8jI,QAAS,GACvBI,EAAOhhJ,SAAQ8c,EAAMkkI,OAASA,IAGhCtlI,IAAYulI,EAAY,IAE1Bl7B,EAA4BjjH,EAAQ,SAAyB,KAAfm+I,EAAoB,OAASA,EAC7E,CAAE,MAAOviJ,GAAqB,CAE9B,OAAOoE,CACT,EAES03B,EAAO0kG,EAAoB+gB,GAAen6G,EAAQ,EAAGtL,EAAKx6B,OAAS8lC,GAC1E6oG,EAAc8R,EAAeR,EAAczlH,EAAKsL,MAGlDmhG,EAAgBh7F,YAAcw0G,EAC9BA,EAAcx5I,UAAYggI,EAC1BjhB,EAActZ,EAAY,SAAU+zC,EAAe,CAAEx0G,aAAa,GACpE,CAGAkmF,EAAW,S,+BCnMX,IAAItM,EAAc,EAAQ,OACtBk6B,EAAsB,EAAQ,OAC9B97B,EAAU,EAAQ,OAClBgC,EAAwB,EAAQ,OAChCI,EAAmB,aAEnB4gB,EAAkBtyF,OAAO1tC,UACzBm8G,EAAahnE,UAIbypE,GAAek6B,GACjB95B,EAAsBghB,EAAiB,SAAU,CAC/C1rF,cAAc,EACdx1B,IAAK,WACH,GAAI/nB,OAASipI,EAAb,CAGA,GAAsB,WAAlBhjB,EAAQjmH,MACV,QAASqoH,EAAiBroH,MAAM2iJ,OAElC,MAAM,IAAIv9B,EAAW,yCANe,CAOtC,G,+BCtBJ,IAAI1W,EAAa,EAAQ,OACrBmZ,EAAc,EAAQ,OACtBI,EAAwB,EAAQ,OAChC+gB,EAAc,EAAQ,OACtBziB,EAAQ,EAAQ,OAGhB5vE,EAAS+3D,EAAW/3D,OACpBsyF,EAAkBtyF,EAAO1tC,UAEhB4+G,GAAetB,GAAM,WAChC,IAAIk9B,GAAkB,EACtB,IACE9sG,EAAO,IAAK,IACd,CAAE,MAAOj2C,GACP+iJ,GAAkB,CACpB,CAEA,IAAIv9B,EAAI,CAAC,EAELw9B,EAAQ,GACRC,EAAWF,EAAkB,SAAW,QAExCx2B,EAAY,SAAUppH,EAAKs2E,GAE7BtzE,OAAOovB,eAAeiwF,EAAGriH,EAAK,CAAEkkB,IAAK,WAEnC,OADA27H,GAASvpE,GACF,CACT,GACF,EAEIplC,EAAQ,CACV4tG,OAAQ,IACRlqI,OAAQ,IACRmrI,WAAY,IACZC,UAAW,IACXjB,OAAQ,KAKV,IAAK,IAAI/+I,KAFL4/I,IAAiB1uG,EAAM+uG,WAAa,KAExB/uG,EAAOk4E,EAAUppH,EAAKkxC,EAAMlxC,IAK5C,OAFagD,OAAOmrH,yBAAyBiX,EAAiB,SAASlhH,IAAIpnB,KAAKulH,KAE9Dy9B,GAAYD,IAAUC,CAC1C,KAIY17B,EAAsBghB,EAAiB,QAAS,CAC1D1rF,cAAc,EACdx1B,IAAKihH,G,+BCrDP,IAAInhB,EAAc,EAAQ,OACtB06B,EAAgB,uBAChBt8B,EAAU,EAAQ,OAClBgC,EAAwB,EAAQ,OAChCI,EAAmB,aAEnB4gB,EAAkBtyF,OAAO1tC,UACzBm8G,EAAahnE,UAIbypE,GAAe06B,GACjBt6B,EAAsBghB,EAAiB,SAAU,CAC/C1rF,cAAc,EACdx1B,IAAK,WACH,GAAI/nB,OAASipI,EAAb,CAGA,GAAsB,WAAlBhjB,EAAQjmH,MACV,QAASqoH,EAAiBroH,MAAM4iJ,OAElC,MAAM,IAAIx9B,EAAW,yCANe,CAOtC,G,+BCrBJ,EAAQ,OACR,IAOM2+B,EACAhxF,EARFzyD,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfmnH,EAAa,EAAQ,OACrBwL,EAAW,EAAQ,OACnB/xH,EAAW,EAAQ,KAEnByiJ,GACED,GAAa,GACbhxF,EAAK,QACNnc,KAAO,WAER,OADAmtG,GAAa,EACN,IAAIntG,KAAKl8B,MAAM1a,KAAM6K,UAC9B,GAC0B,IAAnBkoD,EAAGxpB,KAAK,QAAmBw6G,GAGhCE,EAAa,IAAI16G,KAIrBjpC,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,QAAS45B,GAAqB,CAC/Dz6G,KAAM,SAAUstF,GACd,IAAIqS,EAAI5V,EAAStzH,MACbqf,EAAS9d,EAASs1H,GAClBjgF,EAAOsyF,EAAEtyF,KACb,IAAKkxE,EAAWlxE,GAAO,OAAOj2C,EAAKsjJ,EAAY/a,EAAG7pH,GAClD,IAAIva,EAASnE,EAAKi2C,EAAMsyF,EAAG7pH,GAC3B,OAAe,OAAXva,IACJwuH,EAASxuH,IACF,EACT,G,+BChCF,IAAIwmH,EAAuB,gBACvBtD,EAAgB,EAAQ,OACxBsL,EAAW,EAAQ,OACnB4wB,EAAY,EAAQ,KACpB39B,EAAQ,EAAQ,OAChBs7B,EAAiB,EAAQ,OAEzBnL,EAAY,WACZzN,EAAkBtyF,OAAO1tC,UACzBk7I,EAAiBlb,EAAgByN,GAEjC0N,EAAc79B,GAAM,WAAc,MAA4D,SAArD49B,EAAexjJ,KAAK,CAAEiZ,OAAQ,IAAKuvH,MAAO,KAAmB,IAEtGkb,EAAiB/4B,GAAwB64B,EAAe14I,OAASirI,GAIjE0N,GAAeC,IACjBr8B,EAAcihB,EAAiByN,GAAW,WACxC,IAAIxN,EAAI5V,EAAStzH,MAGjB,MAAO,IAFOkkJ,EAAUhb,EAAEtvH,QAEH,IADXsqI,EAAUrC,EAAe3Y,GAEvC,GAAG,CAAErb,QAAQ,G,+BCvBE,EAAQ,MAKzBllH,CAAW,OAAO,SAAUq7B,GAC1B,OAAO,WAAiB,OAAOA,EAAKhkC,KAAM6K,UAAU7I,OAAS6I,UAAU,QAAKzK,EAAY,CAC1F,GANuB,EAAQ,O,+BCD/B,IAAIE,EAAI,EAAQ,OACZ+zC,EAAa,EAAQ,OAKzB/zC,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMw9F,MAAM,EAAM9zB,QAJf,EAAQ,MAIgBk6B,CAAuB,eAAiB,CAC3FjwG,WAAYA,G,+BCPd,IAAI/zC,EAAI,EAAQ,OACZimH,EAAQ,EAAQ,OAChBtmB,EAAe,EAAQ,OAU3B3/F,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMw9F,MAAM,EAAM9zB,QATf,EAAQ,MAEpBk6B,CAAuB,iBAAmB/9B,GAAM,WAE/D,MAAgF,QAAzE38F,OAAO2U,MAAM42B,KAAK,IAAIy0E,IAAI,CAAC,EAAG,EAAG,IAAI3pC,aAAa,IAAI2pC,IAAI,CAAC,EAAG,MACvE,KAIiE,CAC/D3pC,aAAcA,G,+BCbhB,IAAI3/F,EAAI,EAAQ,OACZikJ,EAAiB,EAAQ,OAK7BjkJ,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMw9F,MAAM,EAAM9zB,QAJf,EAAQ,MAIgBk6B,CAAuB,mBAAqB,CAC/FC,eAAgBA,G,+BCPlB,IAAIjkJ,EAAI,EAAQ,OACZkkJ,EAAa,EAAQ,OAKzBlkJ,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMw9F,MAAM,EAAM9zB,QAJf,EAAQ,MAIgBk6B,CAAuB,eAAiB,CAC3FE,WAAYA,G,+BCPd,IAAIlkJ,EAAI,EAAQ,OACZmkJ,EAAe,EAAQ,OAK3BnkJ,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMw9F,MAAM,EAAM9zB,QAJf,EAAQ,MAIgBk6B,CAAuB,iBAAmB,CAC7FG,aAAcA,G,+BCNhB,EAAQ,M,+BCDR,IAAInkJ,EAAI,EAAQ,OACZokJ,EAAsB,EAAQ,OAKlCpkJ,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMw9F,MAAM,EAAM9zB,QAJf,EAAQ,MAIgBk6B,CAAuB,wBAA0B,CACpGI,oBAAqBA,G,+BCPvB,IAAIpkJ,EAAI,EAAQ,OACZqkJ,EAAQ,EAAQ,OAKpBrkJ,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMw9F,MAAM,EAAM9zB,QAJf,EAAQ,MAIgBk6B,CAAuB,UAAY,CACtFK,MAAOA,G,+BCPT,IAAIrkJ,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,WAAa,CAC7Ev/C,OAAQ,SAAgB75F,GACtB,OAAOm5I,EAAW5kJ,KAAM,IAAK,OAAQyL,EACvC,G,+BCTF,IAAInL,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBsQ,EAAyB,EAAQ,OACjC7L,EAAsB,EAAQ,OAC9BtpH,EAAW,EAAQ,KACnBglH,EAAQ,EAAQ,OAEhBtnG,EAASmnG,EAAY,GAAGnnG,QAS5B3e,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAPtB7D,GAAM,WAEjB,MAAuB,WAAhB,KAAK33E,IAAI,EAClB,KAIqD,CACnDA,GAAI,SAAY9G,GACd,IAAI+uF,EAAIt1H,EAASm1H,EAAuB12H,OACpCk6C,EAAM28E,EAAE70H,OACR2wH,EAAgB9H,EAAoB/iF,GACpChoB,EAAI6yG,GAAiB,EAAIA,EAAgBz4E,EAAMy4E,EACnD,OAAQ7yG,EAAI,GAAKA,GAAKo6B,OAAO95C,EAAY6e,EAAO43G,EAAG/2G,EACrD,G,+BCvBF,IAAIxf,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,QAAU,CAC1EC,IAAK,WACH,OAAOF,EAAW5kJ,KAAM,MAAO,GAAI,GACrC,G,+BCTF,IAAIM,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,UAAY,CAC5EE,MAAO,WACL,OAAOH,EAAW5kJ,KAAM,QAAS,GAAI,GACvC,G,8BCTF,IAAIM,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,SAAW,CAC3EG,KAAM,WACJ,OAAOJ,EAAW5kJ,KAAM,IAAK,GAAI,GACnC,G,+BCTF,IAAIM,EAAI,EAAQ,OACZ2kJ,EAAS,gBAIb3kJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,GAAQ,CACnCwkG,YAAa,SAAqB3mI,GAChC,OAAO0mI,EAAOjlJ,KAAMue,EACtB,G,+BCRF,IAgBM8+B,EAhBF/8C,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtB4L,EAA2B,WAC3BlH,EAAW,EAAQ,OACnBvpH,EAAW,EAAQ,KACnB4jJ,EAAa,EAAQ,OACrBzuB,EAAyB,EAAQ,OACjC0uB,EAAuB,EAAQ,OAC/BziB,EAAU,EAAQ,OAElB91H,EAAQu5G,EAAY,GAAGv5G,OACvByI,EAAM1E,KAAK0E,IAEX+vI,EAA0BD,EAAqB,YASnD9kJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,UAPXuY,IAAY0iB,IAC9BhoG,EAAa20E,EAAyBpoG,OAAO3gB,UAAW,YACrDo0C,IAAeA,EAAWnnB,WAK8BmvH,IAA2B,CAC1FC,SAAU,SAAkBC,GAC1B,IAAIv6F,EAAOzpD,EAASm1H,EAAuB12H,OAC3CmlJ,EAAWI,GACX,IAAIznF,EAAcjzD,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACpD85C,EAAM8Q,EAAKhpD,OACXmkC,OAAsB/lC,IAAhB09D,EAA4B5jB,EAAM5kC,EAAIw1G,EAAShtD,GAAc5jB,GACnEt7B,EAASrd,EAASgkJ,GACtB,OAAO14I,EAAMm+C,EAAM7kB,EAAMvnB,EAAO5c,OAAQmkC,KAASvnB,CACnD,G,+BC/BF,IAAIte,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,UAAY,CAC5EW,MAAO,WACL,OAAOZ,EAAW5kJ,KAAM,KAAM,GAAI,GACpC,G,+BCTF,IAAIM,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,cAAgB,CAChFY,UAAW,SAAmBtyF,GAC5B,OAAOyxF,EAAW5kJ,KAAM,OAAQ,QAASmzD,EAC3C,G,+BCTF,IAAI7yD,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,aAAe,CAC/Ea,SAAU,SAAkBhyI,GAC1B,OAAOkxI,EAAW5kJ,KAAM,OAAQ,OAAQ0T,EAC1C,G,+BCTF,IAAIpT,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtB2I,EAAkB,EAAQ,OAE1B2D,EAAcrG,WACd3xE,EAAe9wB,OAAO8wB,aAEtBirG,EAAiB/7H,OAAOg8H,cACxBnkJ,EAAO2kH,EAAY,GAAG3kH,MAO1BnB,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAMgM,MAAO,EAAG/iB,SAJnBu7B,GAA4C,IAA1BA,EAAe3jJ,QAIc,CAEtE4jJ,cAAe,SAAuB7xI,GAKpC,IAJA,IAGIy1F,EAHAnoD,EAAW,GACXr/C,EAAS6I,UAAU7I,OACnByP,EAAI,EAEDzP,EAASyP,GAAG,CAEjB,GADA+3F,GAAQ3+F,UAAU4G,KACds9G,EAAgBvlB,EAAM,WAAcA,EAAM,MAAM,IAAIkpB,EAAYlpB,EAAO,8BAC3EnoD,EAAS5vC,GAAK+3F,EAAO,MACjB9uD,EAAa8uD,GACb9uD,EAAyC,QAA1B8uD,GAAQ,QAAY,IAAcA,EAAO,KAAQ,MACtE,CAAE,OAAO/nG,EAAK4/C,EAAU,GAC1B,G,+BC7BF,IAAI/gD,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtB++B,EAAa,EAAQ,OACrBzuB,EAAyB,EAAQ,OACjCn1H,EAAW,EAAQ,KACnB6jJ,EAAuB,EAAQ,OAE/BlD,EAAgB97B,EAAY,GAAG1gH,SAInCpF,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,QAASg7B,EAAqB,aAAe,CAC9Ej2I,SAAU,SAAkBo2I,GAC1B,SAAUrD,EACR3gJ,EAASm1H,EAAuB12H,OAChCuB,EAAS4jJ,EAAWI,IACpB16I,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAE1C,G,+BClBF,IAAIE,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBsQ,EAAyB,EAAQ,OACjCn1H,EAAW,EAAQ,KAEnBs5C,EAAaurE,EAAY,GAAGvrE,YAIhCv6C,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,GAAQ,CACnCmlG,aAAc,WAGZ,IAFA,IAAIhvB,EAAIt1H,EAASm1H,EAAuB12H,OACpCgC,EAAS60H,EAAE70H,OACNyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAAK,CAC/B,IAAI4oE,EAAWx/B,EAAWg8E,EAAGplH,GAE7B,GAA4B,QAAZ,MAAX4oE,KAEDA,GAAY,SAAY5oE,GAAKzP,GAA0C,QAAZ,MAAnB64C,EAAWg8E,EAAGplH,KAAyB,OAAO,CAC5F,CAAE,OAAO,CACX,G,+BCpBF,IAAInR,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,YAAc,CAC9EiB,QAAS,WACP,OAAOlB,EAAW5kJ,KAAM,IAAK,GAAI,GACnC,G,+BCTF,IAAIif,EAAS,gBACT1d,EAAW,EAAQ,KACnB2mH,EAAsB,EAAQ,OAC9B+L,EAAiB,EAAQ,OACzBC,EAAyB,EAAQ,OAEjC6xB,EAAkB,kBAClB95B,EAAmB/D,EAAoBhgG,IACvCmgG,EAAmBH,EAAoB6D,UAAUg6B,GAIrD9xB,EAAerqG,OAAQ,UAAU,SAAUmrG,GACzC9I,EAAiBjsH,KAAM,CACrBiD,KAAM8iJ,EACN1mI,OAAQ9d,EAASwzH,GACjBjtF,MAAO,GAIX,IAAG,WACD,IAGIk+G,EAHAlnI,EAAQupG,EAAiBroH,MACzBqf,EAASP,EAAMO,OACfyoB,EAAQhpB,EAAMgpB,MAElB,OAAIA,GAASzoB,EAAOrd,OAAekyH,OAAuB9zH,GAAW,IACrE4lJ,EAAQ/mI,EAAOI,EAAQyoB,GACvBhpB,EAAMgpB,OAASk+G,EAAMhkJ,OACdkyH,EAAuB8xB,GAAO,GACvC,G,+BC7BA,IAAI1lJ,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,SAAW,CAC3E/nH,KAAM,SAAc35B,GAClB,OAAOyhJ,EAAW5kJ,KAAM,IAAK,OAAQmD,EACvC,G,+BCRF,IAAI7C,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtBwc,EAA4B,EAAQ,OACpC1O,EAAyB,EAAQ,OACjCwC,EAAyB,EAAQ,OACjC5L,EAAW,EAAQ,OACnBvpH,EAAW,EAAQ,KACnB+xH,EAAW,EAAQ,OACnBS,EAAoB,EAAQ,OAC5B9N,EAAU,EAAQ,OAClB9vE,EAAW,EAAQ,OACnB0rG,EAAiB,EAAQ,OACzB7iB,EAAY,EAAQ,OACpBhX,EAAgB,EAAQ,OACxBzB,EAAQ,EAAQ,OAChBd,EAAkB,EAAQ,OAC1B2qB,EAAqB,EAAQ,MAC7B6V,EAAqB,EAAQ,OAC7BzO,EAAa,EAAQ,OACrBtvB,EAAsB,EAAQ,OAC9Bya,EAAU,EAAQ,OAElBujB,EAAYzgC,EAAgB,YAC5B0gC,EAAgB,gBAChBC,EAAyBD,EAAgB,YACzCl6B,EAAmB/D,EAAoBhgG,IACvCmgG,EAAmBH,EAAoB6D,UAAUq6B,GACjDnd,EAAkBtyF,OAAO1tC,UACzBm8G,EAAahnE,UACb8jG,EAAgB97B,EAAY,GAAG1gH,SAC/B2gJ,EAAiBjgC,EAAY,GAAGkgC,UAEhCC,IAAgCF,IAAmB9/B,GAAM,WAC3D8/B,EAAe,IAAK,IACtB,IAEIG,EAAwB5jB,GAA0B,SAA8BrM,EAAQl3G,EAAQonI,EAASC,GAC3Gz6B,EAAiBjsH,KAAM,CACrBiD,KAAMmjJ,EACN7vB,OAAQA,EACRl3G,OAAQA,EACR5G,OAAQguI,EACRE,QAASD,EACTzsI,MAAM,GAEV,GAAGksI,GAAe,WAChB,IAAIrnI,EAAQupG,EAAiBroH,MAC7B,GAAI8e,EAAM7E,KAAM,OAAOi6G,OAAuB9zH,GAAW,GACzD,IAAI8oI,EAAIpqH,EAAMy3G,OACVM,EAAI/3G,EAAMO,OACVK,EAAQ83H,EAAWtO,EAAGrS,GAC1B,OAAc,OAAVn3G,GACFZ,EAAM7E,MAAO,EACNi6G,OAAuB9zH,GAAW,IAEvC0e,EAAMrG,QACmB,KAAvBlX,EAASme,EAAM,MAAYwpH,EAAE0d,UAAYX,EAAmBpvB,EAAG/L,EAASoe,EAAE0d,WAAY9nI,EAAM6nI,UACzFzyB,EAAuBx0G,GAAO,KAEvCZ,EAAM7E,MAAO,EACNi6G,EAAuBx0G,GAAO,GACvC,IAEImnI,EAAY,SAAUxnI,GACxB,IAII4zB,EAASwzG,EAASC,EAJlBxd,EAAI5V,EAAStzH,MACb62H,EAAIt1H,EAAS8d,GACb6qG,EAAIkmB,EAAmBlH,EAAGvyF,QAC1BwyF,EAAQ5nI,EAASsgJ,EAAe3Y,IAMpC,OAJAj2F,EAAU,IAAIi3E,EAAEA,IAAMvzE,OAASuyF,EAAEtvH,OAASsvH,EAAGC,GAC7Csd,KAAavE,EAAc/Y,EAAO,KAClCud,KAAiBxE,EAAc/Y,EAAO,KACtCl2F,EAAQ2zG,UAAY97B,EAASoe,EAAE0d,WACxB,IAAIJ,EAAsBvzG,EAAS4jF,EAAG4vB,EAASC,EACxD,EAIApmJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAAQm8B,GAA+B,CACxED,SAAU,SAAkB/vB,GAC1B,IACI4S,EAAOtS,EAAG5jF,EAAS6zG,EADnB5gC,EAAIwQ,EAAuB12H,MAE/B,GAAK+zH,EAAkBwC,IAShB,GAAIgwB,EAA6B,OAAOF,EAAengC,EAAGqQ,OATjC,CAC9B,GAAIpgF,EAASogF,KACX4S,EAAQ5nI,EAASm1H,EAAuBmrB,EAAetrB,OACjD2rB,EAAc/Y,EAAO,MAAM,MAAM,IAAI/jB,EAAW,iDAExD,GAAImhC,EAA6B,OAAOF,EAAengC,EAAGqQ,GAG1D,QADgBn2H,KADhB6yC,EAAU+rF,EAAUzI,EAAQ2vB,KACCvjB,GAA+B,WAApB1c,EAAQsQ,KAAsBtjF,EAAU4zG,GAC5E5zG,EAAS,OAAOtyC,EAAKsyC,EAASsjF,EAAQrQ,EAC5C,CAGA,OAFA2Q,EAAIt1H,EAAS2kH,GACb4gC,EAAK,IAAInwG,OAAO4/E,EAAQ,KACjBoM,EAAUhiI,EAAKkmJ,EAAWC,EAAIjwB,GAAKiwB,EAAGZ,GAAWrvB,EAC1D,IAGF8L,GAAWujB,KAAajd,GAAmBjhB,EAAcihB,EAAiBid,EAAWW,E,+BCpGrF,IAAIlmJ,EAAO,EAAQ,OACfomJ,EAAgC,EAAQ,OACxCzzB,EAAW,EAAQ,OACnBS,EAAoB,EAAQ,OAC5BjJ,EAAW,EAAQ,OACnBvpH,EAAW,EAAQ,KACnBm1H,EAAyB,EAAQ,OACjCsI,EAAY,EAAQ,OACpBinB,EAAqB,EAAQ,OAC7BzO,EAAa,EAAQ,OAGzBuP,EAA8B,SAAS,SAAUzwB,EAAO0wB,EAAaC,GACnE,MAAO,CAGL,SAAe1wB,GACb,IAAIrQ,EAAIwQ,EAAuB12H,MAC3BizC,EAAU8gF,EAAkBwC,QAAUn2H,EAAY4+H,EAAUzI,EAAQD,GACxE,OAAOrjF,EAAUtyC,EAAKsyC,EAASsjF,EAAQrQ,GAAK,IAAIvvE,OAAO4/E,GAAQD,GAAO/0H,EAAS2kH,GACjF,EAGA,SAAU7mG,GACR,IAAIynI,EAAKxzB,EAAStzH,MACd62H,EAAIt1H,EAAS8d,GACbyhF,EAAMmmD,EAAgBD,EAAaF,EAAIjwB,GAE3C,GAAI/1B,EAAI7mF,KAAM,OAAO6mF,EAAI98F,MAEzB,IAAK8iJ,EAAGruI,OAAQ,OAAO++H,EAAWsP,EAAIjwB,GAEtC,IAAI6vB,EAAcI,EAAGH,QACrBG,EAAGF,UAAY,EAIf,IAHA,IAEI9hJ,EAFA2tH,EAAI,GACJp8G,EAAI,EAEgC,QAAhCvR,EAAS0yI,EAAWsP,EAAIjwB,KAAc,CAC5C,IAAIqwB,EAAW3lJ,EAASuD,EAAO,IAC/B2tH,EAAEp8G,GAAK6wI,EACU,KAAbA,IAAiBJ,EAAGF,UAAYX,EAAmBpvB,EAAG/L,EAASg8B,EAAGF,WAAYF,IAClFrwI,GACF,CACA,OAAa,IAANA,EAAU,KAAOo8G,CAC1B,EAEJ,G,+BC9CA,IAAInyH,EAAI,EAAQ,OACZ6mJ,EAAU,aAKd7mJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJlB,EAAQ,QAIgC,CACvDg9B,OAAQ,SAAgBtc,GACtB,OAAOqc,EAAQnnJ,KAAM8qI,EAAWjgI,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACxE,G,+BCTF,IAAIE,EAAI,EAAQ,OACZ+mJ,EAAY,eAKhB/mJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJlB,EAAQ,QAIgC,CACvD6M,SAAU,SAAkB6T,GAC1B,OAAOuc,EAAUrnJ,KAAM8qI,EAAWjgI,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAC1E,G,+BCTF,IAAIE,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBiL,EAAkB,EAAQ,OAC1BvC,EAAW,EAAQ,OACnBvtH,EAAW,EAAQ,KACnBytH,EAAoB,EAAQ,OAE5BthH,EAAO04G,EAAY,GAAG14G,MACtBjM,EAAO2kH,EAAY,GAAG3kH,MAI1BnB,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,GAAQ,CAClC1lF,IAAK,SAAamL,GAChB,IAAI0gG,EAAcj2B,EAAgBvC,EAASloE,GAAUnL,KACjD8rG,EAAkBv4B,EAAkBs4B,GACxC,IAAKC,EAAiB,MAAO,GAI7B,IAHA,IAAIn4B,EAAkBvkH,UAAU7I,OAC5Bq/C,EAAW,GACX5vC,EAAI,IACK,CAEX,GADA/D,EAAK2zC,EAAU9/C,EAAS+lJ,EAAY71I,OAChCA,IAAM81I,EAAiB,OAAO9lJ,EAAK4/C,EAAU,IAC7C5vC,EAAI29G,GAAiB1hH,EAAK2zC,EAAU9/C,EAASsJ,UAAU4G,IAC7D,CACF,G,+BCzBM,EAAQ,MAKhBnR,CAAE,CAAEmN,OAAQ,SAAUizC,OAAO,GAAQ,CACnCiqF,OALW,EAAQ,Q,+BCDrB,IAAIrqI,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtBsQ,EAAyB,EAAQ,OACjC5O,EAAa,EAAQ,OACrBiM,EAAoB,EAAQ,OAC5B59E,EAAW,EAAQ,OACnB50C,EAAW,EAAQ,KACnBy9H,EAAY,EAAQ,OACpB6iB,EAAiB,EAAQ,OACzB2F,EAAkB,EAAQ,MAC1B/hC,EAAkB,EAAQ,OAC1Bkd,EAAU,EAAQ,OAElB8kB,EAAUhiC,EAAgB,WAC1BL,EAAahnE,UACb14C,EAAU0gH,EAAY,GAAG1gH,SACzB4O,EAAU8xG,EAAY,GAAG9xG,SACzBs2H,EAAcxkB,EAAY,GAAGv5G,OAC7BiG,EAAMlC,KAAKkC,IAIfxS,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,GAAQ,CACnCgnG,WAAY,SAAoBC,EAAaC,GAC3C,IACIC,EAAY1e,EAAOhK,EAAU9/G,EAAQkmI,EAAcuC,EAAmBC,EAAcC,EAAW9mI,EAAUhR,EADzGg2G,EAAIwQ,EAAuB12H,MAE3BioJ,EAAiB,EACjBnjJ,EAAS,GACb,IAAKivH,EAAkB4zB,GAAc,CAEnC,IADAE,EAAa1xG,EAASwxG,MAEpBxe,EAAQ5nI,EAASm1H,EAAuBmrB,EAAe8F,OACjDjiJ,EAAQyjI,EAAO,MAAM,MAAM,IAAI/jB,EAAW,mDAGlD,GADA+Z,EAAWH,EAAU2oB,EAAaF,GACpB,OAAO9mJ,EAAKw+H,EAAUwoB,EAAazhC,EAAG0hC,GACpD,GAAIjlB,GAAWklB,EAAY,OAAOvzI,EAAQ/S,EAAS2kH,GAAIyhC,EAAaC,EACtE,CAQA,IAPAvoI,EAAS9d,EAAS2kH,GAClBq/B,EAAehkJ,EAASomJ,IACxBG,EAAoBhgC,EAAW8/B,MACPA,EAAermJ,EAASqmJ,IAChDG,EAAexC,EAAavjJ,OAC5BgmJ,EAAYl1I,EAAI,EAAGi1I,GACnB7mI,EAAWxb,EAAQ2Z,EAAQkmI,IACN,IAAdrkI,GACLhR,EAAc43I,EACVvmJ,EAASqmJ,EAAarC,EAAcrkI,EAAU7B,IAC9CmoI,EAAgBjC,EAAclmI,EAAQ6B,EAAU,QAAI9gB,EAAWwnJ,GACnE9iJ,GAAU8lI,EAAYvrH,EAAQ4oI,EAAgB/mI,GAAYhR,EAC1D+3I,EAAiB/mI,EAAW6mI,EAC5B7mI,EAAWA,EAAW8mI,EAAY3oI,EAAOrd,QAAU,EAAI0D,EAAQ2Z,EAAQkmI,EAAcrkI,EAAW8mI,GAKlG,OAHIC,EAAiB5oI,EAAOrd,SAC1B8C,GAAU8lI,EAAYvrH,EAAQ4oI,IAEzBnjJ,CACT,G,8BC1DF,IAAInE,EAAO,EAAQ,OACfomJ,EAAgC,EAAQ,OACxCzzB,EAAW,EAAQ,OACnBS,EAAoB,EAAQ,OAC5B2C,EAAyB,EAAQ,OACjCwxB,EAAY,EAAQ,MACpB3mJ,EAAW,EAAQ,KACnBy9H,EAAY,EAAQ,OACpBwY,EAAa,EAAQ,OAGzBuP,EAA8B,UAAU,SAAUoB,EAAQC,EAAcnB,GACtE,MAAO,CAGL,SAAgB1wB,GACd,IAAIrQ,EAAIwQ,EAAuB12H,MAC3BqoJ,EAAWt0B,EAAkBwC,QAAUn2H,EAAY4+H,EAAUzI,EAAQ4xB,GACzE,OAAOE,EAAW1nJ,EAAK0nJ,EAAU9xB,EAAQrQ,GAAK,IAAIvvE,OAAO4/E,GAAQ4xB,GAAQ5mJ,EAAS2kH,GACpF,EAGA,SAAU7mG,GACR,IAAIynI,EAAKxzB,EAAStzH,MACd62H,EAAIt1H,EAAS8d,GACbyhF,EAAMmmD,EAAgBmB,EAActB,EAAIjwB,GAE5C,GAAI/1B,EAAI7mF,KAAM,OAAO6mF,EAAI98F,MAEzB,IAAIskJ,EAAoBxB,EAAGF,UACtBsB,EAAUI,EAAmB,KAAIxB,EAAGF,UAAY,GACrD,IAAI9hJ,EAAS0yI,EAAWsP,EAAIjwB,GAE5B,OADKqxB,EAAUpB,EAAGF,UAAW0B,KAAoBxB,EAAGF,UAAY0B,GAC9C,OAAXxjJ,GAAmB,EAAIA,EAAOgjC,KACvC,EAEJ,G,+BCpCA,IAAIxnC,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,UAAY,CAC5E0D,MAAO,WACL,OAAO3D,EAAW5kJ,KAAM,QAAS,GAAI,GACvC,G,+BCTF,IAAIW,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtB2gC,EAAgC,EAAQ,OACxCzzB,EAAW,EAAQ,OACnBS,EAAoB,EAAQ,OAC5B2C,EAAyB,EAAQ,OACjC0Z,EAAqB,EAAQ,MAC7B6V,EAAqB,EAAQ,OAC7Bn7B,EAAW,EAAQ,OACnBvpH,EAAW,EAAQ,KACnBy9H,EAAY,EAAQ,OACpBwY,EAAa,EAAQ,OACrBsK,EAAgB,EAAQ,OACxBv7B,EAAQ,EAAQ,OAEhBi8B,EAAgBV,EAAcU,cAE9BltI,EAAM1E,KAAK0E,IACX5H,EAAO04G,EAAY,GAAG14G,MACtBk9H,EAAcxkB,EAAY,GAAGv5G,OAI7B27I,GAAqCjiC,GAAM,WAE7C,IAAIxzD,EAAK,OACL01F,EAAe11F,EAAGnc,KACtBmc,EAAGnc,KAAO,WAAc,OAAO6xG,EAAa/tI,MAAM1a,KAAM6K,UAAY,EACpE,IAAI/F,EAAS,KAAKtD,MAAMuxD,GACxB,OAAyB,IAAlBjuD,EAAO9C,QAA8B,MAAd8C,EAAO,IAA4B,MAAdA,EAAO,EAC5D,IAEI4jJ,EAAoC,MAA5B,OAAOlnJ,MAAM,QAAQ,IAEK,IAApC,OAAOA,MAAM,QAAS,GAAGQ,QACQ,IAAjC,KAAKR,MAAM,WAAWQ,QACW,IAAjC,IAAIR,MAAM,YAAYQ,QAEtB,IAAIR,MAAM,QAAQQ,OAAS,GAC3B,GAAGR,MAAM,MAAMQ,OAGjB+kJ,EAA8B,SAAS,SAAU4B,EAAOC,EAAa3B,GACnE,IAAI4B,EAAgB,IAAIrnJ,WAAMpB,EAAW,GAAG4B,OAAS,SAAUiyG,EAAW4J,GACxE,YAAqBz9G,IAAd6zG,GAAqC,IAAV4J,EAAc,GAAKl9G,EAAKioJ,EAAa5oJ,KAAMi0G,EAAW4J,EAC1F,EAAI+qC,EAEJ,MAAO,CAGL,SAAe30C,EAAW4J,GACxB,IAAIqI,EAAIwQ,EAAuB12H,MAC3B8oJ,EAAW/0B,EAAkB9f,QAAa7zG,EAAY4+H,EAAU/qB,EAAW00C,GAC/E,OAAOG,EACHnoJ,EAAKmoJ,EAAU70C,EAAWiS,EAAGrI,GAC7Bl9G,EAAKkoJ,EAAetnJ,EAAS2kH,GAAIjS,EAAW4J,EAClD,EAMA,SAAUx+F,EAAQw+F,GAChB,IAAIipC,EAAKxzB,EAAStzH,MACd62H,EAAIt1H,EAAS8d,GAEjB,IAAKqpI,EAAO,CACV,IAAI5nD,EAAMmmD,EAAgB4B,EAAe/B,EAAIjwB,EAAGhZ,EAAOgrC,IAAkBD,GACzE,GAAI9nD,EAAI7mF,KAAM,OAAO6mF,EAAI98F,KAC3B,CAEA,IAAIkmH,EAAIkmB,EAAmB0W,EAAInwG,QAC3BoyG,EAAkBjC,EAAGH,QACrBxd,GAAS2d,EAAGlD,WAAa,IAAM,KACtBkD,EAAGjD,UAAY,IAAM,KACrBiD,EAAGH,QAAU,IAAM,KACnBnE,EAAgB,IAAM,KAG/BsG,EAAW,IAAI5+B,EAAEs4B,EAAgB,OAASsE,EAAGltI,OAAS,IAAMktI,EAAI3d,GAChE6f,OAAgB5oJ,IAAVy9G,EAhEC,WAgEkCA,IAAU,EACvD,GAAY,IAARmrC,EAAW,MAAO,GACtB,GAAiB,IAAbnyB,EAAE70H,OAAc,OAAmC,OAA5Bw1I,EAAWsR,EAAUjyB,GAAc,CAACA,GAAK,GAIpE,IAHA,IAAIx2G,EAAI,EACJo5B,EAAI,EACJg5E,EAAI,GACDh5E,EAAIo9E,EAAE70H,QAAQ,CACnB8mJ,EAASlC,UAAYpE,EAAgB,EAAI/oG,EACzC,IACI9kC,EADAinI,EAAIpE,EAAWsR,EAAUtG,EAAgB5X,EAAY/T,EAAGp9E,GAAKo9E,GAEjE,GACQ,OAAN+kB,IACCjnI,EAAIW,EAAIw1G,EAASg+B,EAASlC,WAAapE,EAAgB/oG,EAAI,IAAKo9E,EAAE70H,WAAaqe,EAEhFo5B,EAAIwsG,EAAmBpvB,EAAGp9E,EAAGsvG,OACxB,CAEL,GADAr7I,EAAK+kH,EAAGmY,EAAY/T,EAAGx2G,EAAGo5B,IACtBg5E,EAAEzwH,SAAWgnJ,EAAK,OAAOv2B,EAC7B,IAAK,IAAIhhH,EAAI,EAAGA,GAAKmqI,EAAE55I,OAAS,EAAGyP,IAEjC,GADA/D,EAAK+kH,EAAGmpB,EAAEnqI,IACNghH,EAAEzwH,SAAWgnJ,EAAK,OAAOv2B,EAE/Bh5E,EAAIp5B,EAAI1L,CACV,CACF,CAEA,OADAjH,EAAK+kH,EAAGmY,EAAY/T,EAAGx2G,IAChBoyG,CACT,EAEJ,GAAGi2B,IAAUF,EAAmChG,E,+BC7GhD,IAgBMnlG,EAhBF/8C,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtB4L,EAA2B,WAC3BlH,EAAW,EAAQ,OACnBvpH,EAAW,EAAQ,KACnB4jJ,EAAa,EAAQ,OACrBzuB,EAAyB,EAAQ,OACjC0uB,EAAuB,EAAQ,OAC/BziB,EAAU,EAAQ,OAElBiI,EAAcxkB,EAAY,GAAGv5G,OAC7ByI,EAAM1E,KAAK0E,IAEX+vI,EAA0BD,EAAqB,cASnD9kJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,UAPXuY,IAAY0iB,IAC9BhoG,EAAa20E,EAAyBpoG,OAAO3gB,UAAW,cACrDo0C,IAAeA,EAAWnnB,WAK8BmvH,IAA2B,CAC1Fz4I,WAAY,SAAoB24I,GAC9B,IAAIv6F,EAAOzpD,EAASm1H,EAAuB12H,OAC3CmlJ,EAAWI,GACX,IAAIz9G,EAAQgjF,EAASx1G,EAAIzK,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAAW4qD,EAAKhpD,SAC3E4c,EAASrd,EAASgkJ,GACtB,OAAO3a,EAAY5/E,EAAMljB,EAAOA,EAAQlpB,EAAO5c,UAAY4c,CAC7D,G,+BC7BF,IAAIte,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,WAAa,CAC7EoE,OAAQ,WACN,OAAOrE,EAAW5kJ,KAAM,SAAU,GAAI,GACxC,G,+BCTF,IAAIM,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,QAAU,CAC1EqE,IAAK,WACH,OAAOtE,EAAW5kJ,KAAM,MAAO,GAAI,GACrC,G,+BCTF,IAAIM,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtBsQ,EAAyB,EAAQ,OACjC7L,EAAsB,EAAQ,OAC9BtpH,EAAW,EAAQ,KAEnBqpI,EAAcxkB,EAAY,GAAGv5G,OAC7BiG,EAAMlC,KAAKkC,IACXwC,EAAM1E,KAAK0E,IAOfhV,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,QAJrB,GAAGzkH,QAA8B,MAApB,KAAKA,QAAQ,IAIa,CACnDA,OAAQ,SAAgBugC,EAAOlkC,GAC7B,IAGImnJ,EAAWC,EAHXp+F,EAAOzpD,EAASm1H,EAAuB12H,OACvC0T,EAAOs3C,EAAKhpD,OACZqnJ,EAAWx+B,EAAoB3kF,GAKnC,OAHImjH,IAAaz6D,MAAUy6D,EAAW,GAClCA,EAAW,IAAGA,EAAWv2I,EAAIY,EAAO21I,EAAU,KAClDF,OAAuB/oJ,IAAX4B,EAAuB0R,EAAOm3G,EAAoB7oH,KAC7C,GAAKmnJ,IAAcv6D,KAE7By6D,IADPD,EAAS9zI,EAAI+zI,EAAWF,EAAWz1I,IADkB,GAEpBk3H,EAAY5/E,EAAMq+F,EAAUD,EAC/D,G,+BC3BF,IAAI9oJ,EAAI,EAAQ,OACZskJ,EAAa,EAAQ,OAKzBtkJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMy6B,CAAuB,QAAU,CAC1EyE,IAAK,WACH,OAAO1E,EAAW5kJ,KAAM,MAAO,GAAI,GACrC,G,+BCTF,IAAIM,EAAI,EAAQ,OACZK,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtBsQ,EAAyB,EAAQ,OACjCn1H,EAAW,EAAQ,KACnBglH,EAAQ,EAAQ,OAEhByJ,EAASzxF,MACTtf,EAASmnG,EAAY,GAAGnnG,QACxB47B,EAAaurE,EAAY,GAAGvrE,YAC5Bp5C,EAAO2kH,EAAY,GAAG3kH,MAEtB8nJ,EAAgB,GAAGC,aAInBC,EAA2BF,GAAiBhjC,GAAM,WACpD,MAAkC,MAA3B5lH,EAAK4oJ,EAAe,EAC7B,IAIAjpJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAAQq/B,GAA4B,CACrED,aAAc,WACZ,IAAI3yB,EAAIt1H,EAASm1H,EAAuB12H,OACxC,GAAIypJ,EAA0B,OAAO9oJ,EAAK4oJ,EAAe1yB,GAGzD,IAFA,IAAI70H,EAAS60H,EAAE70H,OACX8C,EAASkrH,EAAOhuH,GACXyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAAK,CAC/B,IAAI4oE,EAAWx/B,EAAWg8E,EAAGplH,GAED,QAAZ,MAAX4oE,GAA+Bv1E,EAAO2M,GAAKwN,EAAO43G,EAAGplH,GAEjD4oE,GAAY,OAAU5oE,EAAI,GAAKzP,GAA8C,QAAZ,MAAvB64C,EAAWg8E,EAAGplH,EAAI,IAAyB3M,EAAO2M,GApB/E,KAuBpB3M,EAAO2M,GAAKwN,EAAO43G,EAAGplH,GACtB3M,IAAS2M,GAAKwN,EAAO43G,EAAGplH,GAE5B,CAAE,OAAOhQ,EAAKqD,EAAQ,GACxB,G,+BCvCF,EAAQ,OACR,IAAIxE,EAAI,EAAQ,OACZosI,EAAU,EAAQ,OAKtBpsI,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAMj1C,KAAM,UAAW2+G,OAAQ,GAAGsiB,UAAYA,GAAW,CACpFA,QAASA,G,+BCTX,IAAIpsI,EAAI,EAAQ,OACZssI,EAAY,EAAQ,OAKxBtsI,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAMj1C,KAAM,YAAa2+G,OAAQ,GAAGs/B,WAAa9c,GAAa,CACzF8c,SAAU9c,G,+BCPZ,IAAItsI,EAAI,EAAQ,OACZosI,EAAU,EAAQ,OAKtBpsI,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAMj1C,KAAM,UAAW2+G,OAAQ,GAAGu/B,YAAcjd,GAAW,CACtFid,UAAWjd,G,+BCNb,EAAQ,OACR,IAAIpsI,EAAI,EAAQ,OACZssI,EAAY,EAAQ,OAKxBtsI,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAMj1C,KAAM,YAAa2+G,OAAQ,GAAGwiB,YAAcA,GAAa,CAC1FA,UAAWA,G,+BCTb,IAAItsI,EAAI,EAAQ,OACZspJ,EAAQ,cAKZtpJ,EAAE,CAAEmN,OAAQ,SAAUizC,OAAO,EAAM0pE,OAJN,EAAQ,MAIMqiB,CAAuB,SAAW,CAC3EltH,KAAM,WACJ,OAAOqqI,EAAM5pJ,KACf,G,+BCT0B,EAAQ,MAIpC6pJ,CAAsB,gB,8BCJtB,IAAIvpJ,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB/tG,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtBuc,EAAU,EAAQ,OAClB9a,EAAc,EAAQ,OACtBulB,EAAgB,EAAQ,MACxB7mB,EAAQ,EAAQ,OAChB5c,EAAS,EAAQ,OACjBic,EAAgB,EAAQ,MACxB0N,EAAW,EAAQ,OACnBjC,EAAkB,EAAQ,OAC1Bsd,EAAgB,EAAQ,OACxBuV,EAAY,EAAQ,KACpBltB,EAA2B,EAAQ,MACnC8yB,EAAqB,EAAQ,MAC7B1jB,EAAa,EAAQ,OACrB3F,EAA4B,EAAQ,OACpCspB,EAA8B,EAAQ,OACtC1jB,EAA8B,EAAQ,OACtCyI,EAAiC,EAAQ,OACzC/X,EAAuB,EAAQ,OAC/BizB,EAAyB,EAAQ,OACjC1jB,EAA6B,EAAQ,OACrCte,EAAgB,EAAQ,OACxBC,EAAwB,EAAQ,OAChCgiC,EAAS,EAAQ,OACjBhjB,EAAY,EAAQ,OACpBzG,EAAa,EAAQ,OACrBh8G,EAAM,EAAQ,OACdihG,EAAkB,EAAQ,OAC1BirB,EAA+B,EAAQ,MACvCmZ,EAAwB,EAAQ,OAChCK,EAA0B,EAAQ,OAClC7+B,EAAiB,EAAQ,OACzBnD,EAAsB,EAAQ,OAC9BoH,EAAW,iBAEX66B,EAASljB,EAAU,UACnBmjB,EAAS,SACTx+B,EAAY,YAEZK,EAAmB/D,EAAoBhgG,IACvCmgG,EAAmBH,EAAoB6D,UAAUq+B,GAEjDxhC,EAAkB/hH,OAAO+kH,GACzB/hB,EAAU6E,EAAWt9D,OACrB47F,EAAkBnjC,GAAWA,EAAQ+hB,GACrCS,EAAa3d,EAAW2d,WACxBjuE,EAAYswD,EAAWtwD,UACvBisG,EAAU37C,EAAW27C,QACrBpb,EAAiCH,EAA+B1vB,EAChE4vB,EAAuBjY,EAAqB3X,EAC5CkrC,EAA4BP,EAA4B3qC,EACxDmrC,GAA6BjkB,EAA2BlnB,EACxD1xG,GAAO04G,EAAY,GAAG14G,MAEtB88I,GAAaP,EAAO,WACpBQ,GAAyBR,EAAO,cAChCS,GAAwBT,EAAO,OAG/BU,IAAcN,IAAYA,EAAQz+B,KAAey+B,EAAQz+B,GAAWg/B,UAGpEC,GAAyB,SAAU3kC,EAAGkS,EAAG0yB,GAC3C,IAAIC,EAA4B9b,EAA+BrmB,EAAiBwP,GAC5E2yB,UAAkCniC,EAAgBwP,GACtD4W,EAAqB9oB,EAAGkS,EAAG0yB,GACvBC,GAA6B7kC,IAAM0C,GACrComB,EAAqBpmB,EAAiBwP,EAAG2yB,EAE7C,EAEIC,GAAsBnjC,GAAetB,GAAM,WAC7C,OAEU,IAFHujC,EAAmB9a,EAAqB,CAAC,EAAG,IAAK,CACtDjnH,IAAK,WAAc,OAAOinH,EAAqBhvI,KAAM,IAAK,CAAEgE,MAAO,IAAKoe,CAAG,KACzEA,CACN,IAAKyoI,GAAyB7b,EAE1B7zE,GAAO,SAAUy7D,EAAKq0B,GACxB,IAAIxkB,EAAS+jB,GAAW5zB,GAAOkzB,EAAmB9c,GAOlD,OANA/gB,EAAiBwa,EAAQ,CACvBxjI,KAAMmnJ,EACNxzB,IAAKA,EACLq0B,YAAaA,IAEVpjC,IAAa4e,EAAOwkB,YAAcA,GAChCxkB,CACT,EAEIykB,GAAkB,SAAwBhlC,EAAGkS,EAAG0yB,GAC9C5kC,IAAM0C,GAAiBsiC,GAAgBT,GAAwBryB,EAAG0yB,GACtEx3B,EAASpN,GACT,IAAIriH,EAAM8qI,EAAcvW,GAExB,OADA9E,EAASw3B,GACLnhD,EAAO6gD,GAAY3mJ,IAChBinJ,EAAWxtG,YAIVqsD,EAAOuc,EAAGikC,IAAWjkC,EAAEikC,GAAQtmJ,KAAMqiH,EAAEikC,GAAQtmJ,IAAO,GAC1DinJ,EAAahB,EAAmBgB,EAAY,CAAExtG,WAAY05E,EAAyB,GAAG,OAJjFrtB,EAAOuc,EAAGikC,IAASnb,EAAqB9oB,EAAGikC,EAAQnzB,EAAyB,EAAG8yB,EAAmB,QACvG5jC,EAAEikC,GAAQtmJ,IAAO,GAIVmnJ,GAAoB9kC,EAAGriH,EAAKinJ,IAC9B9b,EAAqB9oB,EAAGriH,EAAKinJ,EACxC,EAEIK,GAAoB,SAA0BjlC,EAAGklC,GACnD93B,EAASpN,GACT,IAAI7gH,EAAagsH,EAAgB+5B,GAC7B5uH,EAAO4pG,EAAW/gI,GAAYg7B,OAAOk8G,GAAuBl3I,IAIhE,OAHAiqH,EAAS9yF,GAAM,SAAU34B,GAClBgkH,IAAelnH,EAAK0qJ,GAAuBhmJ,EAAYxB,IAAMqnJ,GAAgBhlC,EAAGriH,EAAKwB,EAAWxB,GACvG,IACOqiH,CACT,EAMImlC,GAAwB,SAA8B3J,GACxD,IAAItpB,EAAIuW,EAAc+S,GAClBpkG,EAAa38C,EAAK4pJ,GAA4BvqJ,KAAMo4H,GACxD,QAAIp4H,OAAS4oH,GAAmBjf,EAAO6gD,GAAYpyB,KAAOzuB,EAAO8gD,GAAwBryB,QAClF96E,IAAeqsD,EAAO3pG,KAAMo4H,KAAOzuB,EAAO6gD,GAAYpyB,IAAMzuB,EAAO3pG,KAAMmqJ,IAAWnqJ,KAAKmqJ,GAAQ/xB,KACpG96E,EACN,EAEIguG,GAA4B,SAAkCplC,EAAGkS,GACnE,IAAI5S,EAAK6L,EAAgBnL,GACrBriH,EAAM8qI,EAAcvW,GACxB,GAAI5S,IAAOoD,IAAmBjf,EAAO6gD,GAAY3mJ,IAAS8lG,EAAO8gD,GAAwB5mJ,GAAzF,CACA,IAAIw5C,EAAa4xF,EAA+BzpB,EAAI3hH,GAIpD,OAHIw5C,IAAcssD,EAAO6gD,GAAY3mJ,IAAU8lG,EAAO6b,EAAI2kC,IAAW3kC,EAAG2kC,GAAQtmJ,KAC9Ew5C,EAAWC,YAAa,GAEnBD,CAL8F,CAMvG,EAEIypF,GAAuB,SAA6B5gB,GACtD,IAAI58E,EAAQghH,EAA0Bj5B,EAAgBnL,IAClDphH,EAAS,GAIb,OAHAwqH,EAAShmF,GAAO,SAAUzlC,GACnB8lG,EAAO6gD,GAAY3mJ,IAAS8lG,EAAO62B,EAAY38H,IAAM6J,GAAK5I,EAAQjB,EACzE,IACOiB,CACT,EAEIy3I,GAAyB,SAAUr2B,GACrC,IAAIqlC,EAAsBrlC,IAAM0C,EAC5Bt/E,EAAQghH,EAA0BiB,EAAsBd,GAAyBp5B,EAAgBnL,IACjGphH,EAAS,GAMb,OALAwqH,EAAShmF,GAAO,SAAUzlC,IACpB8lG,EAAO6gD,GAAY3mJ,IAAU0nJ,IAAuB5hD,EAAOif,EAAiB/kH,IAC9E6J,GAAK5I,EAAQ0lJ,GAAW3mJ,GAE5B,IACOiB,CACT,EAIKsoI,IAuBHplB,EAFAglB,GApBAnjC,EAAU,WACR,GAAI+b,EAAconB,EAAiBhtI,MAAO,MAAM,IAAIo+C,EAAU,+BAC9D,IAAI6sG,EAAepgJ,UAAU7I,aAA2B5B,IAAjByK,UAAU,GAA+Bq5I,EAAUr5I,UAAU,SAAhCzK,EAChEw2H,EAAMpyG,EAAIymI,GACV9yB,EAAS,SAAUn0H,GACrB,IAAIw2B,OAAiBp6B,IAATJ,KAAqB0uG,EAAa1uG,KAC1Cw6B,IAAUouF,GAAiBjoH,EAAKw3H,EAAQsyB,GAAwBzmJ,GAChE2lG,EAAOnvE,EAAO2vH,IAAWxgD,EAAOnvE,EAAM2vH,GAASvzB,KAAMp8F,EAAM2vH,GAAQvzB,IAAO,GAC9E,IAAIv5E,EAAa25E,EAAyB,EAAGhzH,GAC7C,IACEgnJ,GAAoBxwH,EAAOo8F,EAAKv5E,EAClC,CAAE,MAAO38C,GACP,KAAMA,aAAiB2rH,GAAa,MAAM3rH,EAC1CmqJ,GAAuBrwH,EAAOo8F,EAAKv5E,EACrC,CACF,EAEA,OADIwqE,GAAe8iC,IAAYK,GAAoBpiC,EAAiBgO,EAAK,CAAEr5E,cAAc,EAAMr1B,IAAKiwG,IAC7Fh9D,GAAKy7D,EAAKq0B,EACnB,GAE0Br/B,GAEK,YAAY,WACzC,OAAOvD,EAAiBroH,MAAM42H,GAChC,IAEA5O,EAAcne,EAAS,iBAAiB,SAAUohD,GAChD,OAAO9vF,GAAK32C,EAAIymI,GAAcA,EAChC,IAEA3kB,EAA2BlnB,EAAIisC,GAC/Bt0B,EAAqB3X,EAAI8rC,GACzBlB,EAAuB5qC,EAAI+rC,GAC3Brc,EAA+B1vB,EAAIksC,GACnC7qB,EAA0BrhB,EAAI2qC,EAA4B3qC,EAAI0nB,GAC9DT,EAA4BjnB,EAAIm9B,GAEhC7L,EAA6BtxB,EAAI,SAAU3zG,GACzC,OAAO0vD,GAAKsqD,EAAgBh6G,GAAOA,EACrC,EAEIo8G,IAEFI,EAAsB+kB,EAAiB,cAAe,CACpDzvF,cAAc,EACdx1B,IAAK,WACH,OAAOsgG,EAAiBroH,MAAMirJ,WAChC,IAEGtoB,GACH3a,EAAcY,EAAiB,uBAAwByiC,GAAuB,CAAEx9B,QAAQ,MAK9FvtH,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMktB,MAAM,EAAMivD,QAASgjB,EAAexuF,MAAOwuF,GAAiB,CAC/Fh8F,OAAQy4D,IAGVylB,EAAS8W,EAAWskB,KAAwB,SAAUj/I,GACpDo+I,EAAsBp+I,EACxB,IAEAnL,EAAE,CAAEmN,OAAQ28I,EAAQjpB,MAAM,EAAM/W,QAASgjB,GAAiB,CACxDoe,UAAW,WAAcb,IAAa,CAAM,EAC5Cc,UAAW,WAAcd,IAAa,CAAO,IAG/CrqJ,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAASgjB,EAAexuF,MAAOipE,GAAe,CAG9ErjH,OAtHY,SAAgB0hH,EAAGklC,GAC/B,YAAsBhrJ,IAAfgrJ,EAA2BtB,EAAmB5jC,GAAKilC,GAAkBrB,EAAmB5jC,GAAIklC,EACrG,EAuHEn1H,eAAgBi1H,GAGhBjP,iBAAkBkP,GAGlBn5B,yBAA0Bs5B,KAG5BhrJ,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAASgjB,GAAiB,CAG1DlM,oBAAqB4F,KAKvBojB,IAIA7+B,EAAexhB,EAASugD,GAExB5pB,EAAW2pB,IAAU,C,+BCnQrB,IAAI7pJ,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtBnZ,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtBzc,EAAS,EAAQ,OACjBme,EAAa,EAAQ,OACrBlC,EAAgB,EAAQ,MACxBrkH,EAAW,EAAQ,KACnB0mH,EAAwB,EAAQ,OAChCmD,EAA4B,EAAQ,OAEpCsgC,EAAeh9C,EAAWt9D,OAC1B47F,EAAkB0e,GAAgBA,EAAaziJ,UAEnD,GAAI4+G,GAAeC,EAAW4jC,OAAoB,gBAAiB1e,SAElC5sI,IAA/BsrJ,IAAeT,aACd,CACD,IAAIU,EAA8B,CAAC,EAE/BC,EAAgB,WAClB,IAAIX,EAAcpgJ,UAAU7I,OAAS,QAAsB5B,IAAjByK,UAAU,QAAmBzK,EAAYmB,EAASsJ,UAAU,IAClG/F,EAAS8gH,EAAconB,EAAiBhtI,MAExC,IAAI0rJ,EAAaT,QAED7qJ,IAAhB6qJ,EAA4BS,IAAiBA,EAAaT,GAE9D,MADoB,KAAhBA,IAAoBU,EAA4B7mJ,IAAU,GACvDA,CACT,EAEAsmH,EAA0BwgC,EAAeF,GACzCE,EAAc3iJ,UAAY+jI,EAC1BA,EAAgB/+F,YAAc29G,EAE9B,IAAIxe,EAAkE,kCAAlDxjH,OAAO8hI,EAAa,0BACpCG,EAAkBzlC,EAAY4mB,EAAgBC,SAC9C6e,EAA0B1lC,EAAY4mB,EAAgBzrI,UACtDg1H,EAAS,wBACTjiH,EAAU8xG,EAAY,GAAG9xG,SACzBs2H,EAAcxkB,EAAY,GAAGv5G,OAEjCo7G,EAAsB+kB,EAAiB,cAAe,CACpDzvF,cAAc,EACdx1B,IAAK,WACH,IAAI0+G,EAASolB,EAAgB7rJ,MAC7B,GAAI2pG,EAAOgiD,EAA6BllB,GAAS,MAAO,GACxD,IAAIpnH,EAASysI,EAAwBrlB,GACjC78B,EAAOwjC,EAAgBxC,EAAYvrH,EAAQ,GAAI,GAAK/K,EAAQ+K,EAAQk3G,EAAQ,MAChF,MAAgB,KAAT3sB,OAAcxpG,EAAYwpG,CACnC,IAGFtpG,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,QAAQ,GAAQ,CACnDh5E,OAAQw6G,GAEZ,C,+BC1DA,IAAItrJ,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrB13B,EAAS,EAAQ,OACjBpoG,EAAW,EAAQ,KACnB0oJ,EAAS,EAAQ,OACjB8B,EAAyB,EAAQ,OAEjCC,EAAyB/B,EAAO,6BAChCgC,EAAyBhC,EAAO,6BAIpC3pJ,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAAS2hC,GAA0B,CACnE,IAAO,SAAUloJ,GACf,IAAIwb,EAAS9d,EAASsC,GACtB,GAAI8lG,EAAOqiD,EAAwB3sI,GAAS,OAAO2sI,EAAuB3sI,GAC1E,IAAIonH,EAASpF,EAAW,SAAXA,CAAqBhiH,GAGlC,OAFA2sI,EAAuB3sI,GAAUonH,EACjCwlB,EAAuBxlB,GAAUpnH,EAC1BonH,CACT,G,+BCpB0B,EAAQ,MAIpCojB,CAAsB,c,+BCJM,EAAQ,MAIpCA,CAAsB,qB,8BCJM,EAAQ,MAIpCA,CAAsB,W,+BCHtB,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,M,+BCLR,IAAIvpJ,EAAI,EAAQ,OACZqpG,EAAS,EAAQ,OACjBilC,EAAW,EAAQ,OACnBzpB,EAAc,EAAQ,OACtB8kC,EAAS,EAAQ,OACjB8B,EAAyB,EAAQ,OAEjCE,EAAyBhC,EAAO,6BAIpC3pJ,EAAE,CAAEmN,OAAQ,SAAU0zH,MAAM,EAAM/W,QAAS2hC,GAA0B,CACnE1e,OAAQ,SAAgB6e,GACtB,IAAKtd,EAASsd,GAAM,MAAM,IAAI9tG,UAAU+mE,EAAY+mC,GAAO,oBAC3D,GAAIviD,EAAOsiD,EAAwBC,GAAM,OAAOD,EAAuBC,EACzE,G,+BCf0B,EAAQ,MAIpCrC,CAAsB,W,+BCJM,EAAQ,MAIpCA,CAAsB,Q,+BCJM,EAAQ,MAIpCA,CAAsB,U,+BCJM,EAAQ,MAIpCA,CAAsB,S,+BCJM,EAAQ,MAIpCA,CAAsB,U,+BCJM,EAAQ,MAIpCA,CAAsB,Q,+BCJtB,IAAIA,EAAwB,EAAQ,OAChCK,EAA0B,EAAQ,OAItCL,EAAsB,eAItBK,G,+BCTA,IAAI7oB,EAAa,EAAQ,OACrBwoB,EAAwB,EAAQ,OAChCx+B,EAAiB,EAAQ,OAI7Bw+B,EAAsB,eAItBx+B,EAAegW,EAAW,UAAW,S,+BCVT,EAAQ,MAIpCwoB,CAAsB,c,+BCJtB,IAAIvb,EAAsB,EAAQ,OAC9Btf,EAAoB,EAAQ,OAC5BnE,EAAsB,EAAQ,OAE9Bb,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,MAAM,SAAYriF,GACvC,IAAIo+E,EAAI8D,EAAYhqH,MAChBk6C,EAAM80E,EAAkB9I,GACxByM,EAAgB9H,EAAoB/iF,GACpChoB,EAAI6yG,GAAiB,EAAIA,EAAgBz4E,EAAMy4E,EACnD,OAAQ7yG,EAAI,GAAKA,GAAKo6B,OAAO95C,EAAY8lH,EAAEpmG,EAC7C,G,+BCfA,IAAIsmG,EAAc,EAAQ,OACtBkoB,EAAsB,EAAQ,OAG9B6d,EAAoB/lC,EAFD,EAAQ,QAG3B4D,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,cAAc,SAAoB18G,EAAQy4B,GAC/D,OAAOimH,EAAkBniC,EAAYhqH,MAAOyN,EAAQy4B,EAAOr7B,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACnG,G,+BCZA,IAAIkuI,EAAsB,EAAQ,OAC9BsE,EAAS,eAET5oB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,SAAS,SAAesF,GAC7C,OAAOmjB,EAAO5oB,EAAYhqH,MAAOyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACrF,G,+BCVA,IAAIkuI,EAAsB,EAAQ,OAC9B8d,EAAQ,EAAQ,OAChBlc,EAAW,EAAQ,OACnBjqB,EAAU,EAAQ,OAClBtlH,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAEhByD,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAC7Ct9G,EAAQu5G,EAAY,GAAGv5G,OAY3Bs9G,EAAuB,QAAQ,SAAcnmH,GAC3C,IAAIhC,EAAS6I,UAAU7I,OACvBgoH,EAAYhqH,MACZ,IAAIqsJ,EAA6C,QAA/Bx/I,EAAMo5G,EAAQjmH,MAAO,EAAG,GAAekwI,EAASlsI,IAAUA,EAC5E,OAAOrD,EAAKyrJ,EAAOpsJ,KAAMqsJ,EAAarqJ,EAAS,EAAI6I,UAAU,QAAKzK,EAAW4B,EAAS,EAAI6I,UAAU,QAAKzK,EAC3G,GAdqBmmH,GAAM,WACzB,IAAInwG,EAAQ,EAGZ,OADA,IAAIkyG,UAAU,GAAGzqG,KAAK,CAAEovH,QAAS,WAAc,OAAO72H,GAAS,IAC9C,IAAVA,CACT,I,+BClBA,IAAIk4H,EAAsB,EAAQ,OAC9BuE,EAAU,gBACVyZ,EAAqB,EAAQ,OAE7BtiC,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,UAAU,SAAgBsF,GAC/C,IAAIz0F,EAAO63G,EAAQ7oB,EAAYhqH,MAAOyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,GACxF,OAAOksJ,EAAmBtsJ,KAAMg7B,EAClC,G,+BCZA,IAAIszG,EAAsB,EAAQ,OAC9BwE,EAAa,mBAEb9oB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,aAAa,SAAmBoiC,GACrD,OAAOzZ,EAAW9oB,EAAYhqH,MAAOusJ,EAAW1hJ,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACxF,G,+BCVA,IAAIkuI,EAAsB,EAAQ,OAC9B2E,EAAiB,uBAEjBjpB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,iBAAiB,SAAuBoiC,GAC7D,OAAOtZ,EAAejpB,EAAYhqH,MAAOusJ,EAAW1hJ,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAC5F,G,+BCVA,IAAIkuI,EAAsB,EAAQ,OAC9B4E,EAAY,kBAEZlpB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,YAAY,SAAkBoiC,GACnD,OAAOrZ,EAAUlpB,EAAYhqH,MAAOusJ,EAAW1hJ,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACvF,G,+BCVA,IAAIkuI,EAAsB,EAAQ,OAC9B6E,EAAQ,cAERnpB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,QAAQ,SAAcoiC,GAC3C,OAAOpZ,EAAMnpB,EAAYhqH,MAAOusJ,EAAW1hJ,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACnF,G,+BCVkC,EAAQ,MAI1CosJ,CAA4B,WAAW,SAAUxoH,GAC/C,OAAO,SAAsB3gC,EAAMkqH,EAAYvrH,GAC7C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRkC,EAAQ,MAI1CwqJ,CAA4B,WAAW,SAAUxoH,GAC/C,OAAO,SAAsB3gC,EAAMkqH,EAAYvrH,GAC7C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRA,IAAIssI,EAAsB,EAAQ,OAC9Bhf,EAAW,iBAEXtF,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,WAAW,SAAiBsF,GACjDH,EAAStF,EAAYhqH,MAAOyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAChF,G,+BCVA,IAAIiuI,EAA8C,EAAQ,QAM1D7jB,EALmC,uCAKN,OAJR,EAAQ,OAIwB6jB,E,+BCNrD,IAAIC,EAAsB,EAAQ,OAC9BkF,EAAY,kBAEZxpB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,YAAY,SAAkBsH,GACnD,OAAO+hB,EAAUxpB,EAAYhqH,MAAOyxH,EAAe5mH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAC3F,G,+BCVA,IAAIkuI,EAAsB,EAAQ,OAC9BmF,EAAW,iBAEXzpB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,WAAW,SAAiBsH,GACjD,OAAOgiB,EAASzpB,EAAYhqH,MAAOyxH,EAAe5mH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAC1F,G,+BCVkC,EAAQ,MAI1CosJ,CAA4B,SAAS,SAAUxoH,GAC7C,OAAO,SAAoB3gC,EAAMkqH,EAAYvrH,GAC3C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRkC,EAAQ,MAI1CwqJ,CAA4B,SAAS,SAAUxoH,GAC7C,OAAO,SAAoB3gC,EAAMkqH,EAAYvrH,GAC3C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRkC,EAAQ,MAI1CwqJ,CAA4B,QAAQ,SAAUxoH,GAC5C,OAAO,SAAmB3gC,EAAMkqH,EAAYvrH,GAC1C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRA,IAAI0sG,EAAa,EAAQ,OACrB6X,EAAQ,EAAQ,OAChBH,EAAc,EAAQ,OACtBkoB,EAAsB,EAAQ,OAC9Bme,EAAiB,EAAQ,OAGzBh5B,EAFkB,EAAQ,MAEfhO,CAAgB,YAC3B2D,EAAa1a,EAAW0a,WACxBsjC,EAActmC,EAAYqmC,EAAer5H,QACzCu5H,EAAYvmC,EAAYqmC,EAAejwH,MACvCowH,EAAexmC,EAAYqmC,EAAez7G,SAC1Cg5E,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAC7CxB,EAAsBS,GAAcA,EAAWngH,UAE/C4jJ,GAAWtmC,GAAM,WACnBoC,EAAoB8K,GAAU9yH,KAAK,CAAC,GACtC,IAEImsJ,IAAuBnkC,GACtBA,EAAoBv1F,QACpBu1F,EAAoB8K,KAAc9K,EAAoBv1F,QAClB,WAApCu1F,EAAoBv1F,OAAO3nB,KAE5BshJ,EAAmB,WACrB,OAAOL,EAAY1iC,EAAYhqH,MACjC,EAIAmqH,EAAuB,WAAW,WAChC,OAAOyiC,EAAa5iC,EAAYhqH,MAClC,GAAG6sJ,GAGH1iC,EAAuB,QAAQ,WAC7B,OAAOwiC,EAAU3iC,EAAYhqH,MAC/B,GAAG6sJ,GAGH1iC,EAAuB,SAAU4iC,EAAkBF,IAAYC,EAAoB,CAAErhJ,KAAM,WAG3F0+G,EAAuBsJ,EAAUs5B,EAAkBF,IAAYC,EAAoB,CAAErhJ,KAAM,U,+BC5C3F,IAAI6iI,EAAsB,EAAQ,OAC9BloB,EAAc,EAAQ,OAEtB4D,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAC7C6iC,EAAQ5mC,EAAY,GAAG3kH,MAI3B0oH,EAAuB,QAAQ,SAAclW,GAC3C,OAAO+4C,EAAMhjC,EAAYhqH,MAAOi0G,EAClC,G,+BCXA,IAAIq6B,EAAsB,EAAQ,OAC9B5zH,EAAQ,EAAQ,OAChB42G,EAAe,EAAQ,MAEvBtH,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,eAAe,SAAqBsH,GACzD,IAAIzvH,EAAS6I,UAAU7I,OACvB,OAAO0Y,EAAM42G,EAActH,EAAYhqH,MAAOgC,EAAS,EAAI,CAACyvH,EAAe5mH,UAAU,IAAM,CAAC4mH,GAC9F,G,8BCZA,IAAI6c,EAAsB,EAAQ,OAC9ByF,EAAO,aACP/D,EAA+B,EAAQ,OAEvChmB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,OAAO,SAAagG,GACzC,OAAO4jB,EAAK/pB,EAAYhqH,MAAOmwH,EAAOtlH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,GAAW,SAAU8lH,EAAGlkH,GAClG,OAAO,IAAKguI,EAA6B9pB,GAAlC,CAAsClkH,EAC/C,GACF,G,+BCbA,IAAIssI,EAAsB,EAAQ,OAC9BD,EAA8C,EAAQ,OAEtDpkB,EAAyBqkB,EAAoBrkB,wBAKjDO,EAJmC8jB,EAAoB9jB,8BAI1B,MAAM,WAIjC,IAHA,IAAI1iF,EAAQ,EACR9lC,EAAS6I,UAAU7I,OACnB8C,EAAS,IAAKmlH,EAAuBjqH,MAA5B,CAAmCgC,GACzCA,EAAS8lC,GAAOhjC,EAAOgjC,GAASj9B,UAAUi9B,KACjD,OAAOhjC,CACT,GAAGupI,E,+BCdH,IAAIC,EAAsB,EAAQ,OAC9B6F,EAAe,eAEfnqB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,eAAe,SAAqBsF,GACzD,IAAIztH,EAAS6I,UAAU7I,OACvB,OAAOmyI,EAAanqB,EAAYhqH,MAAOyvH,EAAYztH,EAAQA,EAAS,EAAI6I,UAAU,QAAKzK,EACzF,G,+BCXA,IAAIkuI,EAAsB,EAAQ,OAC9B+F,EAAU,cAEVrqB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,UAAU,SAAgBsF,GAC/C,IAAIztH,EAAS6I,UAAU7I,OACvB,OAAOqyI,EAAQrqB,EAAYhqH,MAAOyvH,EAAYztH,EAAQA,EAAS,EAAI6I,UAAU,QAAKzK,EACpF,G,+BCXA,IAAIkuI,EAAsB,EAAQ,OAE9BtkB,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAC7C/3G,EAAQxB,KAAKwB,MAIjB+3G,EAAuB,WAAW,WAMhC,IALA,IAIInmH,EAJAgnD,EAAOhrD,KACPgC,EAASgoH,EAAYh/D,GAAMhpD,OAC3BuyE,EAASniE,EAAMpQ,EAAS,GACxB8lC,EAAQ,EAELA,EAAQysC,GACbvwE,EAAQgnD,EAAKljB,GACbkjB,EAAKljB,KAAWkjB,IAAOhpD,GACvBgpD,EAAKhpD,GAAUgC,EACf,OAAOgnD,CACX,G,+BCnBA,IAAI0jD,EAAa,EAAQ,OACrB/tG,EAAO,EAAQ,OACf2tI,EAAsB,EAAQ,OAC9Btf,EAAoB,EAAQ,OAC5Byf,EAAW,EAAQ,OACnBpd,EAAkB,EAAQ,OAC1B9K,EAAQ,EAAQ,OAEhB8F,EAAa3d,EAAW2d,WACxB/D,EAAY5Z,EAAW4Z,UACvBC,EAAqBD,GAAaA,EAAUr/G,UAC5CwoB,EAAO82F,GAAsBA,EAAmBrgG,IAChD8hG,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAE7C8iC,GAAkD1mC,GAAM,WAE1D,IAAI53E,EAAQ,IAAI65E,kBAAkB,GAElC,OADA7nH,EAAK8wB,EAAMkd,EAAO,CAAE3sC,OAAQ,EAAG,EAAG,GAAK,GACnB,IAAb2sC,EAAM,EACf,IAGIu+G,EAAgBD,GAAkD3e,EAAoBtlB,2BAA6BzC,GAAM,WAC3H,IAAI53E,EAAQ,IAAI25E,EAAU,GAG1B,OAFA35E,EAAMzmB,IAAI,GACVymB,EAAMzmB,IAAI,IAAK,GACK,IAAbymB,EAAM,IAAyB,IAAbA,EAAM,EACjC,IAIAw7E,EAAuB,OAAO,SAAa8F,GACzCjG,EAAYhqH,MACZ,IAAIqvD,EAASo/E,EAAS5jI,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EAAW,GACnEgV,EAAMi8G,EAAgBpB,GAC1B,GAAIg9B,EAAgD,OAAOtsJ,EAAK8wB,EAAMzxB,KAAMoV,EAAKi6C,GACjF,IAAIrtD,EAAShC,KAAKgC,OACdk4C,EAAM80E,EAAkB55G,GACxB0yB,EAAQ,EACZ,GAAIoS,EAAMmV,EAASrtD,EAAQ,MAAM,IAAIqqH,EAAW,gBAChD,KAAOvkF,EAAQoS,GAAKl6C,KAAKqvD,EAASvnB,GAAS1yB,EAAI0yB,IACjD,IAAImlH,GAAkDC,E,+BC1CtD,IAAI5e,EAAsB,EAAQ,OAC9B0B,EAA+B,EAAQ,OACvCzpB,EAAQ,EAAQ,OAChB2E,EAAa,EAAQ,OAErBlB,EAAcskB,EAAoBtkB,aAUtCG,EAT6BmkB,EAAoBnkB,wBAS1B,SAAS,SAAejkF,EAAOC,GAMpD,IALA,IAAInL,EAAOkwF,EAAWlB,EAAYhqH,MAAOkmC,EAAOC,GAC5C+jF,EAAI8lB,EAA6BhwI,MACjC8nC,EAAQ,EACR9lC,EAASg5B,EAAKh5B,OACd8C,EAAS,IAAIolH,EAAEloH,GACZA,EAAS8lC,GAAOhjC,EAAOgjC,GAAS9M,EAAK8M,KAC5C,OAAOhjC,CACT,GAfayhH,GAAM,WAEjB,IAAI+B,UAAU,GAAGz7G,OACnB,I,+BCXA,IAAIyhI,EAAsB,EAAQ,OAC9BmG,EAAQ,cAERzqB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,QAAQ,SAAcsF,GAC3C,OAAOglB,EAAMzqB,EAAYhqH,MAAOyvH,EAAY5kH,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,EACpF,G,6BCVA,IAAIsuG,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAChBsL,EAAY,EAAQ,OACpB6iB,EAAe,EAAQ,OACvBpG,EAAsB,EAAQ,OAC9BqG,EAAK,EAAQ,OACbC,EAAa,EAAQ,OACrB7H,EAAK,EAAQ,OACbvF,EAAS,EAAQ,MAEjBxd,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAC7Cb,EAAc5a,EAAW4a,YACzBurB,EAAavrB,GAAelD,EAAYkD,EAAYrgH,UAAUsmC,MAG9D49G,KAA+BtY,GAAgBtuB,GAAM,WACvDsuB,EAAW,IAAIvrB,EAAY,GAAI,KACjC,KAAM/C,GAAM,WACVsuB,EAAW,IAAIvrB,EAAY,GAAI,CAAC,EAClC,KAEI0rB,IAAgBH,IAAetuB,GAAM,WAEvC,GAAIwmB,EAAI,OAAOA,EAAK,GACpB,GAAI4H,EAAI,OAAOA,EAAK,GACpB,GAAIC,EAAY,OAAO,EACvB,GAAIpN,EAAQ,OAAOA,EAAS,IAE5B,IAEI1/F,EAAO+rB,EAFPllB,EAAQ,IAAI26E,EAAY,KACxBq6B,EAAWplH,MAAM,KAGrB,IAAKuJ,EAAQ,EAAGA,EAAQ,IAAKA,IAC3B+rB,EAAM/rB,EAAQ,EACd6G,EAAM7G,GAAS,IAAMA,EACrB67G,EAAS77G,GAASA,EAAQ,EAAI+rB,EAAM,EAOtC,IAJAghF,EAAWlmG,GAAO,SAAUvsB,EAAGvC,GAC7B,OAAQuC,EAAI,EAAI,IAAMvC,EAAI,EAAI,EAChC,IAEKioB,EAAQ,EAAGA,EAAQ,IAAKA,IAC3B,GAAI6G,EAAM7G,KAAW67G,EAAS77G,GAAQ,OAAO,CAEjD,IAgBAqiF,EAAuB,QAAQ,SAAc+H,GAE3C,YADkB9xH,IAAd8xH,GAAyBL,EAAUK,GACnC8iB,EAAoBH,EAAW70I,KAAMkyH,GAElCwiB,EAAa1qB,EAAYhqH,MAlBb,SAAUkyH,GAC7B,OAAO,SAAUn+G,EAAGC,GAClB,YAAkB5T,IAAd8xH,GAAiCA,EAAUn+G,EAAGC,IAAM,EAEpDA,GAAMA,GAAW,EAEjBD,GAAMA,EAAU,EACV,IAANA,GAAiB,IAANC,EAAgB,EAAID,EAAI,GAAK,EAAIC,EAAI,EAAI,GAAK,EACtDD,EAAIC,CACb,CACF,CAQyCmhI,CAAejjB,GACxD,IAAI8iB,GAAemY,E,+BCpEnB,IAAI7e,EAAsB,EAAQ,OAC9BxjB,EAAW,EAAQ,OACnBiE,EAAkB,EAAQ,OAC1BihB,EAA+B,EAAQ,OAEvChmB,EAAcskB,EAAoBtkB,aAKtCG,EAJ6BmkB,EAAoBnkB,wBAI1B,YAAY,SAAkBijC,EAAOjnH,GAC1D,IAAI+/E,EAAI8D,EAAYhqH,MAChBgC,EAASkkH,EAAElkH,OACXqrJ,EAAat+B,EAAgBq+B,EAAOprJ,GAExC,OAAO,IADCguI,EAA6B9pB,GAC9B,CACLA,EAAEM,OACFN,EAAEqH,WAAa8/B,EAAannC,EAAEgpB,kBAC9BpkB,QAAkB1qH,IAAR+lC,EAAoBnkC,EAAS+sH,EAAgB5oF,EAAKnkC,IAAWqrJ,GAE3E,G,+BCpBA,IAAI3+C,EAAa,EAAQ,OACrBh0F,EAAQ,EAAQ,OAChB4zH,EAAsB,EAAQ,OAC9B/nB,EAAQ,EAAQ,OAChB2E,EAAa,EAAQ,OAErB5C,EAAY5Z,EAAW4Z,UACvB0B,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAC7CmjC,EAAkB,GAAGC,eAGrBC,IAAyBllC,GAAa/B,GAAM,WAC9C+mC,EAAgB3sJ,KAAK,IAAI2nH,EAAU,GACrC,IAUA6B,EAAuB,kBAAkB,WACvC,OAAOzvG,EACL4yI,EACAE,EAAuBtiC,EAAWlB,EAAYhqH,OAASgqH,EAAYhqH,MACnEkrH,EAAWrgH,WAEf,GAda07G,GAAM,WACjB,MAAO,CAAC,EAAG,GAAGgnC,mBAAqB,IAAIjlC,EAAU,CAAC,EAAG,IAAIilC,gBAC3D,MAAOhnC,GAAM,WACX+B,EAAUr/G,UAAUskJ,eAAe5sJ,KAAK,CAAC,EAAG,GAC9C,I,+BCpBA,IAAI60I,EAAkB,EAAQ,OAC1BlH,EAAsB,EAAQ,OAE9BtkB,EAAcskB,EAAoBtkB,YAClCG,EAAyBmkB,EAAoBnkB,uBAC7CL,EAA2BwkB,EAAoBxkB,yBAInDK,EAAuB,cAAc,WACnC,OAAOqrB,EAAgBxrB,EAAYhqH,MAAO8pH,EAAyB9pH,MACrE,G,+BCXA,IAAIsuI,EAAsB,EAAQ,OAC9BloB,EAAc,EAAQ,OACtByL,EAAY,EAAQ,OACpBkd,EAA8B,EAAQ,OAEtC/kB,EAAcskB,EAAoBtkB,YAClCF,EAA2BwkB,EAAoBxkB,yBAC/CK,EAAyBmkB,EAAoBnkB,uBAC7C56E,EAAO62E,EAAYkoB,EAAoB3lB,oBAAoBp5E,MAI/D46E,EAAuB,YAAY,SAAkByrB,QACjCx1I,IAAdw1I,GAAyB/jB,EAAU+jB,GACvC,IAAI1vB,EAAI8D,EAAYhqH,MAChByyH,EAAIsc,EAA4BjlB,EAAyB5D,GAAIA,GACjE,OAAO32E,EAAKkjF,EAAGmjB,EACjB,G,+BCjBA,IAAIzrB,EAAyB,gCACzB5D,EAAQ,EAAQ,OAChB7X,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OAEtBgD,EAAa1a,EAAW0a,WACxBqkC,EAAsBrkC,GAAcA,EAAWngH,WAAa,CAAC,EAC7DykJ,EAAgB,GAAGnsJ,SACnBE,EAAO2kH,EAAY,GAAG3kH,MAEtB8kH,GAAM,WAAcmnC,EAAc/sJ,KAAK,CAAC,EAAI,MAC9C+sJ,EAAgB,WACd,OAAOjsJ,EAAKzB,KACd,GAGF,IAAI2tJ,EAAsBF,EAAoBlsJ,WAAamsJ,EAI3DvjC,EAAuB,WAAYujC,EAAeC,E,8BCpBhB,EAAQ,MAI1CnB,CAA4B,UAAU,SAAUxoH,GAC9C,OAAO,SAAqB3gC,EAAMkqH,EAAYvrH,GAC5C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRkC,EAAQ,MAI1CwqJ,CAA4B,UAAU,SAAUxoH,GAC9C,OAAO,SAAqB3gC,EAAMkqH,EAAYvrH,GAC5C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRkC,EAAQ,MAI1CwqJ,CAA4B,SAAS,SAAUxoH,GAC7C,OAAO,SAAoB3gC,EAAMkqH,EAAYvrH,GAC3C,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,G,+BCRkC,EAAQ,MAI1CwqJ,CAA4B,SAAS,SAAUxoH,GAC7C,OAAO,SAA2B3gC,EAAMkqH,EAAYvrH,GAClD,OAAOgiC,EAAKhkC,KAAMqD,EAAMkqH,EAAYvrH,EACtC,CACF,IAAG,E,+BCRH,IAAI+zI,EAAY,EAAQ,OACpBzH,EAAsB,EAAQ,OAC9B2B,EAAgB,EAAQ,OACxBplB,EAAsB,EAAQ,OAC9BqlB,EAAW,EAAQ,OAEnBlmB,EAAcskB,EAAoBtkB,YAClCF,EAA2BwkB,EAAoBxkB,yBAC/CK,EAAyBmkB,EAAoBnkB,uBAE7CyjC,IAAiB,WACnB,IAEE,IAAItlC,UAAU,GAAS,KAAE,EAAG,CAAE2kB,QAAS,WAAc,MAAM,CAAG,GAChE,CAAE,MAAOvsI,GAGP,OAAiB,IAAVA,CACT,CACF,CATqB,GAarBypH,EAAuB,OAAQ,CAAE,KAAQ,SAAUriF,EAAO9jC,GACxD,IAAIkiH,EAAI8D,EAAYhqH,MAChB2yH,EAAgB9H,EAAoB/iF,GACpCukH,EAAcpc,EAAc/pB,GAAKgqB,EAASlsI,IAAUA,EACxD,OAAO+xI,EAAU7vB,EAAG4D,EAAyB5D,GAAIyM,EAAe05B,EAClE,GAAU,MAAIuB,E,+BC5Bd,IAAIttJ,EAAI,EAAQ,OACZ8lH,EAAc,EAAQ,OACtB7kH,EAAW,EAAQ,KAEnBm5C,EAAe9wB,OAAO8wB,aACtBz7B,EAASmnG,EAAY,GAAGnnG,QACxB23B,EAAOwvE,EAAY,IAAIxvE,MACvBg0F,EAAcxkB,EAAY,GAAGv5G,OAE7BghJ,EAAO,gBACPC,EAAO,gBAIXxtJ,EAAE,CAAEmY,QAAQ,GAAQ,CAClBwiC,SAAU,SAAkB57B,GAM1B,IALA,IAII86D,EAAK1yD,EAJLizC,EAAMn5D,EAAS8d,GACfva,EAAS,GACT9C,EAAS04D,EAAI14D,OACb8lC,EAAQ,EAELA,EAAQ9lC,GAAQ,CAErB,GAAY,OADZm4E,EAAMl7D,EAAOy7C,EAAK5yB,MAEhB,GAA2B,MAAvB7oB,EAAOy7C,EAAK5yB,IAEd,GADArgB,EAAOmjH,EAAYlwE,EAAK5yB,EAAQ,EAAGA,EAAQ,GACvC8O,EAAKk3G,EAAMrmI,GAAO,CACpB3iB,GAAU41C,EAAan9B,SAASkK,EAAM,KACtCqgB,GAAS,EACT,QACF,OAGA,GADArgB,EAAOmjH,EAAYlwE,EAAK5yB,EAAOA,EAAQ,GACnC8O,EAAKi3G,EAAMpmI,GAAO,CACpB3iB,GAAU41C,EAAan9B,SAASkK,EAAM,KACtCqgB,GAAS,EACT,QACF,CAGJhjC,GAAUq1E,CACZ,CAAE,OAAOr1E,CACX,G,+BC1CF,IA2BIipJ,EA3BAptB,EAAW,EAAQ,OACnBjyB,EAAa,EAAQ,OACrB0X,EAAc,EAAQ,OACtBuE,EAAiB,EAAQ,OACzB4K,EAAyB,EAAQ,MACjC5sH,EAAa,EAAQ,OACrBqlJ,EAAiB,EAAQ,OACzBj7G,EAAW,EAAQ,OACnBo1E,EAAuB,iBACvB5B,EAAQ,EAAQ,OAChB0nC,EAAkB,EAAQ,OAE1B7mB,EAAUvgI,OAEV23B,EAAUD,MAAMC,QAEhBioF,EAAe2gB,EAAQ3gB,aAEvBk2B,EAAWvV,EAAQuV,SAEnBE,EAAWzV,EAAQyV,SAEnBT,EAAShV,EAAQgV,OAEjBgB,EAAOhW,EAAQgW,KAEf8Q,GAAWx/C,EAAWy/C,eAAiB,kBAAmBz/C,EAG1D1zC,EAAU,SAAUh3B,GACtB,OAAO,WACL,OAAOA,EAAKhkC,KAAM6K,UAAU7I,OAAS6I,UAAU,QAAKzK,EACtD,CACF,EAIIguJ,EAAWzlJ,EAAW,UAAWqyD,EAASgzF,GAC1CK,EAAmBD,EAASnlJ,UAC5BqlJ,EAAYloC,EAAYioC,EAAiBnmI,KAc7C,GAAI+lI,EAAiB,GAAIC,EAAS,CAChCH,EAAkBC,EAAe15B,eAAet5D,EAAS,WAAW,GACpEu6D,EAAuB77F,SACvB,IAAI60H,EAAenoC,EAAYioC,EAAyB,QACpDG,EAAYpoC,EAAYioC,EAAiB75H,KACzCi6H,EAAYroC,EAAYioC,EAAiBtmI,KAC7C4iG,EAAe0jC,EAAkB,CAC/B,OAAU,SAAUxqJ,GAClB,GAAIkvC,EAASlvC,KAAS4iH,EAAa5iH,GAAM,CACvC,IAAIib,EAAQqpG,EAAqBnoH,MAEjC,OADK8e,EAAMq2G,SAAQr2G,EAAMq2G,OAAS,IAAI44B,GAC/BQ,EAAavuJ,KAAM6D,IAAQib,EAAMq2G,OAAe,OAAEtxH,EAC3D,CAAE,OAAO0qJ,EAAavuJ,KAAM6D,EAC9B,EACA2wB,IAAK,SAAa3wB,GAChB,GAAIkvC,EAASlvC,KAAS4iH,EAAa5iH,GAAM,CACvC,IAAIib,EAAQqpG,EAAqBnoH,MAEjC,OADK8e,EAAMq2G,SAAQr2G,EAAMq2G,OAAS,IAAI44B,GAC/BS,EAAUxuJ,KAAM6D,IAAQib,EAAMq2G,OAAO3gG,IAAI3wB,EAClD,CAAE,OAAO2qJ,EAAUxuJ,KAAM6D,EAC3B,EACAkkB,IAAK,SAAalkB,GAChB,GAAIkvC,EAASlvC,KAAS4iH,EAAa5iH,GAAM,CACvC,IAAIib,EAAQqpG,EAAqBnoH,MAEjC,OADK8e,EAAMq2G,SAAQr2G,EAAMq2G,OAAS,IAAI44B,GAC/BS,EAAUxuJ,KAAM6D,GAAO4qJ,EAAUzuJ,KAAM6D,GAAOib,EAAMq2G,OAAOptG,IAAIlkB,EACxE,CAAE,OAAO4qJ,EAAUzuJ,KAAM6D,EAC3B,EACAqkB,IAAK,SAAarkB,EAAKG,GACrB,GAAI+uC,EAASlvC,KAAS4iH,EAAa5iH,GAAM,CACvC,IAAIib,EAAQqpG,EAAqBnoH,MAC5B8e,EAAMq2G,SAAQr2G,EAAMq2G,OAAS,IAAI44B,GACtCS,EAAUxuJ,KAAM6D,GAAOyqJ,EAAUtuJ,KAAM6D,EAAKG,GAAS8a,EAAMq2G,OAAOjtG,IAAIrkB,EAAKG,EAC7E,MAAOsqJ,EAAUtuJ,KAAM6D,EAAKG,GAC5B,OAAOhE,IACT,GAGJ,MAhDS2gI,GAAYpa,GAAM,WACvB,IAAImoC,EAActS,EAAO,IAEzB,OADAkS,EAAU,IAAIF,EAAYM,EAAa,IAC/B/R,EAAS+R,EACnB,KA6CA/jC,EAAe0jC,EAAkB,CAC/BnmI,IAAK,SAAarkB,EAAKG,GACrB,IAAI2qJ,EAOJ,OANInwH,EAAQ36B,KACN84I,EAAS94I,GAAM8qJ,EAAsBvS,EAChCS,EAASh5I,KAAM8qJ,EAAsBvR,IAEhDkR,EAAUtuJ,KAAM6D,EAAKG,GACjB2qJ,GAAqBA,EAAoB9qJ,GACtC7D,IACT,G,+BCrGJ,EAAQ,M,8BCDS,EAAQ,MAKzB2I,CAAW,WAAW,SAAUq7B,GAC9B,OAAO,WAAqB,OAAOA,EAAKhkC,KAAM6K,UAAU7I,OAAS6I,UAAU,QAAKzK,EAAY,CAC9F,GANqB,EAAQ,O,+BCA7B,EAAQ,K,8BCDR,IAAIE,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB2yB,EAAa,EAAQ,OACrBjb,EAAc,EAAQ,OACtBzlH,EAAO,EAAQ,OACf4lH,EAAQ,EAAQ,OAChBhlH,EAAW,EAAQ,KACnB8nI,EAA0B,EAAQ,OAClClW,EAAM,aAENy7B,EAAa,cACb9oB,EAAc,gBACd+oB,EAAU,YAEVC,EAAQztB,EAAW,QACnB3mF,EAAe9wB,OAAO8wB,aACtBz7B,EAASmnG,EAAY,GAAGnnG,QACxB3K,EAAU8xG,EAAY,GAAG9xG,SACzBsiC,EAAOwvE,EAAYwoC,EAAWh4G,MAE9Bm4G,IAAUD,IAAUvoC,GAAM,WAC5B,MAAyB,OAAlBuoC,EAAM,OACf,IAEIE,EAAmBD,GAASxoC,GAAM,WACpC,MAAsB,KAAfuoC,EAAM,IACf,IAEIG,EAAoBF,IAAUxoC,GAAM,WACtCuoC,EAAM,IACR,IAEII,EAAyBH,IAAUxoC,GAAM,WAC3CuoC,GACF,IAEIK,EAAcJ,GAA0B,IAAjBD,EAAM9sJ,OAMjC1B,EAAE,CAAEmY,QAAQ,EAAMjV,MAAM,EAAM85C,YAAY,EAAM8sE,QAJlC2kC,GAASC,GAAoBC,GAAqBC,GAA0BC,GAIxB,CAChEC,KAAM,SAAc/rJ,GAGlB,GAFAgmI,EAAwBx+H,UAAU7I,OAAQ,GAEtC+sJ,IAAUC,IAAqBC,EAAmB,OAAOtuJ,EAAKmuJ,EAAOpgD,EAAYrrG,GACrF,IAIIrB,EAAQm4E,EAAKmQ,EAJbjrE,EAAS/K,EAAQ/S,EAAS8B,GAAOyiI,EAAa,IAC9CtrF,EAAS,GACTt5B,EAAW,EACXmuI,EAAK,EAMT,GAJIhwI,EAAOrd,OAAS,GAAM,IACxBqd,EAAS/K,EAAQ+K,EAAQwvI,EAAS,MAEpC7sJ,EAASqd,EAAOrd,QACH,GAAM,GAAK40C,EAAKg4G,EAAYvvI,GACvC,MAAM,IAAKgiH,EAAW,gBAAhB,CAAiC,sCAAuC,yBAEhF,KAAOngH,EAAWlf,GAChBm4E,EAAMl7D,EAAOI,EAAQ6B,KACrBopE,EAAK+kE,EAAK,EAAS,GAAL/kE,EAAU6oC,EAAIh5C,GAAOg5C,EAAIh5C,GACnCk1E,IAAO,IAAG70G,GAAUE,EAAa,IAAM4vC,KAAQ,EAAI+kE,EAAK,KAC5D,OAAO70G,CACX,G,+BChEF,IAAIl6C,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB2yB,EAAa,EAAQ,OACrBjb,EAAc,EAAQ,OACtBzlH,EAAO,EAAQ,OACf4lH,EAAQ,EAAQ,OAChBhlH,EAAW,EAAQ,KACnB8nI,EAA0B,EAAQ,OAClCnW,EAAM,aAENo8B,EAAQjuB,EAAW,QACnBpiH,EAASmnG,EAAY,GAAGnnG,QACxB47B,EAAaurE,EAAY,GAAGvrE,YAE5Bk0G,IAAUO,IAAU/oC,GAAM,WAC5B,MAAuB,SAAhB+oC,EAAM,KACf,IAEIJ,EAAyBH,IAAUxoC,GAAM,WAC3C+oC,GACF,IAEIC,EAAuBR,GAASxoC,GAAM,WACxC,MAAuB,aAAhB+oC,EAAM,KACf,IAEIH,EAAcJ,GAA0B,IAAjBO,EAAMttJ,OAIjC1B,EAAE,CAAEmY,QAAQ,EAAMjV,MAAM,EAAM85C,YAAY,EAAM8sE,QAAS2kC,GAASG,GAA0BK,GAAwBJ,GAAe,CACjI/xH,KAAM,SAAc/5B,GAGlB,GAFAgmI,EAAwBx+H,UAAU7I,OAAQ,GAEtC+sJ,EAAO,OAAOpuJ,EAAK2uJ,EAAO5gD,EAAYntG,EAAS8B,IAMnD,IALA,IAIImsJ,EAAOn1E,EAJPh7D,EAAS9d,EAAS8B,GAClBm3C,EAAS,GACTt5B,EAAW,EACXnU,EAAMmmH,EAEHj0G,EAAOI,EAAQ6B,KAAcnU,EAAM,IAAKmU,EAAW,IAAI,CAE5D,IADAm5D,EAAWx/B,EAAWx7B,EAAQ6B,GAAY,EAAI,IAC/B,IACb,MAAM,IAAKmgH,EAAW,gBAAhB,CAAiC,6DAA8D,yBAGvG7mF,GAAUv7B,EAAOlS,EAAK,IADtByiJ,EAAQA,GAAS,EAAIn1E,IACe,EAAIn5D,EAAW,EAAI,EACzD,CAAE,OAAOs5B,CACX,G,+BChDF,IAAIl6C,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB8+B,EAAiB,eAIrBltI,EAAE,CAAEmY,QAAQ,EAAMjV,MAAM,EAAM85C,YAAY,EAAM8sE,OAAQ1b,EAAW8+B,iBAAmBA,GAAkB,CACtGA,eAAgBA,G,+BCPlB,IAAI9+B,EAAa,EAAQ,OACrB+gD,EAAe,EAAQ,OACvBlzB,EAAwB,EAAQ,OAChCrvH,EAAU,EAAQ,OAClB66G,EAA8B,EAAQ,OAEtC2nC,EAAkB,SAAUC,GAE9B,GAAIA,GAAuBA,EAAoBziJ,UAAYA,EAAS,IAClE66G,EAA4B4nC,EAAqB,UAAWziJ,EAC9D,CAAE,MAAOxM,GACPivJ,EAAoBziJ,QAAUA,CAChC,CACF,EAEA,IAAK,IAAI0iJ,KAAmBH,EACtBA,EAAaG,IACfF,EAAgBhhD,EAAWkhD,IAAoBlhD,EAAWkhD,GAAiB3mJ,WAI/EymJ,EAAgBnzB,E,+BCrBhB,IAAI7tB,EAAa,EAAQ,OACrB+gD,EAAe,EAAQ,OACvBlzB,EAAwB,EAAQ,OAChCszB,EAAuB,EAAQ,OAC/B9nC,EAA8B,EAAQ,OACtCsD,EAAiB,EAAQ,OAGzBoI,EAFkB,EAAQ,MAEfhO,CAAgB,YAC3BqqC,EAAcD,EAAqBz8H,OAEnCs8H,EAAkB,SAAUC,EAAqBC,GACnD,GAAID,EAAqB,CAEvB,GAAIA,EAAoBl8B,KAAcq8B,EAAa,IACjD/nC,EAA4B4nC,EAAqBl8B,EAAUq8B,EAC7D,CAAE,MAAOpvJ,GACPivJ,EAAoBl8B,GAAYq8B,CAClC,CAEA,GADAzkC,EAAeskC,EAAqBC,GAAiB,GACjDH,EAAaG,GAAkB,IAAK,IAAIh+B,KAAei+B,EAEzD,GAAIF,EAAoB/9B,KAAiBi+B,EAAqBj+B,GAAc,IAC1E7J,EAA4B4nC,EAAqB/9B,EAAai+B,EAAqBj+B,GACrF,CAAE,MAAOlxH,GACPivJ,EAAoB/9B,GAAei+B,EAAqBj+B,EAC1D,CAEJ,CACF,EAEA,IAAK,IAAIg+B,KAAmBH,EAC1BC,EAAgBhhD,EAAWkhD,IAAoBlhD,EAAWkhD,GAAiB3mJ,UAAW2mJ,GAGxFF,EAAgBnzB,EAAuB,e,+BCnCvC,IAAIj8H,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrB7I,EAAuB,EAAQ,OAC/BjS,EAAQ,EAAQ,OAChB/hH,EAAS,EAAQ,MACjBwyH,EAA2B,EAAQ,MACnC/gG,EAAiB,WACjB+xF,EAAgB,EAAQ,OACxBC,EAAwB,EAAQ,OAChCte,EAAS,EAAQ,OACjBihB,EAAa,EAAQ,OACrB0I,EAAW,EAAQ,OACnB0jB,EAAgB,EAAQ,OACxBvZ,EAA0B,EAAQ,OAClCsyB,EAAwB,EAAQ,OAChCzyB,EAAkB,EAAQ,OAC1BpV,EAAsB,EAAQ,OAC9BL,EAAc,EAAQ,OACtB8a,EAAU,EAAQ,OAElBqtB,EAAgB,eAChBC,EAAiB,iBACjBrnJ,EAAQy4H,EAAW,SAEnB6uB,EAAqB7uB,EAAW2uB,IAAkB,WACpD,KAIE,IAFqB3uB,EAAW,mBAAqB7I,EAAqB,kBAAkBE,iBAEvEE,MAAMC,YAAY,IAAIs3B,QAC7C,CAAE,MAAOzvJ,GACP,GAAIA,EAAM+K,OAASwkJ,GAAiC,KAAfvvJ,EAAM8oG,KAAa,OAAO9oG,EAAMutC,WACvE,CACD,CATqD,GAUlDmiH,EAA8BF,GAAsBA,EAAmBjnJ,UACvEguI,EAAiBruI,EAAMK,UACvBgjH,EAAmB/D,EAAoBhgG,IACvCmgG,EAAmBH,EAAoB6D,UAAUikC,GACjDK,EAAY,UAAW,IAAIznJ,EAAMonJ,GAEjCM,EAAU,SAAU7kJ,GACtB,OAAOk+F,EAAOomD,EAAuBtkJ,IAASskJ,EAAsBtkJ,GAAMyT,EAAI6wI,EAAsBtkJ,GAAMwI,EAAI,CAChH,EAEIs8I,EAAgB,WAClB3lC,EAAW5qH,KAAMwwJ,GACjB,IAAIphC,EAAkBvkH,UAAU7I,OAC5BuI,EAAUkzH,EAAwBrO,EAAkB,OAAIhvH,EAAYyK,UAAU,IAC9EY,EAAOgyH,EAAwBrO,EAAkB,OAAIhvH,EAAYyK,UAAU,GAAI,SAC/E2+F,EAAO8mD,EAAQ7kJ,GAYnB,GAXAwgH,EAAiBjsH,KAAM,CACrBiD,KAAM+sJ,EACNvkJ,KAAMA,EACNlB,QAASA,EACTi/F,KAAMA,IAEHqe,IACH7nH,KAAKyL,KAAOA,EACZzL,KAAKuK,QAAUA,EACfvK,KAAKwpG,KAAOA,GAEV6mD,EAAW,CACb,IAAI3vJ,EAAQ,IAAIkI,EAAM2B,GACtB7J,EAAM+K,KAAOukJ,EACb/5H,EAAej2B,KAAM,QAASg3H,EAAyB,EAAGsG,EAAgB58H,EAAMolF,MAAO,IACzF,CACF,EAEI0qE,EAAwBD,EAActnJ,UAAYzE,EAAOyyI,GAEzDwZ,EAAyB,SAAU1oI,GACrC,MAAO,CAAEu1B,YAAY,EAAMC,cAAc,EAAMx1B,IAAKA,EACtD,EAEIgkG,EAAY,SAAUloH,GACxB,OAAO4sJ,GAAuB,WAC5B,OAAOpoC,EAAiBroH,MAAM6D,EAChC,GACF,EAEIgkH,IAEFI,EAAsBuoC,EAAuB,OAAQzkC,EAAU,SAE/D9D,EAAsBuoC,EAAuB,UAAWzkC,EAAU,YAElE9D,EAAsBuoC,EAAuB,OAAQzkC,EAAU,UAGjE91F,EAAeu6H,EAAuB,cAAex5B,EAAyB,EAAGu5B,IAGjF,IAAIG,EAAwBnqC,GAAM,WAChC,QAAS,IAAI2pC,aAAgCtnJ,EAC/C,IAGI+0H,EAAsB+yB,GAAyBnqC,GAAM,WACvD,OAAO0wB,EAAe11I,WAAay1I,GAA0D,SAAzCptH,OAAO,IAAIsmI,EAAmB,EAAG,GACvF,IAGIS,EAAiBD,GAAyBnqC,GAAM,WAClD,OAA4D,KAArD,IAAI2pC,EAAmB,EAAG,kBAAkB1mD,IACrD,IAGIonD,EAAmBF,GACqB,KAAvCR,EAAmBD,IAC6B,KAAhDG,EAA4BH,GAE7BY,EAAqBluB,EAAUhF,GAAuBgzB,GAAkBC,EAAmBF,EAI/FpwJ,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,OAAQymC,GAAsB,CACjEC,aAAcD,EAAqBN,EAAgBL,IAGrD,IAAIa,EAAyB1vB,EAAW2uB,GACpCgB,EAAkCD,EAAuB9nJ,UAa7D,IAAK,IAAIpF,KAXL85H,IAAwBgF,GAAWutB,IAAuBa,IAC5D/oC,EAAcgpC,EAAiC,WAAYha,GAGzD2Z,GAAkB9oC,GAAeqoC,IAAuBa,GAC1D9oC,EAAsB+oC,EAAiC,OAAQP,GAAuB,WACpF,OAAOH,EAAQh9B,EAAStzH,MAAMyL,KAChC,KAIcskJ,EAAuB,GAAIpmD,EAAOomD,EAAuBlsJ,GAAM,CAC7E,IAAIotJ,EAAWlB,EAAsBlsJ,GACjCqtJ,EAAeD,EAAS3xI,EACxB+9B,EAAa25E,EAAyB,EAAGi6B,EAASh9I,GACjD01F,EAAOonD,EAAwBG,IAClCj7H,EAAe86H,EAAwBG,EAAc7zG,GAElDssD,EAAOqnD,EAAiCE,IAC3Cj7H,EAAe+6H,EAAiCE,EAAc7zG,EAElE,C,+BC/IA,IAAI/8C,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB2yB,EAAa,EAAQ,OACrBrK,EAA2B,EAAQ,MACnC/gG,EAAiB,WACjB0zE,EAAS,EAAQ,OACjBihB,EAAa,EAAQ,OACrBO,EAAoB,EAAQ,OAC5BsS,EAA0B,EAAQ,OAClCsyB,EAAwB,EAAQ,OAChCzyB,EAAkB,EAAQ,OAC1BzV,EAAc,EAAQ,OACtB8a,EAAU,EAAQ,OAElBqtB,EAAgB,eAChBpnJ,EAAQy4H,EAAW,SACnB6uB,EAAqB7uB,EAAW2uB,GAEhCO,EAAgB,WAClB3lC,EAAW5qH,KAAMwwJ,GACjB,IAAIphC,EAAkBvkH,UAAU7I,OAC5BuI,EAAUkzH,EAAwBrO,EAAkB,OAAIhvH,EAAYyK,UAAU,IAC9EY,EAAOgyH,EAAwBrO,EAAkB,OAAIhvH,EAAYyK,UAAU,GAAI,SAC/EmgD,EAAO,IAAIklG,EAAmB3lJ,EAASkB,GACvC/K,EAAQ,IAAIkI,EAAM2B,GAItB,OAHA7J,EAAM+K,KAAOukJ,EACb/5H,EAAe+0B,EAAM,QAASgsE,EAAyB,EAAGsG,EAAgB58H,EAAMolF,MAAO,KACvFqlC,EAAkBngE,EAAMhrD,KAAMuwJ,GACvBvlG,CACT,EAEIwlG,EAAwBD,EAActnJ,UAAYinJ,EAAmBjnJ,UAErEkoJ,EAAkB,UAAW,IAAIvoJ,EAAMonJ,GACvCoB,EAA0B,UAAW,IAAIlB,EAAmB,EAAG,GAG/D7yG,EAAa6yG,GAAsBroC,GAAehhH,OAAOmrH,yBAAyBtjB,EAAYshD,GAI9FqB,KAAqBh0G,GAAgBA,EAAWnnB,UAAYmnB,EAAWE,cAEvEszG,EAAqBM,IAAoBE,IAAqBD,EAIlE9wJ,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,OAAQuY,GAAWkuB,GAAsB,CAC5EC,aAAcD,EAAqBN,EAAgBL,IAGrD,IAAIa,EAAyB1vB,EAAW2uB,GACpCgB,EAAkCD,EAAuB9nJ,UAE7D,GAAI+nJ,EAAgC/iH,cAAgB8iH,EAKlD,IAAK,IAAIltJ,KAJJ8+H,GACH1sG,EAAe+6H,EAAiC,cAAeh6B,EAAyB,EAAG+5B,IAG7EhB,EAAuB,GAAIpmD,EAAOomD,EAAuBlsJ,GAAM,CAC7E,IAAIotJ,EAAWlB,EAAsBlsJ,GACjCqtJ,EAAeD,EAAS3xI,EACvBqqF,EAAOonD,EAAwBG,IAClCj7H,EAAe86H,EAAwBG,EAAcl6B,EAAyB,EAAGi6B,EAASh9I,GAE9F,C,+BCjEF,IAAIotH,EAAa,EAAQ,OAGrB2uB,EAAgB,eAFC,EAAQ,MAK7B3kC,CAAegW,EAAW2uB,GAAgBA,E,+BCL1C,EAAQ,OACR,EAAQ,M,6BCFR,IAAI1vJ,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrBw2B,EAAY,EAAQ,OACpBrT,EAAY,EAAQ,OACpBwX,EAA0B,EAAQ,OAClC9iB,EAAQ,EAAQ,OAChBsB,EAAc,EAAQ,OAY1BvnH,EAAE,CAAEmY,QAAQ,EAAM6kC,YAAY,EAAMg0G,gBAAgB,EAAMlnC,OARxC7D,GAAM,WAGtB,OAAOsB,GAA8F,IAA/EhhH,OAAOmrH,yBAAyBtjB,EAAY,kBAAkB1qG,MAAMhC,MAC5F,KAIiF,CAC/EuvJ,eAAgB,SAAwB/kJ,GACtC68H,EAAwBx+H,UAAU7I,OAAQ,GAC1CkjI,EAAUrT,EAAUrlH,GACtB,G,+BCtBF,IAAIlM,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrBuZ,EAAwB,EAAQ,OAChCJ,EAAc,EAAQ,OAEtBzC,EAAahnE,UAEbnoB,EAAiBpvB,OAAOovB,eACxBu7H,EAAkB9iD,EAAWt+F,OAASs+F,EAI1C,IACE,GAAImZ,EAAa,CAEf,IAAIxqE,EAAax2C,OAAOmrH,yBAAyBtjB,EAAY,SAGzD8iD,GAAoBn0G,GAAeA,EAAWt1B,KAAQs1B,EAAWC,YACnE2qE,EAAsBvZ,EAAY,OAAQ,CACxC3mF,IAAK,WACH,OAAO2mF,CACT,EACAxmF,IAAK,SAAclkB,GACjB,GAAIhE,OAAS0uG,EAAY,MAAM,IAAI0W,EAAW,sBAC9CnvF,EAAey4E,EAAY,OAAQ,CACjC1qG,MAAOA,EACPkyB,UAAU,EACVqnB,cAAc,EACdD,YAAY,GAEhB,EACAC,cAAc,EACdD,YAAY,GAGlB,MAAOh9C,EAAE,CAAEmY,QAAQ,EAAMg5I,QAAQ,EAAMrnC,OAAQonC,GAAmB,CAChEphJ,KAAMs+F,GAEV,CAAE,MAAOhuG,GAAqB,C,+BCvC9B,IAAIJ,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrBgjD,EAAU,aACVC,EAAgB,EAAQ,OAGxBpkB,EAAe7+B,EAAW6+B,aAAeokB,EAAcD,GAAS,GAASA,EAI7EpxJ,EAAE,CAAEmY,QAAQ,EAAMjV,MAAM,EAAM85C,YAAY,EAAM8sE,OAAQ1b,EAAW6+B,eAAiBA,GAAgB,CAClGA,aAAcA,G,+BCXhB,IAAIjtI,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OAGrBxpF,EAFgB,EAAQ,MAEVysI,CAAcjjD,EAAWxpF,aAAa,GAIxD5kB,EAAE,CAAEmY,QAAQ,EAAMjV,MAAM,EAAM4mH,OAAQ1b,EAAWxpF,cAAgBA,GAAe,CAC9EA,YAAaA,G,+BCTf,IAAI5kB,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OAGrB3rF,EAFgB,EAAQ,MAEX4uI,CAAcjjD,EAAW3rF,YAAY,GAItDziB,EAAE,CAAEmY,QAAQ,EAAMjV,MAAM,EAAM4mH,OAAQ1b,EAAW3rF,aAAeA,GAAc,CAC5EA,WAAYA,G,+BCTd,IAsE8C6uI,EAtE1CjvB,EAAU,EAAQ,OAClBriI,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrB2yB,EAAa,EAAQ,OACrBjb,EAAc,EAAQ,OACtBG,EAAQ,EAAQ,OAChB/hG,EAAM,EAAQ,OACdsjG,EAAa,EAAQ,OACrB5C,EAAgB,EAAQ,OACxB6O,EAAoB,EAAQ,OAC5BhhF,EAAW,EAAQ,OACnB67F,EAAW,EAAQ,OACnB5a,EAAU,EAAQ,OAClBV,EAAW,EAAQ,OACnBrN,EAAU,EAAQ,OAClBtc,EAAS,EAAQ,OACjBkmB,EAAiB,EAAQ,OACzB9H,EAA8B,EAAQ,OACtCiH,EAAoB,EAAQ,OAC5Bqa,EAA0B,EAAQ,OAClCwY,EAAiB,EAAQ,OACzB1J,EAAa,EAAQ,OACrBxO,EAAa,EAAQ,OACrBkoB,EAAa,EAAQ,OACrBhrC,EAAqB,EAAQ,OAC7B0W,EAA0B,EAAQ,OAClCzW,EAAmC,EAAQ,MAE3CjgH,EAAS6nG,EAAW7nG,OACpB03B,EAAQmwE,EAAWnwE,MACnBxc,EAAO2sF,EAAW3sF,KAClBnZ,EAAQ8lG,EAAW9lG,MACnBw1C,EAAYswD,EAAWtwD,UACvB0zG,EAAkBpjD,EAAWojD,gBAC7BhB,EAAezvB,EAAW,gBAC1B0C,EAAMoU,EAAWpU,IACjBguB,EAAS5Z,EAAW3jH,IACpBw9H,EAAS7Z,EAAWpwH,IACpBkqI,EAAS9Z,EAAWjwH,IACpB0hH,EAAMD,EAAWC,IACjBsoB,EAASvoB,EAAW5uG,IACpBo3H,EAASxoB,EAAWn1G,IACpB4xG,EAAa/E,EAAW,SAAU,QAClC3zH,EAAO04G,EAAY,GAAG14G,MACtB0kJ,EAAmBhsC,IAAY,GAAK6mB,SACpCiN,EAAkB9zB,EAAY,GAAI6mB,SAClColB,EAAkBjsC,EAAY,GAAG6mB,SACjC3V,EAAgBlR,EAAYrkG,EAAK9Y,UAAUwF,SAC3C6jJ,EAAmB9tI,EAAI,mBACvB+tI,EAAmB,iBACnBC,EAAe,eAEfC,GAAqB,SAAUb,GACjC,OAAQrrC,GAAM,WACZ,IAAImsC,EAAO,IAAIhkD,EAAWk7B,IAAI,CAAC,IAC3B+oB,EAAOf,EAA8Bc,GACrC/lC,EAASilC,EAA8B/qJ,EAAO,IAClD,OAAO8rJ,IAASD,IAASC,EAAKn+H,IAAI,KAAOue,EAAS45E,IAAuB,IAAXA,CAChE,KAAMilC,CACR,EAEIgB,GAAqB,SAAUhB,EAA+B50B,GAChE,OAAQzW,GAAM,WACZ,IAAI7lH,EAAQ,IAAIs8H,EACZzzF,EAAOqoH,EAA8B,CAAExvI,EAAG1hB,EAAOmf,EAAGnf,IACxD,QAAS6oC,GAAQA,EAAKnnB,IAAMmnB,EAAK1pB,GAAK0pB,EAAKnnB,aAAa46G,GAAUzzF,EAAKnnB,EAAE0jE,QAAUplF,EAAMolF,MAC3F,GACF,EAsBI+sE,GAAwBnkD,EAAWqY,gBAEnC+rC,GAAqBnwB,IACnBiwB,GAAmBC,GAAuBjqJ,KAC1CgqJ,GAAmBC,GAAuB/B,KAvBFc,EAwBViB,KAvB1BtsC,GAAM,WACZ,IAAIh9E,EAAOqoH,EAA8B,IAAIljD,EAAWijC,eAAe,CAAC,GAAI2gB,EAAkB,CAAE/xB,MAAO,KACvG,MAAqB,mBAAdh3F,EAAK99B,MAAgD,IAAnB89B,EAAKmoG,OAAO,IAAYnoG,EAAKh/B,UAAY+nJ,GAAmC,IAAf/oH,EAAKg3F,KAC7G,KAiCEwyB,IAA2BF,IAAyBJ,IAAmB,SAAUzuJ,GACnF,OAAO,IAAI8tJ,EAAgBQ,EAAkB,CAAEU,OAAQhvJ,IAASgvJ,MAClE,IAEIC,GAAkCR,GAAmBI,KAA0BE,GAE/EG,GAAmB,SAAUjwJ,GAC/B,MAAM,IAAI6tJ,EAAa,qBAAuB7tJ,EAAMsvJ,EACtD,EAEIY,GAAsB,SAAUlwJ,EAAMmpB,GACxC,MAAM,IAAI0kI,GAAc1kI,GAAU,WAAa,OAASnpB,EAAO,gDAAiDsvJ,EAClH,EAEIa,GAAqC,SAAUpvJ,EAAOf,GAExD,OADKgwJ,IAAiCE,GAAoBlwJ,GACnDgwJ,GAAgCjvJ,EACzC,EAcIqvJ,GAAc,SAAUrvJ,EAAO+I,EAAKumJ,GACtC,GAAIvB,EAAOhlJ,EAAK/I,GAAQ,OAAOguJ,EAAOjlJ,EAAK/I,GAE3C,IACIqP,EAAOrR,EAAQlB,EAAS8Y,EAAQnM,EAAQgE,EAE5C,GAAa,uBAHF6hJ,GAASrtC,EAAQjiH,IAIWqP,EAAjC4/I,GAAyCA,GAAgCjvJ,GAEhEA,MACR,CACL,IAAI+hH,EAAWrX,EAAWqX,SAIrBA,GAAa+B,EAAW9jH,EAAM6I,QAAQsmJ,GAAoB,eAE/D,IACE,GAAIrrC,EAAW9jH,EAAM6I,SAAW7I,EAAM+nF,UACpC14E,EAAQrP,EAAM6I,MAAM,OACf,CACL7K,EAASgC,EAAMmiH,WACfrlH,EAAU,kBAAmBkD,EAAQ,CAAEijH,cAAejjH,EAAMijH,oBAAkB7mH,EAE9EiT,EAAQ,IAAIyyG,YAAY9jH,EAAQlB,GAChC8Y,EAAS,IAAImsG,EAAS/hH,GACtByJ,EAAS,IAAIs4G,EAAS1yG,GACtB,IAAK5B,EAAI,EAAGA,EAAIzP,EAAQyP,IACtBhE,EAAOmgH,SAASn8G,EAAGmI,EAAOq0G,SAASx8G,GAEvC,CACF,CAAE,MAAO/Q,GACP,MAAM,IAAIowJ,EAAa,0BAA2ByB,EACpD,CACF,CAIA,OAFAN,EAAOllJ,EAAK/I,EAAOqP,GAEZA,CACT,EAUIkgJ,GAA0B,SAAUvvJ,EAAO+I,GAE7C,GADI6hI,EAAS5qI,IAAQkvJ,GAAiB,WACjCngH,EAAS/uC,GAAQ,OAAOA,EAE7B,GAAI+I,GACF,GAAIglJ,EAAOhlJ,EAAK/I,GAAQ,OAAOguJ,EAAOjlJ,EAAK/I,QACtC+I,EAAM,IAAIg3H,EAEjB,IACI7Z,EAAGz+G,EAAM+nJ,EAAQC,EAAchiJ,EAAGzP,EAAQw6B,EAAM34B,EADhDZ,EAAOgjH,EAAQjiH,GAGnB,OAAQf,GACN,IAAK,QACHuwJ,EAASj1H,EAAMywF,EAAkBhrH,IACjC,MACF,IAAK,SACHwvJ,EAAS,CAAC,EACV,MACF,IAAK,MACHA,EAAS,IAAIzvB,EACb,MACF,IAAK,MACHyvB,EAAS,IAAI5pB,EACb,MACF,IAAK,SAGH4pB,EAAS,IAAI78G,OAAO3yC,EAAM4V,OAAQioI,EAAe79I,IACjD,MACF,IAAK,QAEH,OADAyH,EAAOzH,EAAMyH,MAEX,IAAK,iBACH+nJ,EAAS,IAAKnyB,EAAW51H,GAAhB,CAAuB,IAChC,MACF,IAAK,YACL,IAAK,aACL,IAAK,iBACL,IAAK,kBACL,IAAK,cACL,IAAK,YACL,IAAK,WACH+nJ,EAAS,IAAKnyB,EAAW51H,IACzB,MACF,IAAK,eACL,IAAK,YACL,IAAK,eACH+nJ,EAAS,IAAKnyB,EAAW,cAAe51H,IACxC,MACF,QACE+nJ,EAAS,IAAI5qJ,EAEjB,MACF,IAAK,eACH4qJ,EAAS,IAAI1C,EAAa9sJ,EAAMuG,QAASvG,EAAMyH,MAC/C,MACF,IAAK,cACL,IAAK,oBACH+nJ,EAASH,GAAYrvJ,EAAO+I,EAAK9J,GACjC,MACF,IAAK,WACL,IAAK,YACL,IAAK,aACL,IAAK,oBACL,IAAK,aACL,IAAK,cACL,IAAK,aACL,IAAK,cACL,IAAK,eACL,IAAK,eACL,IAAK,eACL,IAAK,gBACL,IAAK,iBACHjB,EAAkB,aAATiB,EAAsBe,EAAMmiH,WAAaniH,EAAMhC,OACxDwxJ,EAlFU,SAAUxvJ,EAAOf,EAAMosD,EAAQrtD,EAAQ+K,GACrD,IAAIm9G,EAAIxb,EAAWzrG,GAInB,OADK8vC,EAASm3E,IAAIipC,GAAoBlwJ,GAC/B,IAAIinH,EAAEmpC,GAAYrvJ,EAAMwiH,OAAQz5G,GAAMsiD,EAAQrtD,EACvD,CA4Ee0xJ,CAAU1vJ,EAAOf,EAAMe,EAAMupH,WAAYvrH,EAAQ+K,GAC1D,MACF,IAAK,UACH,IACEymJ,EAAS,IAAIG,QACXJ,GAAwBvvJ,EAAM8yH,GAAI/pH,GAClCwmJ,GAAwBvvJ,EAAM4vJ,GAAI7mJ,GAClCwmJ,GAAwBvvJ,EAAM6vJ,GAAI9mJ,GAClCwmJ,GAAwBvvJ,EAAM8vJ,GAAI/mJ,GAEtC,CAAE,MAAOrM,GACP8yJ,EAASJ,GAAmCpvJ,EAAOf,EACrD,CACA,MACF,IAAK,OACH,GAAIgwJ,GAAiC,IACnCO,EAASP,GAAgCjvJ,GAErCiiH,EAAQutC,KAAYvwJ,IAAMuwJ,OAASpzJ,EACzC,CAAE,MAAOM,GAAqB,CAC9B,IAAK8yJ,EAAQ,IACXA,EAAS,IAAIO,KAAK,CAAC/vJ,GAAQA,EAAMyH,KAAMzH,EACzC,CAAE,MAAOtD,GAAqB,CACzB8yJ,GAAQL,GAAoBlwJ,GACjC,MACF,IAAK,WAEH,GADAwwJ,EAjKmB,WACvB,IAAIA,EACJ,IACEA,EAAe,IAAI/kD,EAAWslD,YAChC,CAAE,MAAOtzJ,GACP,IACE+yJ,EAAe,IAAI/kD,EAAWulD,eAAe,IAAIC,aACnD,CAAE,MAAO3pC,GAAsB,CACjC,CACA,OAAOkpC,GAAgBA,EAAa7rF,OAAS6rF,EAAaU,MAAQV,EAAe,IACnF,CAuJqBW,GACG,CAChB,IAAK3iJ,EAAI,EAAGzP,EAASgtH,EAAkBhrH,GAAQyN,EAAIzP,EAAQyP,IACzDgiJ,EAAa7rF,MAAM7sC,IAAIw4H,GAAwBvvJ,EAAMyN,GAAI1E,IAE3DymJ,EAASC,EAAaU,KACxB,MAAOX,EAASJ,GAAmCpvJ,EAAOf,GAC1D,MACF,IAAK,YAEH,IACEuwJ,EAAS,IAAIa,UACXd,GAAwBvvJ,EAAMX,KAAM0J,GACpC/I,EAAM+O,MACN/O,EAAMgP,OACN,CAAEshJ,WAAYtwJ,EAAMswJ,YAExB,CAAE,MAAO5zJ,GACP8yJ,EAASJ,GAAmCpvJ,EAAOf,EACrD,CAAE,MACJ,QACE,GAAIgwJ,GACFO,EAASP,GAAgCjvJ,QACpC,OAAQf,GACb,IAAK,SAEHuwJ,EAAS3sJ,EAAO7C,EAAMipI,WACtB,MACF,IAAK,UACHumB,EAAS3sJ,EAAOurJ,EAAiBpuJ,IACjC,MACF,IAAK,SACHwvJ,EAAS3sJ,EAAOqzI,EAAgBl2I,IAChC,MACF,IAAK,SACHwvJ,EAAS3sJ,EAAOwrJ,EAAgBruJ,IAChC,MACF,IAAK,OACHwvJ,EAAS,IAAIzxI,EAAKu1G,EAActzH,IAChC,MACF,IAAK,OACH,IACEwvJ,EAASxvJ,EAAM6I,MAAM,EAAG7I,EAAM0P,KAAM1P,EAAMf,KAC5C,CAAE,MAAOvC,GACPyyJ,GAAoBlwJ,EACtB,CAAE,MACJ,IAAK,WACL,IAAK,mBACHinH,EAAIxb,EAAWzrG,GACf,IACEuwJ,EAAStpC,EAAEqqC,UACPrqC,EAAEqqC,UAAUvwJ,GACZ,IAAIkmH,EAAElmH,EAAM+P,EAAG/P,EAAMgQ,EAAGhQ,EAAM43I,EAAG53I,EAAM2O,EAC7C,CAAE,MAAOjS,GACPyyJ,GAAoBlwJ,EACtB,CAAE,MACJ,IAAK,UACL,IAAK,kBACHinH,EAAIxb,EAAWzrG,GACf,IACEuwJ,EAAStpC,EAAEsqC,SACPtqC,EAAEsqC,SAASxwJ,GACX,IAAIkmH,EAAElmH,EAAM+P,EAAG/P,EAAMgQ,EAAGhQ,EAAM+O,MAAO/O,EAAMgP,OACjD,CAAE,MAAOtS,GACPyyJ,GAAoBlwJ,EACtB,CAAE,MACJ,IAAK,YACL,IAAK,oBACHinH,EAAIxb,EAAWzrG,GACf,IACEuwJ,EAAStpC,EAAEuqC,WACPvqC,EAAEuqC,WAAWzwJ,GACb,IAAIkmH,EAAElmH,EACZ,CAAE,MAAOtD,GACPyyJ,GAAoBlwJ,EACtB,CAAE,MACJ,IAAK,YACL,IAAK,aACE6kH,EAAW9jH,EAAMqP,QAAQ8/I,GAAoBlwJ,GAClD,IACEuwJ,EAASxvJ,EAAMqP,OACjB,CAAE,MAAO3S,GACPwyJ,GAAiBjwJ,EACnB,CAAE,MACJ,IAAK,aACL,IAAK,YACL,IAAK,4BACL,IAAK,uBACL,IAAK,mBACL,IAAK,qBACL,IAAK,wBACL,IAAK,cACL,IAAK,iBACL,IAAK,qBACHkwJ,GAAoBlwJ,GAEtB,QACEiwJ,GAAiBjwJ,IAMzB,OAFAgvJ,EAAOllJ,EAAK/I,EAAOwvJ,GAEXvwJ,GACN,IAAK,QACL,IAAK,SAEH,IADAu5B,EAAO4pG,EAAWpiI,GACbyN,EAAI,EAAGzP,EAASgtH,EAAkBxyF,GAAO/qB,EAAIzP,EAAQyP,IACxD5N,EAAM24B,EAAK/qB,GACXo+G,EAAe2jC,EAAQ3vJ,EAAK0vJ,GAAwBvvJ,EAAMH,GAAMkJ,IAChE,MACJ,IAAK,MACH/I,EAAMkJ,SAAQ,SAAUgpD,EAAGp2C,GACzBmyI,EAAOuB,EAAQD,GAAwBzzI,EAAG/S,GAAMwmJ,GAAwBr9F,EAAGnpD,GAC7E,IACA,MACF,IAAK,MACH/I,EAAMkJ,SAAQ,SAAUgpD,GACtBg8F,EAAOsB,EAAQD,GAAwBr9F,EAAGnpD,GAC5C,IACA,MACF,IAAK,QACHg7G,EAA4ByrC,EAAQ,UAAWD,GAAwBvvJ,EAAMuG,QAASwC,IAClF48F,EAAO3lG,EAAO,UAChB+jH,EAA4ByrC,EAAQ,QAASD,GAAwBvvJ,EAAMu8H,MAAOxzH,IAEvE,mBAATtB,EACF+nJ,EAAO9hB,OAAS6hB,GAAwBvvJ,EAAM0tI,OAAQ3kI,GACpC,oBAATtB,IACT+nJ,EAAO9yJ,MAAQ6yJ,GAAwBvvJ,EAAMtD,MAAOqM,GACpDymJ,EAAOkB,WAAanB,GAAwBvvJ,EAAM0wJ,WAAY3nJ,IAElE,IAAK,eACCwwH,GACFxV,EAA4ByrC,EAAQ,QAASD,GAAwBvvJ,EAAM8hF,MAAO/4E,IAIxF,OAAOymJ,CACT,EAoFAlzJ,EAAE,CAAEmY,QAAQ,EAAM6kC,YAAY,EAAMsB,MAAOkoE,EAAkCsD,OAAQ0oC,IAAsB,CACzG/rC,gBAAiB,SAAyB/iH,GACxC,IAEI+I,EAAK4nJ,EAFL7zJ,EAAUuoI,EAAwBx+H,UAAU7I,OAAQ,GAAK,IAAM+xH,EAAkBlpH,UAAU,IAAMyoH,EAASzoH,UAAU,SAAMzK,EAC1Hs9D,EAAW58D,EAAUA,EAAQ48D,cAAWt9D,OAG3BA,IAAbs9D,IAEFi3F,EA1Fc,SAAUC,EAAa7nJ,GACzC,IAAKgmC,EAAS6hH,GAAc,MAAM,IAAIx2G,EAAU,qDAEhD,IAAIsf,EAAW,GAEfs2D,EAAQ4gC,GAAa,SAAU5wJ,GAC7B0J,EAAKgwD,EAAU41D,EAAStvH,GAC1B,IAOA,IALA,IAGIA,EAAOf,EAAMinH,EAAG2qC,EAAatkJ,EAH7BkB,EAAI,EACJzP,EAASgtH,EAAkBtxD,GAC3Bi3F,EAAU,IAAI/qB,EAGXn4H,EAAIzP,GAAQ,CAKjB,GAJAgC,EAAQ05D,EAASjsD,KAIJ,iBAFbxO,EAAOgjH,EAAQjiH,IAEcmuJ,EAAOwC,EAAS3wJ,GAAS+tJ,EAAOhlJ,EAAK/I,GAChE,MAAM,IAAI8sJ,EAAa,yBAA0ByB,GAGnD,GAAa,gBAATtvJ,EAAJ,CAKA,GAAI6jH,EACF+tC,EAAchC,GAAsB7uJ,EAAO,CAAE05D,SAAU,CAAC15D,UACnD,OAAQf,GACb,IAAK,cACHinH,EAAIxb,EAAWomD,gBACV5vC,EAAcgF,IAAIipC,GAAoBlwJ,EAAMuvJ,GACjD,KACEjiJ,EAAS,IAAI25G,EAAElmH,EAAM+O,MAAO/O,EAAMgP,SACjBjC,WAAW,kBACpBgkJ,wBAAwB/wJ,GAChC6wJ,EAActkJ,EAAOykJ,uBACvB,CAAE,MAAOt0J,GAAqB,CAC9B,MACF,IAAK,YACL,IAAK,aACEonH,EAAW9jH,EAAMqP,QAAWy0G,EAAW9jH,EAAMyT,QAAQ07I,GAAoBlwJ,EAAMuvJ,GACpF,IACEqC,EAAc7wJ,EAAMqP,QACpBrP,EAAMyT,OACR,CAAE,MAAO/W,GAAqB,CAC9B,MACF,IAAK,oBACL,IAAK,cACL,IAAK,kBACL,IAAK,iBACL,IAAK,kBACL,IAAK,iBACHyyJ,GAAoBlwJ,EAAMuvJ,GAG9B,QAAoBpyJ,IAAhBy0J,EAA2B,MAAM,IAAI/D,EAAa,sCAAwC7tJ,EAAMsvJ,GAEpGN,EAAOllJ,EAAK/I,EAAO6wJ,EAlCnB,MAFE3C,EAAOyC,EAAS3wJ,EAqCpB,CAEA,OAAO2wJ,CACT,CA0BgBM,CAAcv3F,EADxB3wD,EAAM,IAAIg3H,IAIZ,IAAI1wH,EAAQkgJ,GAAwBvvJ,EAAO+I,GAM3C,OAFI4nJ,GA/BY,SAAUA,GAC5B9C,EAAW8C,GAAS,SAAUnuC,GACxBM,EACFmsC,GAAgCzsC,EAAQ,CAAE9oD,SAAU,CAAC8oD,KAC5CsB,EAAWtB,EAAO9oD,UAC3B8oD,EAAO9oD,WACEmpD,EACTA,EAAmBL,GAEnB2sC,GAAoB,cAAeX,EAEvC,GACF,CAmBiB0C,CAAcP,GAEpBthJ,CACT,G,+BC/gBF,EAAQ,OACR,EAAQ,M,+BCDR,EAAQ,OACR,EAAQ,OACR,IAAI/S,EAAI,EAAQ,OACZouG,EAAa,EAAQ,OACrBk2B,EAAiB,EAAQ,OACzBvD,EAAa,EAAQ,OACrB1gI,EAAO,EAAQ,OACfylH,EAAc,EAAQ,OACtByB,EAAc,EAAQ,OACtBstC,EAAiB,EAAQ,OACzBntC,EAAgB,EAAQ,OACxBC,EAAwB,EAAQ,OAChC0C,EAAiB,EAAQ,OACzBU,EAAiB,EAAQ,OACzBuX,EAA4B,EAAQ,OACpC1a,EAAsB,EAAQ,OAC9B0C,EAAa,EAAQ,OACrB9C,EAAa,EAAQ,OACrBne,EAAS,EAAQ,OACjBnmG,EAAO,EAAQ,OACfyiH,EAAU,EAAQ,OAClBqN,EAAW,EAAQ,OACnBvgF,EAAW,EAAQ,OACnBmxG,EAAY,EAAQ,KACpB1/I,EAAS,EAAQ,MACjBwyH,EAA2B,EAAQ,MACnClH,EAAc,EAAQ,OACtBC,EAAoB,EAAQ,OAC5BmE,EAAyB,EAAQ,OACjCmV,EAA0B,EAAQ,OAClC5jB,EAAkB,EAAQ,OAC1B2vC,EAAY,EAAQ,OAEpB3hC,EAAWhO,EAAgB,YAC3B4vC,EAAoB,kBACpBC,EAA6BD,EAAoB,WACjDppC,EAAmB/D,EAAoBhgG,IACvCqtI,EAAyBrtC,EAAoB6D,UAAUspC,GACvDvgC,EAA2B5M,EAAoB6D,UAAUupC,GAEzDE,EAAc5wB,EAAe,SAC7B6wB,EAAgB7wB,EAAe,WAC/BrwG,EAAUqwG,EAAe,WACzB8wB,EAAmBD,GAAiBA,EAAcxsJ,UAClD0sJ,EAAmBphI,GAAWA,EAAQtrB,UACtCm1C,EAAYswD,EAAWtwD,UACvB/kC,EAAqBq1F,EAAWr1F,mBAChCqhC,EAAe9wB,OAAO8wB,aACtBkrG,EAAgBvkB,EAAW,SAAU,iBACrC4E,EAAY1oH,SACZ0B,EAASmnG,EAAY,GAAGnnG,QACxBxd,EAAO2kH,EAAY,GAAG3kH,MACtBiM,EAAO04G,EAAY,GAAG14G,MACtB4G,EAAU8xG,EAAY,GAAG9xG,SACzB1M,EAAQw+G,EAAY,GAAGx+G,OACvB8mC,GAAS03E,EAAY,GAAG13E,QACxBltC,GAAQ4kH,EAAY,GAAG5kH,OACvBopI,GAAcxkB,EAAY,GAAGv5G,OAC7B+pC,GAAOwvE,EAAY,IAAIxvE,MAEvBg/G,GAAO,MAEPC,GAAY,eAEZC,GAAgB,SAAUz2I,EAAQ6mB,GACpC,IAAIvgC,EAASilI,GAAYvrH,EAAQ6mB,EAAOA,EAAQ,GAChD,OAAK0Q,GAAKi/G,GAAWlwJ,GAEdsgI,EAAUtgI,EAAQ,IAFY6jB,GAGvC,EAEIusI,GAAiB,SAAUC,GAE7B,IADA,IAAI5/I,EAAQ,EACH0gG,EAAO,IAAMA,EAAO,GAAMk/C,EAAQl/C,EAAaA,IAAS,EAC/D1gG,IAEF,OAAOA,CACT,EAEI6/I,GAAa,SAAUC,GACzB,IAAIC,EAAY,KAEhB,OAAQD,EAAOl0J,QACb,KAAK,EACHm0J,EAAYD,EAAO,GACnB,MACF,KAAK,EACHC,GAAyB,GAAZD,EAAO,KAAc,EAAiB,GAAZA,EAAO,GAC9C,MACF,KAAK,EACHC,GAAyB,GAAZD,EAAO,KAAc,IAAkB,GAAZA,EAAO,KAAc,EAAiB,GAAZA,EAAO,GACzE,MACF,KAAK,EACHC,GAAyB,EAAZD,EAAO,KAAc,IAAkB,GAAZA,EAAO,KAAc,IAAkB,GAAZA,EAAO,KAAc,EAAiB,GAAZA,EAAO,GAIxG,OAAOC,EAAY,QAAW,KAAOA,CACvC,EAEIC,GAAS,SAAU/uH,GAMrB,IAJA,IAAIrlC,GADJqlC,EAAQ/yB,EAAQ+yB,EAAOuuH,GAAM,MACV5zJ,OACf8C,EAAS,GACT2M,EAAI,EAEDA,EAAIzP,GAAQ,CACjB,IAAIq0J,EAAcp3I,EAAOooB,EAAO51B,GAEhC,GAAoB,MAAhB4kJ,EAAqB,CACvB,GAA6B,MAAzBp3I,EAAOooB,EAAO51B,EAAI,IAAcA,EAAI,EAAIzP,EAAQ,CAClD8C,GAAU,IACV2M,IACA,QACF,CAEA,IAAIukJ,EAAQF,GAAczuH,EAAO51B,EAAI,GAGrC,GAAIukJ,GAAUA,EAAO,CACnBlxJ,GAAUuxJ,EACV5kJ,IACA,QACF,CAEAA,GAAK,EACL,IAAI6kJ,EAAqBP,GAAeC,GAExC,GAA2B,IAAvBM,EACFD,EAAc37G,EAAas7G,OACtB,CACL,GAA2B,IAAvBM,GAA4BA,EAAqB,EAAG,CACtDxxJ,GAvEc,IAwEd2M,IACA,QACF,CAKA,IAHA,IAAIykJ,EAAS,CAACF,GACVO,EAAgB,EAEbA,EAAgBD,KAEb,KADR7kJ,EACYzP,GAA+B,MAArBid,EAAOooB,EAAO51B,KAFK,CAIzC,IAAI+kJ,EAAWV,GAAczuH,EAAO51B,EAAI,GAGxC,GAAI+kJ,GAAaA,EAAU,CACzB/kJ,GAAK,EACL,KACF,CACA,GAAI+kJ,EAAW,KAAOA,EAAW,IAAK,MAEtC9oJ,EAAKwoJ,EAAQM,GACb/kJ,GAAK,EACL8kJ,GACF,CAEA,GAAIL,EAAOl0J,SAAWs0J,EAAoB,CACxCxxJ,GAlGc,IAmGd,QACF,CAEA,IAAIqxJ,EAAYF,GAAWC,GACT,OAAdC,EACFrxJ,GAxGc,IA0GduxJ,EAAczQ,EAAcuQ,EAEhC,CACF,CAEArxJ,GAAUuxJ,EACV5kJ,GACF,CAEA,OAAO3M,CACT,EAEI/C,GAAO,eAEPu8G,GAAe,CACjB,IAAK,MACL,IAAK,MACL,IAAK,MACL,IAAK,MACL,IAAK,MACL,MAAO,KAGL6gB,GAAW,SAAUz/G,GACvB,OAAO4+F,GAAa5+F,EACtB,EAEIihF,GAAY,SAAU6kB,GACxB,OAAOlxG,EAAQ+E,EAAmBmsG,GAAKzjH,GAAMo9H,GAC/C,EAEIs3B,GAA0B7zB,GAA0B,SAAkBt6H,EAAQgpC,GAChF26E,EAAiBjsH,KAAM,CACrBiD,KAAMqyJ,EACN7nJ,OAAQ8nJ,EAAuBjtJ,GAAQ0oC,QACvClJ,MAAO,EACPwJ,KAAMA,GAEV,GAAG+jH,GAAmB,WACpB,IAAIv2I,EAAQg2G,EAAyB90H,MACjCyN,EAASqR,EAAMrR,OACfq6B,EAAQhpB,EAAMgpB,QAClB,IAAKr6B,GAAUq6B,GAASr6B,EAAOzL,OAE7B,OADA8c,EAAMrR,OAAS,KACRymH,OAAuB9zH,GAAW,GAE3C,IAAIyzB,EAAQpmB,EAAOq6B,GACnB,OAAQhpB,EAAMwyB,MACZ,IAAK,OAAQ,OAAO4iF,EAAuBrgG,EAAMhwB,KAAK,GACtD,IAAK,SAAU,OAAOqwH,EAAuBrgG,EAAM7vB,OAAO,GAC1D,OAAOkwH,EAAuB,CAACrgG,EAAMhwB,IAAKgwB,EAAM7vB,QAAQ,EAC5D,IAAG,GAEC0yJ,GAAuB,SAAU1yH,GACnChkC,KAAKgxC,QAAU,GACfhxC,KAAKmD,IAAM,UAEE/C,IAAT4jC,IACE+O,EAAS/O,GAAOhkC,KAAK22J,YAAY3yH,GAChChkC,KAAK42J,WAA0B,iBAAR5yH,EAAuC,MAApB/kB,EAAO+kB,EAAM,GAAa4mG,GAAY5mG,EAAM,GAAKA,EAAOkgH,EAAUlgH,IAErH,EAEA0yH,GAAqBztJ,UAAY,CAC/BhG,KAAMoyJ,EACNwB,QAAS,SAAU1zJ,GACjBnD,KAAKmD,IAAMA,EACXnD,KAAKyE,QACP,EACAkyJ,YAAa,SAAUhtG,GACrB,IAEItY,EAAUK,EAAM1M,EAAM8xH,EAAeC,EAAWzmH,EAAO0mH,EAFvDhmH,EAAUhxC,KAAKgxC,QACfo8D,EAAiB2iB,EAAkBpmE,GAGvC,GAAIyjD,EAGF,IADA17D,GADAL,EAAWy+E,EAAYnmE,EAAQyjD,IACf17D,OACP1M,EAAOrkC,EAAK+wC,EAAML,IAAWp3B,MAAM,CAG1C,GADA88I,GADAD,EAAgBhnC,EAAYwD,EAAStuF,EAAKhhC,SAChB0tC,MAEvBpB,EAAQ3vC,EAAKo2J,EAAWD,IAAgB78I,OACxC+8I,EAASr2J,EAAKo2J,EAAWD,IAAgB78I,OACzCtZ,EAAKo2J,EAAWD,GAAe78I,KAChC,MAAM,IAAImkC,EAAU,mCACtB1wC,EAAKsjC,EAAS,CAAEntC,IAAKqgJ,EAAU5zG,EAAMtsC,OAAQA,MAAOkgJ,EAAU8S,EAAOhzJ,QACvE,MACK,IAAK,IAAIH,KAAO8lD,EAAYggD,EAAOhgD,EAAQ9lD,IAChD6J,EAAKsjC,EAAS,CAAEntC,IAAKA,EAAKG,MAAOkgJ,EAAUv6F,EAAO9lD,KAEtD,EACA+yJ,WAAY,SAAUn4I,GACpB,GAAIA,EAKF,IAJA,IAGIk0B,EAAW9e,EAHXmd,EAAUhxC,KAAKgxC,QACfzjC,EAAa/L,GAAMid,EAAO,KAC1BqpB,EAAQ,EAELA,EAAQv6B,EAAWvL,SACxB2wC,EAAYplC,EAAWu6B,MACT9lC,SACZ6xB,EAAQryB,GAAMmxC,EAAW,KACzBjlC,EAAKsjC,EAAS,CACZntC,IAAKuyJ,GAAOxuJ,EAAMisB,IAClB7vB,MAAOoyJ,GAAO30J,EAAKoyB,EAAO,QAKpC,EACA8sE,UAAW,WAKT,IAJA,IAGI9sE,EAHAmd,EAAUhxC,KAAKgxC,QACflsC,EAAS,GACTgjC,EAAQ,EAELA,EAAQkJ,EAAQhvC,QACrB6xB,EAAQmd,EAAQlJ,KAChBp6B,EAAK5I,EAAQ67F,GAAU9sE,EAAMhwB,KAAO,IAAM88F,GAAU9sE,EAAM7vB,QAC1D,OAAOvC,EAAKqD,EAAQ,IACxB,EACAL,OAAQ,WACNzE,KAAKgxC,QAAQhvC,OAAS,EACtBhC,KAAK42J,WAAW52J,KAAKmD,IAAIsb,MAC3B,EACAw4I,UAAW,WACLj3J,KAAKmD,KAAKnD,KAAKmD,IAAIsB,QACzB,GAKF,IAAIyyJ,GAA6B,WAC/BtsC,EAAW5qH,KAAMm3J,IACjB,IACIr4I,EAAQmtG,EAAiBjsH,KAAM,IAAI02J,GAD5B7rJ,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,IAE5CynH,IAAa7nH,KAAK0T,KAAOoL,EAAMkyB,QAAQhvC,OAC9C,EAEIm1J,GAA2BD,GAA2BjuJ,UA6J1D,GA3JA0hH,EAAewsC,GAA0B,CAGvCnhJ,OAAQ,SAAgBvK,EAAMzH,GAC5B,IAAI8a,EAAQy2I,EAAuBv1J,MACnCqpI,EAAwBx+H,UAAU7I,OAAQ,GAC1C0L,EAAKoR,EAAMkyB,QAAS,CAAEntC,IAAKqgJ,EAAUz4I,GAAOzH,MAAOkgJ,EAAUlgJ,KACxD6jH,GAAa7nH,KAAKgC,SACvB8c,EAAMm4I,WACR,EAGA,OAAU,SAAUxrJ,GAQlB,IAPA,IAAIqT,EAAQy2I,EAAuBv1J,MAC/BgC,EAASqnI,EAAwBx+H,UAAU7I,OAAQ,GACnDgvC,EAAUlyB,EAAMkyB,QAChBntC,EAAMqgJ,EAAUz4I,GAChB2rJ,EAASp1J,EAAS,OAAI5B,EAAYyK,UAAU,GAC5C7G,OAAmB5D,IAAXg3J,EAAuBA,EAASlT,EAAUkT,GAClDtvH,EAAQ,EACLA,EAAQkJ,EAAQhvC,QAAQ,CAC7B,IAAI6xB,EAAQmd,EAAQlJ,GACpB,GAAIjU,EAAMhwB,MAAQA,QAAkBzD,IAAV4D,GAAuB6vB,EAAM7vB,QAAUA,EAG1D8jC,SADL,GADA4G,GAAOsC,EAASlJ,EAAO,QACT1nC,IAAV4D,EAAqB,KAE7B,CACK6jH,IAAa7nH,KAAK0T,KAAOs9B,EAAQhvC,QACtC8c,EAAMm4I,WACR,EAGAlvI,IAAK,SAAatc,GAChB,IAAIulC,EAAUukH,EAAuBv1J,MAAMgxC,QAC3Cq4F,EAAwBx+H,UAAU7I,OAAQ,GAG1C,IAFA,IAAI6B,EAAMqgJ,EAAUz4I,GAChBq8B,EAAQ,EACLA,EAAQkJ,EAAQhvC,OAAQ8lC,IAC7B,GAAIkJ,EAAQlJ,GAAOjkC,MAAQA,EAAK,OAAOmtC,EAAQlJ,GAAO9jC,MAExD,OAAO,IACT,EAGAqzJ,OAAQ,SAAgB5rJ,GACtB,IAAIulC,EAAUukH,EAAuBv1J,MAAMgxC,QAC3Cq4F,EAAwBx+H,UAAU7I,OAAQ,GAI1C,IAHA,IAAI6B,EAAMqgJ,EAAUz4I,GAChB3G,EAAS,GACTgjC,EAAQ,EACLA,EAAQkJ,EAAQhvC,OAAQ8lC,IACzBkJ,EAAQlJ,GAAOjkC,MAAQA,GAAK6J,EAAK5I,EAAQksC,EAAQlJ,GAAO9jC,OAE9D,OAAOc,CACT,EAGA0vB,IAAK,SAAa/oB,GAOhB,IANA,IAAIulC,EAAUukH,EAAuBv1J,MAAMgxC,QACvChvC,EAASqnI,EAAwBx+H,UAAU7I,OAAQ,GACnD6B,EAAMqgJ,EAAUz4I,GAChB2rJ,EAASp1J,EAAS,OAAI5B,EAAYyK,UAAU,GAC5C7G,OAAmB5D,IAAXg3J,EAAuBA,EAASlT,EAAUkT,GAClDtvH,EAAQ,EACLA,EAAQkJ,EAAQhvC,QAAQ,CAC7B,IAAI6xB,EAAQmd,EAAQlJ,KACpB,GAAIjU,EAAMhwB,MAAQA,SAAkBzD,IAAV4D,GAAuB6vB,EAAM7vB,QAAUA,GAAQ,OAAO,CAClF,CACA,OAAO,CACT,EAGAkkB,IAAK,SAAazc,EAAMzH,GACtB,IAAI8a,EAAQy2I,EAAuBv1J,MACnCqpI,EAAwBx+H,UAAU7I,OAAQ,GAO1C,IANA,IAKI6xB,EALAmd,EAAUlyB,EAAMkyB,QAChBsmH,GAAQ,EACRzzJ,EAAMqgJ,EAAUz4I,GAChB62B,EAAM4hH,EAAUlgJ,GAChB8jC,EAAQ,EAELA,EAAQkJ,EAAQhvC,OAAQ8lC,KAC7BjU,EAAQmd,EAAQlJ,IACNjkC,MAAQA,IACZyzJ,EAAO5oH,GAAOsC,EAASlJ,IAAS,IAElCwvH,GAAQ,EACRzjI,EAAM7vB,MAAQs+B,IAIfg1H,GAAO5pJ,EAAKsjC,EAAS,CAAEntC,IAAKA,EAAKG,MAAOs+B,IACxCulF,IAAa7nH,KAAK0T,KAAOs9B,EAAQhvC,QACtC8c,EAAMm4I,WACR,EAGA1nH,KAAM,WACJ,IAAIzwB,EAAQy2I,EAAuBv1J,MACnCo1J,EAAUt2I,EAAMkyB,SAAS,SAAU5uB,EAAGvC,GACpC,OAAOuC,EAAEve,IAAMgc,EAAEhc,IAAM,GAAK,CAC9B,IACAib,EAAMm4I,WACR,EAEA/pJ,QAAS,SAAiBnN,GAKxB,IAJA,IAGI8zB,EAHAmd,EAAUukH,EAAuBv1J,MAAMgxC,QACvCy/E,EAAgBjtH,EAAKzD,EAAU8K,UAAU7I,OAAS,EAAI6I,UAAU,QAAKzK,GACrE0nC,EAAQ,EAELA,EAAQkJ,EAAQhvC,QAErByuH,GADA58F,EAAQmd,EAAQlJ,MACI9jC,MAAO6vB,EAAMhwB,IAAK7D,KAE1C,EAEAw8B,KAAM,WACJ,OAAO,IAAIi6H,GAAwBz2J,KAAM,OAC3C,EAEAozB,OAAQ,WACN,OAAO,IAAIqjI,GAAwBz2J,KAAM,SAC3C,EAEAgxC,QAAS,WACP,OAAO,IAAIylH,GAAwBz2J,KAAM,UAC3C,GACC,CAAEs9C,YAAY,IAGjB0qE,EAAcmvC,GAA0B1jC,EAAU0jC,GAAyBnmH,QAAS,CAAEvlC,KAAM,YAI5Fu8G,EAAcmvC,GAA0B,YAAY,WAClD,OAAO5B,EAAuBv1J,MAAM2gG,WACtC,GAAG,CAAErjD,YAAY,IAIbuqE,GAAaI,EAAsBkvC,GAA0B,OAAQ,CACvEpvI,IAAK,WACH,OAAOwtI,EAAuBv1J,MAAMgxC,QAAQhvC,MAC9C,EACAu7C,cAAc,EACdD,YAAY,IAGd+tE,EAAe6rC,GAA4B7B,GAE3C/0J,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,QAAS+qC,GAAkB,CAC9D5kB,gBAAiB2mB,MAId/B,GAAkBrtC,EAAWvzF,GAAU,CAC1C,IAAIgjI,GAAanxC,EAAYuvC,EAAiBnhI,KAC1CgjI,GAAapxC,EAAYuvC,EAAiBztI,KAE1CuvI,GAAqB,SAAUzzH,GACjC,GAAI+O,EAAS/O,GAAO,CAClB,IACI99B,EADAyB,EAAOq8B,EAAKr8B,KAEhB,GAAIs+G,EAAQt+G,KAAU0tJ,EAKpB,OAJAnvJ,EAAU89B,EAAK99B,QAAU,IAAIquB,EAAQyP,EAAK99B,SAAW,IAAIquB,EACpDgjI,GAAWrxJ,EAAS,iBACvBsxJ,GAAWtxJ,EAAS,eAAgB,mDAE/B1B,EAAOw/B,EAAM,CAClBr8B,KAAMqvH,EAAyB,EAAGktB,EAAUv8I,IAC5CzB,QAAS8wH,EAAyB,EAAG9wH,IAG3C,CAAE,OAAO89B,CACX,EAUA,GARI8jF,EAAW0tC,IACbl1J,EAAE,CAAEmY,QAAQ,EAAM6kC,YAAY,EAAMg0G,gBAAgB,EAAMlnC,QAAQ,GAAQ,CACxEj2F,MAAO,SAAekT,GACpB,OAAOmuH,EAAYnuH,EAAOx8B,UAAU7I,OAAS,EAAIy1J,GAAmB5sJ,UAAU,IAAM,CAAC,EACvF,IAIAi9G,EAAW2tC,GAAgB,CAC7B,IAAIiC,GAAqB,SAAiBrwH,GAExC,OADAujF,EAAW5qH,KAAM01J,GACV,IAAID,EAAcpuH,EAAOx8B,UAAU7I,OAAS,EAAIy1J,GAAmB5sJ,UAAU,IAAM,CAAC,EAC7F,EAEA6qJ,EAAiBznH,YAAcypH,GAC/BA,GAAmBzuJ,UAAYysJ,EAE/Bp1J,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMqjH,gBAAgB,EAAMlnC,QAAQ,GAAQ,CACzEutC,QAASD,IAEb,CACF,CAEAl3G,EAAO/X,QAAU,CACf8nG,gBAAiB2mB,GACjBU,SAAUrC,E,+BC5fZ,IAAIvtC,EAAgB,EAAQ,OACxB5B,EAAc,EAAQ,OACtB7kH,EAAW,EAAQ,KACnB8nI,EAA0B,EAAQ,OAElCwuB,EAAmBtnB,gBACnB4mB,EAA2BU,EAAiB5uJ,UAC5C+M,EAASowG,EAAY+wC,EAAyBnhJ,QAC9C8hJ,EAAU1xC,EAAY+wC,EAAiC,QACvDjqJ,EAAUk5G,EAAY+wC,EAAyBjqJ,SAC/CQ,EAAO04G,EAAY,GAAG14G,MACtBpF,EAAS,IAAIuvJ,EAAiB,eAElCvvJ,EAAe,OAAE,IAAK,GAGtBA,EAAe,OAAE,SAAKlI,GAElBkI,EAAS,IAAO,OAClB0/G,EAAcmvC,EAA0B,UAAU,SAAU1rJ,GAC1D,IAAIzJ,EAAS6I,UAAU7I,OACnBo1J,EAASp1J,EAAS,OAAI5B,EAAYyK,UAAU,GAChD,GAAI7I,QAAqB5B,IAAXg3J,EAAsB,OAAOU,EAAQ93J,KAAMyL,GACzD,IAAIulC,EAAU,GACd9jC,EAAQlN,MAAM,SAAUk2D,EAAGp2C,GACzBpS,EAAKsjC,EAAS,CAAEntC,IAAKic,EAAG9b,MAAOkyD,GACjC,IACAmzE,EAAwBrnI,EAAQ,GAQhC,IAPA,IAMI6xB,EANAhwB,EAAMtC,EAASkK,GACfzH,EAAQzC,EAAS61J,GACjBtvH,EAAQ,EACRiwH,EAAS,EACTT,GAAQ,EACRU,EAAgBhnH,EAAQhvC,OAErB8lC,EAAQkwH,GACbnkI,EAAQmd,EAAQlJ,KACZwvH,GAASzjI,EAAMhwB,MAAQA,GACzByzJ,GAAQ,EACRQ,EAAQ93J,KAAM6zB,EAAMhwB,MACfk0J,IAET,KAAOA,EAASC,IACdnkI,EAAQmd,EAAQ+mH,MACJl0J,MAAQA,GAAOgwB,EAAM7vB,QAAUA,GAAQgS,EAAOhW,KAAM6zB,EAAMhwB,IAAKgwB,EAAM7vB,MAErF,GAAG,CAAEs5C,YAAY,EAAMuwE,QAAQ,G,+BC9CjC,IAAI7F,EAAgB,EAAQ,OACxB5B,EAAc,EAAQ,OACtB7kH,EAAW,EAAQ,KACnB8nI,EAA0B,EAAQ,OAElCwuB,EAAmBtnB,gBACnB4mB,EAA2BU,EAAiB5uJ,UAC5CouJ,EAASjxC,EAAY+wC,EAAyBE,QAC9CY,EAAO7xC,EAAY+wC,EAAyB3iI,KAC5ClsB,EAAS,IAAIuvJ,EAAiB,QAI9BvvJ,EAAOksB,IAAI,IAAK,IAAOlsB,EAAOksB,IAAI,SAAKp0B,IACzC4nH,EAAcmvC,EAA0B,OAAO,SAAa1rJ,GAC1D,IAAIzJ,EAAS6I,UAAU7I,OACnBo1J,EAASp1J,EAAS,OAAI5B,EAAYyK,UAAU,GAChD,GAAI7I,QAAqB5B,IAAXg3J,EAAsB,OAAOa,EAAKj4J,KAAMyL,GACtD,IAAI2nB,EAASikI,EAAOr3J,KAAMyL,GAC1B49H,EAAwBrnI,EAAQ,GAGhC,IAFA,IAAIgC,EAAQzC,EAAS61J,GACjBtvH,EAAQ,EACLA,EAAQ1U,EAAOpxB,QACpB,GAAIoxB,EAAO0U,OAAa9jC,EAAO,OAAO,EACtC,OAAO,CACX,GAAG,CAAEs5C,YAAY,EAAMuwE,QAAQ,G,+BCxBjC,EAAQ,M,+BCDR,IAAIhG,EAAc,EAAQ,OACtBzB,EAAc,EAAQ,OACtB6B,EAAwB,EAAQ,OAEhCkvC,EAA2B5mB,gBAAgBtnI,UAC3CiE,EAAUk5G,EAAY+wC,EAAyBjqJ,SAI/C26G,KAAiB,SAAUsvC,IAC7BlvC,EAAsBkvC,EAA0B,OAAQ,CACtDpvI,IAAK,WACH,IAAI3R,EAAQ,EAEZ,OADAlJ,EAAQlN,MAAM,WAAcoW,GAAS,IAC9BA,CACT,EACAmnC,cAAc,EACdD,YAAY,G,8BCjBhB,IAAIh9C,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrB9a,EAAQ,EAAQ,OAChB8iB,EAA0B,EAAQ,OAClC9nI,EAAW,EAAQ,KACnB4zJ,EAAiB,EAAQ,OAEzBrgJ,EAAMusH,EAAW,OAIjB62B,EAA2B/C,GAAkB5uC,GAAM,WACrDzxG,EAAIqjJ,UACN,IAIIhJ,EAAc5oC,GAAM,WACtB,OAA+B,IAAxBzxG,EAAIqjJ,SAASn2J,MACtB,IAIA1B,EAAE,CAAEmN,OAAQ,MAAO0zH,MAAM,EAAM/W,QAAS8tC,GAA4B/I,GAAe,CACjFgJ,SAAU,SAAkBh1J,GAC1B,IAAInB,EAASqnI,EAAwBx+H,UAAU7I,OAAQ,GACnDo2J,EAAY72J,EAAS4B,GACrB6qC,EAAOhsC,EAAS,QAAsB5B,IAAjByK,UAAU,QAAmBzK,EAAYmB,EAASsJ,UAAU,IACrF,IACE,QAAS,IAAIiK,EAAIsjJ,EAAWpqH,EAC9B,CAAE,MAAOttC,GACP,OAAO,CACT,CACF,G,+BChCF,EAAQ,OACR,IAgEI23J,EAhEA/3J,EAAI,EAAQ,OACZunH,EAAc,EAAQ,OACtBstC,EAAiB,EAAQ,OACzBzmD,EAAa,EAAQ,OACrBlrG,EAAO,EAAQ,OACf4iH,EAAc,EAAQ,OACtB4B,EAAgB,EAAQ,OACxBC,EAAwB,EAAQ,OAChC2C,EAAa,EAAQ,OACrBjhB,EAAS,EAAQ,OACjB7iG,EAAS,EAAQ,OACjBwxJ,EAAY,EAAQ,OACpBptC,EAAa,EAAQ,OACrB+5B,EAAS,gBACTsT,EAAU,EAAQ,MAClBrU,EAAY,EAAQ,KACpB74B,EAAiB,EAAQ,OACzBge,EAA0B,EAAQ,OAClCmvB,EAAwB,EAAQ,OAChCtwC,EAAsB,EAAQ,OAE9B+D,EAAmB/D,EAAoBhgG,IACvCuwI,EAAsBvwC,EAAoB6D,UAAU,OACpDwkB,EAAkBioB,EAAsBjoB,gBACxCmoB,EAA+BF,EAAsBZ,SAErDe,EAAYjqD,EAAW55F,IACvBspC,EAAYswD,EAAWtwD,UACvB7gC,EAAWmxF,EAAWnxF,SACtBnL,EAAQxB,KAAKwB,MACb+rD,EAAMvtD,KAAKutD,IACXl/C,EAASmnG,EAAY,GAAGnnG,QACxB23B,EAAOwvE,EAAY,IAAIxvE,MACvBn1C,EAAO2kH,EAAY,GAAG3kH,MACtBy1I,EAAiB9wB,EAAY,GAAI7kH,UACjCsE,EAAMugH,EAAY,GAAGvgH,KACrB6H,EAAO04G,EAAY,GAAG14G,MACtB4G,EAAU8xG,EAAY,GAAG9xG,SACzB1M,EAAQw+G,EAAY,GAAGx+G,OACvBpG,EAAQ4kH,EAAY,GAAG5kH,OACvBopI,EAAcxkB,EAAY,GAAGv5G,OAC7ByQ,EAAc8oG,EAAY,GAAG9oG,aAC7B4yB,EAAUk2E,EAAY,GAAGl2E,SAGzB0oH,EAAiB,iBACjBC,EAAe,eACfC,EAAe,eAEfC,EAAQ,SAERC,EAAe,cACfC,EAAQ,KACRC,EAAY,OACZC,EAAM,WACNC,EAAM,QACNC,GAAM,cAENC,GAA4B,6BAC5BC,GAA8C,4BAC9CC,GAA8B,oBAC9BC,GAA+B,wCAC/BC,GAAmB,YAgJnBC,GAAgB,SAAU7yI,GAC5B,IAAIhiB,EAAQgjC,EAAO8xH,EAAUC,EAG7B,GAAmB,iBAAR/yI,EAAkB,CAE3B,IADAhiB,EAAS,GACJgjC,EAAQ,EAAGA,EAAQ,EAAGA,IACzBoI,EAAQprC,EAAQgiB,EAAO,KACvBA,EAAO1U,EAAM0U,EAAO,KAEtB,OAAOrlB,EAAKqD,EAAQ,IACtB,CAGA,GAAmB,iBAARgiB,EAAkB,CAG3B,IAFAhiB,EAAS,GACT80J,EAvC0B,SAAUE,GAMtC,IALA,IAAIC,EAAW,KACXjvB,EAAY,EACZkvB,EAAY,KACZC,EAAa,EACbnyH,EAAQ,EACLA,EAAQ,EAAGA,IACI,IAAhBgyH,EAAKhyH,IACHmyH,EAAanvB,IACfivB,EAAWC,EACXlvB,EAAYmvB,GAEdD,EAAY,KACZC,EAAa,IAEK,OAAdD,IAAoBA,EAAYlyH,KAClCmyH,GAGN,OAAOA,EAAanvB,EAAYkvB,EAAYD,CAC9C,CAmBeG,CAAwBpzI,GAC9BghB,EAAQ,EAAGA,EAAQ,EAAGA,IACrB+xH,GAA2B,IAAhB/yI,EAAKghB,KAChB+xH,IAASA,GAAU,GACnBD,IAAa9xH,GACfhjC,GAAUgjC,EAAQ,IAAM,KACxB+xH,GAAU,IAEV/0J,GAAUoyI,EAAepwH,EAAKghB,GAAQ,IAClCA,EAAQ,IAAGhjC,GAAU,OAG7B,MAAO,IAAMA,EAAS,GACxB,CAEA,OAAOgiB,CACT,EAEIqzI,GAA4B,CAAC,EAC7BC,GAA2BtzJ,EAAO,CAAC,EAAGqzJ,GAA2B,CACnE,IAAK,EAAG,IAAK,EAAG,IAAK,EAAG,IAAK,EAAG,IAAK,IAEnCE,GAAuBvzJ,EAAO,CAAC,EAAGszJ,GAA0B,CAC9D,IAAK,EAAG,IAAK,EAAG,IAAK,EAAG,IAAK,IAE3BE,GAA2BxzJ,EAAO,CAAC,EAAGuzJ,GAAsB,CAC9D,IAAK,EAAG,IAAK,EAAG,IAAK,EAAG,IAAK,EAAG,IAAK,EAAG,IAAK,EAAG,KAAM,EAAG,IAAK,EAAG,IAAK,EAAG,IAAK,IAG5EE,GAAgB,SAAUpgF,EAAKjyD,GACjC,IAAIshF,EAAOy7C,EAAO9qE,EAAK,GACvB,OAAOqvB,EAAO,IAAQA,EAAO,MAASG,EAAOzhF,EAAKiyD,GAAOA,EAAM9gE,mBAAmB8gE,EACpF,EAGIqgF,GAAiB,CACnBC,IAAK,GACL7sJ,KAAM,KACN8sJ,KAAM,GACNC,MAAO,IACPC,GAAI,GACJC,IAAK,KAIHC,GAAuB,SAAUz7I,EAAQ07I,GAC3C,IAAI/D,EACJ,OAAyB,IAAlB33I,EAAOrd,QAAgB40C,EAAKmiH,EAAO95I,EAAOI,EAAQ,MAClB,OAAhC23I,EAAS/3I,EAAOI,EAAQ,MAAiB07I,GAAyB,MAAX/D,EAChE,EAGIgE,GAA+B,SAAU37I,GAC3C,IAAIo7H,EACJ,OAAOp7H,EAAOrd,OAAS,GAAK84J,GAAqBlwB,EAAYvrH,EAAQ,EAAG,MACpD,IAAlBA,EAAOrd,QAC0B,OAA/By4I,EAAQx7H,EAAOI,EAAQ,KAAyB,OAAVo7H,GAA4B,MAAVA,GAA2B,MAAVA,EAE/E,EAGIwgB,GAAc,SAAUC,GAC1B,MAAmB,MAAZA,GAA4C,QAAzB59I,EAAY49I,EACxC,EASIC,GAAe,CAAC,EAChBC,GAAS,CAAC,EACVC,GAAY,CAAC,EACbC,GAAgC,CAAC,EACjCC,GAAoB,CAAC,EACrBC,GAAW,CAAC,EACZC,GAAiB,CAAC,EAClBC,GAA4B,CAAC,EAC7BC,GAAmC,CAAC,EACpCC,GAAY,CAAC,EACbC,GAAO,CAAC,EACRC,GAAW,CAAC,EACZC,GAAO,CAAC,EACRC,GAAO,CAAC,EACRC,GAAa,CAAC,EACdC,GAAY,CAAC,EACbC,GAAa,CAAC,EACdC,GAAO,CAAC,EACRC,GAA4B,CAAC,EAC7BC,GAAQ,CAAC,EACTC,GAAW,CAAC,EAEZC,GAAW,SAAUr5J,EAAKs5J,EAAQzuH,GACpC,IACI0uH,EAAWC,EAAStsB,EADpB+nB,EAAYlU,EAAU/gJ,GAE1B,GAAIs5J,EAAQ,CAEV,GADAE,EAAU38J,KAAK8Z,MAAMs+I,GACR,MAAM,IAAIh6G,EAAUu+G,GACjC38J,KAAKqwI,aAAe,IACtB,KAAO,CAGL,QAFajwI,IAAT4tC,IAAoB0uH,EAAY,IAAIF,GAASxuH,GAAM,IACvD2uH,EAAU38J,KAAK8Z,MAAMs+I,EAAW,KAAMsE,GACzB,MAAM,IAAIt+G,EAAUu+G,IACjCtsB,EAAeqoB,EAA6B,IAAInoB,IACnCsmB,QAAQ72J,MACrBA,KAAKqwI,aAAeA,CACtB,CACF,EAEAmsB,GAASvzJ,UAAY,CACnBhG,KAAM,MAGN6W,MAAO,SAAUutB,EAAOu1H,EAAe5uH,GACrC,IAOI6uH,EAAY1iF,EAAK2iF,EAAkBH,EAzDfzB,EAkDpB/3J,EAAMnD,KACN8e,EAAQ89I,GAAiBzB,GACzB4B,EAAU,EACVv2C,EAAS,GACTw2C,GAAS,EACTC,GAAc,EACdC,GAAoB,EAuBxB,IApBA71H,EAAQ68G,EAAU78G,GAEbu1H,IACHz5J,EAAIujD,OAAS,GACbvjD,EAAIqtI,SAAW,GACfrtI,EAAIuI,SAAW,GACfvI,EAAI2jB,KAAO,KACX3jB,EAAI+jB,KAAO,KACX/jB,EAAImJ,KAAO,GACXnJ,EAAIsb,MAAQ,KACZtb,EAAImzC,SAAW,KACfnzC,EAAIg6J,kBAAmB,EACvB91H,EAAQ/yB,EAAQ+yB,EAAOmyH,GAA6B,IACpDnyH,EAAQ/yB,EAAQ+yB,EAAOoyH,GAA8B,OAGvDpyH,EAAQ/yB,EAAQ+yB,EAAOqyH,GAAkB,IAEzCmD,EAAavE,EAAUjxH,GAEhB01H,GAAWF,EAAW76J,QAAQ,CAEnC,OADAm4E,EAAM0iF,EAAWE,GACTj+I,GACN,KAAKq8I,GACH,IAAIhhF,IAAOvjC,EAAKmiH,EAAO5+E,GAGhB,IAAKyiF,EAGL,OAAOhE,EAFZ95I,EAAQu8I,GACR,QAC0B,CAL1B70C,GAAUlpG,EAAY68D,GACtBr7D,EAAQs8I,GAKV,MAEF,KAAKA,GACH,GAAIjhF,IAAQvjC,EAAKoiH,EAAc7+E,IAAgB,MAARA,GAAuB,MAARA,GAAuB,MAARA,GACnEqsC,GAAUlpG,EAAY68D,OACjB,IAAY,MAARA,EA0BJ,IAAKyiF,EAKL,OAAOhE,EAJZpyC,EAAS,GACT1nG,EAAQu8I,GACR0B,EAAU,EACV,QAC0B,CA9B1B,GAAIH,IACDz5J,EAAIi6J,cAAgBzzD,EAAO6wD,GAAgBh0C,IAChC,SAAXA,IAAsBrjH,EAAIk6J,uBAAsC,OAAbl6J,EAAI+jB,OACxC,SAAf/jB,EAAIujD,SAAsBvjD,EAAI2jB,MAC9B,OAEH,GADA3jB,EAAIujD,OAAS8/D,EACTo2C,EAEF,YADIz5J,EAAIi6J,aAAe5C,GAAer3J,EAAIujD,UAAYvjD,EAAI+jB,OAAM/jB,EAAI+jB,KAAO,OAG7Es/F,EAAS,GACU,SAAfrjH,EAAIujD,OACN5nC,EAAQk9I,GACC74J,EAAIi6J,aAAepvH,GAAQA,EAAK0Y,SAAWvjD,EAAIujD,OACxD5nC,EAAQw8I,GACCn4J,EAAIi6J,YACbt+I,EAAQ48I,GAC6B,MAA5BmB,EAAWE,EAAU,IAC9Bj+I,EAAQy8I,GACRwB,MAEA55J,EAAIg6J,kBAAmB,EACvBzvJ,EAAKvK,EAAImJ,KAAM,IACfwS,EAAQu9I,GAOgB,CAC5B,MAEF,KAAKhB,GACH,IAAKrtH,GAASA,EAAKmvH,kBAA4B,MAARhjF,EAAc,OAAOy+E,EAC5D,GAAI5qH,EAAKmvH,kBAA4B,MAARhjF,EAAa,CACxCh3E,EAAIujD,OAAS1Y,EAAK0Y,OAClBvjD,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIsb,MAAQuvB,EAAKvvB,MACjBtb,EAAImzC,SAAW,GACfnzC,EAAIg6J,kBAAmB,EACvBr+I,EAAQy9I,GACR,KACF,CACAz9I,EAAwB,SAAhBkvB,EAAK0Y,OAAoBs1G,GAAOR,GACxC,SAEF,KAAKF,GACH,GAAY,MAARnhF,GAA2C,MAA5B0iF,EAAWE,EAAU,GAGjC,CACLj+I,EAAQ08I,GACR,QACF,CALE18I,EAAQ68I,GACRoB,IAIA,MAEJ,KAAKxB,GACH,GAAY,MAARphF,EAAa,CACfr7D,EAAQ88I,GACR,KACF,CACE98I,EAAQs9I,GACR,SAGJ,KAAKZ,GAEH,GADAr4J,EAAIujD,OAAS1Y,EAAK0Y,OACdyzB,IAAQk+E,EACVl1J,EAAIqtI,SAAWxiG,EAAKwiG,SACpBrtI,EAAIuI,SAAWsiC,EAAKtiC,SACpBvI,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAI+jB,KAAO8mB,EAAK9mB,KAChB/jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIsb,MAAQuvB,EAAKvvB,WACZ,GAAY,MAAR07D,GAAwB,OAARA,GAAgBh3E,EAAIi6J,YAC7Ct+I,EAAQ28I,QACH,GAAY,MAARthF,EACTh3E,EAAIqtI,SAAWxiG,EAAKwiG,SACpBrtI,EAAIuI,SAAWsiC,EAAKtiC,SACpBvI,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAI+jB,KAAO8mB,EAAK9mB,KAChB/jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIsb,MAAQ,GACZK,EAAQw9I,OACH,IAAY,MAARniF,EASJ,CACLh3E,EAAIqtI,SAAWxiG,EAAKwiG,SACpBrtI,EAAIuI,SAAWsiC,EAAKtiC,SACpBvI,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAI+jB,KAAO8mB,EAAK9mB,KAChB/jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAImJ,KAAKtK,SACT8c,EAAQs9I,GACR,QACF,CAjBEj5J,EAAIqtI,SAAWxiG,EAAKwiG,SACpBrtI,EAAIuI,SAAWsiC,EAAKtiC,SACpBvI,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAI+jB,KAAO8mB,EAAK9mB,KAChB/jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIsb,MAAQuvB,EAAKvvB,MACjBtb,EAAImzC,SAAW,GACfx3B,EAAQy9I,EAUV,CAAE,MAEJ,KAAKd,GACH,IAAIt4J,EAAIi6J,aAAwB,MAARjjF,GAAuB,OAARA,EAEhC,IAAY,MAARA,EAEJ,CACLh3E,EAAIqtI,SAAWxiG,EAAKwiG,SACpBrtI,EAAIuI,SAAWsiC,EAAKtiC,SACpBvI,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAI+jB,KAAO8mB,EAAK9mB,KAChBpI,EAAQs9I,GACR,QACF,CAREt9I,EAAQ88I,EAQV,MAVE98I,EAAQ68I,GAUR,MAEJ,KAAKD,GAEH,GADA58I,EAAQ68I,GACI,MAARxhF,GAA+C,MAAhCl7D,EAAOunG,EAAQu2C,EAAU,GAAY,SACxDA,IACA,MAEF,KAAKpB,GACH,GAAY,MAARxhF,GAAuB,OAARA,EAAc,CAC/Br7D,EAAQ88I,GACR,QACF,CAAE,MAEJ,KAAKA,GACH,GAAY,MAARzhF,EAAa,CACX6iF,IAAQx2C,EAAS,MAAQA,GAC7Bw2C,GAAS,EACTF,EAAmBxE,EAAU9xC,GAC7B,IAAK,IAAI/0G,EAAI,EAAGA,EAAIqrJ,EAAiB96J,OAAQyP,IAAK,CAChD,IAAI0kJ,EAAY2G,EAAiBrrJ,GACjC,GAAkB,MAAd0kJ,GAAsB+G,EAA1B,CAIA,IAAII,EAAoB/C,GAAcpE,EAAWmE,IAC7C4C,EAAmB/5J,EAAIuI,UAAY4xJ,EAClCn6J,EAAIqtI,UAAY8sB,CAHrB,MAFEJ,GAAoB,CAMxB,CACA12C,EAAS,EACX,MAAO,GACLrsC,IAAQk+E,GAAe,MAARl+E,GAAuB,MAARA,GAAuB,MAARA,GACpC,OAARA,GAAgBh3E,EAAIi6J,YACrB,CACA,GAAIJ,GAAqB,KAAXx2C,EAAe,MA1ejB,oBA2eZu2C,GAAWzE,EAAU9xC,GAAQxkH,OAAS,EACtCwkH,EAAS,GACT1nG,EAAQ+8I,EACV,MAAOr1C,GAAUrsC,EACjB,MAEF,KAAK0hF,GACL,KAAKC,GACH,GAAIc,GAAgC,SAAfz5J,EAAIujD,OAAmB,CAC1C5nC,EAAQo9I,GACR,QACF,CAAO,GAAY,MAAR/hF,GAAgB8iF,EAOpB,IACL9iF,IAAQk+E,GAAe,MAARl+E,GAAuB,MAARA,GAAuB,MAARA,GACpC,OAARA,GAAgBh3E,EAAIi6J,YACrB,CACA,GAAIj6J,EAAIi6J,aAA0B,KAAX52C,EAAe,OAAOqyC,EAC7C,GAAI+D,GAA4B,KAAXp2C,IAAkBrjH,EAAIk6J,uBAAsC,OAAbl6J,EAAI+jB,MAAgB,OAExF,GADAy1I,EAAUx5J,EAAIo6J,UAAU/2C,GACX,OAAOm2C,EAGpB,GAFAn2C,EAAS,GACT1nG,EAAQq9I,GACJS,EAAe,OACnB,QACF,CACc,MAARziF,EAAa8iF,GAAc,EACd,MAAR9iF,IAAa8iF,GAAc,GACpCz2C,GAAUrsC,CACZ,KAvBwC,CACtC,GAAe,KAAXqsC,EAAe,OAAOqyC,EAE1B,GADA8D,EAAUx5J,EAAIo6J,UAAU/2C,GACX,OAAOm2C,EAGpB,GAFAn2C,EAAS,GACT1nG,EAAQi9I,GACJa,IAAkBd,GAAU,MAClC,CAgBE,MAEJ,KAAKC,GACH,IAAInlH,EAAKqiH,EAAO9+E,GAET,IACLA,IAAQk+E,GAAe,MAARl+E,GAAuB,MAARA,GAAuB,MAARA,GACpC,OAARA,GAAgBh3E,EAAIi6J,aACrBR,EACA,CACA,GAAe,KAAXp2C,EAAe,CACjB,IAAIt/F,EAAO3J,EAASipG,EAAQ,IAC5B,GAAIt/F,EAAO,MAAQ,OAAO4xI,EAC1B31J,EAAI+jB,KAAQ/jB,EAAIi6J,aAAel2I,IAASszI,GAAer3J,EAAIujD,QAAW,KAAOx/B,EAC7Es/F,EAAS,EACX,CACA,GAAIo2C,EAAe,OACnB99I,EAAQq9I,GACR,QACF,CAAO,OAAOrD,CAAY,CAfxBtyC,GAAUrsC,EAgBZ,MAEF,KAAK6hF,GAEH,GADA74J,EAAIujD,OAAS,OACD,MAARyzB,GAAuB,OAARA,EAAcr7D,EAAQm9I,OACpC,KAAIjuH,GAAwB,SAAhBA,EAAK0Y,OA6Bf,CACL5nC,EAAQs9I,GACR,QACF,CA/BE,OAAQjiF,GACN,KAAKk+E,EACHl1J,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIsb,MAAQuvB,EAAKvvB,MACjB,MACF,IAAK,IACHtb,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIsb,MAAQ,GACZK,EAAQw9I,GACR,MACF,IAAK,IACHn5J,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIsb,MAAQuvB,EAAKvvB,MACjBtb,EAAImzC,SAAW,GACfx3B,EAAQy9I,GACR,MACF,QACOvB,GAA6Bv5J,EAAKypH,EAAW2xC,EAAYE,GAAU,OACtE55J,EAAI2jB,KAAOknB,EAAKlnB,KAChB3jB,EAAImJ,KAAO4+G,EAAWl9E,EAAK1hC,MAC3BnJ,EAAIq6J,eAEN1+I,EAAQs9I,GACR,SAKN,CAAE,MAEJ,KAAKH,GACH,GAAY,MAAR9hF,GAAuB,OAARA,EAAc,CAC/Br7D,EAAQo9I,GACR,KACF,CACIluH,GAAwB,SAAhBA,EAAK0Y,SAAsBs0G,GAA6Bv5J,EAAKypH,EAAW2xC,EAAYE,GAAU,OACpGjC,GAAqB9sH,EAAK1hC,KAAK,IAAI,GAAOoB,EAAKvK,EAAImJ,KAAM0hC,EAAK1hC,KAAK,IAClEnJ,EAAI2jB,KAAOknB,EAAKlnB,MAEvBhI,EAAQs9I,GACR,SAEF,KAAKF,GACH,GAAI/hF,IAAQk+E,GAAe,MAARl+E,GAAuB,OAARA,GAAwB,MAARA,GAAuB,MAARA,EAAa,CAC5E,IAAKyiF,GAAiB9B,GAAqBt0C,GACzC1nG,EAAQs9I,QACH,GAAe,KAAX51C,EAAe,CAExB,GADArjH,EAAI2jB,KAAO,GACP81I,EAAe,OACnB99I,EAAQq9I,EACV,KAAO,CAEL,GADAQ,EAAUx5J,EAAIo6J,UAAU/2C,GACX,OAAOm2C,EAEpB,GADiB,cAAbx5J,EAAI2jB,OAAsB3jB,EAAI2jB,KAAO,IACrC81I,EAAe,OACnBp2C,EAAS,GACT1nG,EAAQq9I,EACV,CAAE,QACJ,CAAO31C,GAAUrsC,EACjB,MAEF,KAAKgiF,GACH,GAAIh5J,EAAIi6J,aAEN,GADAt+I,EAAQs9I,GACI,MAARjiF,GAAuB,OAARA,EAAc,cAC5B,GAAKyiF,GAAyB,MAARziF,EAGtB,GAAKyiF,GAAyB,MAARziF,GAGtB,GAAIA,IAAQk+E,IACjBv5I,EAAQs9I,GACI,MAARjiF,GAAa,cAJjBh3E,EAAImzC,SAAW,GACfx3B,EAAQy9I,QAJRp5J,EAAIsb,MAAQ,GACZK,EAAQw9I,GAOR,MAEJ,KAAKF,GACH,GACEjiF,IAAQk+E,GAAe,MAARl+E,GACN,OAARA,GAAgBh3E,EAAIi6J,cACnBR,IAA0B,MAARziF,GAAuB,MAARA,GACnC,CAkBA,GAvZS,QADnB+gF,EAAU59I,EADgB49I,EAwYA10C,KAtYa,SAAZ00C,GAAkC,SAAZA,GAAkC,WAAZA,GAuY3D/3J,EAAIq6J,cACQ,MAARrjF,GAAyB,OAARA,GAAgBh3E,EAAIi6J,aACvC1vJ,EAAKvK,EAAImJ,KAAM,KAER2uJ,GAAYz0C,GACT,MAARrsC,GAAyB,OAARA,GAAgBh3E,EAAIi6J,aACvC1vJ,EAAKvK,EAAImJ,KAAM,KAGE,SAAfnJ,EAAIujD,SAAsBvjD,EAAImJ,KAAKtK,QAAU84J,GAAqBt0C,KAChErjH,EAAI2jB,OAAM3jB,EAAI2jB,KAAO,IACzB0/F,EAASvnG,EAAOunG,EAAQ,GAAK,KAE/B94G,EAAKvK,EAAImJ,KAAMk6G,IAEjBA,EAAS,GACU,SAAfrjH,EAAIujD,SAAsByzB,IAAQk+E,GAAe,MAARl+E,GAAuB,MAARA,GAC1D,KAAOh3E,EAAImJ,KAAKtK,OAAS,GAAqB,KAAhBmB,EAAImJ,KAAK,IACrC1E,EAAMzE,EAAImJ,MAGF,MAAR6tE,GACFh3E,EAAIsb,MAAQ,GACZK,EAAQw9I,IACS,MAARniF,IACTh3E,EAAImzC,SAAW,GACfx3B,EAAQy9I,GAEZ,MACE/1C,GAAU+zC,GAAcpgF,EAAKkgF,IAC7B,MAEJ,KAAKgC,GACS,MAARliF,GACFh3E,EAAIsb,MAAQ,GACZK,EAAQw9I,IACS,MAARniF,GACTh3E,EAAImzC,SAAW,GACfx3B,EAAQy9I,IACCpiF,IAAQk+E,IACjBl1J,EAAImJ,KAAK,IAAMiuJ,GAAcpgF,EAAKggF,KAClC,MAEJ,KAAKmC,GACEM,GAAyB,MAARziF,EAGXA,IAAQk+E,IACL,MAARl+E,GAAeh3E,EAAIi6J,YAAaj6J,EAAIsb,OAAS,MAC3Btb,EAAIsb,OAAT,MAAR07D,EAA0B,MACjBogF,GAAcpgF,EAAKggF,MALrCh3J,EAAImzC,SAAW,GACfx3B,EAAQy9I,IAKR,MAEJ,KAAKA,GACCpiF,IAAQk+E,IAAKl1J,EAAImzC,UAAYikH,GAAcpgF,EAAKigF,KAIxD2C,GACF,CACF,EAEAQ,UAAW,SAAUl2H,GACnB,IAAIviC,EAAQ+3J,EAAY/0H,EACxB,GAAyB,MAArB7oB,EAAOooB,EAAO,GAAY,CAC5B,GAAwC,MAApCpoB,EAAOooB,EAAOA,EAAMrlC,OAAS,GAAY,OAAO62J,EAEpD,GADA/zJ,EAhoBU,SAAUuiC,GACxB,IAIIrjC,EAAOhC,EAAQy7J,EAAaC,EAAW/wC,EAAQgxC,EAAOC,EAJtDC,EAAU,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,GAChCC,EAAa,EACblE,EAAW,KACXmD,EAAU,EAGV5iF,EAAM,WACR,OAAOl7D,EAAOooB,EAAO01H,EACvB,EAEA,GAAc,MAAV5iF,IAAe,CACjB,GAAyB,MAArBl7D,EAAOooB,EAAO,GAAY,OAC9B01H,GAAW,EAEXnD,IADAkE,CAEF,CACA,KAAO3jF,KAAO,CACZ,GAAmB,IAAf2jF,EAAkB,OACtB,GAAc,MAAV3jF,IAAJ,CAQA,IADAn2E,EAAQhC,EAAS,EACVA,EAAS,GAAK40C,EAAKyiH,GAAKl/E,MAC7Bn2E,EAAgB,GAARA,EAAauZ,EAAS48D,IAAO,IACrC4iF,IACA/6J,IAEF,GAAc,MAAVm4E,IAAe,CACjB,GAAe,IAAXn4E,EAAc,OAElB,GADA+6J,GAAW/6J,EACP87J,EAAa,EAAG,OAEpB,IADAL,EAAc,EACPtjF,KAAO,CAEZ,GADAujF,EAAY,KACRD,EAAc,EAAG,CACnB,KAAc,MAAVtjF,KAAiBsjF,EAAc,GAC9B,OADiCV,GAExC,CACA,IAAKnmH,EAAKqiH,EAAO9+E,KAAQ,OACzB,KAAOvjC,EAAKqiH,EAAO9+E,MAAQ,CAEzB,GADAwyC,EAASpvG,EAAS48D,IAAO,IACP,OAAdujF,EAAoBA,EAAY/wC,MAC/B,IAAkB,IAAd+wC,EAAiB,OACrBA,EAAwB,GAAZA,EAAiB/wC,CAAM,CACxC,GAAI+wC,EAAY,IAAK,OACrBX,GACF,CACAc,EAAQC,GAAoC,IAAtBD,EAAQC,GAAoBJ,EAE9B,KADpBD,GACyC,IAAhBA,GAAmBK,GAC9C,CACA,GAAoB,IAAhBL,EAAmB,OACvB,KACF,CAAO,GAAc,MAAVtjF,KAET,GADA4iF,KACK5iF,IAAO,YACP,GAAIA,IAAO,OAClB0jF,EAAQC,KAAgB95J,CArCxB,KANA,CACE,GAAiB,OAAb41J,EAAmB,OACvBmD,IAEAnD,IADAkE,CAGF,CAsCF,CACA,GAAiB,OAAblE,EAGF,IAFA+D,EAAQG,EAAalE,EACrBkE,EAAa,EACS,IAAfA,GAAoBH,EAAQ,GACjCC,EAAOC,EAAQC,GACfD,EAAQC,KAAgBD,EAAQjE,EAAW+D,EAAQ,GACnDE,EAAQjE,IAAa+D,GAASC,OAE3B,GAAmB,IAAfE,EAAkB,OAC7B,OAAOD,CACT,CAsjBeE,CAAUnzB,EAAYvjG,EAAO,GAAI,KACrCviC,EAAQ,OAAO+zJ,EACpB74J,KAAK8mB,KAAOhiB,CAEd,MAAO,GAAK9E,KAAKo9J,YAQV,CAEL,GADA/1H,EAAQkxH,EAAQlxH,GACZuP,EAAK0iH,GAA2BjyH,GAAQ,OAAOwxH,EAEnD,GADA/zJ,EAvrBU,SAAUuiC,GACxB,IACI22H,EAAaC,EAASn2H,EAAOrgB,EAAM0+G,EAAOxZ,EAAQuxC,EADlDt4J,EAAQpE,EAAM6lC,EAAO,KAMzB,GAJIzhC,EAAM5D,QAAsC,KAA5B4D,EAAMA,EAAM5D,OAAS,IACvC4D,EAAM5D,UAERg8J,EAAcp4J,EAAM5D,QACF,EAAG,OAAOqlC,EAE5B,IADA42H,EAAU,GACLn2H,EAAQ,EAAGA,EAAQk2H,EAAal2H,IAAS,CAE5C,GAAa,MADbrgB,EAAO7hB,EAAMkiC,IACI,OAAOT,EAMxB,GALA8+F,EAAQ,GACJ1+G,EAAKzlB,OAAS,GAAyB,MAApBid,EAAOwI,EAAM,KAClC0+G,EAAQvvF,EAAKsiH,EAAWzxI,GAAQ,GAAK,EACrCA,EAAOmjH,EAAYnjH,EAAgB,IAAV0+G,EAAc,EAAI,IAEhC,KAAT1+G,EACFklG,EAAS,MACJ,CACL,IAAK/1E,EAAe,KAAVuvF,EAAeizB,EAAgB,IAAVjzB,EAAcgzB,EAAME,GAAK5xI,GAAO,OAAO4f,EACtEslF,EAASpvG,EAASkK,EAAM0+G,EAC1B,CACAz4H,EAAKuwJ,EAAStxC,EAChB,CACA,IAAK7kF,EAAQ,EAAGA,EAAQk2H,EAAal2H,IAEnC,GADA6kF,EAASsxC,EAAQn2H,GACbA,IAAUk2H,EAAc,GAC1B,GAAIrxC,GAAUxuD,EAAI,IAAK,EAAI6/F,GAAc,OAAO,UAC3C,GAAIrxC,EAAS,IAAK,OAAO,KAGlC,IADAuxC,EAAOr4J,EAAIo4J,GACNn2H,EAAQ,EAAGA,EAAQm2H,EAAQj8J,OAAQ8lC,IACtCo2H,GAAQD,EAAQn2H,GAASq2B,EAAI,IAAK,EAAIr2B,GAExC,OAAOo2H,CACT,CAmpBeC,CAAU92H,GACJ,OAAXviC,EAAiB,OAAO+zJ,EAC5B74J,KAAK8mB,KAAOhiB,CACd,KAd8B,CAC5B,GAAI8xC,EAAK2iH,GAA6ClyH,GAAQ,OAAOwxH,EAGrE,IAFA/zJ,EAAS,GACT+3J,EAAavE,EAAUjxH,GAClBS,EAAQ,EAAGA,EAAQ+0H,EAAW76J,OAAQ8lC,IACzChjC,GAAUy1J,GAAcsC,EAAW/0H,GAAQqyH,IAE7Cn6J,KAAK8mB,KAAOhiB,CACd,CAOF,EAEAs5J,+BAAgC,WAC9B,OAAQp+J,KAAK8mB,MAAQ9mB,KAAKm9J,kBAAoC,SAAhBn9J,KAAK0mD,MACrD,EAEA22G,oBAAqB,WACnB,MAAyB,KAAlBr9J,KAAKwwI,UAAqC,KAAlBxwI,KAAK0L,QACtC,EAEA0xJ,UAAW,WACT,OAAOzzD,EAAO6wD,GAAgBx6J,KAAK0mD,OACrC,EAEA82G,YAAa,WACX,IAAIlxJ,EAAOtM,KAAKsM,KACZ+xJ,EAAW/xJ,EAAKtK,QAChBq8J,GAA6B,SAAhBr+J,KAAK0mD,QAAkC,IAAb23G,GAAmBvD,GAAqBxuJ,EAAK,IAAI,IAC1FA,EAAKtK,QAET,EAEA2+F,UAAW,WACT,IAAIx9F,EAAMnD,KACN0mD,EAASvjD,EAAIujD,OACb8pF,EAAWrtI,EAAIqtI,SACf9kI,EAAWvI,EAAIuI,SACfob,EAAO3jB,EAAI2jB,KACXI,EAAO/jB,EAAI+jB,KACX5a,EAAOnJ,EAAImJ,KACXmS,EAAQtb,EAAIsb,MACZ63B,EAAWnzC,EAAImzC,SACfkE,EAASkM,EAAS,IAYtB,OAXa,OAAT5/B,GACF0zB,GAAU,KACNr3C,EAAIk6J,wBACN7iH,GAAUg2F,GAAY9kI,EAAW,IAAMA,EAAW,IAAM,KAE1D8uC,GAAUm/G,GAAc7yI,GACX,OAATI,IAAeszB,GAAU,IAAMtzB,IACf,SAAXw/B,IAAmBlM,GAAU,MACxCA,GAAUr3C,EAAIg6J,iBAAmB7wJ,EAAK,GAAKA,EAAKtK,OAAS,IAAMP,EAAK6K,EAAM,KAAO,GACnE,OAAVmS,IAAgB+7B,GAAU,IAAM/7B,GACnB,OAAb63B,IAAmBkE,GAAU,IAAMlE,GAChCkE,CACT,EAEA8jH,QAAS,SAAUp5J,GACjB,IAAIy3J,EAAU38J,KAAK8Z,MAAM5U,GACzB,GAAIy3J,EAAS,MAAM,IAAIv+G,EAAUu+G,GACjC38J,KAAKqwI,aAAa5rI,QACpB,EAEA85J,UAAW,WACT,IAAI73G,EAAS1mD,KAAK0mD,OACdx/B,EAAOlnB,KAAKknB,KAChB,GAAe,SAAXw/B,EAAmB,IACrB,OAAO,IAAI83G,GAAe93G,EAAOp6C,KAAK,IAAI8vD,MAC5C,CAAE,MAAO17D,GACP,MAAO,MACT,CACA,MAAe,SAAXgmD,GAAsB1mD,KAAKo9J,YACxB12G,EAAS,MAAQizG,GAAc35J,KAAK8mB,OAAkB,OAATI,EAAgB,IAAMA,EAAO,IAD9B,MAErD,EAEAC,YAAa,WACX,OAAOnnB,KAAK0mD,OAAS,GACvB,EACA+3G,YAAa,SAAUr3I,GACrBpnB,KAAK8Z,MAAMoqI,EAAU98H,GAAY,IAAK+zI,GACxC,EAEAuD,YAAa,WACX,OAAO1+J,KAAKwwI,QACd,EACAmuB,YAAa,SAAUnuB,GACrB,IAAIqsB,EAAavE,EAAUpU,EAAU1T,IACrC,IAAIxwI,KAAKo+J,iCAAT,CACAp+J,KAAKwwI,SAAW,GAChB,IAAK,IAAI/+H,EAAI,EAAGA,EAAIorJ,EAAW76J,OAAQyP,IACrCzR,KAAKwwI,UAAY+pB,GAAcsC,EAAWprJ,GAAI6oJ,GAHC,CAKnD,EAEAsE,YAAa,WACX,OAAO5+J,KAAK0L,QACd,EACAmzJ,YAAa,SAAUnzJ,GACrB,IAAImxJ,EAAavE,EAAUpU,EAAUx4I,IACrC,IAAI1L,KAAKo+J,iCAAT,CACAp+J,KAAK0L,SAAW,GAChB,IAAK,IAAI+F,EAAI,EAAGA,EAAIorJ,EAAW76J,OAAQyP,IACrCzR,KAAK0L,UAAY6uJ,GAAcsC,EAAWprJ,GAAI6oJ,GAHC,CAKnD,EAEAzzI,QAAS,WACP,IAAIC,EAAO9mB,KAAK8mB,KACZI,EAAOlnB,KAAKknB,KAChB,OAAgB,OAATJ,EAAgB,GACV,OAATI,EAAgByyI,GAAc7yI,GAC9B6yI,GAAc7yI,GAAQ,IAAMI,CAClC,EACA43I,QAAS,SAAUh4I,GACb9mB,KAAKm9J,kBACTn9J,KAAK8Z,MAAMgN,EAAM+0I,GACnB,EAEAkD,YAAa,WACX,IAAIj4I,EAAO9mB,KAAK8mB,KAChB,OAAgB,OAATA,EAAgB,GAAK6yI,GAAc7yI,EAC5C,EACAk4I,YAAa,SAAUh4I,GACjBhnB,KAAKm9J,kBACTn9J,KAAK8Z,MAAMkN,EAAU80I,GACvB,EAEA70I,QAAS,WACP,IAAIC,EAAOlnB,KAAKknB,KAChB,OAAgB,OAATA,EAAgB,GAAKg9H,EAAUh9H,EACxC,EACA+3I,QAAS,SAAU/3I,GACblnB,KAAKo+J,mCAEI,MADbl3I,EAAOg9H,EAAUh9H,IACAlnB,KAAKknB,KAAO,KACxBlnB,KAAK8Z,MAAMoN,EAAM60I,IACxB,EAEAmD,YAAa,WACX,IAAI5yJ,EAAOtM,KAAKsM,KAChB,OAAOtM,KAAKm9J,iBAAmB7wJ,EAAK,GAAKA,EAAKtK,OAAS,IAAMP,EAAK6K,EAAM,KAAO,EACjF,EACA6yJ,YAAa,SAAUhiJ,GACjBnd,KAAKm9J,mBACTn9J,KAAKsM,KAAO,GACZtM,KAAK8Z,MAAMqD,EAAUg/I,IACvB,EAEA/kH,UAAW,WACT,IAAI34B,EAAQze,KAAKye,MACjB,OAAOA,EAAQ,IAAMA,EAAQ,EAC/B,EACA2gJ,UAAW,SAAUxgJ,GAEJ,MADfA,EAASslI,EAAUtlI,IAEjB5e,KAAKye,MAAQ,MAEa,MAAtBQ,EAAOL,EAAQ,KAAYA,EAASgsH,EAAYhsH,EAAQ,IAC5D5e,KAAKye,MAAQ,GACbze,KAAK8Z,MAAM8E,EAAQ09I,KAErBt8J,KAAKqwI,aAAa5rI,QACpB,EAEA46J,gBAAiB,WACf,OAAOr/J,KAAKqwI,aAAa0P,MAC3B,EAEAvoG,QAAS,WACP,IAAIlB,EAAWt2C,KAAKs2C,SACpB,OAAOA,EAAW,IAAMA,EAAW,EACrC,EACAgpH,QAAS,SAAUphJ,GAEJ,MADbA,EAAOgmI,EAAUhmI,KAKO,MAApBe,EAAOf,EAAM,KAAYA,EAAO0sH,EAAY1sH,EAAM,IACtDle,KAAKs2C,SAAW,GAChBt2C,KAAK8Z,MAAMoE,EAAMq+I,KALfv8J,KAAKs2C,SAAW,IAMpB,EACA7xC,OAAQ,WACNzE,KAAKye,MAAQze,KAAKqwI,aAAa1vC,aAAe,IAChD,GAKF,IAAI69D,GAAiB,SAAar7J,GAChC,IAAI6nD,EAAO4/D,EAAW5qH,KAAMu/J,IACxBvxH,EAAOq7F,EAAwBx+H,UAAU7I,OAAQ,GAAK,EAAI6I,UAAU,QAAKzK,EACzE0e,EAAQmtG,EAAiBjhE,EAAM,IAAIwxG,GAASr5J,GAAK,EAAO6qC,IACvD65E,IACH78D,EAAK9lD,KAAO4Z,EAAM6hF,YAClB31C,EAAKoR,OAASt9C,EAAMy/I,YACpBvzG,EAAK5jC,SAAWtI,EAAMqI,cACtB6jC,EAAKwlF,SAAW1xH,EAAM4/I,cACtB1zG,EAAKt/C,SAAWoT,EAAM8/I,cACtB5zG,EAAKlkC,KAAOhI,EAAM+H,UAClBmkC,EAAKhkC,SAAWlI,EAAMigJ,cACtB/zG,EAAK9jC,KAAOpI,EAAMmI,UAClB+jC,EAAK7tC,SAAW2B,EAAMogJ,cACtBl0G,EAAKpsC,OAASE,EAAMs4B,YACpB4T,EAAKqlF,aAAevxH,EAAMugJ,kBAC1Br0G,EAAK9sC,KAAOY,EAAM04B,UAEtB,EAEI+nH,GAAef,GAAev1J,UAE9Bu2J,GAAqB,SAAUh9G,EAAQ21E,GACzC,MAAO,CACLpwG,IAAK,WACH,OAAO0wI,EAAoBz4J,MAAMwiD,IACnC,EACAt6B,IAAKiwG,GAAU,SAAUn0H,GACvB,OAAOy0J,EAAoBz4J,MAAMm4H,GAAQn0H,EAC3C,EACAu5C,cAAc,EACdD,YAAY,EAEhB,EAqDA,GAnDIuqE,IAGFI,EAAsBs3C,GAAc,OAAQC,GAAmB,YAAa,YAG5Ev3C,EAAsBs3C,GAAc,SAAUC,GAAmB,cAGjEv3C,EAAsBs3C,GAAc,WAAYC,GAAmB,cAAe,gBAGlFv3C,EAAsBs3C,GAAc,WAAYC,GAAmB,cAAe,gBAGlFv3C,EAAsBs3C,GAAc,WAAYC,GAAmB,cAAe,gBAGlFv3C,EAAsBs3C,GAAc,OAAQC,GAAmB,UAAW,YAG1Ev3C,EAAsBs3C,GAAc,WAAYC,GAAmB,cAAe,gBAGlFv3C,EAAsBs3C,GAAc,OAAQC,GAAmB,UAAW,YAG1Ev3C,EAAsBs3C,GAAc,WAAYC,GAAmB,cAAe,gBAGlFv3C,EAAsBs3C,GAAc,SAAUC,GAAmB,YAAa,cAG9Ev3C,EAAsBs3C,GAAc,eAAgBC,GAAmB,oBAGvEv3C,EAAsBs3C,GAAc,OAAQC,GAAmB,UAAW,aAK5Ex3C,EAAcu3C,GAAc,UAAU,WACpC,OAAO9G,EAAoBz4J,MAAM2gG,WACnC,GAAG,CAAErjD,YAAY,IAIjB0qE,EAAcu3C,GAAc,YAAY,WACtC,OAAO9G,EAAoBz4J,MAAM2gG,WACnC,GAAG,CAAErjD,YAAY,IAEbq7G,EAAW,CACb,IAAI8G,GAAwB9G,EAAU1jJ,gBAClCyqJ,GAAwB/G,EAAUgH,gBAGlCF,IAAuBz3C,EAAcw2C,GAAgB,kBAAmBh7J,EAAKi8J,GAAuB9G,IAGpG+G,IAAuB13C,EAAcw2C,GAAgB,kBAAmBh7J,EAAKk8J,GAAuB/G,GAC1G,CAEAttC,EAAemzC,GAAgB,OAE/Bl+J,EAAE,CAAEmY,QAAQ,EAAMw1B,aAAa,EAAMm8E,QAAS+qC,EAAgBv2G,MAAOipE,GAAe,CAClF/yG,IAAK0pJ,I,8BCthCP,EAAQ,M,+BCDR,IAAIl+J,EAAI,EAAQ,OACZ+gI,EAAa,EAAQ,OACrBgI,EAA0B,EAAQ,OAClC9nI,EAAW,EAAQ,KACnB4zJ,EAAiB,EAAQ,OAEzBrgJ,EAAMusH,EAAW,OAIrB/gI,EAAE,CAAEmN,OAAQ,MAAO0zH,MAAM,EAAM/W,QAAS+qC,GAAkB,CACxDr7I,MAAO,SAAe3W,GACpB,IAAInB,EAASqnI,EAAwBx+H,UAAU7I,OAAQ,GACnDo2J,EAAY72J,EAAS4B,GACrB6qC,EAAOhsC,EAAS,QAAsB5B,IAAjByK,UAAU,QAAmBzK,EAAYmB,EAASsJ,UAAU,IACrF,IACE,OAAO,IAAIiK,EAAIsjJ,EAAWpqH,EAC5B,CAAE,MAAOttC,GACP,OAAO,IACT,CACF,G,+BCpBF,IAAIJ,EAAI,EAAQ,OACZK,EAAO,EAAQ,OAInBL,EAAE,CAAEmN,OAAQ,MAAOizC,OAAO,EAAMpD,YAAY,GAAQ,CAClD52C,OAAQ,WACN,OAAO/F,EAAKmU,IAAI7L,UAAU1H,SAAUvB,KACtC,G,+BCRF,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,KACR,EAAQ,OACR,EAAQ,MACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,KACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,KACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,MACR,EAAQ,MACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OACR,EAAQ,OAER,Q,gMC6BmC4I,MAqFnC,MAAMg3J,EAAY,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAC1CC,EAAkB,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OAC1D,SAASC,EAAepsJ,EAAMqsJ,GAAiB,EAAOC,GAAiB,EAAOC,GAAW,GACvFD,EAAiBA,IAAmBC,EAChB,iBAATvsJ,IACTA,EAAO8O,OAAO9O,IAEhB,IAAIwsJ,EAAQxsJ,EAAO,EAAI9C,KAAKwB,MAAMxB,KAAK+uH,IAAIjsH,GAAQ9C,KAAK+uH,IAAIsgC,EAAW,IAAM,OAAS,EACtFC,EAAQtvJ,KAAK0E,KAAK0qJ,EAAiBH,EAAgB79J,OAAS49J,EAAU59J,QAAU,EAAGk+J,GACnF,MAAMC,EAAiBH,EAAiBH,EAAgBK,GAASN,EAAUM,GAC3E,IAAIE,GAAgB1sJ,EAAO9C,KAAKutD,IAAI8hG,EAAW,IAAM,KAAMC,IAAQjtG,QAAQ,GAC3E,OAAuB,IAAnB8sG,GAAqC,IAAVG,GACJ,QAAjBE,EAAyB,OAAS,OAASJ,EAAiBH,EAAgB,GAAKD,EAAU,KAGnGQ,EADEF,EAAQ,EACKvgJ,WAAWygJ,GAAcntG,QAAQ,GAEjCtzC,WAAWygJ,GAAc7S,gBAAe,WAElD6S,EAAe,IAAMD,EAC9B,CAwBA,SAASp3J,EAAU/E,GACjB,OAAIA,aAAiB+d,KACZ/d,EAAMqzH,cAERztG,OAAO5lB,EAChB,CA6BA,SAASq8J,EAAUvzJ,EAAOhM,EAAU,CAAC,GACnC,MAAMw/J,EAAiB,CAErBC,YAAa,WAEbC,aAAc,SACX1/J,GA6BL,OA/DF,SAAiB6H,EAAY83J,EAAcC,GAEzCA,EAASA,GAAU,GACnB,MAAMC,GAFNF,EAAeA,GAAgB,CAAEz8J,GAAUA,IAEd+I,KAAI,CAAC5M,EAAG2nC,IAAuC,SAA5B44H,EAAO54H,IAAU,OAAmB,GAAK,IACnF84H,EAAWC,KAAKC,SACpB,EAAC,WAAe,WAChB,CAEEC,SAAS,EACTC,MAAO,SAGX,MAAO,IAAIr4J,GAAY4mC,MAAK,CAAC7D,EAAIu1H,KAC/B,IAAK,MAAOn5H,EAAOo5H,KAAeT,EAAazvH,UAAW,CACxD,MAAMhtC,EAAQ48J,EAASxrG,QAAQrsD,EAAUm4J,EAAWx1H,IAAM3iC,EAAUm4J,EAAWD,KAC/E,GAAc,IAAVj9J,EACF,OAAOA,EAAQ28J,EAAQ74H,EAE3B,CACA,OAAO,CAAC,GAEZ,CA0CSq5H,CAAQr0J,EA1BM,IAEhBwzJ,EAAec,mBAAqB,CAAElrG,GAAiC,IAA3BA,EAAE3oD,YAAY8zJ,UAAkB,MAE5Ef,EAAegB,iBAAmB,CAAEprG,GAAiB,WAAXA,EAAEjzD,MAAqB,MAElC,aAA/Bq9J,EAAeC,YAA6B,CAAErqG,GAAMA,EAAEoqG,EAAeC,cAAgB,GAEvFrqG,IAAMqrG,OATU91J,EASAyqD,EAAE72B,aAAe62B,EAAE3oD,YAAY8xB,aAAe62B,EAAE1oD,UATlC8V,YAAY,KAAO,EAAI7X,EAAKoB,MAAM,EAAGpB,EAAK6X,YAAY,MAAQ7X,EAA7E,IAACA,CASyD,EAEzEyqD,GAAMA,EAAE1oD,UAEI,IAEV8yJ,EAAec,mBAAqB,CAAC,OAAS,MAE9Cd,EAAegB,iBAAmB,CAAC,OAAS,MAEb,UAA/BhB,EAAeC,YAA0B,CAAiC,QAAhCD,EAAeE,aAAyB,OAAS,OAAS,MAErE,UAA/BF,EAAeC,aAA0D,aAA/BD,EAAeC,YAA6B,CAACD,EAAeE,cAAgB,GAEzHF,EAAeE,aAEfF,EAAeE,cAGnB,CAoGA,IACIgB,EAAS,CAAC,GACd,SAAU/4H,GACR,MAAMg5H,EAAgB,gLAEhBC,EAAa,IAAMD,EAAgB,KADxBA,EACE,iDACbE,EAAY,IAAIhrH,OAAO,IAAM+qH,EAAa,KAoBhDj5H,EAAQm5H,QAAU,SAAS1rG,GACzB,YAAoB,IAANA,CAChB,EACAztB,EAAQilB,cAAgB,SAAS3jB,GAC/B,OAAmC,IAA5BljC,OAAO21B,KAAKuN,GAAK/nC,MAC1B,EACAymC,EAAQ+F,MAAQ,SAAS/gC,EAAQi+B,EAAIm2H,GACnC,GAAIn2H,EAAI,CACN,MAAMlP,EAAO31B,OAAO21B,KAAKkP,GACnBwO,EAAM1d,EAAKx6B,OACjB,IAAK,IAAI8/J,EAAK,EAAGA,EAAK5nH,EAAK4nH,IAEvBr0J,EAAO+uB,EAAKslI,IADI,WAAdD,EACiB,CAACn2H,EAAGlP,EAAKslI,KAETp2H,EAAGlP,EAAKslI,GAGjC,CACF,EACAr5H,EAAQ7kC,SAAW,SAASsyD,GAC1B,OAAIztB,EAAQm5H,QAAQ1rG,GACXA,EAEA,EAEX,EACAztB,EAAQs5H,OA9BO,SAAS1iJ,GAEtB,QAAQ,MADMsiJ,EAAU/qH,KAAKv3B,GAE/B,EA4BAopB,EAAQu5H,cA9Cc,SAAS3iJ,EAAQ0rD,GACrC,MAAMtrD,EAAU,GAChB,IAAIC,EAAQqrD,EAAMn0B,KAAKv3B,GACvB,KAAOK,GAAO,CACZ,MAAMuiJ,EAAa,GACnBA,EAAWC,WAAan3F,EAAM67E,UAAYlnI,EAAM,GAAG1d,OACnD,MAAMk4C,EAAMx6B,EAAM1d,OAClB,IAAK,IAAI8lC,EAAQ,EAAGA,EAAQoS,EAAKpS,IAC/Bm6H,EAAWv0J,KAAKgS,EAAMooB,IAExBroB,EAAQ/R,KAAKu0J,GACbviJ,EAAQqrD,EAAMn0B,KAAKv3B,EACrB,CACA,OAAOI,CACT,EAiCAgpB,EAAQi5H,WAAaA,CACtB,CArDD,CAqDGF,GA+NuB,IAAI7qH,OAAO,0DAA0D,KAmF/F,IAAIwrH,EAAiB,CAAC,EACtB,MAAMC,EAAmB,CACvBC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhBC,wBAAwB,EAGxBC,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClB98B,KAAK,EACL+8B,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAASpxH,EAASqxH,GACnC,OAAOA,CACT,EACAC,wBAAyB,SAAS1iI,EAAUyiI,GAC1C,OAAOA,CACT,EACAE,UAAW,GAEXC,sBAAsB,EACtB/kI,QAAS,KAAM,EACfglI,iBAAiB,EACjBC,aAAc,GACdC,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASjyH,EAASkyH,EAAO79J,GAClC,OAAO2rC,CACT,GAMFowH,EAAe+B,aAHQ,SAASpjK,GAC9B,OAAO+F,OAAOC,OAAO,CAAC,EAAGs7J,EAAkBthK,EAC7C,EAEAqhK,EAAegC,eAAiB/B,GAmH3B5/I,OAAOjF,UAAYpZ,OAAOoZ,WAC7BiF,OAAOjF,SAAWpZ,OAAOoZ,WAEtBiF,OAAO7C,YAAcxb,OAAOwb,aAC/B6C,OAAO7C,WAAaxb,OAAOwb,YAoLX,IAAIg3B,OAAO,+CAA+C,MAuY5E,IACIytH,EAAY,CAAC,EAIjB,SAASxK,EAASnjG,EAAK31D,EAASmjK,GAC9B,IAAI3iK,EACJ,MAAM+iK,EAAgB,CAAC,EACvB,IAAK,IAAIvC,EAAK,EAAGA,EAAKrrG,EAAIz0D,OAAQ8/J,IAAM,CACtC,MAAMwC,EAAS7tG,EAAIqrG,GACb79G,EAAWsgH,EAAWD,GAC5B,IAAIE,EAAW,GAGf,GAFsBA,OAAR,IAAVP,EAA6BhgH,EACjBggH,EAAQ,IAAMhgH,EAC1BA,IAAanjD,EAAQ0hK,kBACV,IAATlhK,EAAiBA,EAAOgjK,EAAOrgH,GAC9B3iD,GAAQ,GAAKgjK,EAAOrgH,OACpB,SAAiB,IAAbA,EACT,SACK,GAAIqgH,EAAOrgH,GAAW,CAC3B,IAAIm/G,EAAOxJ,EAAS0K,EAAOrgH,GAAWnjD,EAAS0jK,GAC/C,MAAMC,EAASC,EAAUtB,EAAMtiK,GAC3BwjK,EAAO,MACTK,EAAiBvB,EAAMkB,EAAO,MAAOE,EAAU1jK,GACT,IAA7B+F,OAAO21B,KAAK4mI,GAAMphK,aAA+C,IAA/BohK,EAAKtiK,EAAQ0hK,eAA6B1hK,EAAQyiK,qBAEvD,IAA7B18J,OAAO21B,KAAK4mI,GAAMphK,SACvBlB,EAAQyiK,qBAAsBH,EAAKtiK,EAAQ0hK,cAAgB,GAC1DY,EAAO,IAHZA,EAAOA,EAAKtiK,EAAQ0hK,mBAKU,IAA5B6B,EAAcpgH,IAAwBogH,EAAcxuI,eAAeouB,IAChE1lB,MAAMC,QAAQ6lI,EAAcpgH,MAC/BogH,EAAcpgH,GAAY,CAACogH,EAAcpgH,KAE3CogH,EAAcpgH,GAAUv2C,KAAK01J,IAEzBtiK,EAAQ09B,QAAQylB,EAAUugH,EAAUC,GACtCJ,EAAcpgH,GAAY,CAACm/G,GAE3BiB,EAAcpgH,GAAYm/G,CAGhC,EACF,CAIA,MAHoB,iBAAT9hK,EACLA,EAAKU,OAAS,IAAGqiK,EAAcvjK,EAAQ0hK,cAAgBlhK,QACzC,IAATA,IAAiB+iK,EAAcvjK,EAAQ0hK,cAAgBlhK,GAC3D+iK,CACT,CACA,SAASE,EAAWx6H,GAClB,MAAMvN,EAAO31B,OAAO21B,KAAKuN,GACzB,IAAK,IAAI+3H,EAAK,EAAGA,EAAKtlI,EAAKx6B,OAAQ8/J,IAAM,CACvC,MAAMj+J,EAAM24B,EAAKslI,GACjB,GAAY,OAARj+J,EAAc,OAAOA,CAC3B,CACF,CACA,SAAS8gK,EAAiB56H,EAAK66H,EAASC,EAAO/jK,GAC7C,GAAI8jK,EAAS,CACX,MAAMpoI,EAAO31B,OAAO21B,KAAKooI,GACnB1qH,EAAM1d,EAAKx6B,OACjB,IAAK,IAAI8/J,EAAK,EAAGA,EAAK5nH,EAAK4nH,IAAM,CAC/B,MAAMgD,EAAWtoI,EAAKslI,GAClBhhK,EAAQ09B,QAAQsmI,EAAUD,EAAQ,IAAMC,GAAU,GAAM,GAC1D/6H,EAAI+6H,GAAY,CAACF,EAAQE,IAEzB/6H,EAAI+6H,GAAYF,EAAQE,EAE5B,CACF,CACF,CACA,SAASJ,EAAU36H,EAAKjpC,GACtB,MAAM,aAAE0hK,GAAiB1hK,EACnBikK,EAAYl+J,OAAO21B,KAAKuN,GAAK/nC,OACnC,OAAkB,IAAd+iK,KAGc,IAAdA,IAAoBh7H,EAAIy4H,IAA8C,kBAAtBz4H,EAAIy4H,IAAqD,IAAtBz4H,EAAIy4H,GAI7F,CACA4B,EAAUY,SA/EV,SAAoBt4J,EAAM5L,GACxB,OAAO84J,EAASltJ,EAAM5L,EACxB,EA8EA,MAAM,aAAEojK,GAAiB/B,GAEnB,SAAE6C,GAAaZ,EA0DrB,SAASa,EAASxuG,EAAK31D,EAASmjK,EAAOiB,GACrC,IAAIC,EAAS,GACTC,GAAuB,EAC3B,IAAK,IAAItD,EAAK,EAAGA,EAAKrrG,EAAIz0D,OAAQ8/J,IAAM,CACtC,MAAMwC,EAAS7tG,EAAIqrG,GACb/vH,EAAUqS,EAASkgH,GACzB,QAAgB,IAAZvyH,EAAoB,SACxB,IAAIszH,EAAW,GAGf,GAFwBA,EAAH,IAAjBpB,EAAMjiK,OAAyB+vC,EACnB,GAAGkyH,KAASlyH,IACxBA,IAAYjxC,EAAQ0hK,aAAc,CACpC,IAAI8C,EAAUhB,EAAOvyH,GAChBwzH,EAAWF,EAAUvkK,KACxBwkK,EAAUxkK,EAAQqiK,kBAAkBpxH,EAASuzH,GAC7CA,EAAUE,EAAqBF,EAASxkK,IAEtCskK,IACFD,GAAUD,GAEZC,GAAUG,EACVF,GAAuB,EACvB,QACF,CAAO,GAAIrzH,IAAYjxC,EAAQiiK,cAAe,CACxCqC,IACFD,GAAUD,GAEZC,GAAU,YAAYb,EAAOvyH,GAAS,GAAGjxC,EAAQ0hK,mBACjD4C,GAAuB,EACvB,QACF,CAAO,GAAIrzH,IAAYjxC,EAAQ0iK,gBAAiB,CAC9C2B,GAAUD,EAAc,UAAOZ,EAAOvyH,GAAS,GAAGjxC,EAAQ0hK,sBAC1D4C,GAAuB,EACvB,QACF,CAAO,GAAmB,MAAfrzH,EAAQ,GAAY,CAC7B,MAAM0zH,EAAUC,EAAYpB,EAAO,MAAOxjK,GACpC6kK,EAAsB,SAAZ5zH,EAAqB,GAAKmzH,EAC1C,IAAIU,EAAiBtB,EAAOvyH,GAAS,GAAGjxC,EAAQ0hK,cAChDoD,EAA2C,IAA1BA,EAAe5jK,OAAe,IAAM4jK,EAAiB,GACtET,GAAUQ,EAAU,IAAI5zH,IAAU6zH,IAAiBH,MACnDL,GAAuB,EACvB,QACF,CACA,IAAIS,EAAgBX,EACE,KAAlBW,IACFA,GAAiB/kK,EAAQglK,UAE3B,MACMC,EAAWb,EAAc,IAAInzH,IADpB2zH,EAAYpB,EAAO,MAAOxjK,KAEnCklK,EAAWf,EAASX,EAAOvyH,GAAUjxC,EAASukK,EAAUQ,IACf,IAA3C/kK,EAAQ2iK,aAAa/9J,QAAQqsC,GAC3BjxC,EAAQmlK,qBAAsBd,GAAUY,EAAW,IAClDZ,GAAUY,EAAW,KACfC,GAAgC,IAApBA,EAAShkK,SAAiBlB,EAAQolK,kBAEhDF,GAAYA,EAAS1gB,SAAS,KACvC6f,GAAUY,EAAW,IAAIC,IAAWd,MAAgBnzH,MAEpDozH,GAAUY,EAAW,IACjBC,GAA4B,KAAhBd,IAAuBc,EAAS72J,SAAS,OAAS62J,EAAS72J,SAAS,OAClFg2J,GAAUD,EAAcpkK,EAAQglK,SAAWE,EAAWd,EAEtDC,GAAUa,EAEZb,GAAU,KAAKpzH,MAVfozH,GAAUY,EAAW,KAYvBX,GAAuB,CACzB,CACA,OAAOD,CACT,CACA,SAAS/gH,EAASra,GAChB,MAAMvN,EAAO31B,OAAO21B,KAAKuN,GACzB,IAAK,IAAI+3H,EAAK,EAAGA,EAAKtlI,EAAKx6B,OAAQ8/J,IAAM,CACvC,MAAMj+J,EAAM24B,EAAKslI,GACjB,GAAK/3H,EAAIlU,eAAehyB,IACZ,OAARA,EAAc,OAAOA,CAC3B,CACF,CACA,SAAS6hK,EAAYd,EAAS9jK,GAC5B,IAAIqlK,EAAU,GACd,GAAIvB,IAAY9jK,EAAQ2hK,iBACtB,IAAK,IAAI1sJ,KAAQ6uJ,EAAS,CACxB,IAAKA,EAAQ/uI,eAAe9f,GAAO,SACnC,IAAIqwJ,EAAUtlK,EAAQuiK,wBAAwBttJ,EAAM6uJ,EAAQ7uJ,IAC5DqwJ,EAAUZ,EAAqBY,EAAStlK,IACxB,IAAZslK,GAAoBtlK,EAAQulK,0BAC9BF,GAAW,IAAIpwJ,EAAKpQ,OAAO7E,EAAQwhK,oBAAoBtgK,UAEvDmkK,GAAW,IAAIpwJ,EAAKpQ,OAAO7E,EAAQwhK,oBAAoBtgK,YAAYokK,IAEvE,CAEF,OAAOD,CACT,CACA,SAASZ,EAAWtB,EAAOnjK,GAEzB,IAAIixC,GADJkyH,EAAQA,EAAMt+J,OAAO,EAAGs+J,EAAMjiK,OAASlB,EAAQ0hK,aAAaxgK,OAAS,IACjD2D,OAAOs+J,EAAM3gJ,YAAY,KAAO,GACpD,IAAK,IAAIwkB,KAAShnC,EAAQwiK,UACxB,GAAIxiK,EAAQwiK,UAAUx7H,KAAWm8H,GAASnjK,EAAQwiK,UAAUx7H,KAAW,KAAOiK,EAAS,OAAO,EAEhG,OAAO,CACT,CACA,SAASyzH,EAAqBc,EAAWxlK,GACvC,GAAIwlK,GAAaA,EAAUtkK,OAAS,GAAKlB,EAAQ4iK,gBAC/C,IAAK,IAAI5B,EAAK,EAAGA,EAAKhhK,EAAQylK,SAASvkK,OAAQ8/J,IAAM,CACnD,MAAM0E,EAAS1lK,EAAQylK,SAASzE,GAChCwE,EAAYA,EAAUhyJ,QAAQkyJ,EAAOz7F,MAAOy7F,EAAOlkI,IACrD,CAEF,OAAOgkI,CACT,CAEA,MAAMG,EAtHN,SAAeC,EAAQ5lK,GACrB,IAAIokK,EAAc,GAIlB,OAHIpkK,EAAQyf,QAAUzf,EAAQglK,SAAS9jK,OAAS,IAC9CkjK,EAJQ,MAMHD,EAASyB,EAAQ5lK,EAAS,GAAIokK,EACvC,EAiHMyB,EAxvBN,SAAiCC,GAC/B,MAAiC,mBAAtBA,EACFA,EAELroI,MAAMC,QAAQooI,GACRjmI,IACN,IAAK,MAAMjjB,KAAWkpJ,EAAmB,CACvC,GAAuB,iBAAZlpJ,GAAwBijB,IAAajjB,EAC9C,OAAO,EAET,GAAIA,aAAmBi5B,QAAUj5B,EAAQ6rB,KAAK5I,GAC5C,OAAO,CAEX,GAGG,KAAM,CACf,EAwuBMwjI,EAAiB,CACrB7B,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBM,eAAe,EACfxiJ,QAAQ,EACRulJ,SAAU,KACVI,mBAAmB,EACnBD,sBAAsB,EACtBI,2BAA2B,EAC3BlD,kBAAmB,SAASt/J,EAAK6nC,GAC/B,OAAOA,CACT,EACA23H,wBAAyB,SAAS1iI,EAAU+K,GAC1C,OAAOA,CACT,EACA22H,eAAe,EACfmB,iBAAiB,EACjBC,aAAc,GACd8C,SAAU,CACR,CAAEx7F,MAAO,IAAIp0B,OAAO,IAAK,KAAMrU,IAAK,SAEpC,CAAEyoC,MAAO,IAAIp0B,OAAO,IAAK,KAAMrU,IAAK,QACpC,CAAEyoC,MAAO,IAAIp0B,OAAO,IAAK,KAAMrU,IAAK,QACpC,CAAEyoC,MAAO,IAAIp0B,OAAO,IAAK,KAAMrU,IAAK,UACpC,CAAEyoC,MAAO,IAAIp0B,OAAO,IAAK,KAAMrU,IAAK,WAEtCohI,iBAAiB,EACjBJ,UAAW,GAGXuD,cAAc,GAEhB,SAASC,EAAQhmK,GACfd,KAAKc,QAAU+F,OAAOC,OAAO,CAAC,EAAGq9J,EAAgBrjK,IACX,IAAlCd,KAAKc,QAAQ2hK,kBAA6BziK,KAAKc,QAAQyhK,oBACzDviK,KAAK+mK,YAAc,WACjB,OAAO,CACT,GAEA/mK,KAAKgnK,mBAAqBL,EAAsB3mK,KAAKc,QAAQ2hK,kBAC7DziK,KAAKinK,cAAgBjnK,KAAKc,QAAQwhK,oBAAoBtgK,OACtDhC,KAAK+mK,YAAcA,GAErB/mK,KAAKknK,qBAAuBA,EACxBlnK,KAAKc,QAAQyf,QACfvgB,KAAKmnK,UAAYA,EACjBnnK,KAAKonK,WAAa,MAClBpnK,KAAKqnK,QAAU,OAEfrnK,KAAKmnK,UAAY,WACf,MAAO,EACT,EACAnnK,KAAKonK,WAAa,IAClBpnK,KAAKqnK,QAAU,GAEnB,CAoGA,SAASH,EAAqBv9G,EAAQ9lD,EAAKyjK,EAAOC,GAChD,MAAMziK,EAAS9E,KAAKwnK,IAAI79G,EAAQ29G,EAAQ,EAAGC,EAAOlnI,OAAOx8B,IACzD,YAA0C,IAAtC8lD,EAAO3pD,KAAKc,QAAQ0hK,eAA2D,IAA/B37J,OAAO21B,KAAKmtB,GAAQ3nD,OAC/DhC,KAAKynK,iBAAiB99G,EAAO3pD,KAAKc,QAAQ0hK,cAAe3+J,EAAKiB,EAAOqhK,QAASmB,GAE9EtnK,KAAK0nK,gBAAgB5iK,EAAOw9B,IAAKz+B,EAAKiB,EAAOqhK,QAASmB,EAEjE,CA4DA,SAASH,EAAUG,GACjB,OAAOtnK,KAAKc,QAAQglK,SAASn7B,OAAO28B,EACtC,CACA,SAASP,EAAYt7J,GACnB,SAAIA,EAAKmB,WAAW5M,KAAKc,QAAQwhK,sBAAwB72J,IAASzL,KAAKc,QAAQ0hK,eACtE/2J,EAAK9F,OAAO3F,KAAKinK,cAI5B,CA/KAH,EAAQ79J,UAAUoC,MAAQ,SAASs8J,GACjC,OAAI3nK,KAAKc,QAAQuhK,cACRoE,EAAmBkB,EAAM3nK,KAAKc,UAEjCy9B,MAAMC,QAAQmpI,IAAS3nK,KAAKc,QAAQ8mK,eAAiB5nK,KAAKc,QAAQ8mK,cAAc5lK,OAAS,IAC3F2lK,EAAO,CACL,CAAC3nK,KAAKc,QAAQ8mK,eAAgBD,IAG3B3nK,KAAKwnK,IAAIG,EAAM,EAAG,IAAIrlI,IAEjC,EACAwkI,EAAQ79J,UAAUu+J,IAAM,SAASG,EAAML,EAAOC,GAC5C,IAAIpB,EAAU,GACV/C,EAAO,GACX,MAAMa,EAAQsD,EAAO9lK,KAAK,KAC1B,IAAK,IAAIoC,KAAO8jK,EACd,GAAK9gK,OAAOoC,UAAU4sB,eAAel1B,KAAKgnK,EAAM9jK,GAChD,QAAyB,IAAd8jK,EAAK9jK,GACV7D,KAAK+mK,YAAYljK,KACnBu/J,GAAQ,SAEL,GAAkB,OAAduE,EAAK9jK,GACV7D,KAAK+mK,YAAYljK,GACnBu/J,GAAQ,GACY,MAAXv/J,EAAI,GACbu/J,GAAQpjK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAM,IAAM7D,KAAKonK,WAEvDhE,GAAQpjK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAM,IAAM7D,KAAKonK,gBAEpD,GAAIO,EAAK9jK,aAAgBke,KAC9BqhJ,GAAQpjK,KAAKynK,iBAAiBE,EAAK9jK,GAAMA,EAAK,GAAIyjK,QAC7C,GAAyB,iBAAdK,EAAK9jK,GAAmB,CACxC,MAAMkS,EAAO/V,KAAK+mK,YAAYljK,GAC9B,GAAIkS,IAAS/V,KAAKgnK,mBAAmBjxJ,EAAMkuJ,GACzCkC,GAAWnmK,KAAK6nK,iBAAiB9xJ,EAAM,GAAK4xJ,EAAK9jK,SAC5C,IAAKkS,EACV,GAAIlS,IAAQ7D,KAAKc,QAAQ0hK,aAAc,CACrC,IAAIsF,EAAS9nK,KAAKc,QAAQqiK,kBAAkBt/J,EAAK,GAAK8jK,EAAK9jK,IAC3Du/J,GAAQpjK,KAAKwlK,qBAAqBsC,EACpC,MACE1E,GAAQpjK,KAAKynK,iBAAiBE,EAAK9jK,GAAMA,EAAK,GAAIyjK,EAGxD,MAAO,GAAI/oI,MAAMC,QAAQmpI,EAAK9jK,IAAO,CACnC,MAAMkkK,EAASJ,EAAK9jK,GAAK7B,OACzB,IAAIgmK,EAAa,GACbC,EAAc,GAClB,IAAK,IAAIC,EAAK,EAAGA,EAAKH,EAAQG,IAAM,CAClC,MAAMvtI,EAAOgtI,EAAK9jK,GAAKqkK,GACvB,QAAoB,IAATvtI,QACN,GAAa,OAATA,EACQ,MAAX92B,EAAI,GAAYu/J,GAAQpjK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAM,IAAM7D,KAAKonK,WACtEhE,GAAQpjK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAM,IAAM7D,KAAKonK,gBACvD,GAAoB,iBAATzsI,EAChB,GAAI36B,KAAKc,QAAQ+lK,aAAc,CAC7B,MAAM/hK,EAAS9E,KAAKwnK,IAAI7sI,EAAM2sI,EAAQ,EAAGC,EAAOlnI,OAAOx8B,IACvDmkK,GAAcljK,EAAOw9B,IACjBtiC,KAAKc,QAAQyhK,qBAAuB5nI,EAAK9E,eAAe71B,KAAKc,QAAQyhK,uBACvE0F,GAAenjK,EAAOqhK,QAE1B,MACE6B,GAAchoK,KAAKknK,qBAAqBvsI,EAAM92B,EAAKyjK,EAAOC,QAG5D,GAAIvnK,KAAKc,QAAQ+lK,aAAc,CAC7B,IAAIP,EAAYtmK,KAAKc,QAAQqiK,kBAAkBt/J,EAAK82B,GACpD2rI,EAAYtmK,KAAKwlK,qBAAqBc,GACtC0B,GAAc1B,CAChB,MACE0B,GAAchoK,KAAKynK,iBAAiB9sI,EAAM92B,EAAK,GAAIyjK,EAGzD,CACItnK,KAAKc,QAAQ+lK,eACfmB,EAAahoK,KAAK0nK,gBAAgBM,EAAYnkK,EAAKokK,EAAaX,IAElElE,GAAQ4E,CACV,MACE,GAAIhoK,KAAKc,QAAQyhK,qBAAuB1+J,IAAQ7D,KAAKc,QAAQyhK,oBAAqB,CAChF,MAAM4F,EAAKthK,OAAO21B,KAAKmrI,EAAK9jK,IACtBukK,EAAID,EAAGnmK,OACb,IAAK,IAAIkmK,EAAK,EAAGA,EAAKE,EAAGF,IACvB/B,GAAWnmK,KAAK6nK,iBAAiBM,EAAGD,GAAK,GAAKP,EAAK9jK,GAAKskK,EAAGD,IAE/D,MACE9E,GAAQpjK,KAAKknK,qBAAqBS,EAAK9jK,GAAMA,EAAKyjK,EAAOC,GAI/D,MAAO,CAAEpB,UAAS7jI,IAAK8gI,EACzB,EACA0D,EAAQ79J,UAAU4+J,iBAAmB,SAASlnI,EAAUyiI,GAGtD,OAFAA,EAAOpjK,KAAKc,QAAQuiK,wBAAwB1iI,EAAU,GAAKyiI,GAC3DA,EAAOpjK,KAAKwlK,qBAAqBpC,GAC7BpjK,KAAKc,QAAQulK,2BAAsC,SAATjD,EACrC,IAAMziI,EACD,IAAMA,EAAW,KAAOyiI,EAAO,GAC/C,EASA0D,EAAQ79J,UAAUy+J,gBAAkB,SAAStE,EAAMv/J,EAAKsiK,EAASmB,GAC/D,GAAa,KAATlE,EACF,MAAe,MAAXv/J,EAAI,GAAmB7D,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAMsiK,EAAU,IAAMnmK,KAAKonK,WAE3EpnK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAMsiK,EAAUnmK,KAAKqoK,SAASxkK,GAAO7D,KAAKonK,WAE5E,CACL,IAAIkB,EAAY,KAAOzkK,EAAM7D,KAAKonK,WAC9BmB,EAAgB,GAKpB,MAJe,MAAX1kK,EAAI,KACN0kK,EAAgB,IAChBD,EAAY,KAETnC,GAAuB,KAAZA,IAA0C,IAAvB/C,EAAK19J,QAAQ,MAEJ,IAAjC1F,KAAKc,QAAQ0iK,iBAA6B3/J,IAAQ7D,KAAKc,QAAQ0iK,iBAA4C,IAAzB+E,EAAcvmK,OAClGhC,KAAKmnK,UAAUG,GAAS,UAAOlE,UAAYpjK,KAAKqnK,QAEhDrnK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAMsiK,EAAUoC,EAAgBvoK,KAAKonK,WAAahE,EAAOpjK,KAAKmnK,UAAUG,GAASgB,EAJ/GtoK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAMsiK,EAAUoC,EAAgB,IAAMnF,EAAOkF,CAMtF,CACF,EACAxB,EAAQ79J,UAAUo/J,SAAW,SAASxkK,GACpC,IAAIwkK,EAAW,GAQf,OAPgD,IAA5CroK,KAAKc,QAAQ2iK,aAAa/9J,QAAQ7B,GAC/B7D,KAAKc,QAAQmlK,uBAAsBoC,EAAW,KAEnDA,EADSroK,KAAKc,QAAQolK,kBACX,IAEA,MAAMriK,IAEZwkK,CACT,EACAvB,EAAQ79J,UAAUw+J,iBAAmB,SAASrE,EAAMv/J,EAAKsiK,EAASmB,GAChE,IAAmC,IAA/BtnK,KAAKc,QAAQiiK,eAA2Bl/J,IAAQ7D,KAAKc,QAAQiiK,cAC/D,OAAO/iK,KAAKmnK,UAAUG,GAAS,YAAYlE,OAAYpjK,KAAKqnK,QACvD,IAAqC,IAAjCrnK,KAAKc,QAAQ0iK,iBAA6B3/J,IAAQ7D,KAAKc,QAAQ0iK,gBACxE,OAAOxjK,KAAKmnK,UAAUG,GAAS,UAAOlE,UAAYpjK,KAAKqnK,QAClD,GAAe,MAAXxjK,EAAI,GACb,OAAO7D,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAMsiK,EAAU,IAAMnmK,KAAKonK,WAC3D,CACL,IAAId,EAAYtmK,KAAKc,QAAQqiK,kBAAkBt/J,EAAKu/J,GAEpD,OADAkD,EAAYtmK,KAAKwlK,qBAAqBc,GACpB,KAAdA,EACKtmK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAMsiK,EAAUnmK,KAAKqoK,SAASxkK,GAAO7D,KAAKonK,WAExEpnK,KAAKmnK,UAAUG,GAAS,IAAMzjK,EAAMsiK,EAAU,IAAMG,EAAY,KAAOziK,EAAM7D,KAAKonK,UAE7F,CACF,EACAN,EAAQ79J,UAAUu8J,qBAAuB,SAASc,GAChD,GAAIA,GAAaA,EAAUtkK,OAAS,GAAKhC,KAAKc,QAAQ4iK,gBACpD,IAAK,IAAI5B,EAAK,EAAGA,EAAK9hK,KAAKc,QAAQylK,SAASvkK,OAAQ8/J,IAAM,CACxD,MAAM0E,EAASxmK,KAAKc,QAAQylK,SAASzE,GACrCwE,EAAYA,EAAUhyJ,QAAQkyJ,EAAOz7F,MAAOy7F,EAAOlkI,IACrD,CAEF,OAAOgkI,CACT,EAiKA,IAAIkC,EAF+B,iBAAZ70D,GAAwBA,EAAQ80D,KAAO90D,EAAQ80D,IAAIC,YAAc,cAAcn/H,KAAKoqE,EAAQ80D,IAAIC,YAAc,IAAI/hI,IAASlmC,QAAQC,MAAM,YAAaimC,GAAQ,OAkBjLgiI,EAAY,CACdC,WAfmB,IAgBnBC,0BAbgC,GAchCC,sBAb4BC,IAc5B/tB,iBAjByBx4H,OAAOw4H,kBAClC,iBAiBEguB,cAdoB,CACpB,QACA,WACA,QACA,WACA,QACA,WACA,cAQAC,oBArB0B,QAsB1BC,wBAAyB,EACzBC,WAAY,GAEVC,EAAO,CAAE3gI,QAAS,CAAC,IACvB,SAAU+X,EAAQ/X,GAChB,MACEogI,0BAA2BQ,EAC3BP,sBAAuBQ,EACvBV,WAAYW,GACVZ,EACEa,EAAShB,EAETnmB,GADN55G,EAAU+X,EAAO/X,QAAU,CAAC,GACRsqB,GAAK,GACnB02G,EAAShhI,EAAQghI,OAAS,GAC1Br0J,EAAMqzB,EAAQrzB,IAAM,GACpBs0J,EAAKjhI,EAAQtmC,EAAI,CAAC,EACxB,IAAI+mI,EAAI,EACR,MAAMygC,EAAmB,eACnBC,EAAwB,CAC5B,CAAC,MAAO,GACR,CAAC,MAAOL,GACR,CAACI,EAAkBL,IAQfO,EAAc,CAACp+J,EAAMzH,EAAO8lK,KAChC,MAAMC,EAPc,CAAC/lK,IACrB,IAAK,MAAO2U,EAAO7F,KAAQ82J,EACzB5lK,EAAQA,EAAMxC,MAAM,GAAGmX,MAAUlX,KAAK,GAAGkX,OAAW7F,MAAQtR,MAAM,GAAGmX,MAAUlX,KAAK,GAAGkX,OAAW7F,MAEpG,OAAO9O,CAAK,EAGCgmK,CAAchmK,GACrB8jC,EAAQohG,IACdsgC,EAAO/9J,EAAMq8B,EAAO9jC,GACpB0lK,EAAGj+J,GAAQq8B,EACX1yB,EAAI0yB,GAAS9jC,EACbq+I,EAAIv6G,GAAS,IAAI6O,OAAO3yC,EAAO8lK,EAAW,SAAM,GAChDL,EAAO3hI,GAAS,IAAI6O,OAAOozH,EAAMD,EAAW,SAAM,EAAO,EAE3DD,EAAY,oBAAqB,eACjCA,EAAY,yBAA0B,QACtCA,EAAY,uBAAwB,gBAAgBF,MACpDE,EAAY,cAAe,IAAIz0J,EAAIs0J,EAAGO,0BAA0B70J,EAAIs0J,EAAGO,0BAA0B70J,EAAIs0J,EAAGO,uBACxGJ,EAAY,mBAAoB,IAAIz0J,EAAIs0J,EAAGQ,+BAA+B90J,EAAIs0J,EAAGQ,+BAA+B90J,EAAIs0J,EAAGQ,4BACvHL,EAAY,uBAAwB,MAAMz0J,EAAIs0J,EAAGO,sBAAsB70J,EAAIs0J,EAAGS,0BAC9EN,EAAY,4BAA6B,MAAMz0J,EAAIs0J,EAAGQ,2BAA2B90J,EAAIs0J,EAAGS,0BACxFN,EAAY,aAAc,QAAQz0J,EAAIs0J,EAAGU,8BAA8Bh1J,EAAIs0J,EAAGU,6BAC9EP,EAAY,kBAAmB,SAASz0J,EAAIs0J,EAAGW,mCAAmCj1J,EAAIs0J,EAAGW,kCACzFR,EAAY,kBAAmB,GAAGF,MAClCE,EAAY,QAAS,UAAUz0J,EAAIs0J,EAAGY,yBAAyBl1J,EAAIs0J,EAAGY,wBACtET,EAAY,YAAa,KAAKz0J,EAAIs0J,EAAGa,eAAen1J,EAAIs0J,EAAGc,eAAep1J,EAAIs0J,EAAGe,WACjFZ,EAAY,OAAQ,IAAIz0J,EAAIs0J,EAAGgB,eAC/Bb,EAAY,aAAc,WAAWz0J,EAAIs0J,EAAGiB,oBAAoBv1J,EAAIs0J,EAAGkB,oBAAoBx1J,EAAIs0J,EAAGe,WAClGZ,EAAY,QAAS,IAAIz0J,EAAIs0J,EAAGmB,gBAChChB,EAAY,OAAQ,gBACpBA,EAAY,wBAAyB,GAAGz0J,EAAIs0J,EAAGQ,mCAC/CL,EAAY,mBAAoB,GAAGz0J,EAAIs0J,EAAGO,8BAC1CJ,EAAY,cAAe,YAAYz0J,EAAIs0J,EAAGoB,4BAA4B11J,EAAIs0J,EAAGoB,4BAA4B11J,EAAIs0J,EAAGoB,wBAAwB11J,EAAIs0J,EAAGc,gBAAgBp1J,EAAIs0J,EAAGe,eAC1KZ,EAAY,mBAAoB,YAAYz0J,EAAIs0J,EAAGqB,iCAAiC31J,EAAIs0J,EAAGqB,iCAAiC31J,EAAIs0J,EAAGqB,6BAA6B31J,EAAIs0J,EAAGkB,qBAAqBx1J,EAAIs0J,EAAGe,eACnMZ,EAAY,SAAU,IAAIz0J,EAAIs0J,EAAGsB,YAAY51J,EAAIs0J,EAAGuB,iBACpDpB,EAAY,cAAe,IAAIz0J,EAAIs0J,EAAGsB,YAAY51J,EAAIs0J,EAAGwB,sBACzDrB,EAAY,cAAe,oBAAyBR,mBAA4CA,qBAA8CA,SAC9IQ,EAAY,SAAU,GAAGz0J,EAAIs0J,EAAGyB,4BAChCtB,EAAY,aAAcz0J,EAAIs0J,EAAGyB,aAAe,MAAM/1J,EAAIs0J,EAAGc,mBAAmBp1J,EAAIs0J,EAAGe,wBACvFZ,EAAY,YAAaz0J,EAAIs0J,EAAG0B,SAAS,GACzCvB,EAAY,gBAAiBz0J,EAAIs0J,EAAG2B,aAAa,GACjDxB,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASz0J,EAAIs0J,EAAG4B,kBAAkB,GAC3D7iI,EAAQ8iI,iBAAmB,MAC3B1B,EAAY,QAAS,IAAIz0J,EAAIs0J,EAAG4B,aAAal2J,EAAIs0J,EAAGuB,iBACpDpB,EAAY,aAAc,IAAIz0J,EAAIs0J,EAAG4B,aAAal2J,EAAIs0J,EAAGwB,sBACzDrB,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASz0J,EAAIs0J,EAAG8B,kBAAkB,GAC3D/iI,EAAQgjI,iBAAmB,MAC3B5B,EAAY,QAAS,IAAIz0J,EAAIs0J,EAAG8B,aAAap2J,EAAIs0J,EAAGuB,iBACpDpB,EAAY,aAAc,IAAIz0J,EAAIs0J,EAAG8B,aAAap2J,EAAIs0J,EAAGwB,sBACzDrB,EAAY,kBAAmB,IAAIz0J,EAAIs0J,EAAGsB,aAAa51J,EAAIs0J,EAAGmB,oBAC9DhB,EAAY,aAAc,IAAIz0J,EAAIs0J,EAAGsB,aAAa51J,EAAIs0J,EAAGgB,mBACzDb,EAAY,iBAAkB,SAASz0J,EAAIs0J,EAAGsB,aAAa51J,EAAIs0J,EAAGmB,eAAez1J,EAAIs0J,EAAGuB,iBAAiB,GACzGxiI,EAAQijI,sBAAwB,SAChC7B,EAAY,cAAe,SAASz0J,EAAIs0J,EAAGuB,0BAA0B71J,EAAIs0J,EAAGuB,sBAC5EpB,EAAY,mBAAoB,SAASz0J,EAAIs0J,EAAGwB,+BAA+B91J,EAAIs0J,EAAGwB,2BACtFrB,EAAY,OAAQ,mBACpBA,EAAY,OAAQ,6BACpBA,EAAY,UAAW,8BACxB,CAhFD,CAgFGT,EAAMA,EAAK3gI,SACd,IAAIkjI,EAAYvC,EAAK3gI,QACD5hC,OAAOu1I,OAAO,CAAEwvB,OAAO,IACzB/kK,OAAOu1I,OAAO,CAAC,GAWjC,MAAM2kB,EAAU,WACV8K,EAAuB,CAACngI,EAAIu1H,KAChC,MAAM6K,EAAO/K,EAAQx3H,KAAKmC,GACpBqgI,EAAOhL,EAAQx3H,KAAK03H,GAK1B,OAJI6K,GAAQC,IACVrgI,GAAMA,EACNu1H,GAAMA,GAEDv1H,IAAOu1H,EAAK,EAAI6K,IAASC,GAAQ,EAAIA,IAASD,EAAO,EAAIpgI,EAAKu1H,GAAM,EAAI,CAAC,EAGlF,IAAI+K,EAAc,CAChBC,mBAAoBJ,EACpBK,oBAH0B,CAACxgI,EAAIu1H,IAAO4K,EAAqB5K,EAAIv1H,IAKjE,MACM,WAAEk9H,EAAU,iBAAE5tB,GAAqB2tB,GACjCc,OAAQ12G,EAAI5wD,EAAGgqK,GAAOR,GAExB,mBAAEM,GAAuBD,EA0VF,G,mtIC7wFtB,IAAIrjI,EAAU,SAKVh8B,EAAuB,iBAARyD,MAAoBA,KAAKA,OAASA,MAAQA,MACxC,iBAAVqI,QAAsBA,OAAOA,SAAWA,QAAUA,QAC1Dk2F,SAAS,cAATA,IACA,CAAC,EAGAy9D,EAAa7tI,MAAMt1B,UAAWojK,EAAWxlK,OAAOoC,UAChDqjK,EAAgC,oBAAXl7H,OAAyBA,OAAOnoC,UAAY,KAGjEyE,EAAO0+J,EAAW1+J,KACzBb,EAAQu/J,EAAWv/J,MACnB,EAAWw/J,EAAS9qK,SACpB,EAAiB8qK,EAASx2I,eAGnB02I,EAA6C,oBAAhBzmD,YACpC0mD,EAAuC,oBAAbzmD,SAInB0mD,EAAgBluI,MAAMC,QAC7Bs+G,EAAaj2I,OAAO21B,KACpBkwI,EAAe7lK,OAAOrC,OACtBmoK,EAAeJ,GAAuBzmD,YAAY2E,OAG3CmiD,EAASljJ,MAChBmjJ,EAAYjtJ,SAGLktJ,GAAc,CAACvrK,SAAU,MAAMslI,qBAAqB,YACpDkmC,EAAqB,CAAC,UAAW,gBAAiB,WAC3D,uBAAwB,iBAAkB,kBAGjCC,EAAkBp8J,KAAKutD,IAAI,EAAG,IAAM,ECrChC,SAAS8uG,EAAcluI,EAAMmjI,GAE1C,OADAA,EAA2B,MAAdA,EAAqBnjI,EAAK/8B,OAAS,GAAKkgK,EAC9C,WAIL,IAHA,IAAIlgK,EAAS4O,KAAKkC,IAAIjI,UAAU7I,OAASkgK,EAAY,GACjDjuH,EAAO1V,MAAMv8B,GACb8lC,EAAQ,EACLA,EAAQ9lC,EAAQ8lC,IACrBmM,EAAKnM,GAASj9B,UAAUi9B,EAAQo6H,GAElC,OAAQA,GACN,KAAK,EAAG,OAAOnjI,EAAKp+B,KAAKX,KAAMi0C,GAC/B,KAAK,EAAG,OAAOlV,EAAKp+B,KAAKX,KAAM6K,UAAU,GAAIopC,GAC7C,KAAK,EAAG,OAAOlV,EAAKp+B,KAAKX,KAAM6K,UAAU,GAAIA,UAAU,GAAIopC,GAE7D,IAAItN,EAAOpI,MAAM2jI,EAAa,GAC9B,IAAKp6H,EAAQ,EAAGA,EAAQo6H,EAAYp6H,IAClCnB,EAAKmB,GAASj9B,UAAUi9B,GAG1B,OADAnB,EAAKu7H,GAAcjuH,EACZlV,EAAKrkB,MAAM1a,KAAM2mC,EAC1B,CACF,CCzBe,SAASoM,EAAShJ,GAC/B,IAAI9mC,SAAc8mC,EAClB,MAAgB,aAAT9mC,GAAiC,WAATA,KAAuB8mC,CACxD,CCHe,SAASmjI,EAAOnjI,GAC7B,OAAe,OAARA,CACT,CCFe,SAASojI,EAAYpjI,GAClC,YAAe,IAARA,CACT,CCAe,SAASqjI,EAAUrjI,GAChC,OAAe,IAARA,IAAwB,IAARA,GAAwC,qBAAvB,EAASppC,KAAKopC,EACxD,CCJe,SAASsjI,EAAUtjI,GAChC,SAAUA,GAAwB,IAAjBA,EAAIiW,SACvB,CCAe,SAASstH,EAAU7hK,GAChC,IAAImrH,EAAM,WAAanrH,EAAO,IAC9B,OAAO,SAASs+B,GACd,OAAO,EAASppC,KAAKopC,KAAS6sF,CAChC,CACF,CCNA,QAAe02C,EAAU,UCAzB,EAAeA,EAAU,UCAzB,EAAeA,EAAU,QCAzB,EAAeA,EAAU,UCAzB,EAAeA,EAAU,SCAzB,EAAeA,EAAU,UCAzB,EAAeA,EAAU,eCCzB,IAAI98H,EAAa88H,EAAU,YAIvBC,EAAW5gK,EAAKpD,UAAYoD,EAAKpD,SAAS47C,WACM,iBAAbmjE,WAA4C,mBAAZilD,IACrE/8H,EAAa,SAASzG,GACpB,MAAqB,mBAAPA,IAAqB,CACrC,GAGF,UCZA,EAAeujI,EAAU,UCOlB,IAAIE,EACLhB,KAAsB,kBAAkBjjI,KAAK3f,OAAOm8F,YAAc,EAAa,IAAIA,SAAS,IAAID,YAAY,MAE9G2nD,EAAyB,oBAAR1pC,KAAuB,EAAa,IAAIA,KCPzD2pC,EAAaJ,EAAU,YAU3B,QAAgBE,EAJhB,SAA6BzjI,GAC3B,OAAc,MAAPA,GAAe,EAAWA,EAAIm9E,UAAYkoB,EAAcrlG,EAAIy8E,OACrE,EAEuDknD,ECVvD,EAAejB,GAAiBa,EAAU,SCF3B,SAAS94I,EAAIuV,EAAKlmC,GAC/B,OAAc,MAAPkmC,GAAe,EAAeppC,KAAKopC,EAAKlmC,EACjD,CCFA,IAAI8pK,EAAcL,EAAU,cAI3B,WACMK,EAAY9iK,aACf8iK,EAAc,SAAS5jI,GACrB,OAAOvV,EAAIuV,EAAK,SAClB,EAEJ,CANA,GAQA,UCXe,SAAS,EAASA,GAC/B,OAAQ6kG,EAAS7kG,IAAQ8iI,EAAU9iI,KAASrgB,MAAM/J,WAAWoqB,GAC/D,CCFe,SAAS,EAAMA,GAC5B,OAAO6jI,EAAS7jI,IAAQ6iI,EAAO7iI,EACjC,CCLe,SAASknH,EAASjtJ,GAC/B,OAAO,WACL,OAAOA,CACT,CACF,CCFe,SAAS6pK,EAAwBC,GAC9C,OAAO,SAASnlK,GACd,IAAI+5F,EAAeorE,EAAgBnlK,GACnC,MAA8B,iBAAhB+5F,GAA4BA,GAAgB,GAAKA,GAAgBsqE,CACjF,CACF,CCPe,SAASe,GAAgBlqK,GACtC,OAAO,SAASkmC,GACd,OAAc,MAAPA,OAAc,EAASA,EAAIlmC,EACpC,CACF,CCFA,SAAekqK,GAAgB,cCE/B,GAAeF,EAAwB,ICCvC,IAAIG,GAAoB,8EAQxB,SAAezB,EAPf,SAAsBxiI,GAGpB,OAAO4iI,EAAgBA,EAAa5iI,KAAS,EAAWA,GAC1C,GAAaA,IAAQikI,GAAkBzkI,KAAK,EAAS5oC,KAAKopC,GAC1E,EAEoDknH,GAAS,GCX7D,GAAe8c,GAAgB,UCoBhB,SAASE,GAAoBlkI,EAAKvN,GAC/CA,EAhBF,SAAqBA,GAEnB,IADA,IAAIte,EAAO,CAAC,EACHstB,EAAIhP,EAAKx6B,OAAQyP,EAAI,EAAGA,EAAI+5B,IAAK/5B,EAAGyM,EAAKse,EAAK/qB,KAAM,EAC7D,MAAO,CACLmiC,SAAU,SAAS/vC,GAAO,OAAqB,IAAdqa,EAAKra,EAAe,EACrD6J,KAAM,SAAS7J,GAEb,OADAqa,EAAKra,IAAO,EACL24B,EAAK9uB,KAAK7J,EACnB,EAEJ,CAMSqqK,CAAY1xI,GACnB,IAAI2xI,EAAapB,EAAmB/qK,OAChCisC,EAAclE,EAAIkE,YAClByS,EAAS,EAAWzS,IAAgBA,EAAYhlC,WAAcojK,EAG9Dp2J,EAAO,cAGX,IAFIue,EAAIuV,EAAK9zB,KAAUumB,EAAKoX,SAAS39B,IAAOumB,EAAK9uB,KAAKuI,GAE/Ck4J,MACLl4J,EAAO82J,EAAmBoB,MACdpkI,GAAOA,EAAI9zB,KAAUyqC,EAAMzqC,KAAUumB,EAAKoX,SAAS39B,IAC7DumB,EAAK9uB,KAAKuI,EAGhB,CChCe,SAASumB,GAAKuN,GAC3B,IAAKgJ,EAAShJ,GAAM,MAAO,GAC3B,GAAI+yG,EAAY,OAAOA,EAAW/yG,GAClC,IAAIvN,EAAO,GACX,IAAK,IAAI34B,KAAOkmC,EAASvV,EAAIuV,EAAKlmC,IAAM24B,EAAK9uB,KAAK7J,GAGlD,OADIipK,GAAYmB,GAAoBlkI,EAAKvN,GAClCA,CACT,CCPe,SAASkO,GAAQX,GAC9B,GAAW,MAAPA,EAAa,OAAO,EAGxB,IAAI/nC,EAAS,GAAU+nC,GACvB,MAAqB,iBAAV/nC,IACTw8B,EAAQuL,IAAQ2F,EAAS3F,IAAQ,EAAYA,IAC1B,IAAX/nC,EACsB,IAAzB,GAAUw6B,GAAKuN,GACxB,CCde,SAASqkI,GAAQzkH,EAAQvjD,GACtC,IAAIioK,EAAQ7xI,GAAKp2B,GAAQpE,EAASqsK,EAAMrsK,OACxC,GAAc,MAAV2nD,EAAgB,OAAQ3nD,EAE5B,IADA,IAAI+nC,EAAMljC,OAAO8iD,GACRl4C,EAAI,EAAGA,EAAIzP,EAAQyP,IAAK,CAC/B,IAAI5N,EAAMwqK,EAAM58J,GAChB,GAAIrL,EAAMvC,KAASkmC,EAAIlmC,MAAUA,KAAOkmC,GAAM,OAAO,CACvD,CACA,OAAO,CACT,CCPe,SAAS5pC,GAAE4pC,GACxB,OAAIA,aAAe5pC,GAAU4pC,EACvB/pC,gBAAgBG,QACtBH,KAAKsuK,SAAWvkI,GADiB,IAAI5pC,GAAE4pC,EAEzC,CCLe,SAASwkI,GAAaC,GACnC,OAAO,IAAIplD,WACTolD,EAAahoD,QAAUgoD,EACvBA,EAAajhD,YAAc,EAC3B,GAAcihD,GAElB,CDCAruK,GAAEwoC,QAAUA,EAGZxoC,GAAE8I,UAAUjF,MAAQ,WAClB,OAAOhE,KAAKsuK,QACd,EAIAnuK,GAAE8I,UAAUgkI,QAAU9sI,GAAE8I,UAAUvC,OAASvG,GAAE8I,UAAUjF,MAEvD7D,GAAE8I,UAAU1H,SAAW,WACrB,OAAOqoB,OAAO5pB,KAAKsuK,SACrB,EEZA,IAAIG,GAAc,oBAGlB,SAAS9qG,GAAGvhD,EAAGvC,EAAG6uJ,EAAQC,GAGxB,GAAIvsJ,IAAMvC,EAAG,OAAa,IAANuC,GAAW,EAAIA,GAAM,EAAIvC,EAE7C,GAAS,MAALuC,GAAkB,MAALvC,EAAW,OAAO,EAEnC,GAAIuC,GAAMA,EAAG,OAAOvC,GAAMA,EAE1B,IAAI5c,SAAcmf,EAClB,OAAa,aAATnf,GAAgC,WAATA,GAAiC,iBAAL4c,IAChD+uJ,GAAOxsJ,EAAGvC,EAAG6uJ,EAAQC,EAC9B,CAGA,SAASC,GAAOxsJ,EAAGvC,EAAG6uJ,EAAQC,GAExBvsJ,aAAajiB,KAAGiiB,EAAIA,EAAEksJ,UACtBzuJ,aAAa1f,KAAG0f,EAAIA,EAAEyuJ,UAE1B,IAAIrzI,EAAY,EAASt6B,KAAKyhB,GAC9B,GAAI6Y,IAAc,EAASt6B,KAAKkf,GAAI,OAAO,EAE3C,GAAI2tJ,GAA+B,mBAAbvyI,GAAkC,EAAW7Y,GAAI,CACrE,IAAK,EAAWvC,GAAI,OAAO,EAC3Bob,EAAYwzI,EACd,CACA,OAAQxzI,GAEN,IAAK,kBAEL,IAAK,kBAGH,MAAO,GAAK7Y,GAAM,GAAKvC,EACzB,IAAK,kBAGH,OAAKuC,IAAOA,GAAWvC,IAAOA,EAEhB,IAANuC,EAAU,GAAKA,GAAM,EAAIvC,GAAKuC,IAAOvC,EAC/C,IAAK,gBACL,IAAK,mBAIH,OAAQuC,IAAOvC,EACjB,IAAK,kBACH,OAAOysJ,EAAYr/B,QAAQtsI,KAAKyhB,KAAOkqJ,EAAYr/B,QAAQtsI,KAAKkf,GAClE,IAAK,uBACL,KAAK4uJ,GAEH,OAAOG,GAAOL,GAAansJ,GAAImsJ,GAAa1uJ,GAAI6uJ,EAAQC,GAG5D,IAAIE,EAA0B,mBAAd5zI,EAChB,IAAK4zI,GAAa,GAAazsJ,GAAI,CAE/B,GADiB,GAAcA,KACZ,GAAcvC,GAAI,OAAO,EAC5C,GAAIuC,EAAEokG,SAAW3mG,EAAE2mG,QAAUpkG,EAAEmrG,aAAe1tG,EAAE0tG,WAAY,OAAO,EACnEshD,GAAY,CAChB,CACA,IAAKA,EAAW,CACd,GAAgB,iBAALzsJ,GAA6B,iBAALvC,EAAe,OAAO,EAIzD,IAAIivJ,EAAQ1sJ,EAAE6rB,YAAa8gI,EAAQlvJ,EAAEouB,YACrC,GAAI6gI,IAAUC,KAAW,EAAWD,IAAUA,aAAiBA,GACtC,EAAWC,IAAUA,aAAiBA,IACvC,gBAAiB3sJ,GAAK,gBAAiBvC,EAC7D,OAAO,CAEX,CAOA8uJ,EAASA,GAAU,GAEnB,IADA,IAAI3sK,GAFJ0sK,EAASA,GAAU,IAEC1sK,OACbA,KAGL,GAAI0sK,EAAO1sK,KAAYogB,EAAG,OAAOusJ,EAAO3sK,KAAY6d,EAQtD,GAJA6uJ,EAAOhhK,KAAK0U,GACZusJ,EAAOjhK,KAAKmS,GAGRgvJ,EAAW,CAGb,IADA7sK,EAASogB,EAAEpgB,UACI6d,EAAE7d,OAAQ,OAAO,EAEhC,KAAOA,KACL,IAAK2hE,GAAGvhD,EAAEpgB,GAAS6d,EAAE7d,GAAS0sK,EAAQC,GAAS,OAAO,CAE1D,KAAO,CAEL,IAAqB9qK,EAAjBwqK,EAAQ7xI,GAAKpa,GAGjB,GAFApgB,EAASqsK,EAAMrsK,OAEXw6B,GAAK3c,GAAG7d,SAAWA,EAAQ,OAAO,EACtC,KAAOA,KAGL,IAAMwyB,EAAI3U,EADVhc,EAAMwqK,EAAMrsK,MACS2hE,GAAGvhD,EAAEve,GAAMgc,EAAEhc,GAAM6qK,EAAQC,GAAU,OAAO,CAErE,CAIA,OAFAD,EAAO7oK,MACP8oK,EAAO9oK,OACA,CACT,CAGe,SAASonC,GAAQ7qB,EAAGvC,GACjC,OAAO8jD,GAAGvhD,EAAGvC,EACf,CCpIe,SAASmvJ,GAAQjlI,GAC9B,IAAKgJ,EAAShJ,GAAM,MAAO,GAC3B,IAAIvN,EAAO,GACX,IAAK,IAAI34B,KAAOkmC,EAAKvN,EAAK9uB,KAAK7J,GAG/B,OADIipK,GAAYmB,GAAoBlkI,EAAKvN,GAClCA,CACT,CCJO,SAASyyI,GAAgBniJ,GAC9B,IAAI9qB,EAAS,GAAU8qB,GACvB,OAAO,SAASid,GACd,GAAW,MAAPA,EAAa,OAAO,EAExB,IAAIvN,EAAOwyI,GAAQjlI,GACnB,GAAI,GAAUvN,GAAO,OAAO,EAC5B,IAAK,IAAI/qB,EAAI,EAAGA,EAAIzP,EAAQyP,IAC1B,IAAK,EAAWs4B,EAAIjd,EAAQrb,KAAM,OAAO,EAK3C,OAAOqb,IAAYoiJ,KAAmB,EAAWnlI,EAAIolI,IACvD,CACF,CAIA,IAAIA,GAAc,UAEdC,GAAa,CAAC,QAAS,UACvBC,GAAU,CAAC,MAFD,MAEiB,OAIpBC,GAAaF,GAAW/uI,OAAO8uI,GAAaE,IACnDH,GAAiBE,GAAW/uI,OAAOgvI,IACnCE,GAAa,CAAC,OAAOlvI,OAAO+uI,GAAYD,GAR9B,OCxBd,SAAe1B,EAASwB,GAAgBK,IAAchC,EAAU,OCAhE,GAAeG,EAASwB,GAAgBC,IAAkB5B,EAAU,WCApE,GAAeG,EAASwB,GAAgBM,IAAcjC,EAAU,OCFhE,GAAeA,EAAU,WCCV,SAASl6I,GAAO2W,GAI7B,IAHA,IAAIskI,EAAQ7xI,GAAKuN,GACb/nC,EAASqsK,EAAMrsK,OACfoxB,EAASmL,MAAMv8B,GACVyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAC1B2hB,EAAO3hB,GAAKs4B,EAAIskI,EAAM58J,IAExB,OAAO2hB,CACT,CCPe,SAAS2hB,GAAMhL,GAI5B,IAHA,IAAIskI,EAAQ7xI,GAAKuN,GACb/nC,EAASqsK,EAAMrsK,OACf+yC,EAAQxW,MAAMv8B,GACTyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAC1BsjC,EAAMtjC,GAAK,CAAC48J,EAAM58J,GAAIs4B,EAAIskI,EAAM58J,KAElC,OAAOsjC,CACT,CCTe,SAASC,GAAOjL,GAG7B,IAFA,IAAIjlC,EAAS,CAAC,EACVupK,EAAQ7xI,GAAKuN,GACRt4B,EAAI,EAAGzP,EAASqsK,EAAMrsK,OAAQyP,EAAIzP,EAAQyP,IACjD3M,EAAOilC,EAAIskI,EAAM58J,KAAO48J,EAAM58J,GAEhC,OAAO3M,CACT,CCPe,SAASswC,GAAUrL,GAChC,IAAIT,EAAQ,GACZ,IAAK,IAAIzlC,KAAOkmC,EACV,EAAWA,EAAIlmC,KAAOylC,EAAM57B,KAAK7J,GAEvC,OAAOylC,EAAMiG,MACf,CCRe,SAASigI,GAAeC,EAAUvjI,GAC/C,OAAO,SAASnC,GACd,IAAI/nC,EAAS6I,UAAU7I,OAEvB,GADIkqC,IAAUnC,EAAMljC,OAAOkjC,IACvB/nC,EAAS,GAAY,MAAP+nC,EAAa,OAAOA,EACtC,IAAK,IAAIjC,EAAQ,EAAGA,EAAQ9lC,EAAQ8lC,IAIlC,IAHA,IAAIluB,EAAS/O,UAAUi9B,GACnBtL,EAAOizI,EAAS71J,GAChB4xB,EAAIhP,EAAKx6B,OACJyP,EAAI,EAAGA,EAAI+5B,EAAG/5B,IAAK,CAC1B,IAAI5N,EAAM24B,EAAK/qB,GACVy6B,QAAyB,IAAbnC,EAAIlmC,KAAiBkmC,EAAIlmC,GAAO+V,EAAO/V,GAC1D,CAEF,OAAOkmC,CACT,CACF,CCbA,SAAeylI,GAAeR,ICE9B,GAAeQ,GAAehzI,ICF9B,GAAegzI,GAAeR,IAAS,GCKxB,SAASU,GAAWzmK,GACjC,IAAK8pC,EAAS9pC,GAAY,MAAO,CAAC,EAClC,GAAIyjK,EAAc,OAAOA,EAAazjK,GACtC,IAAI0mK,EAPG,WAAW,EAQlBA,EAAK1mK,UAAYA,EACjB,IAAInE,EAAS,IAAI6qK,EAEjB,OADAA,EAAK1mK,UAAY,KACVnE,CACT,CCXe,SAASN,GAAOyE,EAAWhE,GACxC,IAAIH,EAAS4qK,GAAWzmK,GAExB,OADIhE,GAAO2qK,GAAU9qK,EAAQG,GACtBH,CACT,CCLe,SAASuO,GAAM02B,GAC5B,OAAKgJ,EAAShJ,GACPvL,EAAQuL,GAAOA,EAAIl9B,QAAU4qB,GAAO,CAAC,EAAGsS,GADpBA,CAE7B,CCLe,SAAS8lI,GAAI9lI,EAAK+lI,GAE/B,OADAA,EAAY/lI,GACLA,CACT,CCDe,SAASgmI,GAAOzjK,GAC7B,OAAOkyB,EAAQlyB,GAAQA,EAAO,CAACA,EACjC,CCFe,SAAS,GAAOA,GAC7B,OAAOnM,GAAE4vK,OAAOzjK,EAClB,CCNe,SAAS0jK,GAAQjmI,EAAKz9B,GAEnC,IADA,IAAItK,EAASsK,EAAKtK,OACTyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAAK,CAC/B,GAAW,MAAPs4B,EAAa,OACjBA,EAAMA,EAAIz9B,EAAKmF,GACjB,CACA,OAAOzP,EAAS+nC,OAAM,CACxB,CCAe,SAAShiB,GAAI4hC,EAAQr9C,EAAMxI,GACxC,IAAIE,EAAQgsK,GAAQrmH,EAAQ,GAAOr9C,IACnC,OAAO6gK,EAAYnpK,GAASF,EAAeE,CAC7C,CCLe,SAAS,GAAI+lC,EAAKz9B,GAG/B,IADA,IAAItK,GADJsK,EAAO,GAAOA,IACItK,OACTyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAAK,CAC/B,IAAI5N,EAAMyI,EAAKmF,GACf,IAAK,EAAKs4B,EAAKlmC,GAAM,OAAO,EAC5BkmC,EAAMA,EAAIlmC,EACZ,CACA,QAAS7B,CACX,CCde,SAASiuK,GAASjsK,GAC/B,OAAOA,CACT,CCEe,SAASivC,GAAQ7sC,GAE9B,OADAA,EAAQwpK,GAAU,CAAC,EAAGxpK,GACf,SAAS2jC,GACd,OAAOqkI,GAAQrkI,EAAK3jC,EACtB,CACF,CCLe,SAAS69C,GAAS33C,GAE/B,OADAA,EAAO,GAAOA,GACP,SAASy9B,GACd,OAAOimI,GAAQjmI,EAAKz9B,EACtB,CACF,CCPe,SAAS4jK,GAAWnxI,EAAM31B,EAAS8qI,GAChD,QAAgB,IAAZ9qI,EAAoB,OAAO21B,EAC/B,OAAoB,MAAZm1G,EAAmB,EAAIA,GAC7B,KAAK,EAAG,OAAO,SAASlwI,GACtB,OAAO+6B,EAAKp+B,KAAKyI,EAASpF,EAC5B,EAEA,KAAK,EAAG,OAAO,SAASA,EAAO8jC,EAAOn/B,GACpC,OAAOo2B,EAAKp+B,KAAKyI,EAASpF,EAAO8jC,EAAOn/B,EAC1C,EACA,KAAK,EAAG,OAAO,SAASwnK,EAAansK,EAAO8jC,EAAOn/B,GACjD,OAAOo2B,EAAKp+B,KAAKyI,EAAS+mK,EAAansK,EAAO8jC,EAAOn/B,EACvD,EAEF,OAAO,WACL,OAAOo2B,EAAKrkB,MAAMtR,EAASyB,UAC7B,CACF,CCTe,SAASulK,GAAapsK,EAAOoF,EAAS8qI,GACnD,OAAa,MAATlwI,EAAsBisK,GACtB,EAAWjsK,GAAeksK,GAAWlsK,EAAOoF,EAAS8qI,GACrDnhG,EAAS/uC,KAAWw6B,EAAQx6B,GAAeivC,GAAQjvC,GAChDigD,GAASjgD,EAClB,CCVe,SAASmlC,GAASnlC,EAAOoF,GACtC,OAAOgnK,GAAapsK,EAAOoF,EAASwlF,IACtC,CCFe,SAAStwD,GAAGt6B,EAAOoF,EAAS8qI,GACzC,OAAI/zI,GAAEgpC,WAAaA,GAAiBhpC,GAAEgpC,SAASnlC,EAAOoF,GAC/CgnK,GAAapsK,EAAOoF,EAAS8qI,EACtC,CCJe,SAASm8B,GAAUtmI,EAAKZ,EAAU//B,GAC/C+/B,EAAW7K,GAAG6K,EAAU//B,GAIxB,IAHA,IAAIilK,EAAQ7xI,GAAKuN,GACb/nC,EAASqsK,EAAMrsK,OACf0F,EAAU,CAAC,EACNogC,EAAQ,EAAGA,EAAQ9lC,EAAQ8lC,IAAS,CAC3C,IAAIwoI,EAAajC,EAAMvmI,GACvBpgC,EAAQ4oK,GAAcnnI,EAASY,EAAIumI,GAAaA,EAAYvmI,EAC9D,CACA,OAAOriC,CACT,CCde,SAASkgD,KAAO,CCGhB,SAAS2oH,GAAWxmI,GACjC,OAAW,MAAPA,EAAoB6d,GACjB,SAASt7C,GACd,OAAOyb,GAAIgiB,EAAKz9B,EAClB,CACF,CCNe,SAAS8yD,GAAM/oD,EAAG8yB,EAAU//B,GACzC,IAAIonK,EAAQjyI,MAAM3tB,KAAKkC,IAAI,EAAGuD,IAC9B8yB,EAAW+mI,GAAW/mI,EAAU//B,EAAS,GACzC,IAAK,IAAIqI,EAAI,EAAGA,EAAI4E,EAAG5E,IAAK++J,EAAM/+J,GAAK03B,EAAS13B,GAChD,OAAO++J,CACT,CCPe,SAAS/oC,GAAOnyH,EAAKxC,GAKlC,OAJW,MAAPA,IACFA,EAAMwC,EACNA,EAAM,GAEDA,EAAM1E,KAAKwB,MAAMxB,KAAK62H,UAAY30H,EAAMwC,EAAM,GACvD,ChBCAnV,GAAE4vK,OAASA,GUCX5vK,GAAEgpC,SAAWA,GORb,SAAepnB,KAAK4U,KAAO,WACzB,OAAO,IAAI5U,MAAOtT,SACpB,ECCe,SAASgiK,GAAc1jK,GACpC,IAAI2jK,EAAU,SAAShxJ,GACrB,OAAO3S,EAAI2S,EACb,EAEI9F,EAAS,MAAQ4iB,GAAKzvB,GAAKtL,KAAK,KAAO,IACvCkvK,EAAah6H,OAAO/8B,GACpBg3J,EAAgBj6H,OAAO/8B,EAAQ,KACnC,OAAO,SAASyF,GAEd,OADAA,EAAmB,MAAVA,EAAiB,GAAK,GAAKA,EAC7BsxJ,EAAWpnI,KAAKlqB,GAAUA,EAAO/K,QAAQs8J,EAAeF,GAAWrxJ,CAC5E,CACF,CCfA,UACE,IAAK,QACL,IAAK,OACL,IAAK,OACL,IAAK,SACL,IAAK,SACL,IAAK,UCHP,GAAeoxJ,GAAc,ICA7B,GAAeA,GCAAz7H,GAAO,KCAtB,GAAe70C,GAAE0wK,iBAAmB,CAClCjrH,SAAU,kBACVkrH,YAAa,mBACbvkI,OAAQ,oBCAV,IAAIwkI,GAAU,OAIVC,GAAU,CACZ,IAAK,IACL,KAAM,KACN,KAAM,IACN,KAAM,IACN,SAAU,QACV,SAAU,SAGR/6H,GAAe,4BAEnB,SAASg7H,GAAWvxJ,GAClB,MAAO,KAAOsxJ,GAAQtxJ,EACxB,CAOA,IAAIwxJ,GAAiB,mBAMN,SAAStqH,GAAStlD,EAAM80B,EAAU+6I,IAC1C/6I,GAAY+6I,IAAa/6I,EAAW+6I,GACzC/6I,EAAW8V,GAAS,CAAC,EAAG9V,EAAUj2B,GAAE0wK,kBAGpC,IAAI59H,EAAU0D,OAAO,EAClBvgB,EAASmW,QAAUwkI,IAASn3J,QAC5Bwc,EAAS06I,aAAeC,IAASn3J,QACjCwc,EAASwvB,UAAYmrH,IAASn3J,QAC/BnY,KAAK,KAAO,KAAM,KAGhBqmC,EAAQ,EACRluB,EAAS,SACbtY,EAAKgT,QAAQ2+B,GAAS,SAASvzB,EAAO6sB,EAAQukI,EAAalrH,EAAUyJ,GAanE,OAZAz1C,GAAUtY,EAAKuL,MAAMi7B,EAAOunB,GAAQ/6C,QAAQ2hC,GAAcg7H,IAC1DnpI,EAAQunB,EAAS3vC,EAAM1d,OAEnBuqC,EACF3yB,GAAU,cAAgB2yB,EAAS,iCAC1BukI,EACTl3J,GAAU,cAAgBk3J,EAAc,uBAC/BlrH,IACThsC,GAAU,OAASgsC,EAAW,YAIzBlmC,CACT,IACA9F,GAAU,OAEV,IAgBIme,EAhBAstF,EAAWjvF,EAASg7I,SACxB,GAAI/rD,GAEF,IAAK6rD,GAAe3nI,KAAK87E,GAAW,MAAM,IAAIz8G,MAC5C,sCAAwCy8G,QAI1CzrG,EAAS,mBAAqBA,EAAS,MACvCyrG,EAAW,MAGbzrG,EAAS,4FAEPA,EAAS,gBAGX,IACEme,EAAS,IAAI42E,SAAS0W,EAAU,IAAKzrG,EACvC,CAAE,MAAOjF,GAEP,MADAA,EAAEiF,OAASA,EACLjF,CACR,CAEA,IAAIiyC,EAAW,SAASvjD,GACtB,OAAO00B,EAAOp3B,KAAKX,KAAMqD,EAAMlD,GACjC,EAKA,OAFAymD,EAAShtC,OAAS,YAAcyrG,EAAW,OAASzrG,EAAS,IAEtDgtC,CACT,CC9Fe,SAAS9hD,GAAOilC,EAAKz9B,EAAM+kK,GAExC,IAAIrvK,GADJsK,EAAO,GAAOA,IACItK,OAClB,IAAKA,EACH,OAAO,EAAWqvK,GAAYA,EAAS1wK,KAAKopC,GAAOsnI,EAErD,IAAK,IAAI5/J,EAAI,EAAGA,EAAIzP,EAAQyP,IAAK,CAC/B,IAAIwE,EAAc,MAAP8zB,OAAc,EAASA,EAAIz9B,EAAKmF,SAC9B,IAATwE,IACFA,EAAOo7J,EACP5/J,EAAIzP,GAEN+nC,EAAM,EAAW9zB,GAAQA,EAAKtV,KAAKopC,GAAO9zB,CAC5C,CACA,OAAO8zB,CACT,CCnBA,IAAIunI,GAAY,EACD,SAASrnI,GAASmsB,GAC/B,IAAI7wD,IAAO+rK,GAAY,GACvB,OAAOl7G,EAASA,EAAS7wD,EAAKA,CAChC,CCHe,SAASgvC,GAAMxK,GAC5B,IAAI+I,EAAW3yC,GAAE4pC,GAEjB,OADA+I,EAASy+H,QAAS,EACXz+H,CACT,CCDe,SAAS0+H,GAAaC,EAAYC,EAAWtoK,EAASuoK,EAAgBhrI,GACnF,KAAMgrI,aAA0BD,GAAY,OAAOD,EAAW/2J,MAAMtR,EAASu9B,GAC7E,IAAIv2B,EAAOs/J,GAAW+B,EAAWxoK,WAC7BnE,EAAS2sK,EAAW/2J,MAAMtK,EAAMu2B,GACpC,OAAIoM,EAASjuC,GAAgBA,EACtBsL,CACT,CCJA,IAAIwhK,GAAU3E,GAAc,SAASluI,EAAM2qG,GACzC,IAAIptE,EAAcs1G,GAAQt1G,YACtBu1G,EAAQ,WAGV,IAFA,IAAI3wJ,EAAW,EAAGlf,EAAS0nI,EAAU1nI,OACjC2kC,EAAOpI,MAAMv8B,GACRyP,EAAI,EAAGA,EAAIzP,EAAQyP,IAC1Bk1B,EAAKl1B,GAAKi4H,EAAUj4H,KAAO6qD,EAAczxD,UAAUqW,KAAcwoH,EAAUj4H,GAE7E,KAAOyP,EAAWrW,UAAU7I,QAAQ2kC,EAAKj5B,KAAK7C,UAAUqW,MACxD,OAAOswJ,GAAazyI,EAAM8yI,EAAO7xK,KAAMA,KAAM2mC,EAC/C,EACA,OAAOkrI,CACT,IAEAD,GAAQt1G,YAAcn8D,GACtB,YCjBA,GAAe8sK,GAAc,SAASluI,EAAM31B,EAASu9B,GACnD,IAAK,EAAW5H,GAAO,MAAM,IAAIqf,UAAU,qCAC3C,IAAIyzH,EAAQ5E,GAAc,SAAS6E,GACjC,OAAON,GAAazyI,EAAM8yI,EAAOzoK,EAASpJ,KAAM2mC,EAAKtG,OAAOyxI,GAC9D,IACA,OAAOD,CACT,ICLA,GAAehE,EAAwB,ICDxB,SAASkE,GAAQ1qI,EAAO9/B,EAAOyqK,EAAQx3H,GAEpD,GADAA,EAASA,GAAU,GACdjzC,GAAmB,IAAVA,GAEP,GAAIA,GAAS,EAClB,OAAOizC,EAAOna,OAAOgH,QAFrB9/B,EAAQqnF,IAKV,IADA,IAAIviE,EAAMmuB,EAAOx4C,OACRyP,EAAI,EAAGzP,EAAS,GAAUqlC,GAAQ51B,EAAIzP,EAAQyP,IAAK,CAC1D,IAAIzN,EAAQqjC,EAAM51B,GAClB,GAAI,GAAYzN,KAAWw6B,EAAQx6B,IAAU,EAAYA,IAEvD,GAAIuD,EAAQ,EACVwqK,GAAQ/tK,EAAOuD,EAAQ,EAAGyqK,EAAQx3H,GAClCnuB,EAAMmuB,EAAOx4C,YAGb,IADA,IAAIwP,EAAI,EAAG0oC,EAAMl2C,EAAMhC,OAChBwP,EAAI0oC,GAAKM,EAAOnuB,KAASroB,EAAMwN,UAE9BwgK,IACVx3H,EAAOnuB,KAASroB,EAEpB,CACA,OAAOw2C,CACT,CCvBA,SAAeyyH,GAAc,SAASljI,EAAKvN,GAEzC,IAAIsL,GADJtL,EAAOu1I,GAAQv1I,GAAM,GAAO,IACXx6B,OACjB,GAAI8lC,EAAQ,EAAG,MAAM,IAAIl/B,MAAM,yCAC/B,KAAOk/B,KAAS,CACd,IAAIjkC,EAAM24B,EAAKsL,GACfiC,EAAIlmC,GAAOL,GAAKumC,EAAIlmC,GAAMkmC,EAC5B,CACA,OAAOA,CACT,ICbe,SAASkoI,GAAQlzI,EAAMmzI,GACpC,IAAID,EAAU,SAASpuK,GACrB,IAAI6wD,EAAQu9G,EAAQv9G,MAChBmpG,EAAU,IAAMqU,EAASA,EAAOx3J,MAAM1a,KAAM6K,WAAahH,GAE7D,OADK2wB,EAAIkgC,EAAOmpG,KAAUnpG,EAAMmpG,GAAW9+H,EAAKrkB,MAAM1a,KAAM6K,YACrD6pD,EAAMmpG,EACf,EAEA,OADAoU,EAAQv9G,MAAQ,CAAC,EACVu9G,CACT,CCRA,SAAehF,GAAc,SAASluI,EAAM8O,EAAMlH,GAChD,OAAO5jB,YAAW,WAChB,OAAOgc,EAAKrkB,MAAM,KAAMisB,EAC1B,GAAGkH,EACL,ICFA,GAAe,GAAQhyB,GAAO1b,GAAG,GCClB,SAASgyK,GAASpzI,EAAM8O,EAAM/sC,GAC3C,IAAIE,EAASoI,EAASu9B,EAAM7hC,EACxB0oC,EAAW,EACV1sC,IAASA,EAAU,CAAC,GAEzB,IAAIsxK,EAAQ,WACV5kI,GAA+B,IAApB1sC,EAAQuxK,QAAoB,EAAI17I,KAC3C31B,EAAU,KACV8D,EAASi6B,EAAKrkB,MAAMtR,EAASu9B,GACxB3lC,IAASoI,EAAUu9B,EAAO,KACjC,EAEI2rI,EAAY,WACd,IAAIC,EAAO57I,KACN6W,IAAgC,IAApB1sC,EAAQuxK,UAAmB7kI,EAAW+kI,GACvD,IAAI5nI,EAAYkD,GAAQ0kI,EAAO/kI,GAc/B,OAbApkC,EAAUpJ,KACV2mC,EAAO97B,UACH8/B,GAAa,GAAKA,EAAYkD,GAC5B7sC,IACFi2B,aAAaj2B,GACbA,EAAU,MAEZwsC,EAAW+kI,EACXztK,EAASi6B,EAAKrkB,MAAMtR,EAASu9B,GACxB3lC,IAASoI,EAAUu9B,EAAO,OACrB3lC,IAAgC,IAArBF,EAAQsB,WAC7BpB,EAAU+hB,WAAWqvJ,EAAOznI,IAEvB7lC,CACT,EAQA,OANAwtK,EAAUxiK,OAAS,WACjBmnB,aAAaj2B,GACbwsC,EAAW,EACXxsC,EAAUoI,EAAUu9B,EAAO,IAC7B,EAEO2rI,CACT,CCvCe,SAAS9jJ,GAASuQ,EAAM8O,EAAM2kI,GAC3C,IAAIxxK,EAASwsC,EAAU7G,EAAM7hC,EAAQsE,EAEjCgpK,EAAQ,WACV,IAAI3hC,EAAS95G,KAAQ6W,EACjBK,EAAO4iG,EACTzvI,EAAU+hB,WAAWqvJ,EAAOvkI,EAAO4iG,IAEnCzvI,EAAU,KACLwxK,IAAW1tK,EAASi6B,EAAKrkB,MAAMtR,EAASu9B,IAExC3lC,IAAS2lC,EAAOv9B,EAAU,MAEnC,EAEIqpK,EAAYxF,GAAc,SAASyF,GAQrC,OAPAtpK,EAAUpJ,KACV2mC,EAAO+rI,EACPllI,EAAW7W,KACN31B,IACHA,EAAU+hB,WAAWqvJ,EAAOvkI,GACxB2kI,IAAW1tK,EAASi6B,EAAKrkB,MAAMtR,EAASu9B,KAEvC7hC,CACT,IAOA,OALA2tK,EAAU3iK,OAAS,WACjBmnB,aAAaj2B,GACbA,EAAU2lC,EAAOv9B,EAAU,IAC7B,EAEOqpK,CACT,CClCe,SAASt3G,GAAKp8B,EAAMi8B,GACjC,OAAO,GAAQA,EAASj8B,EAC1B,CCNe,SAAS4zI,GAAOpmB,GAC7B,OAAO,WACL,OAAQA,EAAU7xI,MAAM1a,KAAM6K,UAChC,CACF,CCHe,SAAS+nK,KACtB,IAAIjsI,EAAO97B,UACPq7B,EAAQS,EAAK3kC,OAAS,EAC1B,OAAO,WAGL,IAFA,IAAIyP,EAAIy0B,EACJphC,EAAS6hC,EAAKT,GAAOxrB,MAAM1a,KAAM6K,WAC9B4G,KAAK3M,EAAS6hC,EAAKl1B,GAAG9Q,KAAKX,KAAM8E,GACxC,OAAOA,CACT,CACF,CCVe,SAASswE,GAAMhW,EAAOrgC,GACnC,OAAO,WACL,KAAMqgC,EAAQ,EACZ,OAAOrgC,EAAKrkB,MAAM1a,KAAM6K,UAE5B,CACF,CCLe,SAAS8nF,GAAOvzB,EAAOrgC,GACpC,IAAIsW,EACJ,OAAO,WAKL,QAJM+pB,EAAQ,IACZ/pB,EAAOtW,EAAKrkB,MAAM1a,KAAM6K,YAEtBu0D,GAAS,IAAGrgC,EAAO,MAChBsW,CACT,CACF,CCNA,SAAe,GAAQs9C,GAAQ,GCDhB,SAASkgF,GAAQ9oI,EAAKwiH,EAAWnjJ,GAC9CmjJ,EAAYjuH,GAAGiuH,EAAWnjJ,GAE1B,IADA,IAAuBvF,EAAnBwqK,EAAQ7xI,GAAKuN,GACRt4B,EAAI,EAAGzP,EAASqsK,EAAMrsK,OAAQyP,EAAIzP,EAAQyP,IAEjD,GAAI86I,EAAUxiH,EADdlmC,EAAMwqK,EAAM58J,IACY5N,EAAKkmC,GAAM,OAAOlmC,CAE9C,CCPe,SAASivK,GAA2BhiH,GACjD,OAAO,SAASniB,EAAO49G,EAAWnjJ,GAChCmjJ,EAAYjuH,GAAGiuH,EAAWnjJ,GAG1B,IAFA,IAAIpH,EAAS,GAAU2sC,GACnB7G,EAAQgpB,EAAM,EAAI,EAAI9uD,EAAS,EAC5B8lC,GAAS,GAAKA,EAAQ9lC,EAAQ8lC,GAASgpB,EAC5C,GAAIy7F,EAAU59G,EAAM7G,GAAQA,EAAO6G,GAAQ,OAAO7G,EAEpD,OAAQ,CACV,CACF,CCXA,SAAegrI,GAA2B,GCA1C,GAAeA,IAA4B,GCE5B,SAASC,GAAYpkI,EAAO5E,EAAKZ,EAAU//B,GAIxD,IAFA,IAAIpF,GADJmlC,EAAW7K,GAAG6K,EAAU//B,EAAS,IACZ2gC,GACjB6tG,EAAM,EAAGo7B,EAAO,GAAUrkI,GACvBipG,EAAMo7B,GAAM,CACjB,IAAIC,EAAMriK,KAAKwB,OAAOwlI,EAAMo7B,GAAQ,GAChC7pI,EAASwF,EAAMskI,IAAQjvK,EAAO4zI,EAAMq7B,EAAM,EAAQD,EAAOC,CAC/D,CACA,OAAOr7B,CACT,CCTe,SAASs7B,GAAkBpiH,EAAKqiH,EAAeJ,GAC5D,OAAO,SAASpkI,EAAOhU,EAAMtO,GAC3B,IAAI5a,EAAI,EAAGzP,EAAS,GAAU2sC,GAC9B,GAAkB,iBAAPtiB,EACLykC,EAAM,EACRr/C,EAAI4a,GAAO,EAAIA,EAAMzb,KAAKkC,IAAIuZ,EAAMrqB,EAAQyP,GAE5CzP,EAASqqB,GAAO,EAAIzb,KAAK0E,IAAI+W,EAAM,EAAGrqB,GAAUqqB,EAAMrqB,EAAS,OAE5D,GAAI+wK,GAAe1mJ,GAAOrqB,EAE/B,OAAO2sC,EADPtiB,EAAM0mJ,EAAYpkI,EAAOhU,MACHA,EAAOtO,GAAO,EAEtC,GAAIsO,GAASA,EAEX,OADAtO,EAAM8mJ,EAActmK,EAAMlM,KAAKguC,EAAOl9B,EAAGzP,GAAS,KACpC,EAAIqqB,EAAM5a,GAAK,EAE/B,IAAK4a,EAAMykC,EAAM,EAAIr/C,EAAIzP,EAAS,EAAGqqB,GAAO,GAAKA,EAAMrqB,EAAQqqB,GAAOykC,EACpE,GAAIniB,EAAMtiB,KAASsO,EAAM,OAAOtO,EAElC,OAAQ,CACV,CACF,CCnBA,SAAe6mJ,GAAkB,EAAGr+H,GAAWk+H,ICH/C,GAAeG,IAAmB,EAAGp+H,ICAtB,SAAS/yC,GAAKgoC,EAAKwiH,EAAWnjJ,GAC3C,IACIvF,GADY,GAAYkmC,GAAO8K,GAAYg+H,IAC3B9oI,EAAKwiH,EAAWnjJ,GACpC,QAAY,IAARvF,IAA2B,IAATA,EAAY,OAAOkmC,EAAIlmC,EAC/C,CCJe,SAAS0sC,GAAUxG,EAAK3jC,GACrC,OAAOrE,GAAKgoC,EAAKkJ,GAAQ7sC,GAC3B,CCCe,SAAS/F,GAAK0pC,EAAKZ,EAAU//B,GAE1C,IAAIqI,EAAGzP,EACP,GAFAmnC,EAAW+mI,GAAW/mI,EAAU//B,GAE5B,GAAY2gC,GACd,IAAKt4B,EAAI,EAAGzP,EAAS+nC,EAAI/nC,OAAQyP,EAAIzP,EAAQyP,IAC3C03B,EAASY,EAAIt4B,GAAIA,EAAGs4B,OAEjB,CACL,IAAIskI,EAAQ7xI,GAAKuN,GACjB,IAAKt4B,EAAI,EAAGzP,EAASqsK,EAAMrsK,OAAQyP,EAAIzP,EAAQyP,IAC7C03B,EAASY,EAAIskI,EAAM58J,IAAK48J,EAAM58J,GAAIs4B,EAEtC,CACA,OAAOA,CACT,CCjBe,SAASh9B,GAAIg9B,EAAKZ,EAAU//B,GACzC+/B,EAAW7K,GAAG6K,EAAU//B,GAIxB,IAHA,IAAIilK,GAAS,GAAYtkI,IAAQvN,GAAKuN,GAClC/nC,GAAUqsK,GAAStkI,GAAK/nC,OACxB0F,EAAU62B,MAAMv8B,GACX8lC,EAAQ,EAAGA,EAAQ9lC,EAAQ8lC,IAAS,CAC3C,IAAIwoI,EAAajC,EAAQA,EAAMvmI,GAASA,EACxCpgC,EAAQogC,GAASqB,EAASY,EAAIumI,GAAaA,EAAYvmI,EACzD,CACA,OAAOriC,CACT,CCVe,SAAS0rK,GAAatiH,GAkBnC,OAAO,SAAS/mB,EAAKZ,EAAUkM,EAAMjsC,GACnC,IAAI4qC,EAAUnpC,UAAU7I,QAAU,EAClC,OAjBY,SAAS+nC,EAAKZ,EAAUkM,EAAMrB,GAC1C,IAAIq6H,GAAS,GAAYtkI,IAAQvN,GAAKuN,GAClC/nC,GAAUqsK,GAAStkI,GAAK/nC,OACxB8lC,EAAQgpB,EAAM,EAAI,EAAI9uD,EAAS,EAKnC,IAJKgyC,IACHqB,EAAOtL,EAAIskI,EAAQA,EAAMvmI,GAASA,GAClCA,GAASgpB,GAEJhpB,GAAS,GAAKA,EAAQ9lC,EAAQ8lC,GAASgpB,EAAK,CACjD,IAAIw/G,EAAajC,EAAQA,EAAMvmI,GAASA,EACxCuN,EAAOlM,EAASkM,EAAMtL,EAAIumI,GAAaA,EAAYvmI,EACrD,CACA,OAAOsL,CACT,CAISg+H,CAAQtpI,EAAKmmI,GAAW/mI,EAAU//B,EAAS,GAAIisC,EAAMrB,EAC9D,CACF,CCvBA,SAAeo/H,GAAa,GCD5B,GAAeA,IAAc,GCCd,SAAShlK,GAAO27B,EAAKwiH,EAAWnjJ,GAC7C,IAAI1B,EAAU,GAKd,OAJA6kJ,EAAYjuH,GAAGiuH,EAAWnjJ,GAC1B/I,GAAK0pC,GAAK,SAAS/lC,EAAO8jC,EAAO9M,GAC3BuxH,EAAUvoJ,EAAO8jC,EAAO9M,IAAOtzB,EAAQgG,KAAK1J,EAClD,IACO0D,CACT,CCNe,SAASgO,GAAOq0B,EAAKwiH,EAAWnjJ,GAC7C,OAAOgF,GAAO27B,EAAK4oI,GAAOr0I,GAAGiuH,IAAanjJ,EAC5C,CCFe,SAASqqC,GAAM1J,EAAKwiH,EAAWnjJ,GAC5CmjJ,EAAYjuH,GAAGiuH,EAAWnjJ,GAG1B,IAFA,IAAIilK,GAAS,GAAYtkI,IAAQvN,GAAKuN,GAClC/nC,GAAUqsK,GAAStkI,GAAK/nC,OACnB8lC,EAAQ,EAAGA,EAAQ9lC,EAAQ8lC,IAAS,CAC3C,IAAIwoI,EAAajC,EAAQA,EAAMvmI,GAASA,EACxC,IAAKykH,EAAUxiH,EAAIumI,GAAaA,EAAYvmI,GAAM,OAAO,CAC3D,CACA,OAAO,CACT,CCTe,SAASgG,GAAKhG,EAAKwiH,EAAWnjJ,GAC3CmjJ,EAAYjuH,GAAGiuH,EAAWnjJ,GAG1B,IAFA,IAAIilK,GAAS,GAAYtkI,IAAQvN,GAAKuN,GAClC/nC,GAAUqsK,GAAStkI,GAAK/nC,OACnB8lC,EAAQ,EAAGA,EAAQ9lC,EAAQ8lC,IAAS,CAC3C,IAAIwoI,EAAajC,EAAQA,EAAMvmI,GAASA,EACxC,GAAIykH,EAAUxiH,EAAIumI,GAAaA,EAAYvmI,GAAM,OAAO,CAC1D,CACA,OAAO,CACT,CCTe,SAAS6J,GAAS7J,EAAKpP,EAAMg5G,EAAW2/B,GAGrD,OAFK,GAAYvpI,KAAMA,EAAM3W,GAAO2W,KACZ,iBAAb4pG,GAAyB2/B,KAAO3/B,EAAY,GAChDjuI,GAAQqkC,EAAKpP,EAAMg5G,IAAc,CAC1C,CCFA,SAAes5B,GAAc,SAASljI,EAAKz9B,EAAMq6B,GAC/C,IAAI4sI,EAAax0I,EAQjB,OAPI,EAAWzyB,GACbyyB,EAAOzyB,GAEPA,EAAO,GAAOA,GACdinK,EAAcjnK,EAAKO,MAAM,GAAI,GAC7BP,EAAOA,EAAKA,EAAKtK,OAAS,IAErB+K,GAAIg9B,GAAK,SAAS3gC,GACvB,IAAIxG,EAASm8B,EACb,IAAKn8B,EAAQ,CAIX,GAHI2wK,GAAeA,EAAYvxK,SAC7BoH,EAAU4mK,GAAQ5mK,EAASmqK,IAEd,MAAXnqK,EAAiB,OACrBxG,EAASwG,EAAQkD,EACnB,CACA,OAAiB,MAAV1J,EAAiBA,EAASA,EAAO8X,MAAMtR,EAASu9B,EACzD,GACF,ICvBe,SAAS+J,GAAM3G,EAAKlmC,GACjC,OAAOkJ,GAAIg9B,EAAKka,GAASpgD,GAC3B,CCDe,SAASwsC,GAAMtG,EAAK3jC,GACjC,OAAOgI,GAAO27B,EAAKkJ,GAAQ7sC,GAC7B,CCDe,SAAS0M,GAAIi3B,EAAKZ,EAAU//B,GACzC,IACIpF,EAAOgnB,EADPlmB,GAAS,IAAW0uK,GAAe,IAEvC,GAAgB,MAAZrqI,GAAwC,iBAAZA,GAAyC,iBAAVY,EAAI,IAAyB,MAAPA,EAEnF,IAAK,IAAIt4B,EAAI,EAAGzP,GADhB+nC,EAAM,GAAYA,GAAOA,EAAM3W,GAAO2W,IACT/nC,OAAQyP,EAAIzP,EAAQyP,IAElC,OADbzN,EAAQ+lC,EAAIt4B,KACSzN,EAAQc,IAC3BA,EAASd,QAIbmlC,EAAW7K,GAAG6K,EAAU//B,GACxB/I,GAAK0pC,GAAK,SAASmsB,EAAGpuB,EAAO9M,KAC3BhQ,EAAWme,EAAS+sB,EAAGpuB,EAAO9M,IACfw4I,GAAiBxoJ,KAAa,KAAalmB,KAAW,OACnEA,EAASoxD,EACTs9G,EAAexoJ,EAEnB,IAEF,OAAOlmB,CACT,CCtBe,SAASwQ,GAAIy0B,EAAKZ,EAAU//B,GACzC,IACIpF,EAAOgnB,EADPlmB,EAAS8pF,IAAU4kF,EAAe5kF,IAEtC,GAAgB,MAAZzlD,GAAwC,iBAAZA,GAAyC,iBAAVY,EAAI,IAAyB,MAAPA,EAEnF,IAAK,IAAIt4B,EAAI,EAAGzP,GADhB+nC,EAAM,GAAYA,GAAOA,EAAM3W,GAAO2W,IACT/nC,OAAQyP,EAAIzP,EAAQyP,IAElC,OADbzN,EAAQ+lC,EAAIt4B,KACSzN,EAAQc,IAC3BA,EAASd,QAIbmlC,EAAW7K,GAAG6K,EAAU//B,GACxB/I,GAAK0pC,GAAK,SAASmsB,EAAGpuB,EAAO9M,KAC3BhQ,EAAWme,EAAS+sB,EAAGpuB,EAAO9M,IACfw4I,GAAiBxoJ,IAAa4jE,KAAY9pF,IAAW8pF,OAClE9pF,EAASoxD,EACTs9G,EAAexoJ,EAEnB,IAEF,OAAOlmB,CACT,CCnBA,IAAI2uK,GAAc,mEACH,SAAS3/H,GAAQ/J,GAC9B,OAAKA,EACDvL,EAAQuL,GAAal9B,EAAMlM,KAAKopC,GAChC2F,EAAS3F,GAEJA,EAAIrqB,MAAM+zJ,IAEf,GAAY1pI,GAAah9B,GAAIg9B,EAAKkmI,IAC/B78I,GAAO2W,GAPG,EAQnB,CCTe,SAASyK,GAAOzK,EAAK1zB,EAAGi9J,GACrC,GAAS,MAALj9J,GAAai9J,EAEf,OADK,GAAYvpI,KAAMA,EAAM3W,GAAO2W,IAC7BA,EAAI09F,GAAO19F,EAAI/nC,OAAS,IAEjC,IAAIwyC,EAASV,GAAQ/J,GACjB/nC,EAAS,GAAUwyC,GACvBn+B,EAAIzF,KAAKkC,IAAIlC,KAAK0E,IAAIe,EAAGrU,GAAS,GAElC,IADA,IAAImyC,EAAOnyC,EAAS,EACX8lC,EAAQ,EAAGA,EAAQzxB,EAAGyxB,IAAS,CACtC,IAAI4rI,EAAOjsC,GAAO3/F,EAAOqM,GACrBksB,EAAO7rB,EAAO1M,GAClB0M,EAAO1M,GAAS0M,EAAOk/H,GACvBl/H,EAAOk/H,GAAQrzG,CACjB,CACA,OAAO7rB,EAAO3nC,MAAM,EAAGwJ,EACzB,CCvBe,SAASi+B,GAAQvK,GAC9B,OAAOyK,GAAOzK,EAAK6kD,IACrB,CCAe,SAASn+C,GAAO1G,EAAKZ,EAAU//B,GAC5C,IAAI0+B,EAAQ,EAEZ,OADAqB,EAAW7K,GAAG6K,EAAU//B,GACjBsnC,GAAM3jC,GAAIg9B,GAAK,SAAS/lC,EAAOH,EAAKm3B,GACzC,MAAO,CACLh3B,MAAOA,EACP8jC,MAAOA,IACP6rI,SAAUxqI,EAASnlC,EAAOH,EAAKm3B,GAEnC,IAAGuU,MAAK,SAASnuB,EAAM2vC,GACrB,IAAI3uC,EAAIhB,EAAKuyJ,SACT9zJ,EAAIkxC,EAAM4iH,SACd,GAAIvxJ,IAAMvC,EAAG,CACX,GAAIuC,EAAIvC,QAAW,IAANuC,EAAc,OAAO,EAClC,GAAIA,EAAIvC,QAAW,IAANA,EAAc,OAAQ,CACrC,CACA,OAAOuB,EAAK0mB,MAAQipB,EAAMjpB,KAC5B,IAAI,QACN,CCnBe,SAAS44C,GAAMkzF,EAAUn/H,GACtC,OAAO,SAAS1K,EAAKZ,EAAU//B,GAC7B,IAAItE,EAAS2vC,EAAY,CAAC,GAAI,IAAM,CAAC,EAMrC,OALAtL,EAAW7K,GAAG6K,EAAU//B,GACxB/I,GAAK0pC,GAAK,SAAS/lC,EAAO8jC,GACxB,IAAIjkC,EAAMslC,EAASnlC,EAAO8jC,EAAOiC,GACjC6pI,EAAS9uK,EAAQd,EAAOH,EAC1B,IACOiB,CACT,CACF,CCTA,SAAe47E,IAAM,SAAS57E,EAAQd,EAAOH,GACvC2wB,EAAI1vB,EAAQjB,GAAMiB,EAAOjB,GAAK6J,KAAK1J,GAAac,EAAOjB,GAAO,CAACG,EACrE,ICHA,GAAe08E,IAAM,SAAS57E,EAAQd,EAAOH,GAC3CiB,EAAOjB,GAAOG,CAChB,ICAA,GAAe08E,IAAM,SAAS57E,EAAQd,EAAOH,GACvC2wB,EAAI1vB,EAAQjB,GAAMiB,EAAOjB,KAAaiB,EAAOjB,GAAO,CAC1D,ICJA,GAAe68E,IAAM,SAAS57E,EAAQd,EAAO6vK,GAC3C/uK,EAAO+uK,EAAO,EAAI,GAAGnmK,KAAK1J,EAC5B,IAAG,GCFY,SAAS0P,GAAKq2B,GAC3B,OAAW,MAAPA,EAAoB,EACjB,GAAYA,GAAOA,EAAI/nC,OAASw6B,GAAKuN,GAAK/nC,MACnD,CCLe,SAAS8xK,GAAS9vK,EAAOH,EAAKkmC,GAC3C,OAAOlmC,KAAOkmC,CAChB,CCIA,SAAekjI,GAAc,SAASljI,EAAKvN,GACzC,IAAI13B,EAAS,CAAC,EAAGqkC,EAAW3M,EAAK,GACjC,GAAW,MAAPuN,EAAa,OAAOjlC,EACpB,EAAWqkC,IACT3M,EAAKx6B,OAAS,IAAGmnC,EAAW+mI,GAAW/mI,EAAU3M,EAAK,KAC1DA,EAAOwyI,GAAQjlI,KAEfZ,EAAW2qI,GACXt3I,EAAOu1I,GAAQv1I,GAAM,GAAO,GAC5BuN,EAAMljC,OAAOkjC,IAEf,IAAK,IAAIt4B,EAAI,EAAGzP,EAASw6B,EAAKx6B,OAAQyP,EAAIzP,EAAQyP,IAAK,CACrD,IAAI5N,EAAM24B,EAAK/qB,GACXzN,EAAQ+lC,EAAIlmC,GACZslC,EAASnlC,EAAOH,EAAKkmC,KAAMjlC,EAAOjB,GAAOG,EAC/C,CACA,OAAOc,CACT,IChBA,GAAemoK,GAAc,SAASljI,EAAKvN,GACzC,IAAwBpzB,EAApB+/B,EAAW3M,EAAK,GAUpB,OATI,EAAW2M,IACbA,EAAWwpI,GAAOxpI,GACd3M,EAAKx6B,OAAS,IAAGoH,EAAUozB,EAAK,MAEpCA,EAAOzvB,GAAIglK,GAAQv1I,GAAM,GAAO,GAAQ5S,QACxCuf,EAAW,SAASnlC,EAAOH,GACzB,OAAQ+vC,GAASpX,EAAM34B,EACzB,GAEKyL,GAAKy6B,EAAKZ,EAAU//B,EAC7B,IChBe,SAAS4qC,GAAQrF,EAAOt4B,EAAGi9J,GACxC,OAAOzmK,EAAMlM,KAAKguC,EAAO,EAAG/9B,KAAKkC,IAAI,EAAG67B,EAAM3sC,QAAe,MAALqU,GAAai9J,EAAQ,EAAIj9J,IACnF,CCHe,SAASi6B,GAAM3B,EAAOt4B,EAAGi9J,GACtC,OAAa,MAAT3kI,GAAiBA,EAAM3sC,OAAS,EAAe,MAALqU,GAAai9J,OAAQ,EAAS,GACnE,MAALj9J,GAAai9J,EAAc3kI,EAAM,GAC9BqF,GAAQrF,EAAOA,EAAM3sC,OAASqU,EACvC,CCHe,SAAS49B,GAAKtF,EAAOt4B,EAAGi9J,GACrC,OAAOzmK,EAAMlM,KAAKguC,EAAY,MAALt4B,GAAai9J,EAAQ,EAAIj9J,EACpD,CCHe,SAAS89B,GAAKxF,EAAOt4B,EAAGi9J,GACrC,OAAa,MAAT3kI,GAAiBA,EAAM3sC,OAAS,EAAe,MAALqU,GAAai9J,OAAQ,EAAS,GACnE,MAALj9J,GAAai9J,EAAc3kI,EAAMA,EAAM3sC,OAAS,GAC7CiyC,GAAKtF,EAAO/9B,KAAKkC,IAAI,EAAG67B,EAAM3sC,OAASqU,GAChD,CCLe,SAAS09J,GAAQplI,GAC9B,OAAOvgC,GAAOugC,EAAO7c,QACvB,CCDe,SAAS,GAAQ6c,EAAOpnC,GACrC,OAAO,GAASonC,EAAOpnC,GAAO,EAChC,CCCA,SAAe0lK,GAAc,SAASt+H,EAAOsF,GAE3C,OADAA,EAAO89H,GAAQ99H,GAAM,GAAM,GACpB7lC,GAAOugC,GAAO,SAAS3qC,GAC5B,OAAQ4vC,GAASK,EAAMjwC,EACzB,GACF,ICRA,GAAeipK,GAAc,SAASt+H,EAAOqlI,GAC3C,OAAO3/H,GAAW1F,EAAOqlI,EAC3B,ICIe,SAASC,GAAKtlI,EAAOulI,EAAU/qI,EAAU//B,GACjDgkK,EAAU8G,KACb9qK,EAAU+/B,EACVA,EAAW+qI,EACXA,GAAW,GAEG,MAAZ/qI,IAAkBA,EAAW7K,GAAG6K,EAAU//B,IAG9C,IAFA,IAAItE,EAAS,GACTqvK,EAAO,GACF1iK,EAAI,EAAGzP,EAAS,GAAU2sC,GAAQl9B,EAAIzP,EAAQyP,IAAK,CAC1D,IAAIzN,EAAQ2qC,EAAMl9B,GACduZ,EAAWme,EAAWA,EAASnlC,EAAOyN,EAAGk9B,GAAS3qC,EAClDkwK,IAAa/qI,GACV13B,GAAK0iK,IAASnpJ,GAAUlmB,EAAO4I,KAAK1J,GACzCmwK,EAAOnpJ,GACEme,EACJyK,GAASugI,EAAMnpJ,KAClBmpJ,EAAKzmK,KAAKsd,GACVlmB,EAAO4I,KAAK1J,IAEJ4vC,GAAS9uC,EAAQd,IAC3Bc,EAAO4I,KAAK1J,EAEhB,CACA,OAAOc,CACT,CC7BA,SAAemoK,GAAc,SAASmH,GACpC,OAAOH,GAAKlC,GAAQqC,GAAQ,GAAM,GACpC,ICHe,SAASn0E,GAAatxD,GAGnC,IAFA,IAAI7pC,EAAS,GACT45H,EAAa7zH,UAAU7I,OAClByP,EAAI,EAAGzP,EAAS,GAAU2sC,GAAQl9B,EAAIzP,EAAQyP,IAAK,CAC1D,IAAIkpB,EAAOgU,EAAMl9B,GACjB,IAAImiC,GAAS9uC,EAAQ61B,GAArB,CACA,IAAInpB,EACJ,IAAKA,EAAI,EAAGA,EAAIktH,GACT9qF,GAAS/oC,UAAU2G,GAAImpB,GADFnpB,KAGxBA,IAAMktH,GAAY55H,EAAO4I,KAAKitB,EALE,CAMtC,CACA,OAAO71B,CACT,CCZe,SAASuvK,GAAM1lI,GAI5B,IAHA,IAAI3sC,EAAU2sC,GAAS77B,GAAI67B,EAAO,IAAW3sC,QAAW,EACpD8C,EAASy5B,MAAMv8B,GAEV8lC,EAAQ,EAAGA,EAAQ9lC,EAAQ8lC,IAClChjC,EAAOgjC,GAAS4I,GAAM/B,EAAO7G,GAE/B,OAAOhjC,CACT,CCTA,SAAemoK,EAAcoH,ICAd,SAAS1qH,GAAO3uB,EAAM5H,GAEnC,IADA,IAAItuB,EAAS,CAAC,EACL2M,EAAI,EAAGzP,EAAS,GAAUg5B,GAAOvpB,EAAIzP,EAAQyP,IAChD2hB,EACFtuB,EAAOk2B,EAAKvpB,IAAM2hB,EAAO3hB,GAEzB3M,EAAOk2B,EAAKvpB,GAAG,IAAMupB,EAAKvpB,GAAG,GAGjC,OAAO3M,CACT,CCZe,SAASwhC,GAAMJ,EAAO1qB,EAAMwpB,GAC7B,MAARxpB,IACFA,EAAO0qB,GAAS,EAChBA,EAAQ,GAELlB,IACHA,EAAOxpB,EAAO0qB,GAAS,EAAI,GAM7B,IAHA,IAAIlkC,EAAS4O,KAAKkC,IAAIlC,KAAKU,MAAMkK,EAAO0qB,GAASlB,GAAO,GACpDsB,EAAQ/H,MAAMv8B,GAETqqB,EAAM,EAAGA,EAAMrqB,EAAQqqB,IAAO6Z,GAASlB,EAC9CsB,EAAMja,GAAO6Z,EAGf,OAAOI,CACT,CChBe,SAASguI,GAAM3lI,EAAOv4B,GACnC,GAAa,MAATA,GAAiBA,EAAQ,EAAG,MAAO,GAGvC,IAFA,IAAItR,EAAS,GACT2M,EAAI,EAAGzP,EAAS2sC,EAAM3sC,OACnByP,EAAIzP,GACT8C,EAAO4I,KAAKb,EAAMlM,KAAKguC,EAAOl9B,EAAGA,GAAK2E,IAExC,OAAOtR,CACT,CCTe,SAASyvK,GAAYzhI,EAAU/I,GAC5C,OAAO+I,EAASy+H,OAASpxK,GAAE4pC,GAAKwK,QAAUxK,CAC5C,CCEe,SAASzS,GAAMyS,GAS5B,OARA1pC,GAAK+0C,GAAUrL,IAAM,SAASt+B,GAC5B,IAAIszB,EAAO5+B,GAAEsL,GAAQs+B,EAAIt+B,GACzBtL,GAAE8I,UAAUwC,GAAQ,WAClB,IAAIk7B,EAAO,CAAC3mC,KAAKsuK,UAEjB,OADA5gK,EAAKgN,MAAMisB,EAAM97B,WACV0pK,GAAYv0K,KAAM++B,EAAKrkB,MAAMva,GAAGwmC,GACzC,CACF,IACOxmC,EACT,CCXAE,GAAK,CAAC,MAAO,OAAQ,UAAW,QAAS,OAAQ,SAAU,YAAY,SAASoL,GAC9E,IAAI7I,EAASwpK,EAAW3gK,GACxBtL,GAAE8I,UAAUwC,GAAQ,WAClB,IAAIs+B,EAAM/pC,KAAKsuK,SAOf,OANW,MAAPvkI,IACFnnC,EAAO8X,MAAMqvB,EAAKl/B,WACJ,UAATY,GAA6B,WAATA,GAAqC,IAAfs+B,EAAI/nC,eAC1C+nC,EAAI,IAGRwqI,GAAYv0K,KAAM+pC,EAC3B,CACF,IAGA1pC,GAAK,CAAC,SAAU,OAAQ,UAAU,SAASoL,GACzC,IAAI7I,EAASwpK,EAAW3gK,GACxBtL,GAAE8I,UAAUwC,GAAQ,WAClB,IAAIs+B,EAAM/pC,KAAKsuK,SAEf,OADW,MAAPvkI,IAAaA,EAAMnnC,EAAO8X,MAAMqvB,EAAKl/B,YAClC0pK,GAAYv0K,KAAM+pC,EAC3B,CACF,IAEA,YCRA,IAAI,GAAIzS,GAAM,GAEd,GAAEn3B,EAAI,GAEN,W,GCzBImiD,EAA2B,CAAC,EAGhC,SAASinD,EAAoBhnD,GAE5B,IAAIiyH,EAAelyH,EAAyBC,GAC5C,QAAqBniD,IAAjBo0K,EACH,OAAOA,EAAa/rI,QAGrB,IAAI+X,EAAS8B,EAAyBC,GAAY,CACjDh9C,GAAIg9C,EACJkyH,QAAQ,EACRhsI,QAAS,CAAC,GAUX,OANAiT,EAAoB6G,GAAU5hD,KAAK6/C,EAAO/X,QAAS+X,EAAQA,EAAO/X,QAAS8gE,GAG3E/oD,EAAOi0H,QAAS,EAGTj0H,EAAO/X,OACf,CAGA8gE,EAAoBrqF,EAAIw8B,EvwB5BpBj8C,EAAW,GACf8pG,EAAoB2c,EAAI,CAACphH,EAAQ4vK,EAAUloK,EAAImoK,KAC9C,IAAGD,EAAH,CAMA,IAAIE,EAAehmF,IACnB,IAASn9E,EAAI,EAAGA,EAAIhS,EAASuC,OAAQyP,IAAK,CACrCijK,EAAWj1K,EAASgS,GAAG,GACvBjF,EAAK/M,EAASgS,GAAG,GACjBkjK,EAAWl1K,EAASgS,GAAG,GAE3B,IAJA,IAGIojK,GAAY,EACPrjK,EAAI,EAAGA,EAAIkjK,EAAS1yK,OAAQwP,MACpB,EAAXmjK,GAAsBC,GAAgBD,IAAa9tK,OAAO21B,KAAK+sE,EAAoB2c,GAAGzyE,OAAO5vC,GAAS0lG,EAAoB2c,EAAEriH,GAAK6wK,EAASljK,MAC9IkjK,EAAShmI,OAAOl9B,IAAK,IAErBqjK,GAAY,EACTF,EAAWC,IAAcA,EAAeD,IAG7C,GAAGE,EAAW,CACbp1K,EAASivC,OAAOj9B,IAAK,GACrB,IAAI+yB,EAAIh4B,SACEpM,IAANokC,IAAiB1/B,EAAS0/B,EAC/B,CACD,CACA,OAAO1/B,CArBP,CAJC6vK,EAAWA,GAAY,EACvB,IAAI,IAAIljK,EAAIhS,EAASuC,OAAQyP,EAAI,GAAKhS,EAASgS,EAAI,GAAG,GAAKkjK,EAAUljK,IAAKhS,EAASgS,GAAKhS,EAASgS,EAAI,GACrGhS,EAASgS,GAAK,CAACijK,EAAUloK,EAAImoK,EAuBjB,EwwB3BdprE,EAAoBlzF,EAAKmqC,IACxB,IAAIgC,EAAShC,GAAUA,EAAOiC,WAC7B,IAAOjC,EAAiB,QACxB,IAAM,EAEP,OADA+oD,EAAoB1vD,EAAE2I,EAAQ,CAAEpgC,EAAGogC,IAC5BA,CAAM,ECLd+mD,EAAoB1vD,EAAI,CAACpR,EAASia,KACjC,IAAI,IAAI7+C,KAAO6+C,EACX6mD,EAAoBjlE,EAAEoe,EAAY7+C,KAAS0lG,EAAoBjlE,EAAEmE,EAAS5kC,IAC5EgD,OAAOovB,eAAewS,EAAS5kC,EAAK,CAAEy5C,YAAY,EAAMv1B,IAAK26B,EAAW7+C,IAE1E,ECND0lG,EAAoB6V,EAAI,CAAC,EAGzB7V,EAAoB50F,EAAKmgK,GACjBnpK,QAAQ0/B,IAAIxkC,OAAO21B,KAAK+sE,EAAoB6V,GAAGjsE,QAAO,CAAC4hI,EAAUlxK,KACvE0lG,EAAoB6V,EAAEv7G,GAAKixK,EAASC,GAC7BA,IACL,KCNJxrE,EAAoB4V,EAAK21D,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCH9IvrE,EAAoBrpF,EAAI,WACvB,GAA0B,iBAAfwuF,WAAyB,OAAOA,WAC3C,IACC,OAAO1uG,MAAQ,IAAI2uG,SAAS,cAAb,EAChB,CAAE,MAAOh6F,GACR,GAAsB,iBAAXxQ,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBolG,EAAoBjlE,EAAI,CAACyF,EAAK9zB,IAAUpP,OAAOoC,UAAU4sB,eAAel1B,KAAKopC,EAAK9zB,G5wBA9EvW,EAAa,CAAC,EACdC,EAAoB,aAExB4pG,EAAoB/9D,EAAI,CAACroC,EAAK8W,EAAMpW,EAAKixK,KACxC,GAAGp1K,EAAWyD,GAAQzD,EAAWyD,GAAKuK,KAAKuM,OAA3C,CACA,IAAIkjB,EAAQ63I,EACZ,QAAW50K,IAARyD,EAEF,IADA,IAAIoxK,EAAU1rK,SAASC,qBAAqB,UACpCiI,EAAI,EAAGA,EAAIwjK,EAAQjzK,OAAQyP,IAAK,CACvC,IAAI6N,EAAI21J,EAAQxjK,GAChB,GAAG6N,EAAE7V,aAAa,QAAUtG,GAAOmc,EAAE7V,aAAa,iBAAmB9J,EAAoBkE,EAAK,CAAEs5B,EAAS7d,EAAG,KAAO,CACpH,CAEG6d,IACH63I,GAAa,GACb73I,EAAS5zB,SAAS8L,cAAc,WAEzB6/J,QAAU,QACjB/3I,EAAOn8B,QAAU,IACbuoG,EAAoB4rE,IACvBh4I,EAAOnf,aAAa,QAASurF,EAAoB4rE,IAElDh4I,EAAOnf,aAAa,eAAgBre,EAAoBkE,GAExDs5B,EAAO/nB,IAAMjS,GAEdzD,EAAWyD,GAAO,CAAC8W,GACnB,IAAIm7J,EAAmB,CAACpoI,EAAM9mB,KAE7BiX,EAAOE,QAAUF,EAAOzoB,OAAS,KACjCuiB,aAAaj2B,GACb,IAAIq0K,EAAU31K,EAAWyD,GAIzB,UAHOzD,EAAWyD,GAClBg6B,EAAO6jB,YAAc7jB,EAAO6jB,WAAWp/B,YAAYub,GACnDk4I,GAAWA,EAAQnoK,SAASV,GAAQA,EAAG0Z,KACpC8mB,EAAM,OAAOA,EAAK9mB,EAAM,EAExBllB,EAAU+hB,WAAWqyJ,EAAiB5xK,KAAK,UAAMpD,EAAW,CAAE6C,KAAM,UAAWwK,OAAQ0vB,IAAW,MACtGA,EAAOE,QAAU+3I,EAAiB5xK,KAAK,KAAM25B,EAAOE,SACpDF,EAAOzoB,OAAS0gK,EAAiB5xK,KAAK,KAAM25B,EAAOzoB,QACnDsgK,GAAczrK,SAAS+zB,KAAK/b,YAAY4b,EApCkB,CAoCX,E6wBvChDosE,EAAoB/kE,EAAKiE,IACH,oBAAX2I,QAA0BA,OAAO84D,aAC1CrjG,OAAOovB,eAAewS,EAAS2I,OAAO84D,YAAa,CAAElmG,MAAO,WAE7D6C,OAAOovB,eAAewS,EAAS,aAAc,CAAEzkC,OAAO,GAAO,ECL9DulG,EAAoB+rE,IAAO90H,IAC1BA,EAAO+0H,MAAQ,GACV/0H,EAAOjqC,WAAUiqC,EAAOjqC,SAAW,IACjCiqC,GCHR+oD,EAAoB/3F,EAAI,K,MCAxB,IAAIgkK,EACAjsE,EAAoBrpF,EAAE6tH,gBAAeynC,EAAYjsE,EAAoBrpF,EAAEhD,SAAW,IACtF,IAAI3T,EAAWggG,EAAoBrpF,EAAE3W,SACrC,IAAKisK,GAAajsK,IACbA,EAASksK,eAAkE,WAAjDlsK,EAASksK,cAAc1jI,QAAQ7uC,gBAC5DsyK,EAAYjsK,EAASksK,cAAcrgK,MAC/BogK,GAAW,CACf,IAAIP,EAAU1rK,EAASC,qBAAqB,UAC5C,GAAGyrK,EAAQjzK,OAEV,IADA,IAAIyP,EAAIwjK,EAAQjzK,OAAS,EAClByP,GAAK,KAAO+jK,IAAc,aAAajsI,KAAKisI,KAAaA,EAAYP,EAAQxjK,KAAK2D,GAE3F,CAID,IAAKogK,EAAW,MAAM,IAAI5sK,MAAM,yDAChC4sK,EAAYA,EAAUlhK,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpFi1F,EAAoBlpF,EAAIm1J,C,WClBxBjsE,EAAoB1pF,EAAItW,SAASmsK,SAAWtlK,KAAK8M,SAAShY,KAK1D,IAAIywK,EAAkB,CACrB,KAAM,GAGPpsE,EAAoB6V,EAAE5tG,EAAI,CAACsjK,EAASC,KAElC,IAAIa,EAAqBrsE,EAAoBjlE,EAAEqxI,EAAiBb,GAAWa,EAAgBb,QAAW10K,EACtG,GAA0B,IAAvBw1K,EAGF,GAAGA,EACFb,EAASrnK,KAAKkoK,EAAmB,QAC3B,CAGL,IAAI19J,EAAU,IAAIvM,SAAQ,CAACC,EAAS8J,IAAYkgK,EAAqBD,EAAgBb,GAAW,CAAClpK,EAAS8J,KAC1Gq/J,EAASrnK,KAAKkoK,EAAmB,GAAK19J,GAGtC,IAAI/U,EAAMomG,EAAoBlpF,EAAIkpF,EAAoB4V,EAAE21D,GAEpDp0K,EAAQ,IAAIkI,MAgBhB2gG,EAAoB/9D,EAAEroC,GAfF+iB,IACnB,GAAGqjF,EAAoBjlE,EAAEqxI,EAAiBb,KAEf,KAD1Bc,EAAqBD,EAAgBb,MACRa,EAAgBb,QAAW10K,GACrDw1K,GAAoB,CACtB,IAAIC,EAAY3vJ,IAAyB,SAAfA,EAAMjjB,KAAkB,UAAYijB,EAAMjjB,MAChE6yK,EAAU5vJ,GAASA,EAAMzY,QAAUyY,EAAMzY,OAAO2H,IACpD1U,EAAM6J,QAAU,iBAAmBuqK,EAAU,cAAgBe,EAAY,KAAOC,EAAU,IAC1Fp1K,EAAM+K,KAAO,iBACb/K,EAAMuC,KAAO4yK,EACbn1K,EAAMoH,QAAUguK,EAChBF,EAAmB,GAAGl1K,EACvB,CACD,GAEwC,SAAWo0K,EAASA,EAE/D,CACD,EAWFvrE,EAAoB2c,EAAE10G,EAAKsjK,GAA0C,IAA7Ba,EAAgBb,GAGxD,IAAIiB,EAAuB,CAACC,EAA4B3yK,KACvD,IAKIk/C,EAAUuyH,EALVJ,EAAWrxK,EAAK,GAChB4yK,EAAc5yK,EAAK,GACnBomG,EAAUpmG,EAAK,GAGIoO,EAAI,EAC3B,GAAGijK,EAAS3kI,MAAMxqC,GAAgC,IAAxBowK,EAAgBpwK,KAAa,CACtD,IAAIg9C,KAAY0zH,EACZ1sE,EAAoBjlE,EAAE2xI,EAAa1zH,KACrCgnD,EAAoBrqF,EAAEqjC,GAAY0zH,EAAY1zH,IAGhD,GAAGknD,EAAS,IAAI3kG,EAAS2kG,EAAQF,EAClC,CAEA,IADGysE,GAA4BA,EAA2B3yK,GACrDoO,EAAIijK,EAAS1yK,OAAQyP,IACzBqjK,EAAUJ,EAASjjK,GAChB83F,EAAoBjlE,EAAEqxI,EAAiBb,IAAYa,EAAgBb,IACrEa,EAAgBb,GAAS,KAE1Ba,EAAgBb,GAAW,EAE5B,OAAOvrE,EAAoB2c,EAAEphH,EAAO,EAGjCoxK,EAAqB9lK,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1F8lK,EAAmBhpK,QAAQ6oK,EAAqBvyK,KAAK,KAAM,IAC3D0yK,EAAmBxoK,KAAOqoK,EAAqBvyK,KAAK,KAAM0yK,EAAmBxoK,KAAKlK,KAAK0yK,G,KCvFvF3sE,EAAoB4rE,QAAK/0K,ECGzB,IAAI+1K,EAAsB5sE,EAAoB2c,OAAE9lH,EAAW,CAAC,OAAO,IAAOmpG,EAAoB,SAC9F4sE,EAAsB5sE,EAAoB2c,EAAEiwD,E","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/webpack/runtime/load script","webpack:///nextcloud/core/src/OC/notification.js","webpack:///nextcloud/core/src/OC/xhr-error.js","webpack:///nextcloud/core/src/OC/apps.js","webpack:///nextcloud/core/src/OCP/appconfig.js","webpack:///nextcloud/core/src/OC/appconfig.js","webpack:///nextcloud/core/src/OC/appswebroots.js","webpack:///nextcloud/core/src/OC/backbone-webdav.js","webpack:///nextcloud/core/src/OC/backbone.js","webpack:///nextcloud/core/src/OC/query-string.js","webpack:///nextcloud/core/src/OC/config.js","webpack:///nextcloud/core/src/OC/currentuser.js","webpack:///nextcloud/core/src/OC/dialogs.js","webpack:///nextcloud/core/src/OC/requesttoken.js","webpack:///nextcloud/core/src/OC/eventsource.js","webpack:///nextcloud/core/src/OC/menu.js","webpack:///nextcloud/core/src/OC/constants.js","webpack:///nextcloud/core/src/OC/admin.js","webpack:///nextcloud/core/src/OC/l10n.js","webpack:///nextcloud/core/src/OC/routing.js","webpack:///nextcloud/core/src/OC/msg.js","webpack:///nextcloud/core/src/OC/password-confirmation.js","webpack:///nextcloud/core/src/OC/plugins.js","webpack:///nextcloud/core/src/OC/theme.js","webpack:///nextcloud/core/src/OC/util-history.js","webpack:///nextcloud/core/src/OC/util.js","webpack:///nextcloud/core/src/OC/debug.js","webpack:///nextcloud/core/src/OC/webroot.js","webpack:///nextcloud/core/src/OC/index.js","webpack:///nextcloud/core/src/OC/capabilities.js","webpack:///nextcloud/core/src/OC/host.js","webpack:///nextcloud/core/src/OC/get_set.js","webpack:///nextcloud/core/src/OC/navigation.js","webpack:///nextcloud/core/src/session-heartbeat.js","webpack://nextcloud/./core/src/views/ContactsMenu.vue?f71b","webpack:///nextcloud/node_modules/vue-material-design-icons/Contacts.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Contacts.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/Contacts.vue?4000","webpack:///nextcloud/node_modules/vue-material-design-icons/Contacts.vue?vue&type=template&id=10f997f1","webpack:///nextcloud/core/src/components/ContactsMenu/Contact.vue","webpack:///nextcloud/core/src/components/ContactsMenu/Contact.vue?vue&type=script&lang=js","webpack://nextcloud/./core/src/components/ContactsMenu/Contact.vue?2ea4","webpack://nextcloud/./core/src/components/ContactsMenu/Contact.vue?217f","webpack://nextcloud/./core/src/components/ContactsMenu/Contact.vue?8e49","webpack:///nextcloud/core/src/logger.js","webpack:///nextcloud/core/src/mixins/Nextcloud.js","webpack:///nextcloud/core/src/views/ContactsMenu.vue","webpack:///nextcloud/core/src/views/ContactsMenu.vue?vue&type=script&lang=js","webpack://nextcloud/./core/src/views/ContactsMenu.vue?bbcb","webpack://nextcloud/./core/src/views/ContactsMenu.vue?1de5","webpack:///nextcloud/core/src/components/AppMenu.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Circle.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Circle.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/Circle.vue?4490","webpack:///nextcloud/node_modules/vue-material-design-icons/Circle.vue?vue&type=template&id=cd98ea1e","webpack:///nextcloud/core/src/components/AppMenuIcon.vue?vue&type=script&setup=true&lang=ts","webpack:///nextcloud/core/src/components/AppMenuIcon.vue","webpack://nextcloud/./core/src/components/AppMenuIcon.vue?12a3","webpack://nextcloud/./core/src/components/AppMenuIcon.vue?1caa","webpack:///nextcloud/core/src/components/AppMenuEntry.vue?vue&type=script&setup=true&lang=ts","webpack:///nextcloud/core/src/components/AppMenuEntry.vue","webpack://nextcloud/./core/src/components/AppMenuEntry.vue?ddef","webpack://nextcloud/./core/src/components/AppMenuEntry.vue?a797","webpack://nextcloud/./core/src/components/AppMenuEntry.vue?d04a","webpack:///nextcloud/core/src/components/AppMenu.vue?vue&type=script&lang=ts","webpack://nextcloud/./core/src/components/AppMenu.vue?7b0b","webpack://nextcloud/./core/src/components/AppMenu.vue?95cf","webpack:///nextcloud/core/src/components/AccountMenu/AccountMenuProfileEntry.vue","webpack:///nextcloud/core/src/components/AccountMenu/AccountMenuProfileEntry.vue?vue&type=script&lang=ts","webpack://nextcloud/./core/src/components/AccountMenu/AccountMenuProfileEntry.vue?1cd5","webpack:///nextcloud/core/src/components/AccountMenu/AccountMenuEntry.vue","webpack:///nextcloud/core/src/components/AccountMenu/AccountMenuEntry.vue?vue&type=script&lang=js","webpack://nextcloud/./core/src/components/AccountMenu/AccountMenuEntry.vue?43ac","webpack://nextcloud/./core/src/components/AccountMenu/AccountMenuEntry.vue?d55f","webpack://nextcloud/./core/src/components/AccountMenu/AccountMenuEntry.vue?7210","webpack:///nextcloud/core/src/views/AccountMenu.vue","webpack:///nextcloud/apps/user_status/src/services/statusOptionsService.js","webpack:///nextcloud/core/src/views/AccountMenu.vue?vue&type=script&lang=ts","webpack://nextcloud/./core/src/views/AccountMenu.vue?268d","webpack://nextcloud/./core/src/views/AccountMenu.vue?8823","webpack:///nextcloud/core/src/utils/xhr-request.js","webpack:///nextcloud/core/src/utils/ClipboardFallback.ts","webpack:///nextcloud/core/src/init.js","webpack:///nextcloud/core/src/components/MainMenu.js","webpack:///nextcloud/core/src/components/UserMenu.js","webpack:///nextcloud/core/src/components/ContactsMenu.js","webpack://nextcloud/./node_modules/jquery-ui-dist/jquery-ui.css?17d5","webpack://nextcloud/./node_modules/jquery-ui-dist/jquery-ui.theme.css?4a7b","webpack://nextcloud/./node_modules/select2/select2.css?b214","webpack://nextcloud/./node_modules/strengthify/strengthify.css?eaf5","webpack:///nextcloud/core/src/OCP/comments.js","webpack:///nextcloud/core/src/OCP/whatsnew.js","webpack:///nextcloud/core/src/OCP/accessibility.js","webpack:///nextcloud/core/src/OCP/collaboration.js","webpack:///nextcloud/core/src/OCP/loader.js","webpack:///nextcloud/core/src/OCP/toast.js","webpack:///nextcloud/core/src/OCP/index.js","webpack:///nextcloud/core/src/globals.js","webpack:///nextcloud/core/src/OCA/index.js","webpack:///nextcloud/core/src/jquery/avatar.js","webpack:///nextcloud/core/src/Util/a11y.js","webpack:///nextcloud/core/src/jquery/contactsmenu.js","webpack:///nextcloud/core/src/jquery/exists.js","webpack:///nextcloud/core/src/jquery/filterattr.js","webpack:///nextcloud/core/src/jquery/ocdialog.js","webpack:///nextcloud/core/src/jquery/octemplate.js","webpack:///nextcloud/core/src/jquery/placeholder.js","webpack:///nextcloud/core/src/jquery/requesttoken.js","webpack:///nextcloud/core/src/jquery/selectrange.js","webpack:///nextcloud/core/src/jquery/showpassword.js","webpack:///nextcloud/core/src/jquery/ui-fixes.js","webpack://nextcloud/./core/src/jquery/css/jquery-ui-fixes.scss?a4c2","webpack://nextcloud/./core/src/jquery/css/jquery.ocdialog.scss?5718","webpack:///nextcloud/core/src/jquery/index.js","webpack:///nextcloud/core/src/main.js","webpack:///nextcloud/node_modules/backbone/backbone.js","webpack:///nextcloud/node_modules/blueimp-md5/js/md5.js","webpack:///nextcloud/node_modules/clipboard/dist/clipboard.js","webpack:///nextcloud/node_modules/jquery-ui-dist/jquery-ui.css","webpack:///nextcloud/node_modules/jquery-ui-dist/jquery-ui.theme.css","webpack:///nextcloud/core/src/jquery/css/jquery-ui-fixes.scss","webpack:///nextcloud/core/src/jquery/css/jquery.ocdialog.scss","webpack:///nextcloud/node_modules/select2/select2.css","webpack:///nextcloud/node_modules/strengthify/strengthify.css","webpack:///nextcloud/core/src/components/AccountMenu/AccountMenuEntry.vue?vue&type=style&index=0&id=2e0a74a6&prod&lang=scss&scoped=true","webpack:///nextcloud/core/src/components/AppMenu.vue?vue&type=style&index=0&id=7661a89b&prod&scoped=true&lang=scss","webpack:///nextcloud/core/src/components/AppMenuEntry.vue?vue&type=style&index=0&id=9736071a&prod&scoped=true&lang=scss","webpack:///nextcloud/core/src/components/AppMenuEntry.vue?vue&type=style&index=1&id=9736071a&prod&lang=scss","webpack:///nextcloud/core/src/components/AppMenuIcon.vue?vue&type=style&index=0&id=e7078f90&prod&scoped=true&lang=scss","webpack:///nextcloud/core/src/components/ContactsMenu/Contact.vue?vue&type=style&index=0&id=97ebdcaa&prod&scoped=true&lang=scss","webpack:///nextcloud/core/src/views/AccountMenu.vue?vue&type=style&index=0&id=a886d77a&prod&lang=scss&scoped=true","webpack:///nextcloud/core/src/views/ContactsMenu.vue?vue&type=style&index=0&id=5cad18ba&prod&lang=scss&scoped=true","webpack:///nextcloud/node_modules/davclient.js/lib/client.js","webpack:///nextcloud/core/src/jquery/contactsmenu/jquery_entry.handlebars","webpack:///nextcloud/node_modules/jquery-ui-dist/jquery-ui.js","webpack:///nextcloud/node_modules/moment/locale|sync|/^\\.\\/.*$","webpack:///nextcloud/node_modules/regenerator-runtime/runtime.js","webpack:///nextcloud/node_modules/select2/select2.js","webpack:///nextcloud/node_modules/snap.js/dist/snap.js","webpack:///nextcloud/node_modules/strengthify/jquery.strengthify.js","webpack:///nextcloud/node_modules/core-js/internals/a-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/a-possible-prototype.js","webpack:///nextcloud/node_modules/core-js/internals/a-set.js","webpack:///nextcloud/node_modules/core-js/internals/add-to-unscopables.js","webpack:///nextcloud/node_modules/core-js/internals/an-instance.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer-basic-detection.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer-byte-length.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer-is-detached.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer-non-extensible.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer-not-detached.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer-transfer.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer-view-core.js","webpack:///nextcloud/node_modules/core-js/internals/array-buffer.js","webpack:///nextcloud/node_modules/core-js/internals/array-copy-within.js","webpack:///nextcloud/node_modules/core-js/internals/array-fill.js","webpack:///nextcloud/node_modules/core-js/internals/array-for-each.js","webpack:///nextcloud/node_modules/core-js/internals/array-from-constructor-and-list.js","webpack:///nextcloud/node_modules/core-js/internals/array-from.js","webpack:///nextcloud/node_modules/core-js/internals/array-iteration-from-last.js","webpack:///nextcloud/node_modules/core-js/internals/array-iteration.js","webpack:///nextcloud/node_modules/core-js/internals/array-last-index-of.js","webpack:///nextcloud/node_modules/core-js/internals/array-method-has-species-support.js","webpack:///nextcloud/node_modules/core-js/internals/array-method-is-strict.js","webpack:///nextcloud/node_modules/core-js/internals/array-reduce.js","webpack:///nextcloud/node_modules/core-js/internals/array-set-length.js","webpack:///nextcloud/node_modules/core-js/internals/array-slice.js","webpack:///nextcloud/node_modules/core-js/internals/array-sort.js","webpack:///nextcloud/node_modules/core-js/internals/array-species-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/array-species-create.js","webpack:///nextcloud/node_modules/core-js/internals/array-to-reversed.js","webpack:///nextcloud/node_modules/core-js/internals/array-with.js","webpack:///nextcloud/node_modules/core-js/internals/base64-map.js","webpack:///nextcloud/node_modules/core-js/internals/call-with-safe-iteration-closing.js","webpack:///nextcloud/node_modules/core-js/internals/check-correctness-of-iteration.js","webpack:///nextcloud/node_modules/core-js/internals/collection-strong.js","webpack:///nextcloud/node_modules/core-js/internals/collection-weak.js","webpack:///nextcloud/node_modules/core-js/internals/collection.js","webpack:///nextcloud/node_modules/core-js/internals/correct-is-regexp-logic.js","webpack:///nextcloud/node_modules/core-js/internals/correct-prototype-getter.js","webpack:///nextcloud/node_modules/core-js/internals/create-html.js","webpack:///nextcloud/node_modules/core-js/internals/create-iter-result-object.js","webpack:///nextcloud/node_modules/core-js/internals/create-property.js","webpack:///nextcloud/node_modules/core-js/internals/date-to-iso-string.js","webpack:///nextcloud/node_modules/core-js/internals/date-to-primitive.js","webpack:///nextcloud/node_modules/core-js/internals/define-built-in-accessor.js","webpack:///nextcloud/node_modules/core-js/internals/define-built-ins.js","webpack:///nextcloud/node_modules/core-js/internals/delete-property-or-throw.js","webpack:///nextcloud/node_modules/core-js/internals/detach-transferable.js","webpack:///nextcloud/node_modules/core-js/internals/does-not-exceed-safe-integer.js","webpack:///nextcloud/node_modules/core-js/internals/dom-exception-constants.js","webpack:///nextcloud/node_modules/core-js/internals/dom-iterables.js","webpack:///nextcloud/node_modules/core-js/internals/dom-token-list-prototype.js","webpack:///nextcloud/node_modules/core-js/internals/environment-ff-version.js","webpack:///nextcloud/node_modules/core-js/internals/environment-is-ie-or-edge.js","webpack:///nextcloud/node_modules/core-js/internals/environment-is-ios-pebble.js","webpack:///nextcloud/node_modules/core-js/internals/environment-is-ios.js","webpack:///nextcloud/node_modules/core-js/internals/environment-is-node.js","webpack:///nextcloud/node_modules/core-js/internals/environment-is-webos-webkit.js","webpack:///nextcloud/node_modules/core-js/internals/environment-webkit-version.js","webpack:///nextcloud/node_modules/core-js/internals/environment.js","webpack:///nextcloud/node_modules/core-js/internals/error-stack-clear.js","webpack:///nextcloud/node_modules/core-js/internals/error-stack-install.js","webpack:///nextcloud/node_modules/core-js/internals/error-stack-installable.js","webpack:///nextcloud/node_modules/core-js/internals/error-to-string.js","webpack:///nextcloud/node_modules/core-js/internals/flatten-into-array.js","webpack:///nextcloud/node_modules/core-js/internals/freezing.js","webpack:///nextcloud/node_modules/core-js/internals/function-bind-context.js","webpack:///nextcloud/node_modules/core-js/internals/function-bind.js","webpack:///nextcloud/node_modules/core-js/internals/function-uncurry-this-accessor.js","webpack:///nextcloud/node_modules/core-js/internals/function-uncurry-this-clause.js","webpack:///nextcloud/node_modules/core-js/internals/get-built-in-node-module.js","webpack:///nextcloud/node_modules/core-js/internals/get-built-in-prototype-method.js","webpack:///nextcloud/node_modules/core-js/internals/get-iterator-direct.js","webpack:///nextcloud/node_modules/core-js/internals/get-iterator-method.js","webpack:///nextcloud/node_modules/core-js/internals/get-iterator.js","webpack:///nextcloud/node_modules/core-js/internals/get-json-replacer-function.js","webpack:///nextcloud/node_modules/core-js/internals/get-set-record.js","webpack:///nextcloud/node_modules/core-js/internals/host-report-errors.js","webpack:///nextcloud/node_modules/core-js/internals/ieee754.js","webpack:///nextcloud/node_modules/core-js/internals/inherit-if-required.js","webpack:///nextcloud/node_modules/core-js/internals/install-error-cause.js","webpack:///nextcloud/node_modules/core-js/internals/internal-metadata.js","webpack:///nextcloud/node_modules/core-js/internals/is-array-iterator-method.js","webpack:///nextcloud/node_modules/core-js/internals/is-array.js","webpack:///nextcloud/node_modules/core-js/internals/is-big-int-array.js","webpack:///nextcloud/node_modules/core-js/internals/is-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/is-data-descriptor.js","webpack:///nextcloud/node_modules/core-js/internals/is-integral-number.js","webpack:///nextcloud/node_modules/core-js/internals/is-possible-prototype.js","webpack:///nextcloud/node_modules/core-js/internals/is-regexp.js","webpack:///nextcloud/node_modules/core-js/internals/iterate-simple.js","webpack:///nextcloud/node_modules/core-js/internals/iterate.js","webpack:///nextcloud/node_modules/core-js/internals/iterator-close.js","webpack:///nextcloud/node_modules/core-js/internals/iterator-create-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/iterator-define.js","webpack:///nextcloud/node_modules/core-js/internals/iterators-core.js","webpack:///nextcloud/node_modules/core-js/internals/iterators.js","webpack:///nextcloud/node_modules/core-js/internals/map-helpers.js","webpack:///nextcloud/node_modules/core-js/internals/math-expm1.js","webpack:///nextcloud/node_modules/core-js/internals/math-float-round.js","webpack:///nextcloud/node_modules/core-js/internals/math-fround.js","webpack:///nextcloud/node_modules/core-js/internals/math-log10.js","webpack:///nextcloud/node_modules/core-js/internals/math-log1p.js","webpack:///nextcloud/node_modules/core-js/internals/math-sign.js","webpack:///nextcloud/node_modules/core-js/internals/microtask.js","webpack:///nextcloud/node_modules/core-js/internals/new-promise-capability.js","webpack:///nextcloud/node_modules/core-js/internals/normalize-string-argument.js","webpack:///nextcloud/node_modules/core-js/internals/not-a-regexp.js","webpack:///nextcloud/node_modules/core-js/internals/number-is-finite.js","webpack:///nextcloud/node_modules/core-js/internals/number-parse-float.js","webpack:///nextcloud/node_modules/core-js/internals/number-parse-int.js","webpack:///nextcloud/node_modules/core-js/internals/object-assign.js","webpack:///nextcloud/node_modules/core-js/internals/object-get-own-property-names-external.js","webpack:///nextcloud/node_modules/core-js/internals/object-get-prototype-of.js","webpack:///nextcloud/node_modules/core-js/internals/object-is-extensible.js","webpack:///nextcloud/node_modules/core-js/internals/object-prototype-accessors-forced.js","webpack:///nextcloud/node_modules/core-js/internals/object-set-prototype-of.js","webpack:///nextcloud/node_modules/core-js/internals/object-to-array.js","webpack:///nextcloud/node_modules/core-js/internals/object-to-string.js","webpack:///nextcloud/node_modules/core-js/internals/path.js","webpack:///nextcloud/node_modules/core-js/internals/perform.js","webpack:///nextcloud/node_modules/core-js/internals/promise-constructor-detection.js","webpack:///nextcloud/node_modules/core-js/internals/promise-native-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/promise-resolve.js","webpack:///nextcloud/node_modules/core-js/internals/promise-statics-incorrect-iteration.js","webpack:///nextcloud/node_modules/core-js/internals/proxy-accessor.js","webpack:///nextcloud/node_modules/core-js/internals/queue.js","webpack:///nextcloud/node_modules/core-js/internals/regexp-get-flags.js","webpack:///nextcloud/node_modules/core-js/internals/safe-get-built-in.js","webpack:///nextcloud/node_modules/core-js/internals/same-value.js","webpack:///nextcloud/node_modules/core-js/internals/schedulers-fix.js","webpack:///nextcloud/node_modules/core-js/internals/set-clone.js","webpack:///nextcloud/node_modules/core-js/internals/set-difference.js","webpack:///nextcloud/node_modules/core-js/internals/set-helpers.js","webpack:///nextcloud/node_modules/core-js/internals/set-intersection.js","webpack:///nextcloud/node_modules/core-js/internals/set-is-disjoint-from.js","webpack:///nextcloud/node_modules/core-js/internals/set-is-subset-of.js","webpack:///nextcloud/node_modules/core-js/internals/set-is-superset-of.js","webpack:///nextcloud/node_modules/core-js/internals/set-iterate.js","webpack:///nextcloud/node_modules/core-js/internals/set-method-accept-set-like.js","webpack:///nextcloud/node_modules/core-js/internals/set-size.js","webpack:///nextcloud/node_modules/core-js/internals/set-species.js","webpack:///nextcloud/node_modules/core-js/internals/set-symmetric-difference.js","webpack:///nextcloud/node_modules/core-js/internals/set-to-string-tag.js","webpack:///nextcloud/node_modules/core-js/internals/set-union.js","webpack:///nextcloud/node_modules/core-js/internals/species-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/string-html-forced.js","webpack:///nextcloud/node_modules/core-js/internals/string-pad-webkit-bug.js","webpack:///nextcloud/node_modules/core-js/internals/string-pad.js","webpack:///nextcloud/node_modules/core-js/internals/string-punycode-to-ascii.js","webpack:///nextcloud/node_modules/core-js/internals/string-repeat.js","webpack:///nextcloud/node_modules/core-js/internals/string-trim-end.js","webpack:///nextcloud/node_modules/core-js/internals/string-trim-forced.js","webpack:///nextcloud/node_modules/core-js/internals/string-trim-start.js","webpack:///nextcloud/node_modules/core-js/internals/string-trim.js","webpack:///nextcloud/node_modules/core-js/internals/structured-clone-proper-transfer.js","webpack:///nextcloud/node_modules/core-js/internals/symbol-define-to-primitive.js","webpack:///nextcloud/node_modules/core-js/internals/symbol-registry-detection.js","webpack:///nextcloud/node_modules/core-js/internals/task.js","webpack:///nextcloud/node_modules/core-js/internals/this-number-value.js","webpack:///nextcloud/node_modules/core-js/internals/to-big-int.js","webpack:///nextcloud/node_modules/core-js/internals/to-index.js","webpack:///nextcloud/node_modules/core-js/internals/to-offset.js","webpack:///nextcloud/node_modules/core-js/internals/to-positive-integer.js","webpack:///nextcloud/node_modules/core-js/internals/to-uint8-clamped.js","webpack:///nextcloud/node_modules/core-js/internals/typed-array-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/typed-array-constructors-require-wrappers.js","webpack:///nextcloud/node_modules/core-js/internals/typed-array-from-species-and-list.js","webpack:///nextcloud/node_modules/core-js/internals/typed-array-from.js","webpack:///nextcloud/node_modules/core-js/internals/typed-array-species-constructor.js","webpack:///nextcloud/node_modules/core-js/internals/url-constructor-detection.js","webpack:///nextcloud/node_modules/core-js/internals/validate-arguments-length.js","webpack:///nextcloud/node_modules/core-js/internals/well-known-symbol-define.js","webpack:///nextcloud/node_modules/core-js/internals/well-known-symbol-wrapped.js","webpack:///nextcloud/node_modules/core-js/internals/whitespaces.js","webpack:///nextcloud/node_modules/core-js/internals/wrap-error-constructor-with-cause.js","webpack:///nextcloud/node_modules/core-js/modules/es.aggregate-error.cause.js","webpack:///nextcloud/node_modules/core-js/modules/es.aggregate-error.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.aggregate-error.js","webpack:///nextcloud/node_modules/core-js/modules/es.array-buffer.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.array-buffer.detached.js","webpack:///nextcloud/node_modules/core-js/modules/es.array-buffer.is-view.js","webpack:///nextcloud/node_modules/core-js/modules/es.array-buffer.slice.js","webpack:///nextcloud/node_modules/core-js/modules/es.array-buffer.transfer-to-fixed-length.js","webpack:///nextcloud/node_modules/core-js/modules/es.array-buffer.transfer.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.at.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.concat.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.copy-within.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.every.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.fill.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.filter.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.find-index.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.find-last-index.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.find-last.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.find.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.flat-map.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.flat.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.for-each.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.from.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.includes.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.index-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.is-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.iterator.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.join.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.last-index-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.map.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.of.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.push.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.reduce-right.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.reduce.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.reverse.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.slice.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.some.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.sort.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.species.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.splice.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.to-reversed.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.to-sorted.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.to-spliced.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.unscopables.flat-map.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.unscopables.flat.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.unshift.js","webpack:///nextcloud/node_modules/core-js/modules/es.array.with.js","webpack:///nextcloud/node_modules/core-js/modules/es.data-view.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.data-view.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.get-year.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.now.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.set-year.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.to-gmt-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.to-iso-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.to-json.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.to-primitive.js","webpack:///nextcloud/node_modules/core-js/modules/es.date.to-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.error.cause.js","webpack:///nextcloud/node_modules/core-js/modules/es.error.to-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.escape.js","webpack:///nextcloud/node_modules/core-js/modules/es.function.bind.js","webpack:///nextcloud/node_modules/core-js/modules/es.function.has-instance.js","webpack:///nextcloud/node_modules/core-js/modules/es.function.name.js","webpack:///nextcloud/node_modules/core-js/modules/es.global-this.js","webpack:///nextcloud/node_modules/core-js/modules/es.json.stringify.js","webpack:///nextcloud/node_modules/core-js/modules/es.json.to-string-tag.js","webpack:///nextcloud/node_modules/core-js/modules/es.map.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.map.group-by.js","webpack:///nextcloud/node_modules/core-js/modules/es.map.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.acosh.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.asinh.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.atanh.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.cbrt.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.clz32.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.cosh.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.expm1.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.fround.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.hypot.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.imul.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.log10.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.log1p.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.log2.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.sign.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.sinh.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.tanh.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.to-string-tag.js","webpack:///nextcloud/node_modules/core-js/modules/es.math.trunc.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.epsilon.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.is-finite.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.is-integer.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.is-nan.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.is-safe-integer.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.max-safe-integer.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.min-safe-integer.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.parse-float.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.parse-int.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.to-exponential.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.to-fixed.js","webpack:///nextcloud/node_modules/core-js/modules/es.number.to-precision.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.assign.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.create.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.define-getter.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.define-properties.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.define-property.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.define-setter.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.entries.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.freeze.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.from-entries.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.get-own-property-descriptor.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.get-own-property-descriptors.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.get-own-property-names.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.get-own-property-symbols.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.get-prototype-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.group-by.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.has-own.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.is-extensible.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.is-frozen.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.is-sealed.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.is.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.keys.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.lookup-getter.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.lookup-setter.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.prevent-extensions.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.proto.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.seal.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.set-prototype-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.to-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.object.values.js","webpack:///nextcloud/node_modules/core-js/modules/es.parse-float.js","webpack:///nextcloud/node_modules/core-js/modules/es.parse-int.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.all-settled.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.all.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.any.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.catch.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.finally.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.race.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.reject.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.resolve.js","webpack:///nextcloud/node_modules/core-js/modules/es.promise.with-resolvers.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.apply.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.construct.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.define-property.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.delete-property.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.get-own-property-descriptor.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.get-prototype-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.get.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.has.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.is-extensible.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.own-keys.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.prevent-extensions.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.set-prototype-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.set.js","webpack:///nextcloud/node_modules/core-js/modules/es.reflect.to-string-tag.js","webpack:///nextcloud/node_modules/core-js/modules/es.regexp.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.regexp.dot-all.js","webpack:///nextcloud/node_modules/core-js/modules/es.regexp.flags.js","webpack:///nextcloud/node_modules/core-js/modules/es.regexp.sticky.js","webpack:///nextcloud/node_modules/core-js/modules/es.regexp.test.js","webpack:///nextcloud/node_modules/core-js/modules/es.regexp.to-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.difference.v2.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.intersection.v2.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.is-disjoint-from.v2.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.is-subset-of.v2.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.is-superset-of.v2.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.symmetric-difference.v2.js","webpack:///nextcloud/node_modules/core-js/modules/es.set.union.v2.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.anchor.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.at-alternative.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.big.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.blink.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.bold.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.code-point-at.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.ends-with.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.fixed.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.fontcolor.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.fontsize.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.from-code-point.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.includes.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.is-well-formed.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.italics.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.iterator.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.link.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.match-all.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.match.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.pad-end.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.pad-start.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.raw.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.repeat.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.replace-all.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.search.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.small.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.split.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.starts-with.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.strike.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.sub.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.substr.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.sup.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.to-well-formed.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.trim-end.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.trim-left.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.trim-right.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.trim-start.js","webpack:///nextcloud/node_modules/core-js/modules/es.string.trim.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.async-iterator.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.description.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.for.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.has-instance.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.is-concat-spreadable.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.iterator.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.key-for.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.match-all.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.match.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.replace.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.search.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.species.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.split.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.to-primitive.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.to-string-tag.js","webpack:///nextcloud/node_modules/core-js/modules/es.symbol.unscopables.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.at.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.copy-within.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.every.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.fill.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.filter.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.find-index.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.find-last-index.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.find-last.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.find.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.float32-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.float64-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.for-each.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.from.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.includes.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.index-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.int16-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.int32-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.int8-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.iterator.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.join.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.last-index-of.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.map.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.of.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.reduce-right.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.reduce.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.reverse.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.set.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.slice.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.some.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.sort.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.subarray.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.to-locale-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.to-reversed.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.to-sorted.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.to-string.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.uint16-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.uint32-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.uint8-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.uint8-clamped-array.js","webpack:///nextcloud/node_modules/core-js/modules/es.typed-array.with.js","webpack:///nextcloud/node_modules/core-js/modules/es.unescape.js","webpack:///nextcloud/node_modules/core-js/modules/es.weak-map.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.weak-map.js","webpack:///nextcloud/node_modules/core-js/modules/es.weak-set.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/es.weak-set.js","webpack:///nextcloud/node_modules/core-js/modules/web.atob.js","webpack:///nextcloud/node_modules/core-js/modules/web.btoa.js","webpack:///nextcloud/node_modules/core-js/modules/web.clear-immediate.js","webpack:///nextcloud/node_modules/core-js/modules/web.dom-collections.for-each.js","webpack:///nextcloud/node_modules/core-js/modules/web.dom-collections.iterator.js","webpack:///nextcloud/node_modules/core-js/modules/web.dom-exception.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/web.dom-exception.stack.js","webpack:///nextcloud/node_modules/core-js/modules/web.dom-exception.to-string-tag.js","webpack:///nextcloud/node_modules/core-js/modules/web.immediate.js","webpack:///nextcloud/node_modules/core-js/modules/web.queue-microtask.js","webpack:///nextcloud/node_modules/core-js/modules/web.self.js","webpack:///nextcloud/node_modules/core-js/modules/web.set-immediate.js","webpack:///nextcloud/node_modules/core-js/modules/web.set-interval.js","webpack:///nextcloud/node_modules/core-js/modules/web.set-timeout.js","webpack:///nextcloud/node_modules/core-js/modules/web.structured-clone.js","webpack:///nextcloud/node_modules/core-js/modules/web.timers.js","webpack:///nextcloud/node_modules/core-js/modules/web.url-search-params.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/web.url-search-params.delete.js","webpack:///nextcloud/node_modules/core-js/modules/web.url-search-params.has.js","webpack:///nextcloud/node_modules/core-js/modules/web.url-search-params.js","webpack:///nextcloud/node_modules/core-js/modules/web.url-search-params.size.js","webpack:///nextcloud/node_modules/core-js/modules/web.url.can-parse.js","webpack:///nextcloud/node_modules/core-js/modules/web.url.constructor.js","webpack:///nextcloud/node_modules/core-js/modules/web.url.js","webpack:///nextcloud/node_modules/core-js/modules/web.url.parse.js","webpack:///nextcloud/node_modules/core-js/modules/web.url.to-json.js","webpack:///nextcloud/node_modules/core-js/stable/index.js","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","webpack:///nextcloud/node_modules/underscore/modules/_setup.js","webpack:///nextcloud/node_modules/underscore/modules/restArguments.js","webpack:///nextcloud/node_modules/underscore/modules/isObject.js","webpack:///nextcloud/node_modules/underscore/modules/isNull.js","webpack:///nextcloud/node_modules/underscore/modules/isUndefined.js","webpack:///nextcloud/node_modules/underscore/modules/isBoolean.js","webpack:///nextcloud/node_modules/underscore/modules/isElement.js","webpack:///nextcloud/node_modules/underscore/modules/_tagTester.js","webpack:///nextcloud/node_modules/underscore/modules/isString.js","webpack:///nextcloud/node_modules/underscore/modules/isNumber.js","webpack:///nextcloud/node_modules/underscore/modules/isDate.js","webpack:///nextcloud/node_modules/underscore/modules/isRegExp.js","webpack:///nextcloud/node_modules/underscore/modules/isError.js","webpack:///nextcloud/node_modules/underscore/modules/isSymbol.js","webpack:///nextcloud/node_modules/underscore/modules/isArrayBuffer.js","webpack:///nextcloud/node_modules/underscore/modules/isFunction.js","webpack:///nextcloud/node_modules/underscore/modules/_hasObjectTag.js","webpack:///nextcloud/node_modules/underscore/modules/_stringTagBug.js","webpack:///nextcloud/node_modules/underscore/modules/isDataView.js","webpack:///nextcloud/node_modules/underscore/modules/isArray.js","webpack:///nextcloud/node_modules/underscore/modules/_has.js","webpack:///nextcloud/node_modules/underscore/modules/isArguments.js","webpack:///nextcloud/node_modules/underscore/modules/isFinite.js","webpack:///nextcloud/node_modules/underscore/modules/isNaN.js","webpack:///nextcloud/node_modules/underscore/modules/constant.js","webpack:///nextcloud/node_modules/underscore/modules/_createSizePropertyCheck.js","webpack:///nextcloud/node_modules/underscore/modules/_shallowProperty.js","webpack:///nextcloud/node_modules/underscore/modules/_getByteLength.js","webpack:///nextcloud/node_modules/underscore/modules/_isBufferLike.js","webpack:///nextcloud/node_modules/underscore/modules/isTypedArray.js","webpack:///nextcloud/node_modules/underscore/modules/_getLength.js","webpack:///nextcloud/node_modules/underscore/modules/_collectNonEnumProps.js","webpack:///nextcloud/node_modules/underscore/modules/keys.js","webpack:///nextcloud/node_modules/underscore/modules/isEmpty.js","webpack:///nextcloud/node_modules/underscore/modules/isMatch.js","webpack:///nextcloud/node_modules/underscore/modules/underscore.js","webpack:///nextcloud/node_modules/underscore/modules/_toBufferView.js","webpack:///nextcloud/node_modules/underscore/modules/isEqual.js","webpack:///nextcloud/node_modules/underscore/modules/allKeys.js","webpack:///nextcloud/node_modules/underscore/modules/_methodFingerprint.js","webpack:///nextcloud/node_modules/underscore/modules/isMap.js","webpack:///nextcloud/node_modules/underscore/modules/isWeakMap.js","webpack:///nextcloud/node_modules/underscore/modules/isSet.js","webpack:///nextcloud/node_modules/underscore/modules/isWeakSet.js","webpack:///nextcloud/node_modules/underscore/modules/values.js","webpack:///nextcloud/node_modules/underscore/modules/pairs.js","webpack:///nextcloud/node_modules/underscore/modules/invert.js","webpack:///nextcloud/node_modules/underscore/modules/functions.js","webpack:///nextcloud/node_modules/underscore/modules/_createAssigner.js","webpack:///nextcloud/node_modules/underscore/modules/extend.js","webpack:///nextcloud/node_modules/underscore/modules/extendOwn.js","webpack:///nextcloud/node_modules/underscore/modules/defaults.js","webpack:///nextcloud/node_modules/underscore/modules/_baseCreate.js","webpack:///nextcloud/node_modules/underscore/modules/create.js","webpack:///nextcloud/node_modules/underscore/modules/clone.js","webpack:///nextcloud/node_modules/underscore/modules/tap.js","webpack:///nextcloud/node_modules/underscore/modules/toPath.js","webpack:///nextcloud/node_modules/underscore/modules/_toPath.js","webpack:///nextcloud/node_modules/underscore/modules/_deepGet.js","webpack:///nextcloud/node_modules/underscore/modules/get.js","webpack:///nextcloud/node_modules/underscore/modules/has.js","webpack:///nextcloud/node_modules/underscore/modules/identity.js","webpack:///nextcloud/node_modules/underscore/modules/matcher.js","webpack:///nextcloud/node_modules/underscore/modules/property.js","webpack:///nextcloud/node_modules/underscore/modules/_optimizeCb.js","webpack:///nextcloud/node_modules/underscore/modules/_baseIteratee.js","webpack:///nextcloud/node_modules/underscore/modules/iteratee.js","webpack:///nextcloud/node_modules/underscore/modules/_cb.js","webpack:///nextcloud/node_modules/underscore/modules/mapObject.js","webpack:///nextcloud/node_modules/underscore/modules/noop.js","webpack:///nextcloud/node_modules/underscore/modules/propertyOf.js","webpack:///nextcloud/node_modules/underscore/modules/times.js","webpack:///nextcloud/node_modules/underscore/modules/random.js","webpack:///nextcloud/node_modules/underscore/modules/now.js","webpack:///nextcloud/node_modules/underscore/modules/_createEscaper.js","webpack:///nextcloud/node_modules/underscore/modules/_escapeMap.js","webpack:///nextcloud/node_modules/underscore/modules/escape.js","webpack:///nextcloud/node_modules/underscore/modules/unescape.js","webpack:///nextcloud/node_modules/underscore/modules/_unescapeMap.js","webpack:///nextcloud/node_modules/underscore/modules/templateSettings.js","webpack:///nextcloud/node_modules/underscore/modules/template.js","webpack:///nextcloud/node_modules/underscore/modules/result.js","webpack:///nextcloud/node_modules/underscore/modules/uniqueId.js","webpack:///nextcloud/node_modules/underscore/modules/chain.js","webpack:///nextcloud/node_modules/underscore/modules/_executeBound.js","webpack:///nextcloud/node_modules/underscore/modules/partial.js","webpack:///nextcloud/node_modules/underscore/modules/bind.js","webpack:///nextcloud/node_modules/underscore/modules/_isArrayLike.js","webpack:///nextcloud/node_modules/underscore/modules/_flatten.js","webpack:///nextcloud/node_modules/underscore/modules/bindAll.js","webpack:///nextcloud/node_modules/underscore/modules/memoize.js","webpack:///nextcloud/node_modules/underscore/modules/delay.js","webpack:///nextcloud/node_modules/underscore/modules/defer.js","webpack:///nextcloud/node_modules/underscore/modules/throttle.js","webpack:///nextcloud/node_modules/underscore/modules/debounce.js","webpack:///nextcloud/node_modules/underscore/modules/wrap.js","webpack:///nextcloud/node_modules/underscore/modules/negate.js","webpack:///nextcloud/node_modules/underscore/modules/compose.js","webpack:///nextcloud/node_modules/underscore/modules/after.js","webpack:///nextcloud/node_modules/underscore/modules/before.js","webpack:///nextcloud/node_modules/underscore/modules/once.js","webpack:///nextcloud/node_modules/underscore/modules/findKey.js","webpack:///nextcloud/node_modules/underscore/modules/_createPredicateIndexFinder.js","webpack:///nextcloud/node_modules/underscore/modules/findIndex.js","webpack:///nextcloud/node_modules/underscore/modules/findLastIndex.js","webpack:///nextcloud/node_modules/underscore/modules/sortedIndex.js","webpack:///nextcloud/node_modules/underscore/modules/_createIndexFinder.js","webpack:///nextcloud/node_modules/underscore/modules/indexOf.js","webpack:///nextcloud/node_modules/underscore/modules/lastIndexOf.js","webpack:///nextcloud/node_modules/underscore/modules/find.js","webpack:///nextcloud/node_modules/underscore/modules/findWhere.js","webpack:///nextcloud/node_modules/underscore/modules/each.js","webpack:///nextcloud/node_modules/underscore/modules/map.js","webpack:///nextcloud/node_modules/underscore/modules/_createReduce.js","webpack:///nextcloud/node_modules/underscore/modules/reduce.js","webpack:///nextcloud/node_modules/underscore/modules/reduceRight.js","webpack:///nextcloud/node_modules/underscore/modules/filter.js","webpack:///nextcloud/node_modules/underscore/modules/reject.js","webpack:///nextcloud/node_modules/underscore/modules/every.js","webpack:///nextcloud/node_modules/underscore/modules/some.js","webpack:///nextcloud/node_modules/underscore/modules/contains.js","webpack:///nextcloud/node_modules/underscore/modules/invoke.js","webpack:///nextcloud/node_modules/underscore/modules/pluck.js","webpack:///nextcloud/node_modules/underscore/modules/where.js","webpack:///nextcloud/node_modules/underscore/modules/max.js","webpack:///nextcloud/node_modules/underscore/modules/min.js","webpack:///nextcloud/node_modules/underscore/modules/toArray.js","webpack:///nextcloud/node_modules/underscore/modules/sample.js","webpack:///nextcloud/node_modules/underscore/modules/shuffle.js","webpack:///nextcloud/node_modules/underscore/modules/sortBy.js","webpack:///nextcloud/node_modules/underscore/modules/_group.js","webpack:///nextcloud/node_modules/underscore/modules/groupBy.js","webpack:///nextcloud/node_modules/underscore/modules/indexBy.js","webpack:///nextcloud/node_modules/underscore/modules/countBy.js","webpack:///nextcloud/node_modules/underscore/modules/partition.js","webpack:///nextcloud/node_modules/underscore/modules/size.js","webpack:///nextcloud/node_modules/underscore/modules/_keyInObj.js","webpack:///nextcloud/node_modules/underscore/modules/pick.js","webpack:///nextcloud/node_modules/underscore/modules/omit.js","webpack:///nextcloud/node_modules/underscore/modules/initial.js","webpack:///nextcloud/node_modules/underscore/modules/first.js","webpack:///nextcloud/node_modules/underscore/modules/rest.js","webpack:///nextcloud/node_modules/underscore/modules/last.js","webpack:///nextcloud/node_modules/underscore/modules/compact.js","webpack:///nextcloud/node_modules/underscore/modules/flatten.js","webpack:///nextcloud/node_modules/underscore/modules/difference.js","webpack:///nextcloud/node_modules/underscore/modules/without.js","webpack:///nextcloud/node_modules/underscore/modules/uniq.js","webpack:///nextcloud/node_modules/underscore/modules/union.js","webpack:///nextcloud/node_modules/underscore/modules/intersection.js","webpack:///nextcloud/node_modules/underscore/modules/unzip.js","webpack:///nextcloud/node_modules/underscore/modules/zip.js","webpack:///nextcloud/node_modules/underscore/modules/object.js","webpack:///nextcloud/node_modules/underscore/modules/range.js","webpack:///nextcloud/node_modules/underscore/modules/chunk.js","webpack:///nextcloud/node_modules/underscore/modules/_chainResult.js","webpack:///nextcloud/node_modules/underscore/modules/mixin.js","webpack:///nextcloud/node_modules/underscore/modules/underscore-array-methods.js","webpack:///nextcloud/node_modules/underscore/modules/index-default.js","webpack:///nextcloud/webpack/bootstrap","webpack:///nextcloud/webpack/runtime/compat get default export","webpack:///nextcloud/webpack/runtime/define property getters","webpack:///nextcloud/webpack/runtime/ensure chunk","webpack:///nextcloud/webpack/runtime/get javascript chunk filename","webpack:///nextcloud/webpack/runtime/global","webpack:///nextcloud/webpack/runtime/hasOwnProperty shorthand","webpack:///nextcloud/webpack/runtime/make namespace object","webpack:///nextcloud/webpack/runtime/node module decorator","webpack:///nextcloud/webpack/runtime/runtimeId","webpack:///nextcloud/webpack/runtime/publicPath","webpack:///nextcloud/webpack/runtime/jsonp chunk loading","webpack:///nextcloud/webpack/runtime/nonce","webpack:///nextcloud/webpack/startup"],"sourcesContent":["var deferred = [];\n__webpack_require__.O = (result, chunkIds, fn, priority) => {\n\tif(chunkIds) {\n\t\tpriority = priority || 0;\n\t\tfor(var i = deferred.length; i > 0 && deferred[i - 1][2] > priority; i--) deferred[i] = deferred[i - 1];\n\t\tdeferred[i] = [chunkIds, fn, priority];\n\t\treturn;\n\t}\n\tvar notFulfilled = Infinity;\n\tfor (var i = 0; i < deferred.length; i++) {\n\t\tvar chunkIds = deferred[i][0];\n\t\tvar fn = deferred[i][1];\n\t\tvar priority = deferred[i][2];\n\t\tvar fulfilled = true;\n\t\tfor (var j = 0; j < chunkIds.length; j++) {\n\t\t\tif ((priority & 1 === 0 || notFulfilled >= priority) && Object.keys(__webpack_require__.O).every((key) => (__webpack_require__.O[key](chunkIds[j])))) {\n\t\t\t\tchunkIds.splice(j--, 1);\n\t\t\t} else {\n\t\t\t\tfulfilled = false;\n\t\t\t\tif(priority < notFulfilled) notFulfilled = priority;\n\t\t\t}\n\t\t}\n\t\tif(fulfilled) {\n\t\t\tdeferred.splice(i--, 1)\n\t\t\tvar r = fn();\n\t\t\tif (r !== undefined) result = r;\n\t\t}\n\t}\n\treturn result;\n};","var inProgress = {};\nvar dataWebpackPrefix = \"nextcloud:\";\n// loadScript function to load a script via script tag\n__webpack_require__.l = (url, done, key, chunkId) => {\n\tif(inProgress[url]) { inProgress[url].push(done); return; }\n\tvar script, needAttach;\n\tif(key !== undefined) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tfor(var i = 0; i < scripts.length; i++) {\n\t\t\tvar s = scripts[i];\n\t\t\tif(s.getAttribute(\"src\") == url || s.getAttribute(\"data-webpack\") == dataWebpackPrefix + key) { script = s; break; }\n\t\t}\n\t}\n\tif(!script) {\n\t\tneedAttach = true;\n\t\tscript = document.createElement('script');\n\n\t\tscript.charset = 'utf-8';\n\t\tscript.timeout = 120;\n\t\tif (__webpack_require__.nc) {\n\t\t\tscript.setAttribute(\"nonce\", __webpack_require__.nc);\n\t\t}\n\t\tscript.setAttribute(\"data-webpack\", dataWebpackPrefix + key);\n\n\t\tscript.src = url;\n\t}\n\tinProgress[url] = [done];\n\tvar onScriptComplete = (prev, event) => {\n\t\t// avoid mem leaks in IE.\n\t\tscript.onerror = script.onload = null;\n\t\tclearTimeout(timeout);\n\t\tvar doneFns = inProgress[url];\n\t\tdelete inProgress[url];\n\t\tscript.parentNode && script.parentNode.removeChild(script);\n\t\tdoneFns && doneFns.forEach((fn) => (fn(event)));\n\t\tif(prev) return prev(event);\n\t}\n\tvar timeout = setTimeout(onScriptComplete.bind(null, undefined, { type: 'timeout', target: script }), 120000);\n\tscript.onerror = onScriptComplete.bind(null, script.onerror);\n\tscript.onload = onScriptComplete.bind(null, script.onload);\n\tneedAttach && document.head.appendChild(script);\n};","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\n/** @typedef {import('jquery')} jQuery */\nimport $ from 'jquery'\nimport { showMessage, TOAST_DEFAULT_TIMEOUT, TOAST_PERMANENT_TIMEOUT } from '@nextcloud/dialogs'\n\n/**\n * @todo Write documentation\n * @deprecated 17.0.0 use the `@nextcloud/dialogs` package instead\n * @namespace OC.Notification\n */\nexport default {\n\n\tupdatableNotification: null,\n\n\tgetDefaultNotificationFunction: null,\n\n\t/**\n\t * @param {Function} callback callback function\n\t * @deprecated 17.0.0 use the `@nextcloud/dialogs` package\n\t */\n\tsetDefault(callback) {\n\t\tthis.getDefaultNotificationFunction = callback\n\t},\n\n\t/**\n\t * Hides a notification.\n\t *\n\t * If a row is given, only hide that one.\n\t * If no row is given, hide all notifications.\n\t *\n\t * @param {jQuery} [$row] notification row\n\t * @param {Function} [callback] callback\n\t * @deprecated 17.0.0 use the `@nextcloud/dialogs` package\n\t */\n\thide($row, callback) {\n\t\tif (_.isFunction($row)) {\n\t\t\t// first arg is the callback\n\t\t\tcallback = $row\n\t\t\t$row = undefined\n\t\t}\n\n\t\tif (!$row) {\n\t\t\tconsole.error('Missing argument $row in OC.Notification.hide() call, caller needs to be adjusted to only dismiss its own notification')\n\t\t\treturn\n\t\t}\n\n\t\t// remove the row directly\n\t\t$row.each(function() {\n\t\t\tif ($(this)[0].toastify) {\n\t\t\t\t$(this)[0].toastify.hideToast()\n\t\t\t} else {\n\t\t\t\tconsole.error('cannot hide toast because object is not set')\n\t\t\t}\n\t\t\tif (this === this.updatableNotification) {\n\t\t\t\tthis.updatableNotification = null\n\t\t\t}\n\t\t})\n\t\tif (callback) {\n\t\t\tcallback.call()\n\t\t}\n\t\tif (this.getDefaultNotificationFunction) {\n\t\t\tthis.getDefaultNotificationFunction()\n\t\t}\n\t},\n\n\t/**\n\t * Shows a notification as HTML without being sanitized before.\n\t * If you pass unsanitized user input this may lead to a XSS vulnerability.\n\t * Consider using show() instead of showHTML()\n\t *\n\t * @param {string} html Message to display\n\t * @param {object} [options] options\n\t * @param {string} [options.type] notification type\n\t * @param {number} [options.timeout] timeout value, defaults to 0 (permanent)\n\t * @return {jQuery} jQuery element for notification row\n\t * @deprecated 17.0.0 use the `@nextcloud/dialogs` package\n\t */\n\tshowHtml(html, options) {\n\t\toptions = options || {}\n\t\toptions.isHTML = true\n\t\toptions.timeout = (!options.timeout) ? TOAST_PERMANENT_TIMEOUT : options.timeout\n\t\tconst toast = showMessage(html, options)\n\t\ttoast.toastElement.toastify = toast\n\t\treturn $(toast.toastElement)\n\t},\n\n\t/**\n\t * Shows a sanitized notification\n\t *\n\t * @param {string} text Message to display\n\t * @param {object} [options] options\n\t * @param {string} [options.type] notification type\n\t * @param {number} [options.timeout] timeout value, defaults to 0 (permanent)\n\t * @return {jQuery} jQuery element for notification row\n\t * @deprecated 17.0.0 use the `@nextcloud/dialogs` package\n\t */\n\tshow(text, options) {\n\t\tconst escapeHTML = function(text) {\n\t\t\treturn text.toString()\n\t\t\t\t.split('&').join('&')\n\t\t\t\t.split('<').join('<')\n\t\t\t\t.split('>').join('>')\n\t\t\t\t.split('\"').join('"')\n\t\t\t\t.split('\\'').join(''')\n\t\t}\n\n\t\toptions = options || {}\n\t\toptions.timeout = (!options.timeout) ? TOAST_PERMANENT_TIMEOUT : options.timeout\n\t\tconst toast = showMessage(escapeHTML(text), options)\n\t\ttoast.toastElement.toastify = toast\n\t\treturn $(toast.toastElement)\n\t},\n\n\t/**\n\t * Updates (replaces) a sanitized notification.\n\t *\n\t * @param {string} text Message to display\n\t * @return {jQuery} JQuery element for notification row\n\t * @deprecated 17.0.0 use the `@nextcloud/dialogs` package\n\t */\n\tshowUpdate(text) {\n\t\tif (this.updatableNotification) {\n\t\t\tthis.updatableNotification.hideToast()\n\t\t}\n\t\tthis.updatableNotification = showMessage(text, { timeout: TOAST_PERMANENT_TIMEOUT })\n\t\tthis.updatableNotification.toastElement.toastify = this.updatableNotification\n\t\treturn $(this.updatableNotification.toastElement)\n\t},\n\n\t/**\n\t * Shows a notification that disappears after x seconds, default is\n\t * 7 seconds\n\t *\n\t * @param {string} text Message to show\n\t * @param {Array} [options] options array\n\t * @param {number} [options.timeout] timeout in seconds, if this is 0 it will show the message permanently\n\t * @param {boolean} [options.isHTML] an indicator for HTML notifications (true) or text (false)\n\t * @param {string} [options.type] notification type\n\t * @return {jQuery} the toast element\n\t * @deprecated 17.0.0 use the `@nextcloud/dialogs` package\n\t */\n\tshowTemporary(text, options) {\n\t\toptions = options || {}\n\t\toptions.timeout = options.timeout || TOAST_DEFAULT_TIMEOUT\n\t\tconst toast = showMessage(text, options)\n\t\ttoast.toastElement.toastify = toast\n\t\treturn $(toast.toastElement)\n\t},\n\n\t/**\n\t * Returns whether a notification is hidden.\n\t *\n\t * @return {boolean}\n\t * @deprecated 17.0.0 use the `@nextcloud/dialogs` package\n\t */\n\tisHidden() {\n\t\treturn !$('#content').find('.toastify').length\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\nimport $ from 'jquery'\n\nimport OC from './index.js'\nimport Notification from './notification.js'\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { showWarning } from '@nextcloud/dialogs'\n\n/**\n * Warn users that the connection to the server was lost temporarily\n *\n * This function is throttled to prevent stacked notifications.\n * After 7sec the first notification is gone, then we can show another one\n * if necessary.\n */\nexport const ajaxConnectionLostHandler = _.throttle(() => {\n\tshowWarning(t('core', 'Connection to server lost'))\n}, 7 * 1000, { trailing: false })\n\n/**\n * Process ajax error, redirects to main page\n * if an error/auth error status was returned.\n *\n * @param {XMLHttpRequest} xhr xhr request\n */\nexport const processAjaxError = xhr => {\n\t// purposefully aborted request ?\n\t// OC._userIsNavigatingAway needed to distinguish Ajax calls cancelled by navigating away\n\t// from calls cancelled by failed cross-domain Ajax due to SSO redirect\n\tif (xhr.status === 0 && (xhr.statusText === 'abort' || xhr.statusText === 'timeout' || OC._reloadCalled)) {\n\t\treturn\n\t}\n\n\tif ([302, 303, 307, 401].includes(xhr.status) && getCurrentUser()) {\n\t\t// sometimes \"beforeunload\" happens later, so need to defer the reload a bit\n\t\tsetTimeout(function() {\n\t\t\tif (!OC._userIsNavigatingAway && !OC._reloadCalled) {\n\t\t\t\tlet timer = 0\n\t\t\t\tconst seconds = 5\n\t\t\t\tconst interval = setInterval(function() {\n\t\t\t\t\tNotification.showUpdate(n('core', 'Problem loading page, reloading in %n second', 'Problem loading page, reloading in %n seconds', seconds - timer))\n\t\t\t\t\tif (timer >= seconds) {\n\t\t\t\t\t\tclearInterval(interval)\n\t\t\t\t\t\tOC.reload()\n\t\t\t\t\t}\n\t\t\t\t\ttimer++\n\t\t\t\t}, 1000, // 1 second interval\n\t\t\t\t)\n\n\t\t\t\t// only call reload once\n\t\t\t\tOC._reloadCalled = true\n\t\t\t}\n\t\t}, 100)\n\t} else if (xhr.status === 0) {\n\t\t// Connection lost (e.g. WiFi disconnected or server is down)\n\t\tsetTimeout(function() {\n\t\t\tif (!OC._userIsNavigatingAway && !OC._reloadCalled) {\n\t\t\t\t// TODO: call method above directly\n\t\t\t\tOC._ajaxConnectionLostHandler()\n\t\t\t}\n\t\t}, 100)\n\t}\n}\n\n/**\n * Registers XmlHttpRequest object for global error processing.\n *\n * This means that if this XHR object returns 401 or session timeout errors,\n * the current page will automatically be reloaded.\n *\n * @param {XMLHttpRequest} xhr xhr request\n */\nexport const registerXHRForErrorProcessing = xhr => {\n\tconst loadCallback = () => {\n\t\tif (xhr.readyState !== 4) {\n\t\t\treturn\n\t\t}\n\n\t\tif ((xhr.status >= 200 && xhr.status < 300) || xhr.status === 304) {\n\t\t\treturn\n\t\t}\n\n\t\t// fire jquery global ajax error handler\n\t\t$(document).trigger(new $.Event('ajaxError'), xhr)\n\t}\n\n\tconst errorCallback = () => {\n\t\t// fire jquery global ajax error handler\n\t\t$(document).trigger(new $.Event('ajaxError'), xhr)\n\t}\n\n\tif (xhr.addEventListener) {\n\t\txhr.addEventListener('load', loadCallback)\n\t\txhr.addEventListener('error', errorCallback)\n\t}\n\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2014 ownCloud, Inc.\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\nlet dynamicSlideToggleEnabled = false\n\nconst Apps = {\n\tenableDynamicSlideToggle() {\n\t\tdynamicSlideToggleEnabled = true\n\t},\n}\n\n/**\n * Shows the #app-sidebar and add .with-app-sidebar to subsequent siblings\n *\n * @param {object} [$el] sidebar element to show, defaults to $('#app-sidebar')\n */\nApps.showAppSidebar = function($el) {\n\tconst $appSidebar = $el || $('#app-sidebar')\n\t$appSidebar.removeClass('disappear').show()\n\t$('#app-content').trigger(new $.Event('appresized'))\n}\n\n/**\n * Shows the #app-sidebar and removes .with-app-sidebar from subsequent\n * siblings\n *\n * @param {object} [$el] sidebar element to hide, defaults to $('#app-sidebar')\n */\nApps.hideAppSidebar = function($el) {\n\tconst $appSidebar = $el || $('#app-sidebar')\n\t$appSidebar.hide().addClass('disappear')\n\t$('#app-content').trigger(new $.Event('appresized'))\n}\n\n/**\n * Provides a way to slide down a target area through a button and slide it\n * up if the user clicks somewhere else. Used for the news app settings and\n * add new field.\n *\n * Usage:\n * \n *
            I'm sliding up
            \n */\nexport const registerAppsSlideToggle = () => {\n\tlet buttons = $('[data-apps-slide-toggle]')\n\n\tif (buttons.length === 0) {\n\t\t$('#app-navigation').addClass('without-app-settings')\n\t}\n\n\t$(document).click(function(event) {\n\n\t\tif (dynamicSlideToggleEnabled) {\n\t\t\tbuttons = $('[data-apps-slide-toggle]')\n\t\t}\n\n\t\tbuttons.each(function(index, button) {\n\n\t\t\tconst areaSelector = $(button).data('apps-slide-toggle')\n\t\t\tconst area = $(areaSelector)\n\n\t\t\t/**\n\t\t\t *\n\t\t\t */\n\t\t\tfunction hideArea() {\n\t\t\t\tarea.slideUp(OC.menuSpeed * 4, function() {\n\t\t\t\t\tarea.trigger(new $.Event('hide'))\n\t\t\t\t})\n\t\t\t\tarea.removeClass('opened')\n\t\t\t\t$(button).removeClass('opened')\n\t\t\t\t$(button).attr('aria-expanded', 'false')\n\t\t\t}\n\n\t\t\t/**\n\t\t\t *\n\t\t\t */\n\t\t\tfunction showArea() {\n\t\t\t\tarea.slideDown(OC.menuSpeed * 4, function() {\n\t\t\t\t\tarea.trigger(new $.Event('show'))\n\t\t\t\t})\n\t\t\t\tarea.addClass('opened')\n\t\t\t\t$(button).addClass('opened')\n\t\t\t\t$(button).attr('aria-expanded', 'true')\n\t\t\t\tconst input = $(areaSelector + ' [autofocus]')\n\t\t\t\tif (input.length === 1) {\n\t\t\t\t\tinput.focus()\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// do nothing if the area is animated\n\t\t\tif (!area.is(':animated')) {\n\n\t\t\t\t// button toggles the area\n\t\t\t\tif ($(button).is($(event.target).closest('[data-apps-slide-toggle]'))) {\n\t\t\t\t\tif (area.is(':visible')) {\n\t\t\t\t\t\thideArea()\n\t\t\t\t\t} else {\n\t\t\t\t\t\tshowArea()\n\t\t\t\t\t}\n\n\t\t\t\t\t// all other areas that have not been clicked but are open\n\t\t\t\t\t// should be slid up\n\t\t\t\t} else {\n\t\t\t\t\tconst closest = $(event.target).closest(areaSelector)\n\t\t\t\t\tif (area.is(':visible') && closest[0] !== area[0]) {\n\t\t\t\t\t\thideArea()\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t})\n}\n\nexport default Apps\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2016 ownCloud, Inc.\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\nimport { generateOcsUrl } from '@nextcloud/router'\n\nimport OC from '../OC/index.js'\n\n/**\n * @param {string} method 'post' or 'delete'\n * @param {string} endpoint endpoint\n * @param {object} [options] destructuring object\n * @param {object} [options.data] option data\n * @param {Function} [options.success] success callback\n * @param {Function} [options.error] error callback\n */\nfunction call(method, endpoint, options) {\n\tif ((method === 'post' || method === 'delete') && OC.PasswordConfirmation.requiresPasswordConfirmation()) {\n\t\tOC.PasswordConfirmation.requirePasswordConfirmation(_.bind(call, this, method, endpoint, options))\n\t\treturn\n\t}\n\n\toptions = options || {}\n\t$.ajax({\n\t\ttype: method.toUpperCase(),\n\t\turl: generateOcsUrl('apps/provisioning_api/api/v1/config/apps') + endpoint,\n\t\tdata: options.data || {},\n\t\tsuccess: options.success,\n\t\terror: options.error,\n\t})\n}\n\n/**\n * @param {object} [options] destructuring object\n * @param {Function} [options.success] success callback\n * @since 11.0.0\n */\nexport function getApps(options) {\n\tcall('get', '', options)\n}\n\n/**\n * @param {string} app app id\n * @param {object} [options] destructuring object\n * @param {Function} [options.success] success callback\n * @param {Function} [options.error] error callback\n * @since 11.0.0\n */\nexport function getKeys(app, options) {\n\tcall('get', '/' + app, options)\n}\n\n/**\n * @param {string} app app id\n * @param {string} key key\n * @param {string | Function} defaultValue default value\n * @param {object} [options] destructuring object\n * @param {Function} [options.success] success callback\n * @param {Function} [options.error] error callback\n * @since 11.0.0\n */\nexport function getValue(app, key, defaultValue, options) {\n\toptions = options || {}\n\toptions.data = {\n\t\tdefaultValue,\n\t}\n\n\tcall('get', '/' + app + '/' + key, options)\n}\n\n/**\n * @param {string} app app id\n * @param {string} key key\n * @param {string} value value\n * @param {object} [options] destructuring object\n * @param {Function} [options.success] success callback\n * @param {Function} [options.error] error callback\n * @since 11.0.0\n */\nexport function setValue(app, key, value, options) {\n\toptions = options || {}\n\toptions.data = {\n\t\tvalue,\n\t}\n\n\tcall('post', '/' + app + '/' + key, options)\n}\n\n/**\n * @param {string} app app id\n * @param {string} key key\n * @param {object} [options] destructuring object\n * @param {Function} [options.success] success callback\n * @param {Function} [options.error] error callback\n * @since 11.0.0\n */\nexport function deleteKey(app, key, options) {\n\tcall('delete', '/' + app + '/' + key, options)\n}\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2014 ownCloud, Inc.\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable */\n import { getValue, setValue, getApps, getKeys, deleteKey } from '../OCP/appconfig.js'\n\nexport const appConfig = window.oc_appconfig || {}\n\n/**\n * @namespace\n * @deprecated 16.0.0 Use OCP.AppConfig instead\n */\nexport const AppConfig = {\n\t/**\n\t * @deprecated Use OCP.AppConfig.getValue() instead\n\t */\n\tgetValue: function(app, key, defaultValue, callback) {\n\t\tgetValue(app, key, defaultValue, {\n\t\t\tsuccess: callback\n\t\t})\n\t},\n\n\t/**\n\t * @deprecated Use OCP.AppConfig.setValue() instead\n\t */\n\tsetValue: function(app, key, value) {\n\t\tsetValue(app, key, value)\n\t},\n\n\t/**\n\t * @deprecated Use OCP.AppConfig.getApps() instead\n\t */\n\tgetApps: function(callback) {\n\t\tgetApps({\n\t\t\tsuccess: callback\n\t\t})\n\t},\n\n\t/**\n\t * @deprecated Use OCP.AppConfig.getKeys() instead\n\t */\n\tgetKeys: function(app, callback) {\n\t\tgetKeys(app, {\n\t\t\tsuccess: callback\n\t\t})\n\t},\n\n\t/**\n\t * @deprecated Use OCP.AppConfig.deleteKey() instead\n\t */\n\tdeleteKey: function(app, key) {\n\t\tdeleteKey(app, key)\n\t}\n\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nconst appswebroots = (window._oc_appswebroots !== undefined) ? window._oc_appswebroots : false\n\nexport default appswebroots\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable */\nimport _ from 'underscore'\nimport { dav } from 'davclient.js'\n\nconst methodMap = {\n\tcreate: 'POST',\n\tupdate: 'PROPPATCH',\n\tpatch: 'PROPPATCH',\n\tdelete: 'DELETE',\n\tread: 'PROPFIND'\n}\n\n// Throw an error when a URL is needed, and none is supplied.\nfunction urlError() {\n\tthrow new Error('A \"url\" property or function must be specified')\n}\n\n/**\n * Convert a single propfind result to JSON\n *\n * @param {Object} result\n * @param {Object} davProperties properties mapping\n */\nfunction parsePropFindResult(result, davProperties) {\n\tif (_.isArray(result)) {\n\t\treturn _.map(result, function(subResult) {\n\t\t\treturn parsePropFindResult(subResult, davProperties)\n\t\t})\n\t}\n\tvar props = {\n\t\thref: result.href\n\t}\n\n\t_.each(result.propStat, function(propStat) {\n\t\tif (propStat.status !== 'HTTP/1.1 200 OK') {\n\t\t\treturn\n\t\t}\n\n\t\tfor (var key in propStat.properties) {\n\t\t\tvar propKey = key\n\t\t\tif (key in davProperties) {\n\t\t\t\tpropKey = davProperties[key]\n\t\t\t}\n\t\t\tprops[propKey] = propStat.properties[key]\n\t\t}\n\t})\n\n\tif (!props.id) {\n\t\t// parse id from href\n\t\tprops.id = parseIdFromLocation(props.href)\n\t}\n\n\treturn props\n}\n\n/**\n * Parse ID from location\n *\n * @param {string} url url\n * @returns {string} id\n */\nfunction parseIdFromLocation(url) {\n\tvar queryPos = url.indexOf('?')\n\tif (queryPos > 0) {\n\t\turl = url.substr(0, queryPos)\n\t}\n\n\tvar parts = url.split('/')\n\tvar result\n\tdo {\n\t\tresult = parts[parts.length - 1]\n\t\tparts.pop()\n\t\t// note: first result can be empty when there is a trailing slash,\n\t\t// so we take the part before that\n\t} while (!result && parts.length > 0)\n\n\treturn result\n}\n\nfunction isSuccessStatus(status) {\n\treturn status >= 200 && status <= 299\n}\n\nfunction convertModelAttributesToDavProperties(attrs, davProperties) {\n\tvar props = {}\n\tvar key\n\tfor (key in attrs) {\n\t\tvar changedProp = davProperties[key]\n\t\tvar value = attrs[key]\n\t\tif (!changedProp) {\n\t\t\tconsole.warn('No matching DAV property for property \"' + key)\n\t\t\tchangedProp = key\n\t\t}\n\t\tif (_.isBoolean(value) || _.isNumber(value)) {\n\t\t\t// convert to string\n\t\t\tvalue = '' + value\n\t\t}\n\t\tprops[changedProp] = value\n\t}\n\treturn props\n}\n\nfunction callPropFind(client, options, model, headers) {\n\treturn client.propFind(\n\t\toptions.url,\n\t\t_.values(options.davProperties) || [],\n\t\toptions.depth,\n\t\theaders\n\t).then(function(response) {\n\t\tif (isSuccessStatus(response.status)) {\n\t\t\tif (_.isFunction(options.success)) {\n\t\t\t\tvar propsMapping = _.invert(options.davProperties)\n\t\t\t\tvar results = parsePropFindResult(response.body, propsMapping)\n\t\t\t\tif (options.depth > 0) {\n\t\t\t\t\t// discard root entry\n\t\t\t\t\tresults.shift()\n\t\t\t\t}\n\n\t\t\t\toptions.success(results)\n\n\t\t\t}\n\t\t} else if (_.isFunction(options.error)) {\n\t\t\toptions.error(response)\n\t\t}\n\t})\n}\n\nfunction callPropPatch(client, options, model, headers) {\n\treturn client.propPatch(\n\t\toptions.url,\n\t\tconvertModelAttributesToDavProperties(model.changed, options.davProperties),\n\t\theaders\n\t).then(function(result) {\n\t\tif (isSuccessStatus(result.status)) {\n\t\t\tif (_.isFunction(options.success)) {\n\t\t\t\t// pass the object's own values because the server\n\t\t\t\t// does not return the updated model\n\t\t\t\toptions.success(model.toJSON())\n\t\t\t}\n\t\t} else if (_.isFunction(options.error)) {\n\t\t\toptions.error(result)\n\t\t}\n\t})\n\n}\n\nfunction callMkCol(client, options, model, headers) {\n\t// call MKCOL without data, followed by PROPPATCH\n\treturn client.request(\n\t\toptions.type,\n\t\toptions.url,\n\t\theaders,\n\t\tnull\n\t).then(function(result) {\n\t\tif (!isSuccessStatus(result.status)) {\n\t\t\tif (_.isFunction(options.error)) {\n\t\t\t\toptions.error(result)\n\t\t\t}\n\t\t\treturn\n\t\t}\n\n\t\tcallPropPatch(client, options, model, headers)\n\t})\n}\n\nfunction callMethod(client, options, model, headers) {\n\theaders['Content-Type'] = 'application/json'\n\treturn client.request(\n\t\toptions.type,\n\t\toptions.url,\n\t\theaders,\n\t\toptions.data\n\t).then(function(result) {\n\t\tif (!isSuccessStatus(result.status)) {\n\t\t\tif (_.isFunction(options.error)) {\n\t\t\t\toptions.error(result)\n\t\t\t}\n\t\t\treturn\n\t\t}\n\n\t\tif (_.isFunction(options.success)) {\n\t\t\tif (options.type === 'PUT' || options.type === 'POST' || options.type === 'MKCOL') {\n\t\t\t\t// pass the object's own values because the server\n\t\t\t\t// does not return anything\n\t\t\t\tvar responseJson = result.body || model.toJSON()\n\t\t\t\tvar locationHeader = result.xhr.getResponseHeader('Content-Location')\n\t\t\t\tif (options.type === 'POST' && locationHeader) {\n\t\t\t\t\tresponseJson.id = parseIdFromLocation(locationHeader)\n\t\t\t\t}\n\t\t\t\toptions.success(responseJson)\n\t\t\t\treturn\n\t\t\t}\n\t\t\t// if multi-status, parse\n\t\t\tif (result.status === 207) {\n\t\t\t\tvar propsMapping = _.invert(options.davProperties)\n\t\t\t\toptions.success(parsePropFindResult(result.body, propsMapping))\n\t\t\t} else {\n\t\t\t\toptions.success(result.body)\n\t\t\t}\n\t\t}\n\t})\n}\n\nexport const davCall = (options, model) => {\n\tvar client = new dav.Client({\n\t\tbaseUrl: options.url,\n\t\txmlNamespaces: _.extend({\n\t\t\t'DAV:': 'd',\n\t\t\t'http://owncloud.org/ns': 'oc'\n\t\t}, options.xmlNamespaces || {})\n\t})\n\tclient.resolveUrl = function() {\n\t\treturn options.url\n\t}\n\tvar headers = _.extend({\n\t\t'X-Requested-With': 'XMLHttpRequest',\n\t\t'requesttoken': OC.requestToken\n\t}, options.headers)\n\tif (options.type === 'PROPFIND') {\n\t\treturn callPropFind(client, options, model, headers)\n\t} else if (options.type === 'PROPPATCH') {\n\t\treturn callPropPatch(client, options, model, headers)\n\t} else if (options.type === 'MKCOL') {\n\t\treturn callMkCol(client, options, model, headers)\n\t} else {\n\t\treturn callMethod(client, options, model, headers)\n\t}\n}\n\n/**\n * DAV transport\n */\nexport const davSync = Backbone => (method, model, options) => {\n\tvar params = { type: methodMap[method] || method }\n\tvar isCollection = (model instanceof Backbone.Collection)\n\n\tif (method === 'update') {\n\t\t// if a model has an inner collection, it must define an\n\t\t// attribute \"hasInnerCollection\" that evaluates to true\n\t\tif (model.hasInnerCollection) {\n\t\t\t// if the model itself is a Webdav collection, use MKCOL\n\t\t\tparams.type = 'MKCOL'\n\t\t} else if (model.usePUT || (model.collection && model.collection.usePUT)) {\n\t\t\t// use PUT instead of PROPPATCH\n\t\t\tparams.type = 'PUT'\n\t\t}\n\t}\n\n\t// Ensure that we have a URL.\n\tif (!options.url) {\n\t\tparams.url = _.result(model, 'url') || urlError()\n\t}\n\n\t// Ensure that we have the appropriate request data.\n\tif (options.data == null && model && (method === 'create' || method === 'update' || method === 'patch')) {\n\t\tparams.data = JSON.stringify(options.attrs || model.toJSON(options))\n\t}\n\n\t// Don't process data on a non-GET request.\n\tif (params.type !== 'PROPFIND') {\n\t\tparams.processData = false\n\t}\n\n\tif (params.type === 'PROPFIND' || params.type === 'PROPPATCH') {\n\t\tvar davProperties = model.davProperties\n\t\tif (!davProperties && model.model) {\n\t\t\t// use dav properties from model in case of collection\n\t\t\tdavProperties = model.model.prototype.davProperties\n\t\t}\n\t\tif (davProperties) {\n\t\t\tif (_.isFunction(davProperties)) {\n\t\t\t\tparams.davProperties = davProperties.call(model)\n\t\t\t} else {\n\t\t\t\tparams.davProperties = davProperties\n\t\t\t}\n\t\t}\n\n\t\tparams.davProperties = _.extend(params.davProperties || {}, options.davProperties)\n\n\t\tif (_.isUndefined(options.depth)) {\n\t\t\tif (isCollection) {\n\t\t\t\toptions.depth = 1\n\t\t\t} else {\n\t\t\t\toptions.depth = 0\n\t\t\t}\n\t\t}\n\t}\n\n\t// Pass along `textStatus` and `errorThrown` from jQuery.\n\tvar error = options.error\n\toptions.error = function(xhr, textStatus, errorThrown) {\n\t\toptions.textStatus = textStatus\n\t\toptions.errorThrown = errorThrown\n\t\tif (error) {\n\t\t\terror.call(options.context, xhr, textStatus, errorThrown)\n\t\t}\n\t}\n\n\t// Make the request, allowing the user to override any Ajax options.\n\tvar xhr = options.xhr = Backbone.davCall(_.extend(params, options), model)\n\tmodel.trigger('request', model, xhr, options)\n\treturn xhr\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport VendorBackbone from 'backbone'\nimport { davCall, davSync } from './backbone-webdav.js'\n\nconst Backbone = VendorBackbone.noConflict()\n\n// Patch Backbone for DAV\nObject.assign(Backbone, {\n\tdavCall,\n\tdavSync: davSync(Backbone),\n})\n\nexport default Backbone\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * Parses a URL query string into a JS map\n *\n * @param {string} queryString query string in the format param1=1234¶m2=abcde¶m3=xyz\n * @return {Record} map containing key/values matching the URL parameters\n */\nexport const parse = queryString => {\n\tlet pos\n\tlet components\n\tconst result = {}\n\tlet key\n\tif (!queryString) {\n\t\treturn null\n\t}\n\tpos = queryString.indexOf('?')\n\tif (pos >= 0) {\n\t\tqueryString = queryString.substr(pos + 1)\n\t}\n\tconst parts = queryString.replace(/\\+/g, '%20').split('&')\n\tfor (let i = 0; i < parts.length; i++) {\n\t\t// split on first equal sign\n\t\tconst part = parts[i]\n\t\tpos = part.indexOf('=')\n\t\tif (pos >= 0) {\n\t\t\tcomponents = [\n\t\t\t\tpart.substr(0, pos),\n\t\t\t\tpart.substr(pos + 1),\n\t\t\t]\n\t\t} else {\n\t\t\t// key only\n\t\t\tcomponents = [part]\n\t\t}\n\t\tif (!components.length) {\n\t\t\tcontinue\n\t\t}\n\t\tkey = decodeURIComponent(components[0])\n\t\tif (!key) {\n\t\t\tcontinue\n\t\t}\n\t\t// if equal sign was there, return string\n\t\tif (components.length > 1) {\n\t\t\tresult[key] = decodeURIComponent(components[1])\n\t\t} else {\n\t\t\t// no equal sign => null value\n\t\t\tresult[key] = null\n\t\t}\n\t}\n\treturn result\n}\n\n/**\n * Builds a URL query from a JS map.\n *\n * @param {Record} params map containing key/values matching the URL parameters\n * @return {string} String containing a URL query (without question) mark\n */\nexport const build = params => {\n\tif (!params) {\n\t\treturn ''\n\t}\n\treturn $.map(params, function(value, key) {\n\t\tlet s = encodeURIComponent(key)\n\t\tif (value !== null && typeof (value) !== 'undefined') {\n\t\t\ts += '=' + encodeURIComponent(value)\n\t\t}\n\t\treturn s\n\t}).join('&')\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nconst config = window._oc_config || {}\n\nexport default config\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nconst rawUid = document\n\t.getElementsByTagName('head')[0]\n\t.getAttribute('data-user')\nconst displayName = document\n\t.getElementsByTagName('head')[0]\n\t.getAttribute('data-user-displayname')\n\nexport const currentUser = rawUid !== undefined ? rawUid : false\n\nexport const getCurrentUser = () => {\n\treturn {\n\t\tuid: currentUser,\n\t\tdisplayName,\n\t}\n}\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2015 ownCloud, Inc.\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable */\nimport _ from 'underscore'\nimport $ from 'jquery'\n\nimport IconMove from '@mdi/svg/svg/folder-move.svg?raw'\nimport IconCopy from '@mdi/svg/svg/folder-multiple.svg?raw'\n\nimport OC from './index.js'\nimport { DialogBuilder, FilePickerType, getFilePickerBuilder, spawnDialog } from '@nextcloud/dialogs'\nimport { translate as t } from '@nextcloud/l10n'\nimport { basename } from 'path'\nimport { defineAsyncComponent } from 'vue'\n\n/**\n * this class to ease the usage of jquery dialogs\n */\nconst Dialogs = {\n\t// dialog button types\n\t/** @deprecated use `@nextcloud/dialogs` */\n\tYES_NO_BUTTONS: 70,\n\t/** @deprecated use `@nextcloud/dialogs` */\n\tOK_BUTTONS: 71,\n\n\t/** @deprecated use FilePickerType from `@nextcloud/dialogs` */\n\tFILEPICKER_TYPE_CHOOSE: 1,\n\t/** @deprecated use FilePickerType from `@nextcloud/dialogs` */\n\tFILEPICKER_TYPE_MOVE: 2,\n\t/** @deprecated use FilePickerType from `@nextcloud/dialogs` */\n\tFILEPICKER_TYPE_COPY: 3,\n\t/** @deprecated use FilePickerType from `@nextcloud/dialogs` */\n\tFILEPICKER_TYPE_COPY_MOVE: 4,\n\t/** @deprecated use FilePickerType from `@nextcloud/dialogs` */\n\tFILEPICKER_TYPE_CUSTOM: 5,\n\n\t/**\n\t * displays alert dialog\n\t * @param {string} text content of dialog\n\t * @param {string} title dialog title\n\t * @param {function} callback which will be triggered when user presses OK\n\t * @param {boolean} [modal] make the dialog modal\n\t *\n\t * @deprecated 30.0.0 Use `@nextcloud/dialogs` instead or build your own with `@nextcloud/vue` NcDialog\n\t */\n\talert: function(text, title, callback, modal) {\n\t\tthis.message(\n\t\t\ttext,\n\t\t\ttitle,\n\t\t\t'alert',\n\t\t\tDialogs.OK_BUTTON,\n\t\t\tcallback,\n\t\t\tmodal\n\t\t)\n\t},\n\n\t/**\n\t * displays info dialog\n\t * @param {string} text content of dialog\n\t * @param {string} title dialog title\n\t * @param {function} callback which will be triggered when user presses OK\n\t * @param {boolean} [modal] make the dialog modal\n\t *\n\t * @deprecated 30.0.0 Use `@nextcloud/dialogs` instead or build your own with `@nextcloud/vue` NcDialog\n\t */\n\tinfo: function(text, title, callback, modal) {\n\t\tthis.message(text, title, 'info', Dialogs.OK_BUTTON, callback, modal)\n\t},\n\n\t/**\n\t * displays confirmation dialog\n\t * @param {string} text content of dialog\n\t * @param {string} title dialog title\n\t * @param {function} callback which will be triggered when user presses OK (true or false would be passed to callback respectively)\n\t * @param {boolean} [modal] make the dialog modal\n\t * @returns {Promise}\n\t *\n\t * @deprecated 30.0.0 Use `@nextcloud/dialogs` instead or build your own with `@nextcloud/vue` NcDialog\n\t */\n\tconfirm: function(text, title, callback, modal) {\n\t\treturn this.message(\n\t\t\ttext,\n\t\t\ttitle,\n\t\t\t'notice',\n\t\t\tDialogs.YES_NO_BUTTONS,\n\t\t\tcallback,\n\t\t\tmodal\n\t\t)\n\t},\n\t/**\n\t * displays confirmation dialog\n\t * @param {string} text content of dialog\n\t * @param {string} title dialog title\n\t * @param {(number|{type: number, confirm: string, cancel: string, confirmClasses: string})} buttons text content of buttons\n\t * @param {function} callback which will be triggered when user presses OK (true or false would be passed to callback respectively)\n\t * @param {boolean} [modal] make the dialog modal\n\t * @returns {Promise}\n\t *\n\t * @deprecated 30.0.0 Use `@nextcloud/dialogs` instead or build your own with `@nextcloud/vue` NcDialog\n\t */\n\tconfirmDestructive: function(text, title, buttons = Dialogs.OK_BUTTONS, callback = () => {}, modal) {\n\t\treturn (new DialogBuilder())\n\t\t\t.setName(title)\n\t\t\t.setText(text)\n\t\t\t.setButtons(\n\t\t\t\tbuttons === Dialogs.OK_BUTTONS\n\t\t\t\t? [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: t('core', 'Yes'),\n\t\t\t\t\t\ttype: 'error',\n\t\t\t\t\t\tcallback: () => {\n\t\t\t\t\t\t\tcallback.clicked = true\n\t\t\t\t\t\t\tcallback(true)\n\t\t\t\t\t\t},\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t\t: Dialogs._getLegacyButtons(buttons, callback)\n\t\t\t)\n\t\t\t.build()\n\t\t\t.show()\n\t\t\t.then(() => {\n\t\t\t\tif (!callback.clicked) {\n\t\t\t\t\tcallback(false)\n\t\t\t\t}\n\t\t\t})\n\t},\n\t/**\n\t * displays confirmation dialog\n\t * @param {string} text content of dialog\n\t * @param {string} title dialog title\n\t * @param {function} callback which will be triggered when user presses OK (true or false would be passed to callback respectively)\n\t * @param {boolean} [modal] make the dialog modal\n\t * @returns {Promise}\n\t *\n\t * @deprecated 30.0.0 Use `@nextcloud/dialogs` instead or build your own with `@nextcloud/vue` NcDialog\n\t */\n\tconfirmHtml: function(text, title, callback, modal) {\n\t\treturn (new DialogBuilder())\n\t\t\t.setName(title)\n\t\t\t.setText('')\n\t\t\t.setButtons([\n\t\t\t\t{\n\t\t\t\t\tlabel: t('core', 'No'),\n\t\t\t\t\tcallback: () => {},\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: t('core', 'Yes'),\n\t\t\t\t\ttype: 'primary',\n\t\t\t\t\tcallback: () => {\n\t\t\t\t\t\tcallback.clicked = true\n\t\t\t\t\t\tcallback(true)\n\t\t\t\t\t},\n\t\t\t\t},\n\t\t\t])\n\t\t\t.build()\n\t\t\t.setHTML(text)\n\t\t\t.show()\n\t\t\t.then(() => {\n\t\t\t\tif (!callback.clicked) {\n\t\t\t\t\tcallback(false)\n\t\t\t\t}\n\t\t\t})\n\t},\n\t/**\n\t * displays prompt dialog\n\t * @param {string} text content of dialog\n\t * @param {string} title dialog title\n\t * @param {function} callback which will be triggered when user presses OK (true or false would be passed to callback respectively)\n\t * @param {boolean} [modal] make the dialog modal\n\t * @param {string} name name of the input field\n\t * @param {boolean} password whether the input should be a password input\n\t * @returns {Promise}\n\t *\n\t * @deprecated Use NcDialog from `@nextcloud/vue` instead\n\t */\n\tprompt: function(text, title, callback, modal, name, password) {\n\t\treturn new Promise((resolve) => {\n\t\t\tspawnDialog(\n\t\t\t\tdefineAsyncComponent(() => import('../components/LegacyDialogPrompt.vue')),\n\t\t\t\t{\n\t\t\t\t\ttext,\n\t\t\t\t\tname: title,\n\t\t\t\t\tcallback,\n\t\t\t\t\tinputName: name,\n\t\t\t\t\tisPassword: !!password\n\t\t\t\t},\n\t\t\t\t(...args) => {\n\t\t\t\t\tcallback(...args)\n\t\t\t\t\tresolve()\n\t\t\t\t},\n\t\t\t)\n\t\t})\n\t},\n\n\t/**\n\t * Legacy wrapper to the new Vue based filepicker from `@nextcloud/dialogs`\n\t *\n\t * Prefer to use the Vue filepicker directly instead.\n\t *\n\t * In order to pick several types of mime types they need to be passed as an\n\t * array of strings.\n\t *\n\t * When no mime type filter is given only files can be selected. In order to\n\t * be able to select both files and folders \"['*', 'httpd/unix-directory']\"\n\t * should be used instead.\n\t *\n\t * @param {string} title dialog title\n\t * @param {Function} callback which will be triggered when user presses Choose\n\t * @param {boolean} [multiselect] whether it should be possible to select multiple files\n\t * @param {string[]} [mimetype] mimetype to filter by - directories will always be included\n\t * @param {boolean} [_modal] do not use\n\t * @param {string} [type] Type of file picker : Choose, copy, move, copy and move\n\t * @param {string} [path] path to the folder that the the file can be picket from\n\t * @param {object} [options] additonal options that need to be set\n\t * @param {Function} [options.filter] filter function for advanced filtering\n\t * @param {boolean} [options.allowDirectoryChooser] Allow to select directories\n\t * @deprecated since 27.1.0 use the filepicker from `@nextcloud/dialogs` instead\n\t */\n\tfilepicker(title, callback, multiselect = false, mimetype = undefined, _modal = undefined, type = FilePickerType.Choose, path = undefined, options = undefined) {\n\n\t\t/**\n\t\t * Create legacy callback wrapper to support old filepicker syntax\n\t\t * @param fn The original callback\n\t\t * @param type The file picker type which was used to pick the file(s)\n\t\t */\n\t\tconst legacyCallback = (fn, type) => {\n\t\t\tconst getPath = (node) => {\n\t\t\t\tconst root = node?.root || ''\n\t\t\t\tlet path = node?.path || ''\n\t\t\t\t// TODO: Fix this in @nextcloud/files\n\t\t\t\tif (path.startsWith(root)) {\n\t\t\t\t\tpath = path.slice(root.length) || '/'\n\t\t\t\t}\n\t\t\t\treturn path\n\t\t\t}\n\n\t\t\tif (multiselect) {\n\t\t\t\treturn (nodes) => fn(nodes.map(getPath), type)\n\t\t\t} else {\n\t\t\t\treturn (nodes) => fn(getPath(nodes[0]), type)\n\t\t\t}\n\t\t}\n\n\t\t/**\n\t\t * Coverting a Node into a legacy file info to support the OC.dialogs.filepicker filter function\n\t\t * @param node The node to convert\n\t\t */\n\t\tconst nodeToLegacyFile = (node) => ({\n\t\t\tid: node.fileid || null,\n\t\t\tpath: node.path,\n\t\t\tmimetype: node.mime || null,\n\t\t\tmtime: node.mtime?.getTime() || null,\n\t\t\tpermissions: node.permissions,\n\t\t\tname: node.attributes?.displayName || node.basename,\n\t\t\tetag: node.attributes?.etag || null,\n\t\t\thasPreview: node.attributes?.hasPreview || null,\n\t\t\tmountType: node.attributes?.mountType || null,\n\t\t\tquotaAvailableBytes: node.attributes?.quotaAvailableBytes || null,\n\t\t\ticon: null,\n\t\t\tsharePermissions: null,\n\t\t})\n\n\t\tconst builder = getFilePickerBuilder(title)\n\n\t\t// Setup buttons\n\t\tif (type === this.FILEPICKER_TYPE_CUSTOM) {\n\t\t\t(options.buttons || []).forEach((button) => {\n\t\t\t\tbuilder.addButton({\n\t\t\t\t\tcallback: legacyCallback(callback, button.type),\n\t\t\t\t\tlabel: button.text,\n\t\t\t\t\ttype: button.defaultButton ? 'primary' : 'secondary',\n\t\t\t\t})\n\t\t\t})\n\t\t} else {\n\t\t\tbuilder.setButtonFactory((nodes, path) => {\n\t\t\t\tconst buttons = []\n\t\t\t\tconst node = nodes?.[0]?.attributes?.displayName || nodes?.[0]?.basename\n\t\t\t\tconst target = node || basename(path)\n\n\t\t\t\tif (type === FilePickerType.Choose) {\n\t\t\t\t\tbuttons.push({\n\t\t\t\t\t\tcallback: legacyCallback(callback, FilePickerType.Choose),\n\t\t\t\t\t\tlabel: node && !this.multiSelect ? t('core', 'Choose {file}', { file: node }) : t('core', 'Choose'),\n\t\t\t\t\t\ttype: 'primary',\n\t\t\t\t\t})\n\t\t\t\t}\n\t\t\t\tif (type === FilePickerType.CopyMove || type === FilePickerType.Copy) {\n\t\t\t\t\tbuttons.push({\n\t\t\t\t\t\tcallback: legacyCallback(callback, FilePickerType.Copy),\n\t\t\t\t\t\tlabel: target ? t('core', 'Copy to {target}', { target }) : t('core', 'Copy'),\n\t\t\t\t\t\ttype: 'primary',\n\t\t\t\t\t\ticon: IconCopy,\n\t\t\t\t\t})\n\t\t\t\t}\n\t\t\t\tif (type === FilePickerType.Move || type === FilePickerType.CopyMove) {\n\t\t\t\t\tbuttons.push({\n\t\t\t\t\t\tcallback: legacyCallback(callback, FilePickerType.Move),\n\t\t\t\t\t\tlabel: target ? t('core', 'Move to {target}', { target }) : t('core', 'Move'),\n\t\t\t\t\t\ttype: type === FilePickerType.Move ? 'primary' : 'secondary',\n\t\t\t\t\t\ticon: IconMove,\n\t\t\t\t\t})\n\t\t\t\t}\n\t\t\t\treturn buttons\n\t\t\t})\n\t\t}\n\n\t\tif (mimetype) {\n\t\t\tbuilder.setMimeTypeFilter(typeof mimetype === 'string' ? [mimetype] : (mimetype || []))\n\t\t}\n\t\tif (typeof options?.filter === 'function') {\n\t\t\tbuilder.setFilter((node) => options.filter(nodeToLegacyFile(node)))\n\t\t}\n\t\tbuilder.allowDirectories(options?.allowDirectoryChooser === true || mimetype?.includes('httpd/unix-directory') || false)\n\t\t\t.setMultiSelect(multiselect)\n\t\t\t.startAt(path)\n\t\t\t.build()\n\t\t\t.pick()\n\t},\n\n\t/**\n\t * Displays raw dialog\n\t * You better use a wrapper instead ...\n\t *\n\t * @deprecated 30.0.0 Use `@nextcloud/dialogs` instead or build your own with `@nextcloud/vue` NcDialog\n\t */\n\tmessage: function(content, title, dialogType, buttons, callback = () => {}, modal, allowHtml) {\n\t\tconst builder = (new DialogBuilder())\n\t\t\t.setName(title)\n\t\t\t.setText(allowHtml ? '' : content)\n\t\t\t.setButtons(Dialogs._getLegacyButtons(buttons, callback))\n\n\t\tswitch (dialogType) {\n\t\t\tcase 'alert':\n\t\t\t\tbuilder.setSeverity('warning')\n\t\t\t\tbreak\n\t\t\tcase 'notice':\n\t\t\t\tbuilder.setSeverity('info')\n\t\t\t\tbreak\n\t\t\tdefault:\n\t\t\t\tbreak\n\t\t}\n\n\t\tconst dialog = builder.build()\n\t\n\t\tif (allowHtml) {\n\t\t\tdialog.setHTML(content)\n\t\t}\n\n\t\treturn dialog.show().then(() => {\n\t\t\tif(!callback._clicked) {\n\t\t\t\tcallback(false)\n\t\t\t}\n\t\t})\n\t},\n\n\t/**\n\t * Helper for legacy API\n\t * @deprecated\n\t */\n\t_getLegacyButtons(buttons, callback) {\n\t\tconst buttonList = []\n\n\t\tswitch (typeof buttons === 'object' ? buttons.type : buttons) {\n\t\t\tcase Dialogs.YES_NO_BUTTONS:\n\t\t\t\tbuttonList.push({\n\t\t\t\t\tlabel: buttons?.cancel ?? t('core', 'No'),\n\t\t\t\t\tcallback: () => {\n\t\t\t\t\t\tcallback._clicked = true\n\t\t\t\t\t\tcallback(false)\n\t\t\t\t\t},\n\t\t\t\t})\n\t\t\t\tbuttonList.push({\n\t\t\t\t\tlabel: buttons?.confirm ?? t('core', 'Yes'),\n\t\t\t\t\ttype: 'primary',\n\t\t\t\t\tcallback: () => {\n\t\t\t\t\t\tcallback._clicked = true\n\t\t\t\t\t\tcallback(true)\n\t\t\t\t\t},\n\t\t\t\t})\n\t\t\t\tbreak\n\t\t\tcase Dialogs.OK_BUTTONS:\n\t\t\t\tbuttonList.push({\n\t\t\t\t\tlabel: buttons?.confirm ?? t('core', 'OK'),\n\t\t\t\t\ttype: 'primary',\n\t\t\t\t\tcallback: () => {\n\t\t\t\t\t\tcallback._clicked = true\n\t\t\t\t\t\tcallback(true)\n\t\t\t\t\t},\n\t\t\t\t})\n\t\t\t\tbreak\n\t\t\tdefault:\n\t\t\t\tconsole.error('Invalid call to OC.dialogs')\n\t\t\t\tbreak\n\t\t}\n\t\treturn buttonList\n\t},\n\n\t_fileexistsshown: false,\n\t/**\n\t * Displays file exists dialog\n\t * @param {object} data upload object\n\t * @param {object} original file with name, size and mtime\n\t * @param {object} replacement file with name, size and mtime\n\t * @param {object} controller with onCancel, onSkip, onReplace and onRename methods\n\t * @returns {Promise} jquery promise that resolves after the dialog template was loaded\n\t *\n\t * @deprecated 29.0.0 Use openConflictPicker from the @nextcloud/upload package instead\n\t */\n\tfileexists: function(data, original, replacement, controller) {\n\t\tvar self = this\n\t\tvar dialogDeferred = new $.Deferred()\n\n\t\tvar getCroppedPreview = function(file) {\n\t\t\tvar deferred = new $.Deferred()\n\t\t\t// Only process image files.\n\t\t\tvar type = file.type && file.type.split('/').shift()\n\t\t\tif (window.FileReader && type === 'image') {\n\t\t\t\tvar reader = new FileReader()\n\t\t\t\treader.onload = function(e) {\n\t\t\t\t\tvar blob = new Blob([e.target.result])\n\t\t\t\t\twindow.URL = window.URL || window.webkitURL\n\t\t\t\t\tvar originalUrl = window.URL.createObjectURL(blob)\n\t\t\t\t\tvar image = new Image()\n\t\t\t\t\timage.src = originalUrl\n\t\t\t\t\timage.onload = function() {\n\t\t\t\t\t\tvar url = crop(image)\n\t\t\t\t\t\tdeferred.resolve(url)\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\treader.readAsArrayBuffer(file)\n\t\t\t} else {\n\t\t\t\tdeferred.reject()\n\t\t\t}\n\t\t\treturn deferred\n\t\t}\n\n\t\tvar crop = function(img) {\n\t\t\tvar canvas = document.createElement('canvas')\n\t\t\tvar targetSize = 96\n\t\t\tvar width = img.width\n\t\t\tvar height = img.height\n\t\t\tvar x; var y; var size\n\n\t\t\t// Calculate the width and height, constraining the proportions\n\t\t\tif (width > height) {\n\t\t\t\ty = 0\n\t\t\t\tx = (width - height) / 2\n\t\t\t} else {\n\t\t\t\ty = (height - width) / 2\n\t\t\t\tx = 0\n\t\t\t}\n\t\t\tsize = Math.min(width, height)\n\n\t\t\t// Set canvas size to the cropped area\n\t\t\tcanvas.width = size\n\t\t\tcanvas.height = size\n\t\t\tvar ctx = canvas.getContext('2d')\n\t\t\tctx.drawImage(img, x, y, size, size, 0, 0, size, size)\n\n\t\t\t// Resize the canvas to match the destination (right size uses 96px)\n\t\t\tresampleHermite(canvas, size, size, targetSize, targetSize)\n\n\t\t\treturn canvas.toDataURL('image/png', 0.7)\n\t\t}\n\n\t\t/**\n\t\t * Fast image resize/resample using Hermite filter with JavaScript.\n\t\t *\n\t\t * @author: ViliusL\n\t\t *\n\t\t * @param {*} canvas\n\t\t * @param {number} W\n\t\t * @param {number} H\n\t\t * @param {number} W2\n\t\t * @param {number} H2\n\t\t */\n\t\tvar resampleHermite = function(canvas, W, H, W2, H2) {\n\t\t\tW2 = Math.round(W2)\n\t\t\tH2 = Math.round(H2)\n\t\t\tvar img = canvas.getContext('2d').getImageData(0, 0, W, H)\n\t\t\tvar img2 = canvas.getContext('2d').getImageData(0, 0, W2, H2)\n\t\t\tvar data = img.data\n\t\t\tvar data2 = img2.data\n\t\t\tvar ratio_w = W / W2\n\t\t\tvar ratio_h = H / H2\n\t\t\tvar ratio_w_half = Math.ceil(ratio_w / 2)\n\t\t\tvar ratio_h_half = Math.ceil(ratio_h / 2)\n\n\t\t\tfor (var j = 0; j < H2; j++) {\n\t\t\t\tfor (var i = 0; i < W2; i++) {\n\t\t\t\t\tvar x2 = (i + j * W2) * 4\n\t\t\t\t\tvar weight = 0\n\t\t\t\t\tvar weights = 0\n\t\t\t\t\tvar weights_alpha = 0\n\t\t\t\t\tvar gx_r = 0\n\t\t\t\t\tvar gx_g = 0\n\t\t\t\t\tvar gx_b = 0\n\t\t\t\t\tvar gx_a = 0\n\t\t\t\t\tvar center_y = (j + 0.5) * ratio_h\n\t\t\t\t\tfor (var yy = Math.floor(j * ratio_h); yy < (j + 1) * ratio_h; yy++) {\n\t\t\t\t\t\tvar dy = Math.abs(center_y - (yy + 0.5)) / ratio_h_half\n\t\t\t\t\t\tvar center_x = (i + 0.5) * ratio_w\n\t\t\t\t\t\tvar w0 = dy * dy // pre-calc part of w\n\t\t\t\t\t\tfor (var xx = Math.floor(i * ratio_w); xx < (i + 1) * ratio_w; xx++) {\n\t\t\t\t\t\t\tvar dx = Math.abs(center_x - (xx + 0.5)) / ratio_w_half\n\t\t\t\t\t\t\tvar w = Math.sqrt(w0 + dx * dx)\n\t\t\t\t\t\t\tif (w >= -1 && w <= 1) {\n\t\t\t\t\t\t\t\t// hermite filter\n\t\t\t\t\t\t\t\tweight = 2 * w * w * w - 3 * w * w + 1\n\t\t\t\t\t\t\t\tif (weight > 0) {\n\t\t\t\t\t\t\t\t\tdx = 4 * (xx + yy * W)\n\t\t\t\t\t\t\t\t\t// alpha\n\t\t\t\t\t\t\t\t\tgx_a += weight * data[dx + 3]\n\t\t\t\t\t\t\t\t\tweights_alpha += weight\n\t\t\t\t\t\t\t\t\t// colors\n\t\t\t\t\t\t\t\t\tif (data[dx + 3] < 255) { weight = weight * data[dx + 3] / 250 }\n\t\t\t\t\t\t\t\t\tgx_r += weight * data[dx]\n\t\t\t\t\t\t\t\t\tgx_g += weight * data[dx + 1]\n\t\t\t\t\t\t\t\t\tgx_b += weight * data[dx + 2]\n\t\t\t\t\t\t\t\t\tweights += weight\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\tdata2[x2] = gx_r / weights\n\t\t\t\t\tdata2[x2 + 1] = gx_g / weights\n\t\t\t\t\tdata2[x2 + 2] = gx_b / weights\n\t\t\t\t\tdata2[x2 + 3] = gx_a / weights_alpha\n\t\t\t\t}\n\t\t\t}\n\t\t\tcanvas.getContext('2d').clearRect(0, 0, Math.max(W, W2), Math.max(H, H2))\n\t\t\tcanvas.width = W2\n\t\t\tcanvas.height = H2\n\t\t\tcanvas.getContext('2d').putImageData(img2, 0, 0)\n\t\t}\n\n\t\tvar addConflict = function($conflicts, original, replacement) {\n\n\t\t\tvar $conflict = $conflicts.find('.template').clone().removeClass('template').addClass('conflict')\n\t\t\tvar $originalDiv = $conflict.find('.original')\n\t\t\tvar $replacementDiv = $conflict.find('.replacement')\n\n\t\t\t$conflict.data('data', data)\n\n\t\t\t$conflict.find('.filename').text(original.name)\n\t\t\t$originalDiv.find('.size').text(OC.Util.humanFileSize(original.size))\n\t\t\t$originalDiv.find('.mtime').text(OC.Util.formatDate(original.mtime))\n\t\t\t// ie sucks\n\t\t\tif (replacement.size && replacement.lastModified) {\n\t\t\t\t$replacementDiv.find('.size').text(OC.Util.humanFileSize(replacement.size))\n\t\t\t\t$replacementDiv.find('.mtime').text(OC.Util.formatDate(replacement.lastModified))\n\t\t\t}\n\t\t\tvar path = original.directory + '/' + original.name\n\t\t\tvar urlSpec = {\n\t\t\t\tfile: path,\n\t\t\t\tx: 96,\n\t\t\t\ty: 96,\n\t\t\t\tc: original.etag,\n\t\t\t\tforceIcon: 0\n\t\t\t}\n\t\t\tvar previewpath = Files.generatePreviewUrl(urlSpec)\n\t\t\t// Escaping single quotes\n\t\t\tpreviewpath = previewpath.replace(/'/g, '%27')\n\t\t\t$originalDiv.find('.icon').css({ 'background-image': \"url('\" + previewpath + \"')\" })\n\t\t\tgetCroppedPreview(replacement).then(\n\t\t\t\tfunction(path) {\n\t\t\t\t\t$replacementDiv.find('.icon').css('background-image', 'url(' + path + ')')\n\t\t\t\t}, function() {\n\t\t\t\t\tpath = OC.MimeType.getIconUrl(replacement.type)\n\t\t\t\t\t$replacementDiv.find('.icon').css('background-image', 'url(' + path + ')')\n\t\t\t\t}\n\t\t\t)\n\t\t\t// connect checkboxes with labels\n\t\t\tvar checkboxId = $conflicts.find('.conflict').length\n\t\t\t$originalDiv.find('input:checkbox').attr('id', 'checkbox_original_' + checkboxId)\n\t\t\t$replacementDiv.find('input:checkbox').attr('id', 'checkbox_replacement_' + checkboxId)\n\n\t\t\t$conflicts.append($conflict)\n\n\t\t\t// set more recent mtime bold\n\t\t\t// ie sucks\n\t\t\tif (replacement.lastModified > original.mtime) {\n\t\t\t\t$replacementDiv.find('.mtime').css('font-weight', 'bold')\n\t\t\t} else if (replacement.lastModified < original.mtime) {\n\t\t\t\t$originalDiv.find('.mtime').css('font-weight', 'bold')\n\t\t\t} else {\n\t\t\t\t// TODO add to same mtime collection?\n\t\t\t}\n\n\t\t\t// set bigger size bold\n\t\t\tif (replacement.size && replacement.size > original.size) {\n\t\t\t\t$replacementDiv.find('.size').css('font-weight', 'bold')\n\t\t\t} else if (replacement.size && replacement.size < original.size) {\n\t\t\t\t$originalDiv.find('.size').css('font-weight', 'bold')\n\t\t\t} else {\n\t\t\t\t// TODO add to same size collection?\n\t\t\t}\n\n\t\t\t// TODO show skip action for files with same size and mtime in bottom row\n\n\t\t\t// always keep readonly files\n\n\t\t\tif (original.status === 'readonly') {\n\t\t\t\t$originalDiv\n\t\t\t\t\t.addClass('readonly')\n\t\t\t\t\t.find('input[type=\"checkbox\"]')\n\t\t\t\t\t.prop('checked', true)\n\t\t\t\t\t.prop('disabled', true)\n\t\t\t\t$originalDiv.find('.message')\n\t\t\t\t\t.text(t('core', 'read-only'))\n\t\t\t}\n\t\t}\n\t\t// var selection = controller.getSelection(data.originalFiles);\n\t\t// if (selection.defaultAction) {\n\t\t//\tcontroller[selection.defaultAction](data);\n\t\t// } else {\n\t\tvar dialogName = 'oc-dialog-fileexists-content'\n\t\tvar dialogId = '#' + dialogName\n\t\tif (this._fileexistsshown) {\n\t\t\t// add conflict\n\n\t\t\tvar $conflicts = $(dialogId + ' .conflicts')\n\t\t\taddConflict($conflicts, original, replacement)\n\n\t\t\tvar count = $(dialogId + ' .conflict').length\n\t\t\tvar title = n('core',\n\t\t\t\t'{count} file conflict',\n\t\t\t\t'{count} file conflicts',\n\t\t\t\tcount,\n\t\t\t\t{ count: count }\n\t\t\t)\n\t\t\t$(dialogId).parent().children('.oc-dialog-title').text(title)\n\n\t\t\t// recalculate dimensions\n\t\t\t$(window).trigger('resize')\n\t\t\tdialogDeferred.resolve()\n\t\t} else {\n\t\t\t// create dialog\n\t\t\tthis._fileexistsshown = true\n\t\t\t$.when(this._getFileExistsTemplate()).then(function($tmpl) {\n\t\t\t\tvar title = t('core', 'One file conflict')\n\t\t\t\tvar $dlg = $tmpl.octemplate({\n\t\t\t\t\tdialog_name: dialogName,\n\t\t\t\t\ttitle: title,\n\t\t\t\t\ttype: 'fileexists',\n\n\t\t\t\t\tallnewfiles: t('core', 'New Files'),\n\t\t\t\t\tallexistingfiles: t('core', 'Already existing files'),\n\n\t\t\t\t\twhy: t('core', 'Which files do you want to keep?'),\n\t\t\t\t\twhat: t('core', 'If you select both versions, the copied file will have a number added to its name.')\n\t\t\t\t})\n\t\t\t\t$('body').append($dlg)\n\n\t\t\t\tif (original && replacement) {\n\t\t\t\t\tvar $conflicts = $dlg.find('.conflicts')\n\t\t\t\t\taddConflict($conflicts, original, replacement)\n\t\t\t\t}\n\n\t\t\t\tvar buttonlist = [{\n\t\t\t\t\ttext: t('core', 'Cancel'),\n\t\t\t\t\tclasses: 'cancel',\n\t\t\t\t\tclick: function() {\n\t\t\t\t\t\tif (typeof controller.onCancel !== 'undefined') {\n\t\t\t\t\t\t\tcontroller.onCancel(data)\n\t\t\t\t\t\t}\n\t\t\t\t\t\t$(dialogId).ocdialog('close')\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttext: t('core', 'Continue'),\n\t\t\t\t\tclasses: 'continue',\n\t\t\t\t\tclick: function() {\n\t\t\t\t\t\tif (typeof controller.onContinue !== 'undefined') {\n\t\t\t\t\t\t\tcontroller.onContinue($(dialogId + ' .conflict'))\n\t\t\t\t\t\t}\n\t\t\t\t\t\t$(dialogId).ocdialog('close')\n\t\t\t\t\t}\n\t\t\t\t}]\n\n\t\t\t\t$(dialogId).ocdialog({\n\t\t\t\t\twidth: 500,\n\t\t\t\t\tcloseOnEscape: true,\n\t\t\t\t\tmodal: true,\n\t\t\t\t\tbuttons: buttonlist,\n\t\t\t\t\tcloseButton: null,\n\t\t\t\t\tclose: function() {\n\t\t\t\t\t\tself._fileexistsshown = false\n\t\t\t\t\t\ttry {\n\t\t\t\t\t\t\t$(this).ocdialog('destroy').remove()\n\t\t\t\t\t\t} catch (e) {\n\t\t\t\t\t\t\t// ignore\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t\t$(dialogId).css('height', 'auto')\n\n\t\t\t\tvar $primaryButton = $dlg.closest('.oc-dialog').find('button.continue')\n\t\t\t\t$primaryButton.prop('disabled', true)\n\n\t\t\t\tfunction updatePrimaryButton() {\n\t\t\t\t\tvar checkedCount = $dlg.find('.conflicts .checkbox:checked').length\n\t\t\t\t\t$primaryButton.prop('disabled', checkedCount === 0)\n\t\t\t\t}\n\n\t\t\t\t// add checkbox toggling actions\n\t\t\t\t$(dialogId).find('.allnewfiles').on('click', function() {\n\t\t\t\t\tvar $checkboxes = $(dialogId).find('.conflict .replacement input[type=\"checkbox\"]')\n\t\t\t\t\t$checkboxes.prop('checked', $(this).prop('checked'))\n\t\t\t\t})\n\t\t\t\t$(dialogId).find('.allexistingfiles').on('click', function() {\n\t\t\t\t\tvar $checkboxes = $(dialogId).find('.conflict .original:not(.readonly) input[type=\"checkbox\"]')\n\t\t\t\t\t$checkboxes.prop('checked', $(this).prop('checked'))\n\t\t\t\t})\n\t\t\t\t$(dialogId).find('.conflicts').on('click', '.replacement,.original:not(.readonly)', function() {\n\t\t\t\t\tvar $checkbox = $(this).find('input[type=\"checkbox\"]')\n\t\t\t\t\t$checkbox.prop('checked', !$checkbox.prop('checked'))\n\t\t\t\t})\n\t\t\t\t$(dialogId).find('.conflicts').on('click', '.replacement input[type=\"checkbox\"],.original:not(.readonly) input[type=\"checkbox\"]', function() {\n\t\t\t\t\tvar $checkbox = $(this)\n\t\t\t\t\t$checkbox.prop('checked', !$checkbox.prop('checked'))\n\t\t\t\t})\n\n\t\t\t\t// update counters\n\t\t\t\t$(dialogId).on('click', '.replacement,.allnewfiles', function() {\n\t\t\t\t\tvar count = $(dialogId).find('.conflict .replacement input[type=\"checkbox\"]:checked').length\n\t\t\t\t\tif (count === $(dialogId + ' .conflict').length) {\n\t\t\t\t\t\t$(dialogId).find('.allnewfiles').prop('checked', true)\n\t\t\t\t\t\t$(dialogId).find('.allnewfiles + .count').text(t('core', '(all selected)'))\n\t\t\t\t\t} else if (count > 0) {\n\t\t\t\t\t\t$(dialogId).find('.allnewfiles').prop('checked', false)\n\t\t\t\t\t\t$(dialogId).find('.allnewfiles + .count').text(t('core', '({count} selected)', { count: count }))\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$(dialogId).find('.allnewfiles').prop('checked', false)\n\t\t\t\t\t\t$(dialogId).find('.allnewfiles + .count').text('')\n\t\t\t\t\t}\n\t\t\t\t\tupdatePrimaryButton()\n\t\t\t\t})\n\t\t\t\t$(dialogId).on('click', '.original,.allexistingfiles', function() {\n\t\t\t\t\tvar count = $(dialogId).find('.conflict .original input[type=\"checkbox\"]:checked').length\n\t\t\t\t\tif (count === $(dialogId + ' .conflict').length) {\n\t\t\t\t\t\t$(dialogId).find('.allexistingfiles').prop('checked', true)\n\t\t\t\t\t\t$(dialogId).find('.allexistingfiles + .count').text(t('core', '(all selected)'))\n\t\t\t\t\t} else if (count > 0) {\n\t\t\t\t\t\t$(dialogId).find('.allexistingfiles').prop('checked', false)\n\t\t\t\t\t\t$(dialogId).find('.allexistingfiles + .count')\n\t\t\t\t\t\t\t.text(t('core', '({count} selected)', { count: count }))\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$(dialogId).find('.allexistingfiles').prop('checked', false)\n\t\t\t\t\t\t$(dialogId).find('.allexistingfiles + .count').text('')\n\t\t\t\t\t}\n\t\t\t\t\tupdatePrimaryButton()\n\t\t\t\t})\n\n\t\t\t\tdialogDeferred.resolve()\n\t\t\t})\n\t\t\t\t.fail(function() {\n\t\t\t\t\tdialogDeferred.reject()\n\t\t\t\t\talert(t('core', 'Error loading file exists template'))\n\t\t\t\t})\n\t\t}\n\t\t// }\n\t\treturn dialogDeferred.promise()\n\t},\n\n\t_getFileExistsTemplate: function() {\n\t\tvar defer = $.Deferred()\n\t\tif (!this.$fileexistsTemplate) {\n\t\t\tvar self = this\n\t\t\t$.get(OC.filePath('core', 'templates/legacy', 'fileexists.html'), function(tmpl) {\n\t\t\t\tself.$fileexistsTemplate = $(tmpl)\n\t\t\t\tdefer.resolve(self.$fileexistsTemplate)\n\t\t\t})\n\t\t\t\t.fail(function() {\n\t\t\t\t\tdefer.reject()\n\t\t\t\t})\n\t\t} else {\n\t\t\tdefer.resolve(this.$fileexistsTemplate)\n\t\t}\n\t\treturn defer.promise()\n\t},\n}\n\nexport default Dialogs\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { emit } from '@nextcloud/event-bus'\n\n/**\n * @private\n * @param {Document} global the document to read the initial value from\n * @param {Function} emit the function to invoke for every new token\n * @return {object}\n */\nexport const manageToken = (global, emit) => {\n\tlet token = global.getElementsByTagName('head')[0].getAttribute('data-requesttoken')\n\n\treturn {\n\t\tgetToken: () => token,\n\t\tsetToken: newToken => {\n\t\t\ttoken = newToken\n\n\t\t\temit('csrf-token-update', {\n\t\t\t\ttoken,\n\t\t\t})\n\t\t},\n\t}\n}\n\nconst manageFromDocument = manageToken(document, emit)\n\n/**\n * @return {string}\n */\nexport const getToken = manageFromDocument.getToken\n\n/**\n * @param {string} newToken new token\n */\nexport const setToken = manageFromDocument.setToken\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2015 ownCloud, Inc.\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable */\nimport $ from 'jquery'\n\nimport { getToken } from './requesttoken.js'\n\n/**\n * Create a new event source\n * @param {string} src\n * @param {object} [data] to be send as GET\n *\n * @constructs OCEventSource\n */\nconst OCEventSource = function(src, data) {\n\tvar dataStr = ''\n\tvar name\n\tvar joinChar\n\tthis.typelessListeners = []\n\tthis.closed = false\n\tthis.listeners = {}\n\tif (data) {\n\t\tfor (name in data) {\n\t\t\tdataStr += name + '=' + encodeURIComponent(data[name]) + '&'\n\t\t}\n\t}\n\tdataStr += 'requesttoken=' + encodeURIComponent(getToken())\n\tif (!this.useFallBack && typeof EventSource !== 'undefined') {\n\t\tjoinChar = '&'\n\t\tif (src.indexOf('?') === -1) {\n\t\t\tjoinChar = '?'\n\t\t}\n\t\tthis.source = new EventSource(src + joinChar + dataStr)\n\t\tthis.source.onmessage = function(e) {\n\t\t\tfor (var i = 0; i < this.typelessListeners.length; i++) {\n\t\t\t\tthis.typelessListeners[i](JSON.parse(e.data))\n\t\t\t}\n\t\t}.bind(this)\n\t} else {\n\t\tvar iframeId = 'oc_eventsource_iframe_' + OCEventSource.iframeCount\n\t\tOCEventSource.fallBackSources[OCEventSource.iframeCount] = this\n\t\tthis.iframe = $('')\n\t\tthis.iframe.attr('id', iframeId)\n\t\tthis.iframe.hide()\n\n\t\tjoinChar = '&'\n\t\tif (src.indexOf('?') === -1) {\n\t\t\tjoinChar = '?'\n\t\t}\n\t\tthis.iframe.attr('src', src + joinChar + 'fallback=true&fallback_id=' + OCEventSource.iframeCount + '&' + dataStr)\n\t\t$('body').append(this.iframe)\n\t\tthis.useFallBack = true\n\t\tOCEventSource.iframeCount++\n\t}\n\t// add close listener\n\tthis.listen('__internal__', function(data) {\n\t\tif (data === 'close') {\n\t\t\tthis.close()\n\t\t}\n\t}.bind(this))\n}\nOCEventSource.fallBackSources = []\nOCEventSource.iframeCount = 0// number of fallback iframes\nOCEventSource.fallBackCallBack = function(id, type, data) {\n\tOCEventSource.fallBackSources[id].fallBackCallBack(type, data)\n}\nOCEventSource.prototype = {\n\ttypelessListeners: [],\n\tiframe: null,\n\tlisteners: {}, // only for fallback\n\tuseFallBack: false,\n\t/**\n\t * Fallback callback for browsers that don't have the\n\t * native EventSource object.\n\t *\n\t * Calls the registered listeners.\n\t *\n\t * @private\n\t * @param {String} type event type\n\t * @param {Object} data received data\n\t */\n\tfallBackCallBack: function(type, data) {\n\t\tvar i\n\t\t// ignore messages that might appear after closing\n\t\tif (this.closed) {\n\t\t\treturn\n\t\t}\n\t\tif (type) {\n\t\t\tif (typeof this.listeners.done !== 'undefined') {\n\t\t\t\tfor (i = 0; i < this.listeners[type].length; i++) {\n\t\t\t\t\tthis.listeners[type][i](data)\n\t\t\t\t}\n\t\t\t}\n\t\t} else {\n\t\t\tfor (i = 0; i < this.typelessListeners.length; i++) {\n\t\t\t\tthis.typelessListeners[i](data)\n\t\t\t}\n\t\t}\n\t},\n\tlastLength: 0, // for fallback\n\t/**\n\t * Listen to a given type of events.\n\t *\n\t * @param {String} type event type\n\t * @param {Function} callback event callback\n\t */\n\tlisten: function(type, callback) {\n\t\tif (callback && callback.call) {\n\n\t\t\tif (type) {\n\t\t\t\tif (this.useFallBack) {\n\t\t\t\t\tif (!this.listeners[type]) {\n\t\t\t\t\t\tthis.listeners[type] = []\n\t\t\t\t\t}\n\t\t\t\t\tthis.listeners[type].push(callback)\n\t\t\t\t} else {\n\t\t\t\t\tthis.source.addEventListener(type, function(e) {\n\t\t\t\t\t\tif (typeof e.data !== 'undefined') {\n\t\t\t\t\t\t\tcallback(JSON.parse(e.data))\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tcallback('')\n\t\t\t\t\t\t}\n\t\t\t\t\t}, false)\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tthis.typelessListeners.push(callback)\n\t\t\t}\n\t\t}\n\t},\n\t/**\n\t * Closes this event source.\n\t */\n\tclose: function() {\n\t\tthis.closed = true\n\t\tif (typeof this.source !== 'undefined') {\n\t\t\tthis.source.close()\n\t\t}\n\t}\n}\n\nexport default OCEventSource\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\n/** @typedef {import('jquery')} jQuery */\nimport $ from 'jquery'\n\nimport { menuSpeed } from './constants.js'\n\nexport let currentMenu = null\nexport let currentMenuToggle = null\n\n/**\n * For menu toggling\n *\n * @param {jQuery} $toggle the toggle element\n * @param {jQuery} $menuEl the menu container element\n * @param {Function | undefined} toggle callback invoked everytime the menu is opened\n * @param {boolean} headerMenu is this a top right header menu?\n * @return {void}\n */\nexport const registerMenu = function($toggle, $menuEl, toggle, headerMenu) {\n\t$menuEl.addClass('menu')\n\tconst isClickableElement = $toggle.prop('tagName') === 'A' || $toggle.prop('tagName') === 'BUTTON'\n\n\t// On link and button, the enter key trigger a click event\n\t// Only use the click to avoid two fired events\n\t$toggle.on(isClickableElement ? 'click.menu' : 'click.menu keyup.menu', function(event) {\n\t\t// prevent the link event (append anchor to URL)\n\t\tevent.preventDefault()\n\n\t\t// allow enter key as a trigger\n\t\tif (event.key && event.key !== 'Enter') {\n\t\t\treturn\n\t\t}\n\n\t\tif ($menuEl.is(currentMenu)) {\n\t\t\thideMenus()\n\t\t\treturn\n\t\t} else if (currentMenu) {\n\t\t\t// another menu was open?\n\t\t\t// close it\n\t\t\thideMenus()\n\t\t}\n\n\t\tif (headerMenu === true) {\n\t\t\t$menuEl.parent().addClass('openedMenu')\n\t\t}\n\n\t\t// Set menu to expanded\n\t\t$toggle.attr('aria-expanded', true)\n\n\t\t$menuEl.slideToggle(menuSpeed, toggle)\n\t\tcurrentMenu = $menuEl\n\t\tcurrentMenuToggle = $toggle\n\t})\n}\n\n/**\n * Unregister a previously registered menu\n *\n * @param {jQuery} $toggle the toggle element\n * @param {jQuery} $menuEl the menu container element\n */\nexport const unregisterMenu = ($toggle, $menuEl) => {\n\t// close menu if opened\n\tif ($menuEl.is(currentMenu)) {\n\t\thideMenus()\n\t}\n\t$toggle.off('click.menu').removeClass('menutoggle')\n\t$menuEl.removeClass('menu')\n}\n\n/**\n * Hides any open menus\n *\n * @param {Function} complete callback when the hiding animation is done\n */\nexport const hideMenus = function(complete) {\n\tif (currentMenu) {\n\t\tconst lastMenu = currentMenu\n\t\tcurrentMenu.trigger(new $.Event('beforeHide'))\n\t\tcurrentMenu.slideUp(menuSpeed, function() {\n\t\t\tlastMenu.trigger(new $.Event('afterHide'))\n\t\t\tif (complete) {\n\t\t\t\tcomplete.apply(this, arguments)\n\t\t\t}\n\t\t})\n\t}\n\n\t// Set menu to closed\n\t$('.menutoggle').attr('aria-expanded', false)\n\tif (currentMenuToggle) {\n\t\tcurrentMenuToggle.attr('aria-expanded', false)\n\t}\n\n\t$('.openedMenu').removeClass('openedMenu')\n\tcurrentMenu = null\n\tcurrentMenuToggle = null\n}\n\n/**\n * Shows a given element as menu\n *\n * @param {object} [$toggle] menu toggle\n * @param {object} $menuEl menu element\n * @param {Function} complete callback when the showing animation is done\n */\nexport const showMenu = ($toggle, $menuEl, complete) => {\n\tif ($menuEl.is(currentMenu)) {\n\t\treturn\n\t}\n\thideMenus()\n\tcurrentMenu = $menuEl\n\tcurrentMenuToggle = $toggle\n\t$menuEl.trigger(new $.Event('beforeShow'))\n\t$menuEl.show()\n\t$menuEl.trigger(new $.Event('afterShow'))\n\t// no animation\n\tif (_.isFunction(complete)) {\n\t\tcomplete()\n\t}\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const coreApps = ['', 'admin', 'log', 'core/search', 'core', '3rdparty']\nexport const menuSpeed = 50\nexport const PERMISSION_NONE = 0\nexport const PERMISSION_CREATE = 4\nexport const PERMISSION_READ = 1\nexport const PERMISSION_UPDATE = 2\nexport const PERMISSION_DELETE = 8\nexport const PERMISSION_SHARE = 16\nexport const PERMISSION_ALL = 31\nexport const TAG_FAVORITE = '_$!!$_'\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nconst isAdmin = !!window._oc_isadmin\n\n/**\n * Returns whether the current user is an administrator\n *\n * @return {boolean} true if the user is an admin, false otherwise\n * @since 9.0.0\n */\nexport const isUserAdmin = () => isAdmin\n","/**\n * SPDX-FileCopyrightText: 2017 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2014 ownCloud, Inc.\n * SPDX-FileCopyrightText: 2005-2010 Zend Technologies USA Inc. (http://www.zend.com)\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Handlebars from 'handlebars'\nimport {\n\tloadTranslations,\n\ttranslate,\n\ttranslatePlural,\n\tregister,\n\tunregister,\n} from '@nextcloud/l10n'\n\n/**\n * L10N namespace with localization functions.\n *\n * @namespace OC.L10n\n * @deprecated 26.0.0 use https://www.npmjs.com/package/@nextcloud/l10n\n */\nconst L10n = {\n\n\t/**\n\t * Load an app's translation bundle if not loaded already.\n\t *\n\t * @deprecated 26.0.0 use `loadTranslations` from https://www.npmjs.com/package/@nextcloud/l10n\n\t *\n\t * @param {string} appName name of the app\n\t * @param {Function} callback callback to be called when\n\t * the translations are loaded\n\t * @return {Promise} promise\n\t */\n\tload: loadTranslations,\n\n\t/**\n\t * Register an app's translation bundle.\n\t *\n\t * @deprecated 26.0.0 use `register` from https://www.npmjs.com/package/@nextcloud/l10\n\t *\n\t * @param {string} appName name of the app\n\t * @param {Record} bundle bundle\n\t */\n\tregister,\n\n\t/**\n\t * @private\n\t * @deprecated 26.0.0 use `unregister` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\t_unregister: unregister,\n\n\t/**\n\t * Translate a string\n\t *\n\t * @deprecated 26.0.0 use `translate` from https://www.npmjs.com/package/@nextcloud/l10n\n\t *\n\t * @param {string} app the id of the app for which to translate the string\n\t * @param {string} text the string to translate\n\t * @param {object} [vars] map of placeholder key to value\n\t * @param {number} [count] number to replace %n with\n\t * @param {Array} [options] options array\n\t * @param {boolean} [options.escape=true] enable/disable auto escape of placeholders (by default enabled)\n\t * @param {boolean} [options.sanitize=true] enable/disable sanitization (by default enabled)\n\t * @return {string}\n\t */\n\ttranslate,\n\n\t/**\n\t * Translate a plural string\n\t *\n\t * @deprecated 26.0.0 use `translatePlural` from https://www.npmjs.com/package/@nextcloud/l10n\n\t *\n\t * @param {string} app the id of the app for which to translate the string\n\t * @param {string} textSingular the string to translate for exactly one object\n\t * @param {string} textPlural the string to translate for n objects\n\t * @param {number} count number to determine whether to use singular or plural\n\t * @param {object} [vars] map of placeholder key to value\n\t * @param {Array} [options] options array\n\t * @param {boolean} [options.escape=true] enable/disable auto escape of placeholders (by default enabled)\n\t * @return {string} Translated string\n\t */\n\ttranslatePlural,\n}\n\nexport default L10n\n\nHandlebars.registerHelper('t', function(app, text) {\n\treturn translate(app, text)\n})\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport {\n\tgetRootUrl as realGetRootUrl,\n} from '@nextcloud/router'\n\n/**\n * Creates a relative url for remote use\n *\n * @param {string} service id\n * @return {string} the url\n */\nexport const linkToRemoteBase = service => {\n\treturn realGetRootUrl() + '/remote.php/' + service\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * A little class to manage a status field for a \"saving\" process.\n * It can be used to display a starting message (e.g. \"Saving...\") and then\n * replace it with a green success message or a red error message.\n *\n * @namespace OC.msg\n */\nexport default {\n\t/**\n\t * Displayes a \"Saving...\" message in the given message placeholder\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t */\n\tstartSaving(selector) {\n\t\tthis.startAction(selector, t('core', 'Saving …'))\n\t},\n\n\t/**\n\t * Displayes a custom message in the given message placeholder\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {string} message Plain text message to display (no HTML allowed)\n\t */\n\tstartAction(selector, message) {\n\t\t$(selector).text(message)\n\t\t\t.removeClass('success')\n\t\t\t.removeClass('error')\n\t\t\t.stop(true, true)\n\t\t\t.show()\n\t},\n\n\t/**\n\t * Displayes an success/error message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {object} response Response of the server\n\t * @param {object} response.data Data of the servers response\n\t * @param {string} response.data.message Plain text message to display (no HTML allowed)\n\t * @param {string} response.status is being used to decide whether the message\n\t * is displayed as an error/success\n\t */\n\tfinishedSaving(selector, response) {\n\t\tthis.finishedAction(selector, response)\n\t},\n\n\t/**\n\t * Displayes an success/error message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {object} response Response of the server\n\t * @param {object} response.data Data of the servers response\n\t * @param {string} response.data.message Plain text message to display (no HTML allowed)\n\t * @param {string} response.status is being used to decide whether the message\n\t * is displayed as an error/success\n\t */\n\tfinishedAction(selector, response) {\n\t\tif (response.status === 'success') {\n\t\t\tthis.finishedSuccess(selector, response.data.message)\n\t\t} else {\n\t\t\tthis.finishedError(selector, response.data.message)\n\t\t}\n\t},\n\n\t/**\n\t * Displayes an success message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {string} message Plain text success message to display (no HTML allowed)\n\t */\n\tfinishedSuccess(selector, message) {\n\t\t$(selector).text(message)\n\t\t\t.addClass('success')\n\t\t\t.removeClass('error')\n\t\t\t.stop(true, true)\n\t\t\t.delay(3000)\n\t\t\t.fadeOut(900)\n\t\t\t.show()\n\t},\n\n\t/**\n\t * Displayes an error message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {string} message Plain text error message to display (no HTML allowed)\n\t */\n\tfinishedError(selector, message) {\n\t\t$(selector).text(message)\n\t\t\t.addClass('error')\n\t\t\t.removeClass('success')\n\t\t\t.show()\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { confirmPassword, isPasswordConfirmationRequired } from '@nextcloud/password-confirmation'\nimport '@nextcloud/password-confirmation/dist/style.css'\n\n/**\n * @namespace OC.PasswordConfirmation\n */\nexport default {\n\n\trequiresPasswordConfirmation() {\n\t\treturn isPasswordConfirmationRequired()\n\t},\n\n\t/**\n\t * @param {Function} callback success callback function\n\t * @param {object} options options currently not used by confirmPassword\n\t * @param {Function} rejectCallback error callback function\n\t */\n\trequirePasswordConfirmation(callback, options, rejectCallback) {\n\t\tconfirmPassword().then(callback, rejectCallback)\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport default {\n\n\t/**\n\t * @type {Array.}\n\t */\n\t_plugins: {},\n\n\t/**\n\t * Register plugin\n\t *\n\t * @param {string} targetName app name / class name to hook into\n\t * @param {OC.Plugin} plugin plugin\n\t */\n\tregister(targetName, plugin) {\n\t\tlet plugins = this._plugins[targetName]\n\t\tif (!plugins) {\n\t\t\tplugins = this._plugins[targetName] = []\n\t\t}\n\t\tplugins.push(plugin)\n\t},\n\n\t/**\n\t * Returns all plugin registered to the given target\n\t * name / app name / class name.\n\t *\n\t * @param {string} targetName app name / class name to hook into\n\t * @return {Array.} array of plugins\n\t */\n\tgetPlugins(targetName) {\n\t\treturn this._plugins[targetName] || []\n\t},\n\n\t/**\n\t * Call attach() on all plugins registered to the given target name.\n\t *\n\t * @param {string} targetName app name / class name\n\t * @param {object} targetObject to be extended\n\t * @param {object} [options] options\n\t */\n\tattach(targetName, targetObject, options) {\n\t\tconst plugins = this.getPlugins(targetName)\n\t\tfor (let i = 0; i < plugins.length; i++) {\n\t\t\tif (plugins[i].attach) {\n\t\t\t\tplugins[i].attach(targetObject, options)\n\t\t\t}\n\t\t}\n\t},\n\n\t/**\n\t * Call detach() on all plugins registered to the given target name.\n\t *\n\t * @param {string} targetName app name / class name\n\t * @param {object} targetObject to be extended\n\t * @param {object} [options] options\n\t */\n\tdetach(targetName, targetObject, options) {\n\t\tconst plugins = this.getPlugins(targetName)\n\t\tfor (let i = 0; i < plugins.length; i++) {\n\t\t\tif (plugins[i].detach) {\n\t\t\t\tplugins[i].detach(targetObject, options)\n\t\t\t}\n\t\t}\n\t},\n\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const theme = window._theme || {}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\nimport OC from './index.js'\n\n/**\n * Utility class for the history API,\n * includes fallback to using the URL hash when\n * the browser doesn't support the history API.\n *\n * @namespace OC.Util.History\n */\nexport default {\n\n\t_handlers: [],\n\n\t/**\n\t * Push the current URL parameters to the history stack\n\t * and change the visible URL.\n\t * Note: this includes a workaround for IE8/IE9 that uses\n\t * the hash part instead of the search part.\n\t *\n\t * @param {object | string} params to append to the URL, can be either a string\n\t * or a map\n\t * @param {string} [url] URL to be used, otherwise the current URL will be used,\n\t * using the params as query string\n\t * @param {boolean} [replace] whether to replace instead of pushing\n\t */\n\t_pushState(params, url, replace) {\n\t\tlet strParams\n\t\tif (typeof (params) === 'string') {\n\t\t\tstrParams = params\n\t\t} else {\n\t\t\tstrParams = OC.buildQueryString(params)\n\t\t}\n\n\t\tif (window.history.pushState) {\n\t\t\turl = url || location.pathname + '?' + strParams\n\t\t\t// Workaround for bug with SVG and window.history.pushState on Firefox < 51\n\t\t\t// https://bugzilla.mozilla.org/show_bug.cgi?id=652991\n\t\t\tconst isFirefox = navigator.userAgent.toLowerCase().indexOf('firefox') > -1\n\t\t\tif (isFirefox && parseInt(navigator.userAgent.split('/').pop()) < 51) {\n\t\t\t\tconst patterns = document.querySelectorAll('[fill^=\"url(#\"], [stroke^=\"url(#\"], [filter^=\"url(#invert\"]')\n\t\t\t\tfor (let i = 0, ii = patterns.length, pattern; i < ii; i++) {\n\t\t\t\t\tpattern = patterns[i]\n\t\t\t\t\t// eslint-disable-next-line no-self-assign\n\t\t\t\t\tpattern.style.fill = pattern.style.fill\n\t\t\t\t\t// eslint-disable-next-line no-self-assign\n\t\t\t\t\tpattern.style.stroke = pattern.style.stroke\n\t\t\t\t\tpattern.removeAttribute('filter')\n\t\t\t\t\tpattern.setAttribute('filter', 'url(#invert)')\n\t\t\t\t}\n\t\t\t}\n\t\t\tif (replace) {\n\t\t\t\twindow.history.replaceState(params, '', url)\n\t\t\t} else {\n\t\t\t\twindow.history.pushState(params, '', url)\n\t\t\t}\n\t\t} else {\n\t\t\t// use URL hash for IE8\n\t\t\twindow.location.hash = '?' + strParams\n\t\t\t// inhibit next onhashchange that just added itself\n\t\t\t// to the event queue\n\t\t\tthis._cancelPop = true\n\t\t}\n\t},\n\n\t/**\n\t * Push the current URL parameters to the history stack\n\t * and change the visible URL.\n\t * Note: this includes a workaround for IE8/IE9 that uses\n\t * the hash part instead of the search part.\n\t *\n\t * @param {object | string} params to append to the URL, can be either a string or a map\n\t * @param {string} [url] URL to be used, otherwise the current URL will be used, using the params as query string\n\t */\n\tpushState(params, url) {\n\t\tthis._pushState(params, url, false)\n\t},\n\n\t/**\n\t * Push the current URL parameters to the history stack\n\t * and change the visible URL.\n\t * Note: this includes a workaround for IE8/IE9 that uses\n\t * the hash part instead of the search part.\n\t *\n\t * @param {object | string} params to append to the URL, can be either a string\n\t * or a map\n\t * @param {string} [url] URL to be used, otherwise the current URL will be used,\n\t * using the params as query string\n\t */\n\treplaceState(params, url) {\n\t\tthis._pushState(params, url, true)\n\t},\n\n\t/**\n\t * Add a popstate handler\n\t *\n\t * @param {Function} handler handler\n\t */\n\taddOnPopStateHandler(handler) {\n\t\tthis._handlers.push(handler)\n\t},\n\n\t/**\n\t * Parse a query string from the hash part of the URL.\n\t * (workaround for IE8 / IE9)\n\t *\n\t * @return {string}\n\t */\n\t_parseHashQuery() {\n\t\tconst hash = window.location.hash\n\t\tconst pos = hash.indexOf('?')\n\t\tif (pos >= 0) {\n\t\t\treturn hash.substr(pos + 1)\n\t\t}\n\t\tif (hash.length) {\n\t\t\t// remove hash sign\n\t\t\treturn hash.substr(1)\n\t\t}\n\t\treturn ''\n\t},\n\n\t_decodeQuery(query) {\n\t\treturn query.replace(/\\+/g, ' ')\n\t},\n\n\t/**\n\t * Parse the query/search part of the URL.\n\t * Also try and parse it from the URL hash (for IE8)\n\t *\n\t * @return {object} map of parameters\n\t */\n\tparseUrlQuery() {\n\t\tconst query = this._parseHashQuery()\n\t\tlet params\n\t\t// try and parse from URL hash first\n\t\tif (query) {\n\t\t\tparams = OC.parseQueryString(this._decodeQuery(query))\n\t\t}\n\t\t// else read from query attributes\n\t\tparams = _.extend(params || {}, OC.parseQueryString(this._decodeQuery(location.search)))\n\t\treturn params || {}\n\t},\n\n\t_onPopState(e) {\n\t\tif (this._cancelPop) {\n\t\t\tthis._cancelPop = false\n\t\t\treturn\n\t\t}\n\t\tlet params\n\t\tif (!this._handlers.length) {\n\t\t\treturn\n\t\t}\n\t\tparams = (e && e.state)\n\t\tif (_.isString(params)) {\n\t\t\tparams = OC.parseQueryString(params)\n\t\t} else if (!params) {\n\t\t\tparams = this.parseUrlQuery() || {}\n\t\t}\n\t\tfor (let i = 0; i < this._handlers.length; i++) {\n\t\t\tthis._handlers[i](params)\n\t\t}\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport moment from 'moment'\n\nimport History from './util-history.js'\nimport OC from './index.js'\nimport { formatFileSize as humanFileSize } from '@nextcloud/files'\n\n/**\n * @param {any} t -\n */\nfunction chunkify(t) {\n\t// Adapted from http://my.opera.com/GreyWyvern/blog/show.dml/1671288\n\tconst tz = []\n\tlet x = 0\n\tlet y = -1\n\tlet n = 0\n\tlet c\n\n\twhile (x < t.length) {\n\t\tc = t.charAt(x)\n\t\t// only include the dot in strings\n\t\tconst m = ((!n && c === '.') || (c >= '0' && c <= '9'))\n\t\tif (m !== n) {\n\t\t\t// next chunk\n\t\t\ty++\n\t\t\ttz[y] = ''\n\t\t\tn = m\n\t\t}\n\t\ttz[y] += c\n\t\tx++\n\t}\n\treturn tz\n}\n\n/**\n * Utility functions\n *\n * @namespace OC.Util\n */\nexport default {\n\n\tHistory,\n\n\t/**\n\t * @deprecated use https://nextcloud.github.io/nextcloud-files/functions/formatFileSize.html\n\t */\n\thumanFileSize,\n\n\t/**\n\t * Returns a file size in bytes from a humanly readable string\n\t * Makes 2kB to 2048.\n\t * Inspired by computerFileSize in helper.php\n\t *\n\t * @param {string} string file size in human-readable format\n\t * @return {number} or null if string could not be parsed\n\t *\n\t *\n\t */\n\tcomputerFileSize(string) {\n\t\tif (typeof string !== 'string') {\n\t\t\treturn null\n\t\t}\n\n\t\tconst s = string.toLowerCase().trim()\n\t\tlet bytes = null\n\n\t\tconst bytesArray = {\n\t\t\tb: 1,\n\t\t\tk: 1024,\n\t\t\tkb: 1024,\n\t\t\tmb: 1024 * 1024,\n\t\t\tm: 1024 * 1024,\n\t\t\tgb: 1024 * 1024 * 1024,\n\t\t\tg: 1024 * 1024 * 1024,\n\t\t\ttb: 1024 * 1024 * 1024 * 1024,\n\t\t\tt: 1024 * 1024 * 1024 * 1024,\n\t\t\tpb: 1024 * 1024 * 1024 * 1024 * 1024,\n\t\t\tp: 1024 * 1024 * 1024 * 1024 * 1024,\n\t\t}\n\n\t\tconst matches = s.match(/^[\\s+]?([0-9]*)(\\.([0-9]+))?( +)?([kmgtp]?b?)$/i)\n\t\tif (matches !== null) {\n\t\t\tbytes = parseFloat(s)\n\t\t\tif (!isFinite(bytes)) {\n\t\t\t\treturn null\n\t\t\t}\n\t\t} else {\n\t\t\treturn null\n\t\t}\n\t\tif (matches[5]) {\n\t\t\tbytes = bytes * bytesArray[matches[5]]\n\t\t}\n\n\t\tbytes = Math.round(bytes)\n\t\treturn bytes\n\t},\n\n\t/**\n\t * @param {string|number} timestamp timestamp\n\t * @param {string} format date format, see momentjs docs\n\t * @return {string} timestamp formatted as requested\n\t */\n\tformatDate(timestamp, format) {\n\t\tif (window.TESTING === undefined) {\n\t\t\tOC.debug && console.warn('OC.Util.formatDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment')\n\t\t}\n\t\tformat = format || 'LLL'\n\t\treturn moment(timestamp).format(format)\n\t},\n\n\t/**\n\t * @param {string|number} timestamp timestamp\n\t * @return {string} human readable difference from now\n\t */\n\trelativeModifiedDate(timestamp) {\n\t\tif (window.TESTING === undefined) {\n\t\t\tOC.debug && console.warn('OC.Util.relativeModifiedDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment')\n\t\t}\n\t\tconst diff = moment().diff(moment(timestamp))\n\t\tif (diff >= 0 && diff < 45000) {\n\t\t\treturn t('core', 'seconds ago')\n\t\t}\n\t\treturn moment(timestamp).fromNow()\n\t},\n\n\t/**\n\t * Returns the width of a generic browser scrollbar\n\t *\n\t * @return {number} width of scrollbar\n\t */\n\tgetScrollBarWidth() {\n\t\tif (this._scrollBarWidth) {\n\t\t\treturn this._scrollBarWidth\n\t\t}\n\n\t\tconst inner = document.createElement('p')\n\t\tinner.style.width = '100%'\n\t\tinner.style.height = '200px'\n\n\t\tconst outer = document.createElement('div')\n\t\touter.style.position = 'absolute'\n\t\touter.style.top = '0px'\n\t\touter.style.left = '0px'\n\t\touter.style.visibility = 'hidden'\n\t\touter.style.width = '200px'\n\t\touter.style.height = '150px'\n\t\touter.style.overflow = 'hidden'\n\t\touter.appendChild(inner)\n\n\t\tdocument.body.appendChild(outer)\n\t\tconst w1 = inner.offsetWidth\n\t\touter.style.overflow = 'scroll'\n\t\tlet w2 = inner.offsetWidth\n\t\tif (w1 === w2) {\n\t\t\tw2 = outer.clientWidth\n\t\t}\n\n\t\tdocument.body.removeChild(outer)\n\n\t\tthis._scrollBarWidth = (w1 - w2)\n\n\t\treturn this._scrollBarWidth\n\t},\n\n\t/**\n\t * Remove the time component from a given date\n\t *\n\t * @param {Date} date date\n\t * @return {Date} date with stripped time\n\t */\n\tstripTime(date) {\n\t\t// FIXME: likely to break when crossing DST\n\t\t// would be better to use a library like momentJS\n\t\treturn new Date(date.getFullYear(), date.getMonth(), date.getDate())\n\t},\n\n\t/**\n\t * Compare two strings to provide a natural sort\n\t *\n\t * @param {string} a first string to compare\n\t * @param {string} b second string to compare\n\t * @return {number} -1 if b comes before a, 1 if a comes before b\n\t * or 0 if the strings are identical\n\t */\n\tnaturalSortCompare(a, b) {\n\t\tlet x\n\t\tconst aa = chunkify(a)\n\t\tconst bb = chunkify(b)\n\n\t\tfor (x = 0; aa[x] && bb[x]; x++) {\n\t\t\tif (aa[x] !== bb[x]) {\n\t\t\t\tconst aNum = Number(aa[x]); const bNum = Number(bb[x])\n\t\t\t\t// note: == is correct here\n\t\t\t\t/* eslint-disable-next-line */\n\t\t\t\tif (aNum == aa[x] && bNum == bb[x]) {\n\t\t\t\t\treturn aNum - bNum\n\t\t\t\t} else {\n\t\t\t\t\t// Note: This locale setting isn't supported by all browsers but for the ones\n\t\t\t\t\t// that do there will be more consistency between client-server sorting\n\t\t\t\t\treturn aa[x].localeCompare(bb[x], OC.getLanguage())\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn aa.length - bb.length\n\t},\n\n\t/**\n\t * Calls the callback in a given interval until it returns true\n\t *\n\t * @param {Function} callback function to call on success\n\t * @param {number} interval in milliseconds\n\t */\n\twaitFor(callback, interval) {\n\t\tconst internalCallback = function() {\n\t\t\tif (callback() !== true) {\n\t\t\t\tsetTimeout(internalCallback, interval)\n\t\t\t}\n\t\t}\n\n\t\tinternalCallback()\n\t},\n\n\t/**\n\t * Checks if a cookie with the given name is present and is set to the provided value.\n\t *\n\t * @param {string} name name of the cookie\n\t * @param {string} value value of the cookie\n\t * @return {boolean} true if the cookie with the given name has the given value\n\t */\n\tisCookieSetToValue(name, value) {\n\t\tconst cookies = document.cookie.split(';')\n\t\tfor (let i = 0; i < cookies.length; i++) {\n\t\t\tconst cookie = cookies[i].split('=')\n\t\t\tif (cookie[0].trim() === name && cookie[1].trim() === value) {\n\t\t\t\treturn true\n\t\t\t}\n\t\t}\n\t\treturn false\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nconst base = window._oc_debug\n\nexport const debug = base\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nlet webroot = window._oc_webroot\n\nif (typeof webroot === 'undefined') {\n\twebroot = location.pathname\n\tconst pos = webroot.indexOf('/index.php/')\n\tif (pos !== -1) {\n\t\twebroot = webroot.substr(0, pos)\n\t} else {\n\t\twebroot = webroot.substr(0, webroot.lastIndexOf('/'))\n\t}\n}\n\nexport default webroot\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { subscribe } from '@nextcloud/event-bus'\n\nimport {\n\tajaxConnectionLostHandler,\n\tprocessAjaxError,\n\tregisterXHRForErrorProcessing,\n} from './xhr-error.js'\nimport Apps from './apps.js'\nimport { AppConfig, appConfig } from './appconfig.js'\nimport appswebroots from './appswebroots.js'\nimport Backbone from './backbone.js'\nimport {\n\tbasename,\n\tdirname,\n\tencodePath,\n\tisSamePath,\n\tjoinPaths,\n} from '@nextcloud/paths'\nimport {\n\tbuild as buildQueryString,\n\tparse as parseQueryString,\n} from './query-string.js'\nimport Config from './config.js'\nimport {\n\tcoreApps,\n\tmenuSpeed,\n\tPERMISSION_ALL,\n\tPERMISSION_CREATE,\n\tPERMISSION_DELETE,\n\tPERMISSION_NONE,\n\tPERMISSION_READ,\n\tPERMISSION_SHARE,\n\tPERMISSION_UPDATE,\n\tTAG_FAVORITE,\n} from './constants.js'\nimport { currentUser, getCurrentUser } from './currentuser.js'\nimport Dialogs from './dialogs.js'\nimport EventSource from './eventsource.js'\nimport { get, set } from './get_set.js'\nimport { getCapabilities } from './capabilities.js'\nimport {\n\tgetHost,\n\tgetHostName,\n\tgetPort,\n\tgetProtocol,\n} from './host.js'\nimport {\n\tgetToken as getRequestToken,\n} from './requesttoken.js'\nimport {\n\thideMenus,\n\tregisterMenu,\n\tshowMenu,\n\tunregisterMenu,\n} from './menu.js'\nimport { isUserAdmin } from './admin.js'\nimport L10N from './l10n.js'\nimport {\n\tgetCanonicalLocale,\n\tgetLanguage,\n\tgetLocale,\n} from '@nextcloud/l10n'\n\nimport {\n\tgenerateUrl,\n\tgenerateFilePath,\n\tgenerateOcsUrl,\n\tgenerateRemoteUrl,\n\tgetRootUrl,\n\timagePath,\n\tlinkTo,\n} from '@nextcloud/router'\n\nimport {\n\tlinkToRemoteBase,\n} from './routing.js'\nimport msg from './msg.js'\nimport Notification from './notification.js'\nimport PasswordConfirmation from './password-confirmation.js'\nimport Plugins from './plugins.js'\nimport { theme } from './theme.js'\nimport Util from './util.js'\nimport { debug } from './debug.js'\nimport { redirect, reload } from './navigation.js'\nimport webroot from './webroot.js'\n\n/** @namespace OC */\nexport default {\n\t/*\n\t * Constants\n\t */\n\tcoreApps,\n\tmenuSpeed,\n\tPERMISSION_ALL,\n\tPERMISSION_CREATE,\n\tPERMISSION_DELETE,\n\tPERMISSION_NONE,\n\tPERMISSION_READ,\n\tPERMISSION_SHARE,\n\tPERMISSION_UPDATE,\n\tTAG_FAVORITE,\n\n\t/*\n\t * Deprecated helpers to be removed\n\t */\n\t/**\n\t * Check if a user file is allowed to be handled.\n\t *\n\t * @param {string} file to check\n\t * @return {boolean}\n\t * @deprecated 17.0.0\n\t */\n\tfileIsBlacklisted: file => !!(file.match(Config.blacklist_files_regex)),\n\tApps,\n\tAppConfig,\n\tappConfig,\n\tappswebroots,\n\tBackbone,\n\tconfig: Config,\n\t/**\n\t * Currently logged in user or null if none\n\t *\n\t * @type {string}\n\t * @deprecated use `getCurrentUser` from https://www.npmjs.com/package/@nextcloud/auth\n\t */\n\tcurrentUser,\n\tdialogs: Dialogs,\n\tEventSource,\n\t/**\n\t * Returns the currently logged in user or null if there is no logged in\n\t * user (public page mode)\n\t *\n\t * @since 9.0.0\n\t * @deprecated 19.0.0 use `getCurrentUser` from https://www.npmjs.com/package/@nextcloud/auth\n\t */\n\tgetCurrentUser,\n\tisUserAdmin,\n\tL10N,\n\n\t/**\n\t * Ajax error handlers\n\t *\n\t * @todo remove from here and keep internally -> requires new tests\n\t */\n\t_ajaxConnectionLostHandler: ajaxConnectionLostHandler,\n\t_processAjaxError: processAjaxError,\n\tregisterXHRForErrorProcessing,\n\n\t/**\n\t * Capabilities\n\t *\n\t * @type {Array}\n\t * @deprecated 20.0.0 use @nextcloud/capabilities instead\n\t */\n\tgetCapabilities,\n\n\t/*\n\t * Legacy menu helpers\n\t */\n\thideMenus,\n\tregisterMenu,\n\tshowMenu,\n\tunregisterMenu,\n\n\t/*\n\t * Path helpers\n\t */\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tbasename,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tencodePath,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tdirname,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tisSamePath,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tjoinPaths,\n\n\t/**\n\t * Host (url) helpers\n\t */\n\tgetHost,\n\tgetHostName,\n\tgetPort,\n\tgetProtocol,\n\n\t/**\n\t * @deprecated 20.0.0 use `getCanonicalLocale` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\tgetCanonicalLocale,\n\t/**\n\t * @deprecated 26.0.0 use `getLocale` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\tgetLocale,\n\t/**\n\t * @deprecated 26.0.0 use `getLanguage` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\tgetLanguage,\n\n\t/**\n\t * Query string helpers\n\t */\n\tbuildQueryString,\n\tparseQueryString,\n\n\tmsg,\n\tNotification,\n\t/**\n\t * @deprecated 28.0.0 use methods from '@nextcloud/password-confirmation'\n\t */\n\tPasswordConfirmation,\n\tPlugins,\n\ttheme,\n\tUtil,\n\tdebug,\n\t/**\n\t * @deprecated 19.0.0 use `generateFilePath` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tfilePath: generateFilePath,\n\t/**\n\t * @deprecated 19.0.0 use `generateUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tgenerateUrl,\n\t/**\n\t * @deprecated 19.0.0 use https://lodash.com/docs#get\n\t */\n\tget: get(window),\n\t/**\n\t * @deprecated 19.0.0 use https://lodash.com/docs#set\n\t */\n\tset: set(window),\n\t/**\n\t * @deprecated 19.0.0 use `getRootUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tgetRootPath: getRootUrl,\n\t/**\n\t * @deprecated 19.0.0 use `imagePath` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\timagePath,\n\tredirect,\n\treload,\n\trequestToken: getRequestToken(),\n\t/**\n\t * @deprecated 19.0.0 use `linkTo` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tlinkTo,\n\t/**\n\t * @param {string} service service name\n\t * @param {number} version OCS API version\n\t * @return {string} OCS API base path\n\t * @deprecated 19.0.0 use `generateOcsUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tlinkToOCS: (service, version) => {\n\t\treturn generateOcsUrl(service, {}, {\n\t\t\tocsVersion: version || 1,\n\t\t}) + '/'\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `generateRemoteUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tlinkToRemote: generateRemoteUrl,\n\tlinkToRemoteBase,\n\t/**\n\t * Relative path to Nextcloud root.\n\t * For example: \"/nextcloud\"\n\t *\n\t * @type {string}\n\t *\n\t * @deprecated 19.0.0 use `getRootUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t * @see OC#getRootPath\n\t */\n\twebroot,\n}\n\n// Keep the request token prop in sync\nsubscribe('csrf-token-update', e => {\n\tOC.requestToken = e.token\n\n\t// Logging might help debug (Sentry) issues\n\tconsole.info('OC.requestToken changed', e.token)\n})\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getCapabilities as realGetCapabilities } from '@nextcloud/capabilities'\n\n/**\n * Returns the capabilities\n *\n * @return {Array} capabilities\n *\n * @since 14.0.0\n */\nexport const getCapabilities = () => {\n\tOC.debug && console.warn('OC.getCapabilities is deprecated and will be removed in Nextcloud 21. See @nextcloud/capabilities')\n\treturn realGetCapabilities()\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const getProtocol = () => window.location.protocol.split(':')[0]\n\n/**\n * Returns the host used to access this Nextcloud instance\n * Host is sometimes the same as the hostname but now always.\n *\n * Examples:\n * http://example.com => example.com\n * https://example.com => example.com\n * http://example.com:8080 => example.com:8080\n *\n * @return {string} host\n *\n * @since 8.2.0\n * @deprecated 17.0.0 use window.location.host directly\n */\nexport const getHost = () => window.location.host\n\n/**\n * Returns the hostname used to access this Nextcloud instance\n * The hostname is always stripped of the port\n *\n * @return {string} hostname\n * @since 9.0.0\n * @deprecated 17.0.0 use window.location.hostname directly\n */\nexport const getHostName = () => window.location.hostname\n\n/**\n * Returns the port number used to access this Nextcloud instance\n *\n * @return {number} port number\n *\n * @since 8.2.0\n * @deprecated 17.0.0 use window.location.port directly\n */\nexport const getPort = () => window.location.port\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const get = context => name => {\n\tconst namespaces = name.split('.')\n\tconst tail = namespaces.pop()\n\n\tfor (let i = 0; i < namespaces.length; i++) {\n\t\tcontext = context[namespaces[i]]\n\t\tif (!context) {\n\t\t\treturn false\n\t\t}\n\t}\n\treturn context[tail]\n}\n\n/**\n * Set a variable by name\n *\n * @param {string} context context\n * @return {Function} setter\n * @deprecated 19.0.0 use https://lodash.com/docs#set\n */\nexport const set = context => (name, value) => {\n\tconst namespaces = name.split('.')\n\tconst tail = namespaces.pop()\n\n\tfor (let i = 0; i < namespaces.length; i++) {\n\t\tif (!context[namespaces[i]]) {\n\t\t\tcontext[namespaces[i]] = {}\n\t\t}\n\t\tcontext = context[namespaces[i]]\n\t}\n\tcontext[tail] = value\n\treturn value\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const redirect = targetURL => { window.location = targetURL }\n\n/**\n * Reloads the current page\n *\n * @deprecated 17.0.0 use window.location.reload directly\n */\nexport const reload = () => { window.location.reload() }\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\nimport { emit } from '@nextcloud/event-bus'\nimport { loadState } from '@nextcloud/initial-state'\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { generateUrl } from '@nextcloud/router'\n\nimport OC from './OC/index.js'\nimport { setToken as setRequestToken, getToken as getRequestToken } from './OC/requesttoken.js'\n\nlet config = null\n/**\n * The legacy jsunit tests overwrite OC.config before calling initCore\n * therefore we need to wait with assigning the config fallback until initCore calls initSessionHeartBeat\n */\nconst loadConfig = () => {\n\ttry {\n\t\tconfig = loadState('core', 'config')\n\t} catch (e) {\n\t\t// This fallback is just for our legacy jsunit tests since we have no way to mock loadState calls\n\t\tconfig = OC.config\n\t}\n}\n\n/**\n * session heartbeat (defaults to enabled)\n *\n * @return {boolean}\n */\nconst keepSessionAlive = () => {\n\treturn config.session_keepalive === undefined\n\t\t|| !!config.session_keepalive\n}\n\n/**\n * get interval in seconds\n *\n * @return {number}\n */\nconst getInterval = () => {\n\tlet interval = NaN\n\tif (config.session_lifetime) {\n\t\tinterval = Math.floor(config.session_lifetime / 2)\n\t}\n\n\t// minimum one minute, max 24 hours, default 15 minutes\n\treturn Math.min(\n\t\t24 * 3600,\n\t\tMath.max(\n\t\t\t60,\n\t\t\tisNaN(interval) ? 900 : interval,\n\t\t),\n\t)\n}\n\nconst getToken = async () => {\n\tconst url = generateUrl('/csrftoken')\n\n\t// Not using Axios here as Axios is not stubbable with the sinon fake server\n\t// see https://stackoverflow.com/questions/41516044/sinon-mocha-test-with-async-ajax-calls-didnt-return-promises\n\t// see js/tests/specs/coreSpec.js for the tests\n\tconst resp = await $.get(url)\n\n\treturn resp.token\n}\n\nconst poll = async () => {\n\ttry {\n\t\tconst token = await getToken()\n\t\tsetRequestToken(token)\n\t} catch (e) {\n\t\tconsole.error('session heartbeat failed', e)\n\t}\n}\n\nconst startPolling = () => {\n\tconst interval = setInterval(poll, getInterval() * 1000)\n\n\tconsole.info('session heartbeat polling started')\n\n\treturn interval\n}\n\nconst registerAutoLogout = () => {\n\tif (!config.auto_logout || !getCurrentUser()) {\n\t\treturn\n\t}\n\n\tlet lastActive = Date.now()\n\twindow.addEventListener('mousemove', e => {\n\t\tlastActive = Date.now()\n\t\tlocalStorage.setItem('lastActive', lastActive)\n\t})\n\n\twindow.addEventListener('touchstart', e => {\n\t\tlastActive = Date.now()\n\t\tlocalStorage.setItem('lastActive', lastActive)\n\t})\n\n\twindow.addEventListener('storage', e => {\n\t\tif (e.key !== 'lastActive') {\n\t\t\treturn\n\t\t}\n\t\tlastActive = e.newValue\n\t})\n\n\tlet intervalId = 0\n\tconst logoutCheck = () => {\n\t\tconst timeout = Date.now() - config.session_lifetime * 1000\n\t\tif (lastActive < timeout) {\n\t\t\tclearTimeout(intervalId)\n\t\t\tconsole.info('Inactivity timout reached, logging out')\n\t\t\tconst logoutUrl = generateUrl('/logout') + '?requesttoken=' + encodeURIComponent(getRequestToken())\n\t\t\twindow.location = logoutUrl\n\t\t}\n\t}\n\tintervalId = setInterval(logoutCheck, 1000)\n}\n\n/**\n * Calls the server periodically to ensure that session and CSRF\n * token doesn't expire\n */\nexport const initSessionHeartBeat = () => {\n\tloadConfig()\n\n\tregisterAutoLogout()\n\n\tif (!keepSessionAlive()) {\n\t\tconsole.info('session heartbeat disabled')\n\t\treturn\n\t}\n\tlet interval = startPolling()\n\n\twindow.addEventListener('online', async () => {\n\t\tconsole.info('browser is online again, resuming heartbeat')\n\t\tinterval = startPolling()\n\t\ttry {\n\t\t\tawait poll()\n\t\t\tconsole.info('session token successfully updated after resuming network')\n\n\t\t\t// Let apps know we're online and requests will have the new token\n\t\t\temit('networkOnline', {\n\t\t\t\tsuccess: true,\n\t\t\t})\n\t\t} catch (e) {\n\t\t\tconsole.error('could not update session token after resuming network', e)\n\n\t\t\t// Let apps know we're online but requests might have an outdated token\n\t\t\temit('networkOnline', {\n\t\t\t\tsuccess: false,\n\t\t\t})\n\t\t}\n\t})\n\twindow.addEventListener('offline', () => {\n\t\tconsole.info('browser is offline, stopping heartbeat')\n\n\t\t// Let apps know we're offline\n\t\temit('networkOffline', {})\n\n\t\tclearInterval(interval)\n\t\tconsole.info('session heartbeat polling stopped')\n\t})\n}\n","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcHeaderMenu',{staticClass:\"contactsmenu\",attrs:{\"id\":\"contactsmenu\",\"aria-label\":_vm.t('core', 'Search contacts')},on:{\"open\":_vm.handleOpen},scopedSlots:_vm._u([{key:\"trigger\",fn:function(){return [_c('Contacts',{staticClass:\"contactsmenu__trigger-icon\",attrs:{\"size\":20}})]},proxy:true}])},[_vm._v(\" \"),_c('div',{staticClass:\"contactsmenu__menu\"},[_c('div',{staticClass:\"contactsmenu__menu__input-wrapper\"},[_c('NcTextField',{ref:\"contactsMenuInput\",staticClass:\"contactsmenu__menu__search\",attrs:{\"id\":\"contactsmenu__menu__search\",\"value\":_vm.searchTerm,\"trailing-button-icon\":\"close\",\"label\":_vm.t('core', 'Search contacts'),\"trailing-button-label\":_vm.t('core','Reset search'),\"show-trailing-button\":_vm.searchTerm !== '',\"placeholder\":_vm.t('core', 'Search contacts …')},on:{\"update:value\":function($event){_vm.searchTerm=$event},\"input\":_vm.onInputDebounced,\"trailing-button-click\":_vm.onReset}})],1),_vm._v(\" \"),(_vm.error)?_c('NcEmptyContent',{attrs:{\"name\":_vm.t('core', 'Could not load your contacts')},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('Magnify')]},proxy:true}],null,false,931131664)}):(_vm.loadingText)?_c('NcEmptyContent',{attrs:{\"name\":_vm.loadingText},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('NcLoadingIcon')]},proxy:true}])}):(_vm.contacts.length === 0)?_c('NcEmptyContent',{attrs:{\"name\":_vm.t('core', 'No contacts found')},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('Magnify')]},proxy:true}])}):_c('div',{staticClass:\"contactsmenu__menu__content\"},[_c('div',{attrs:{\"id\":\"contactsmenu-contacts\"}},[_c('ul',_vm._l((_vm.contacts),function(contact){return _c('Contact',{key:contact.id,attrs:{\"contact\":contact}})}),1)]),_vm._v(\" \"),(_vm.contactsAppEnabled)?_c('div',{staticClass:\"contactsmenu__menu__content__footer\"},[_c('NcButton',{attrs:{\"type\":\"tertiary\",\"href\":_vm.contactsAppURL}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('core', 'Show all contacts'))+\"\\n\\t\\t\\t\\t\")])],1):(_vm.canInstallApp)?_c('div',{staticClass:\"contactsmenu__menu__content__footer\"},[_c('NcButton',{attrs:{\"type\":\"tertiary\",\"href\":_vm.contactsAppMgmtURL}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('core', 'Install the Contacts app'))+\"\\n\\t\\t\\t\\t\")])],1):_vm._e()])],1)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Contacts.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Contacts.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Contacts.vue?vue&type=template&id=10f997f1\"\nimport script from \"./Contacts.vue?vue&type=script&lang=js\"\nexport * from \"./Contacts.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon contacts-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M20,0H4V2H20V0M4,24H20V22H4V24M20,4H4A2,2 0 0,0 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V6A2,2 0 0,0 20,4M12,6.75A2.25,2.25 0 0,1 14.25,9A2.25,2.25 0 0,1 12,11.25A2.25,2.25 0 0,1 9.75,9A2.25,2.25 0 0,1 12,6.75M17,17H7V15.5C7,13.83 10.33,13 12,13C13.67,13 17,13.83 17,15.5V17Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=style&index=0&id=97ebdcaa&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=style&index=0&id=97ebdcaa&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./Contact.vue?vue&type=template&id=97ebdcaa&scoped=true\"\nimport script from \"./Contact.vue?vue&type=script&lang=js\"\nexport * from \"./Contact.vue?vue&type=script&lang=js\"\nimport style0 from \"./Contact.vue?vue&type=style&index=0&id=97ebdcaa&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"97ebdcaa\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('li',{staticClass:\"contact\"},[_c('NcAvatar',{staticClass:\"contact__avatar\",attrs:{\"size\":44,\"user\":_vm.contact.isUser ? _vm.contact.uid : undefined,\"is-no-user\":!_vm.contact.isUser,\"disable-menu\":true,\"display-name\":_vm.contact.avatarLabel,\"preloaded-user-status\":_vm.preloadedUserStatus}}),_vm._v(\" \"),_c('a',{staticClass:\"contact__body\",attrs:{\"href\":_vm.contact.profileUrl || _vm.contact.topAction?.hyperlink}},[_c('div',{staticClass:\"contact__body__full-name\"},[_vm._v(_vm._s(_vm.contact.fullName))]),_vm._v(\" \"),(_vm.contact.lastMessage)?_c('div',{staticClass:\"contact__body__last-message\"},[_vm._v(_vm._s(_vm.contact.lastMessage))]):_vm._e(),_vm._v(\" \"),(_vm.contact.statusMessage)?_c('div',{staticClass:\"contact__body__status-message\"},[_vm._v(_vm._s(_vm.contact.statusMessage))]):_c('div',{staticClass:\"contact__body__email-address\"},[_vm._v(_vm._s(_vm.contact.emailAddresses[0]))])]),_vm._v(\" \"),(_vm.actions.length)?_c('NcActions',{attrs:{\"inline\":_vm.contact.topAction ? 1 : 0}},[_vm._l((_vm.actions),function(action,idx){return [(action.hyperlink !== '#')?_c('NcActionLink',{key:idx,staticClass:\"other-actions\",attrs:{\"href\":action.hyperlink},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('img',{staticClass:\"contact__action__icon\",attrs:{\"aria-hidden\":\"true\",\"src\":action.icon}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(action.title)+\"\\n\\t\\t\\t\")]):_c('NcActionText',{key:idx,staticClass:\"other-actions\",scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('img',{staticClass:\"contact__action__icon\",attrs:{\"aria-hidden\":\"true\",\"src\":action.icon}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(action.title)+\"\\n\\t\\t\\t\")])]})],2):_vm._e()],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { getLoggerBuilder } from '@nextcloud/logger'\n\nconst getLogger = user => {\n\tif (user === null) {\n\t\treturn getLoggerBuilder()\n\t\t\t.setApp('core')\n\t\t\t.build()\n\t}\n\treturn getLoggerBuilder()\n\t\t.setApp('core')\n\t\t.setUid(user.uid)\n\t\t.build()\n}\n\nexport default getLogger(getCurrentUser())\n\nexport const unifiedSearchLogger = getLoggerBuilder()\n\t.setApp('unified-search')\n\t.detectUser()\n\t.build()\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport L10n from '../OC/l10n.js'\nimport OC from '../OC/index.js'\n\nexport default {\n\tdata() {\n\t\treturn {\n\t\t\tOC,\n\t\t}\n\t},\n\tmethods: {\n\t\tt: L10n.translate.bind(L10n),\n\t\tn: L10n.translatePlural.bind(L10n),\n\t},\n}\n","\n\n\n\n\n\n\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=script&lang=js\"","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=style&index=0&id=5cad18ba&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=style&index=0&id=5cad18ba&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./ContactsMenu.vue?vue&type=template&id=5cad18ba&scoped=true\"\nimport script from \"./ContactsMenu.vue?vue&type=script&lang=js\"\nexport * from \"./ContactsMenu.vue?vue&type=script&lang=js\"\nimport style0 from \"./ContactsMenu.vue?vue&type=style&index=0&id=5cad18ba&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"5cad18ba\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('nav',{ref:\"appMenu\",staticClass:\"app-menu\",attrs:{\"aria-label\":_vm.t('core', 'Applications menu')}},[_c('ul',{staticClass:\"app-menu__list\",attrs:{\"aria-label\":_vm.t('core', 'Apps')}},_vm._l((_vm.mainAppList),function(app){return _c('AppMenuEntry',{key:app.id,attrs:{\"app\":app}})}),1),_vm._v(\" \"),_c('NcActions',{staticClass:\"app-menu__overflow\",attrs:{\"aria-label\":_vm.t('core', 'More apps')}},_vm._l((_vm.popoverAppList),function(app){return _c('NcActionLink',{key:app.id,staticClass:\"app-menu__overflow-entry\",attrs:{\"aria-current\":app.active ? 'page' : false,\"href\":app.href,\"icon\":app.icon}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(app.name)+\"\\n\\t\\t\")])}),1)],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Circle.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Circle.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Circle.vue?vue&type=template&id=cd98ea1e\"\nimport script from \"./Circle.vue?vue&type=script&lang=js\"\nexport * from \"./Circle.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon circle-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('span',{staticClass:\"app-menu-icon\",attrs:{\"role\":\"img\",\"aria-hidden\":_setup.ariaHidden,\"aria-label\":_setup.ariaLabel}},[_c('img',{staticClass:\"app-menu-icon__icon\",attrs:{\"src\":_vm.app.icon,\"alt\":\"\"}}),_vm._v(\" \"),(_vm.app.unread)?_c(_setup.IconDot,{staticClass:\"app-menu-icon__unread\",attrs:{\"size\":10}}):_vm._e()],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=style&index=0&id=e7078f90&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=style&index=0&id=e7078f90&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AppMenuIcon.vue?vue&type=template&id=e7078f90&scoped=true\"\nimport script from \"./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./AppMenuIcon.vue?vue&type=style&index=0&id=e7078f90&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"e7078f90\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('li',{ref:\"containerElement\",staticClass:\"app-menu-entry\",class:{\n\t\t'app-menu-entry--active': _vm.app.active,\n\t\t'app-menu-entry--truncated': _setup.needsSpace,\n\t}},[_c('a',{staticClass:\"app-menu-entry__link\",attrs:{\"href\":_vm.app.href,\"title\":_vm.app.name,\"aria-current\":_vm.app.active ? 'page' : false,\"target\":_vm.app.target ? '_blank' : undefined,\"rel\":_vm.app.target ? 'noopener noreferrer' : undefined}},[_c(_setup.AppMenuIcon,{staticClass:\"app-menu-entry__icon\",attrs:{\"app\":_vm.app}}),_vm._v(\" \"),_c('span',{ref:\"labelElement\",staticClass:\"app-menu-entry__label\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.app.name)+\"\\n\\t\\t\")])],1)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=0&id=9736071a&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=0&id=9736071a&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=1&id=9736071a&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=1&id=9736071a&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AppMenuEntry.vue?vue&type=template&id=9736071a&scoped=true\"\nimport script from \"./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./AppMenuEntry.vue?vue&type=style&index=0&id=9736071a&prod&scoped=true&lang=scss\"\nimport style1 from \"./AppMenuEntry.vue?vue&type=style&index=1&id=9736071a&prod&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"9736071a\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=style&index=0&id=7661a89b&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=style&index=0&id=7661a89b&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AppMenu.vue?vue&type=template&id=7661a89b&scoped=true\"\nimport script from \"./AppMenu.vue?vue&type=script&lang=ts\"\nexport * from \"./AppMenu.vue?vue&type=script&lang=ts\"\nimport style0 from \"./AppMenu.vue?vue&type=style&index=0&id=7661a89b&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"7661a89b\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcListItem',{attrs:{\"id\":_vm.profileEnabled ? undefined : _vm.id,\"anchor-id\":_vm.id,\"active\":_vm.active,\"compact\":\"\",\"href\":_vm.profileEnabled ? _vm.href : undefined,\"name\":_vm.displayName,\"target\":\"_self\"},scopedSlots:_vm._u([(_vm.profileEnabled)?{key:\"subname\",fn:function(){return [_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.name)+\"\\n\\t\")]},proxy:true}:null,(_vm.loading)?{key:\"indicator\",fn:function(){return [_c('NcLoadingIcon')]},proxy:true}:null],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./AccountMenuProfileEntry.vue?vue&type=template&id=348dadc6\"\nimport script from \"./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"\nexport * from \"./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","\n\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=style&index=0&id=2e0a74a6&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=style&index=0&id=2e0a74a6&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AccountMenuEntry.vue?vue&type=template&id=2e0a74a6&scoped=true\"\nimport script from \"./AccountMenuEntry.vue?vue&type=script&lang=js\"\nexport * from \"./AccountMenuEntry.vue?vue&type=script&lang=js\"\nimport style0 from \"./AccountMenuEntry.vue?vue&type=style&index=0&id=2e0a74a6&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"2e0a74a6\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcListItem',{staticClass:\"account-menu-entry\",attrs:{\"id\":_vm.href ? undefined : _vm.id,\"anchor-id\":_vm.id,\"active\":_vm.active,\"compact\":\"\",\"href\":_vm.href,\"name\":_vm.name,\"target\":\"_self\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('img',{staticClass:\"account-menu-entry__icon\",class:{ 'account-menu-entry__icon--active': _vm.active },attrs:{\"src\":_vm.iconSource,\"alt\":\"\"}})]},proxy:true},(_vm.loading)?{key:\"indicator\",fn:function(){return [_c('NcLoadingIcon')]},proxy:true}:null],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcHeaderMenu',{staticClass:\"account-menu\",attrs:{\"id\":\"user-menu\",\"is-nav\":\"\",\"aria-label\":_vm.t('core', 'Settings menu'),\"description\":_vm.avatarDescription},scopedSlots:_vm._u([{key:\"trigger\",fn:function(){return [_c('NcAvatar',{key:String(_vm.showUserStatus),staticClass:\"account-menu__avatar\",attrs:{\"disable-menu\":\"\",\"disable-tooltip\":\"\",\"show-user-status\":_vm.showUserStatus,\"user\":_vm.currentUserId,\"preloaded-user-status\":_vm.userStatus}})]},proxy:true}])},[_vm._v(\" \"),_c('ul',{staticClass:\"account-menu__list\"},[_c('AccountMenuProfileEntry',{attrs:{\"id\":_vm.profileEntry.id,\"name\":_vm.profileEntry.name,\"href\":_vm.profileEntry.href,\"active\":_vm.profileEntry.active}}),_vm._v(\" \"),_vm._l((_vm.otherEntries),function(entry){return _c('AccountMenuEntry',{key:entry.id,attrs:{\"id\":entry.id,\"name\":entry.name,\"href\":entry.href,\"active\":entry.active,\"icon\":entry.icon}})})],2)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * SPDX-FileCopyrightText: 2020 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { translate as t } from '@nextcloud/l10n'\n\n/**\n * Returns a list of all user-definable statuses\n *\n * @return {object[]}\n */\nconst getAllStatusOptions = () => {\n\treturn [{\n\t\ttype: 'online',\n\t\tlabel: t('user_status', 'Online'),\n\t}, {\n\t\ttype: 'away',\n\t\tlabel: t('user_status', 'Away'),\n\t}, {\n\t\ttype: 'dnd',\n\t\tlabel: t('user_status', 'Do not disturb'),\n\t\tsubline: t('user_status', 'Mute all notifications'),\n\t}, {\n\t\ttype: 'invisible',\n\t\tlabel: t('user_status', 'Invisible'),\n\t\tsubline: t('user_status', 'Appear offline'),\n\t}]\n}\n\nexport {\n\tgetAllStatusOptions,\n}\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=style&index=0&id=a886d77a&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=style&index=0&id=a886d77a&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AccountMenu.vue?vue&type=template&id=a886d77a&scoped=true\"\nimport script from \"./AccountMenu.vue?vue&type=script&lang=ts\"\nexport * from \"./AccountMenu.vue?vue&type=script&lang=ts\"\nimport style0 from \"./AccountMenu.vue?vue&type=style&index=0&id=a886d77a&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"a886d77a\",\n null\n \n)\n\nexport default component.exports","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getRootUrl } from '@nextcloud/router'\n\n/**\n *\n * @param {string} url the URL to check\n * @return {boolean}\n */\nconst isRelativeUrl = (url) => {\n\treturn !url.startsWith('https://') && !url.startsWith('http://')\n}\n\n/**\n * @param {string} url The URL to check\n * @return {boolean} true if the URL points to this nextcloud instance\n */\nconst isNextcloudUrl = (url) => {\n\tconst nextcloudBaseUrl = window.location.protocol + '//' + window.location.host + getRootUrl()\n\t// if the URL is absolute and starts with the baseUrl+rootUrl\n\t// OR if the URL is relative and starts with rootUrl\n\treturn url.startsWith(nextcloudBaseUrl)\n\t\t|| (isRelativeUrl(url) && url.startsWith(getRootUrl()))\n}\n\n/**\n * Intercept XMLHttpRequest and fetch API calls to add X-Requested-With header\n *\n * This is also done in @nextcloud/axios but not all requests pass through that\n */\nexport const interceptRequests = () => {\n\tXMLHttpRequest.prototype.open = (function(open) {\n\t\treturn function(method, url, async) {\n\t\t\topen.apply(this, arguments)\n\t\t\tif (isNextcloudUrl(url) && !this.getResponseHeader('X-Requested-With')) {\n\t\t\t\tthis.setRequestHeader('X-Requested-With', 'XMLHttpRequest')\n\t\t\t}\n\t\t}\n\t})(XMLHttpRequest.prototype.open)\n\n\twindow.fetch = (function(fetch) {\n\t\treturn (resource, options) => {\n\t\t\t// fetch allows the `input` to be either a Request object or any stringifyable value\n\t\t\tif (!isNextcloudUrl(resource.url ?? resource.toString())) {\n\t\t\t\treturn fetch(resource, options)\n\t\t\t}\n\t\t\tif (!options) {\n\t\t\t\toptions = {}\n\t\t\t}\n\t\t\tif (!options.headers) {\n\t\t\t\toptions.headers = new Headers()\n\t\t\t}\n\n\t\t\tif (options.headers instanceof Headers && !options.headers.has('X-Requested-With')) {\n\t\t\t\toptions.headers.append('X-Requested-With', 'XMLHttpRequest')\n\t\t\t} else if (options.headers instanceof Object && !options.headers['X-Requested-With']) {\n\t\t\t\toptions.headers['X-Requested-With'] = 'XMLHttpRequest'\n\t\t\t}\n\n\t\t\treturn fetch(resource, options)\n\t\t}\n\t})(window.fetch)\n}\n","/**\n * SPDX-FileCopyrightText: 2024 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { t } from '@nextcloud/l10n';\n/**\n *\n * @param text\n */\nfunction unsecuredCopyToClipboard(text) {\n const textArea = document.createElement('textarea');\n const textAreaContent = document.createTextNode(text);\n textArea.appendChild(textAreaContent);\n document.body.appendChild(textArea);\n textArea.focus({ preventScroll: true });\n textArea.select();\n try {\n // This is a fallback for browsers that do not support the Clipboard API\n // execCommand is deprecated, but it is the only way to copy text to the clipboard in some browsers\n document.execCommand('copy');\n }\n catch (err) {\n window.prompt(t('core', 'Clipboard not available, please copy manually'), text);\n console.error('[ERROR] core: files Unable to copy to clipboard', err);\n }\n document.body.removeChild(textArea);\n}\n/**\n *\n */\nfunction initFallbackClipboardAPI() {\n if (!window.navigator?.clipboard?.writeText) {\n console.info('[INFO] core: Clipboard API not available, using fallback');\n Object.defineProperty(window.navigator, 'clipboard', {\n value: {\n writeText: unsecuredCopyToClipboard,\n },\n writable: false,\n });\n }\n}\nexport { initFallbackClipboardAPI };\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* globals Snap */\nimport _ from 'underscore'\nimport $ from 'jquery'\nimport moment from 'moment'\n\nimport { initSessionHeartBeat } from './session-heartbeat.js'\nimport OC from './OC/index.js'\nimport { setUp as setUpContactsMenu } from './components/ContactsMenu.js'\nimport { setUp as setUpMainMenu } from './components/MainMenu.js'\nimport { setUp as setUpUserMenu } from './components/UserMenu.js'\nimport { interceptRequests } from './utils/xhr-request.js'\nimport { initFallbackClipboardAPI } from './utils/ClipboardFallback.ts'\n\n// keep in sync with core/css/variables.scss\nconst breakpointMobileWidth = 1024\n\nconst initLiveTimestamps = () => {\n\t// Update live timestamps every 30 seconds\n\tsetInterval(() => {\n\t\t$('.live-relative-timestamp').each(function() {\n\t\t\tconst timestamp = parseInt($(this).attr('data-timestamp'), 10)\n\t\t\t$(this).text(moment(timestamp).fromNow())\n\t\t})\n\t}, 30 * 1000)\n}\n\n/**\n * Moment doesn't have aliases for every locale and doesn't parse some locale IDs correctly so we need to alias them\n */\nconst localeAliases = {\n\tzh: 'zh-cn',\n\tzh_Hans: 'zh-cn',\n\tzh_Hans_CN: 'zh-cn',\n\tzh_Hans_HK: 'zh-cn',\n\tzh_Hans_MO: 'zh-cn',\n\tzh_Hans_SG: 'zh-cn',\n\tzh_Hant: 'zh-hk',\n\tzh_Hant_HK: 'zh-hk',\n\tzh_Hant_MO: 'zh-mo',\n\tzh_Hant_TW: 'zh-tw',\n}\nlet locale = OC.getLocale()\nif (Object.prototype.hasOwnProperty.call(localeAliases, locale)) {\n\tlocale = localeAliases[locale]\n}\n\n/**\n * Set users locale to moment.js as soon as possible\n */\nmoment.locale(locale)\n\n/**\n * Initializes core\n */\nexport const initCore = () => {\n\tinterceptRequests()\n\tinitFallbackClipboardAPI()\n\n\t$(window).on('unload.main', () => { OC._unloadCalled = true })\n\t$(window).on('beforeunload.main', () => {\n\t\t// super-trick thanks to http://stackoverflow.com/a/4651049\n\t\t// in case another handler displays a confirmation dialog (ex: navigating away\n\t\t// during an upload), there are two possible outcomes: user clicked \"ok\" or\n\t\t// \"cancel\"\n\n\t\t// first timeout handler is called after unload dialog is closed\n\t\tsetTimeout(() => {\n\t\t\tOC._userIsNavigatingAway = true\n\n\t\t\t// second timeout event is only called if user cancelled (Chrome),\n\t\t\t// but in other browsers it might still be triggered, so need to\n\t\t\t// set a higher delay...\n\t\t\tsetTimeout(() => {\n\t\t\t\tif (!OC._unloadCalled) {\n\t\t\t\t\tOC._userIsNavigatingAway = false\n\t\t\t\t}\n\t\t\t}, 10000)\n\t\t}, 1)\n\t})\n\t$(document).on('ajaxError.main', function(event, request, settings) {\n\t\tif (settings && settings.allowAuthErrors) {\n\t\t\treturn\n\t\t}\n\t\tOC._processAjaxError(request)\n\t})\n\n\tinitSessionHeartBeat()\n\n\tOC.registerMenu($('#expand'), $('#expanddiv'), false, true)\n\n\t// toggle for menus\n\t$(document).on('mouseup.closemenus', event => {\n\t\tconst $el = $(event.target)\n\t\tif ($el.closest('.menu').length || $el.closest('.menutoggle').length) {\n\t\t\t// don't close when clicking on the menu directly or a menu toggle\n\t\t\treturn false\n\t\t}\n\n\t\tOC.hideMenus()\n\t})\n\n\tsetUpMainMenu()\n\tsetUpUserMenu()\n\tsetUpContactsMenu()\n\n\t// just add snapper for logged in users\n\t// and if the app doesn't handle the nav slider itself\n\tif ($('#app-navigation').length && !$('html').hasClass('lte9')\n\t\t&& !$('#app-content').hasClass('no-snapper')) {\n\n\t\t// App sidebar on mobile\n\t\tconst snapper = new Snap({\n\t\t\telement: document.getElementById('app-content'),\n\t\t\tdisable: 'right',\n\t\t\tmaxPosition: 300, // $navigation-width\n\t\t\tminDragDistance: 100,\n\t\t})\n\n\t\t$('#app-content').prepend('
            ')\n\n\t\t// keep track whether snapper is currently animating, and\n\t\t// prevent to call open or close while that is the case\n\t\t// to avoid duplicating events (snap.js doesn't check this)\n\t\tlet animating = false\n\t\tsnapper.on('animating', () => {\n\t\t\t// we need this because the trigger button\n\t\t\t// is also implicitly wired to close by snapper\n\t\t\tanimating = true\n\t\t})\n\t\tsnapper.on('animated', () => {\n\t\t\tanimating = false\n\t\t})\n\t\tsnapper.on('start', () => {\n\t\t\t// we need this because dragging triggers that\n\t\t\tanimating = true\n\t\t})\n\t\tsnapper.on('end', () => {\n\t\t\t// we need this because dragging stop triggers that\n\t\t\tanimating = false\n\t\t})\n\t\tsnapper.on('open', () => {\n\t\t\t$appNavigation.attr('aria-hidden', 'false')\n\t\t})\n\t\tsnapper.on('close', () => {\n\t\t\t$appNavigation.attr('aria-hidden', 'true')\n\t\t})\n\n\t\t// These are necessary because calling open or close\n\t\t// on snapper during an animation makes it trigger an\n\t\t// unfinishable animation, which itself will continue\n\t\t// triggering animating events and cause high CPU load,\n\t\t//\n\t\t// Ref https://github.com/jakiestfu/Snap.js/issues/216\n\t\tconst oldSnapperOpen = snapper.open\n\t\tconst oldSnapperClose = snapper.close\n\t\tconst _snapperOpen = () => {\n\t\t\tif (animating || snapper.state().state !== 'closed') {\n\t\t\t\treturn\n\t\t\t}\n\t\t\toldSnapperOpen('left')\n\t\t}\n\n\t\tconst _snapperClose = () => {\n\t\t\tif (animating || snapper.state().state === 'closed') {\n\t\t\t\treturn\n\t\t\t}\n\t\t\toldSnapperClose()\n\t\t}\n\n\t\t// Needs to be deferred to properly catch in-between\n\t\t// events that snap.js is triggering after dragging.\n\t\t//\n\t\t// Skipped when running unit tests as we are not testing\n\t\t// the snap.js workarounds...\n\t\tif (!window.TESTING) {\n\t\t\tsnapper.open = () => {\n\t\t\t\t_.defer(_snapperOpen)\n\t\t\t}\n\t\t\tsnapper.close = () => {\n\t\t\t\t_.defer(_snapperClose)\n\t\t\t}\n\t\t}\n\n\t\t$('#app-navigation-toggle').click((e) => {\n\t\t\t// close is implicit in the button by snap.js\n\t\t\tif (snapper.state().state !== 'left') {\n\t\t\t\tsnapper.open()\n\t\t\t}\n\t\t})\n\t\t$('#app-navigation-toggle').keypress(e => {\n\t\t\tif (snapper.state().state === 'left') {\n\t\t\t\tsnapper.close()\n\t\t\t} else {\n\t\t\t\tsnapper.open()\n\t\t\t}\n\t\t})\n\n\t\t// close sidebar when switching navigation entry\n\t\tconst $appNavigation = $('#app-navigation')\n\t\t$appNavigation.attr('aria-hidden', 'true')\n\t\t$appNavigation.delegate('a, :button', 'click', event => {\n\t\t\tconst $target = $(event.target)\n\t\t\t// don't hide navigation when changing settings or adding things\n\t\t\tif ($target.is('.app-navigation-noclose')\n\t\t\t\t|| $target.closest('.app-navigation-noclose').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tif ($target.is('.app-navigation-entry-utils-menu-button')\n\t\t\t\t|| $target.closest('.app-navigation-entry-utils-menu-button').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tif ($target.is('.add-new')\n\t\t\t\t|| $target.closest('.add-new').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tif ($target.is('#app-settings')\n\t\t\t\t|| $target.closest('#app-settings').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tsnapper.close()\n\t\t})\n\n\t\tlet navigationBarSlideGestureEnabled = false\n\t\tlet navigationBarSlideGestureAllowed = true\n\t\tlet navigationBarSlideGestureEnablePending = false\n\n\t\tOC.allowNavigationBarSlideGesture = () => {\n\t\t\tnavigationBarSlideGestureAllowed = true\n\n\t\t\tif (navigationBarSlideGestureEnablePending) {\n\t\t\t\tsnapper.enable()\n\n\t\t\t\tnavigationBarSlideGestureEnabled = true\n\t\t\t\tnavigationBarSlideGestureEnablePending = false\n\t\t\t}\n\t\t}\n\n\t\tOC.disallowNavigationBarSlideGesture = () => {\n\t\t\tnavigationBarSlideGestureAllowed = false\n\n\t\t\tif (navigationBarSlideGestureEnabled) {\n\t\t\t\tconst endCurrentDrag = true\n\t\t\t\tsnapper.disable(endCurrentDrag)\n\n\t\t\t\tnavigationBarSlideGestureEnabled = false\n\t\t\t\tnavigationBarSlideGestureEnablePending = true\n\t\t\t}\n\t\t}\n\n\t\tconst toggleSnapperOnSize = () => {\n\t\t\tif ($(window).width() > breakpointMobileWidth) {\n\t\t\t\t$appNavigation.attr('aria-hidden', 'false')\n\t\t\t\tsnapper.close()\n\t\t\t\tsnapper.disable()\n\n\t\t\t\tnavigationBarSlideGestureEnabled = false\n\t\t\t\tnavigationBarSlideGestureEnablePending = false\n\t\t\t} else if (navigationBarSlideGestureAllowed) {\n\t\t\t\tsnapper.enable()\n\n\t\t\t\tnavigationBarSlideGestureEnabled = true\n\t\t\t\tnavigationBarSlideGestureEnablePending = false\n\t\t\t} else {\n\t\t\t\tnavigationBarSlideGestureEnablePending = true\n\t\t\t}\n\t\t}\n\n\t\t$(window).resize(_.debounce(toggleSnapperOnSize, 250))\n\n\t\t// initial call\n\t\ttoggleSnapperOnSize()\n\n\t}\n\n\tinitLiveTimestamps()\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n'\nimport Vue from 'vue'\n\nimport AppMenu from './AppMenu.vue'\n\nexport const setUp = () => {\n\n\tVue.mixin({\n\t\tmethods: {\n\t\t\tt,\n\t\t\tn,\n\t\t},\n\t})\n\n\tconst container = document.getElementById('header-start__appmenu')\n\tif (!container) {\n\t\t// no container, possibly we're on a public page\n\t\treturn\n\t}\n\tconst AppMenuApp = Vue.extend(AppMenu)\n\tconst appMenu = new AppMenuApp({}).$mount(container)\n\n\tObject.assign(OC, {\n\t\tsetNavigationCounter(id, counter) {\n\t\t\tappMenu.setNavigationCounter(id, counter)\n\t\t},\n\t})\n\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Vue from 'vue'\n\nimport AccountMenu from '../views/AccountMenu.vue'\n\nexport const setUp = () => {\n\tconst mountPoint = document.getElementById('user-menu')\n\tif (mountPoint) {\n\t\t// eslint-disable-next-line no-new\n\t\tnew Vue({\n\t\t\tname: 'AccountMenuRoot',\n\t\t\tel: mountPoint,\n\t\t\trender: h => h(AccountMenu),\n\t\t})\n\t}\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Vue from 'vue'\n\nimport ContactsMenu from '../views/ContactsMenu.vue'\n\n/**\n * @todo move to contacts menu code https://github.com/orgs/nextcloud/projects/31#card-21213129\n */\nexport const setUp = () => {\n\tconst mountPoint = document.getElementById('contactsmenu')\n\tif (mountPoint) {\n\t\t// eslint-disable-next-line no-new\n\t\tnew Vue({\n\t\t\tname: 'ContactsMenuRoot',\n\t\t\tel: mountPoint,\n\t\t\trender: h => h(ContactsMenu),\n\t\t})\n\t}\n}\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./jquery-ui.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./jquery-ui.css\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./jquery-ui.theme.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./jquery-ui.theme.css\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./select2.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./select2.css\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./strengthify.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./strengthify.css\";\n export default content && content.locals ? content.locals : undefined;\n","/**\n * SPDX-FileCopyrightText: 2017 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/*\n * Detects links:\n * Either the http(s) protocol is given or two strings, basically limited to ascii with the last\n * word being at least one digit long,\n * followed by at least another character\n *\n * The downside: anything not ascii is excluded. Not sure how common it is in areas using different\n * alphabets… the upside: fake domains with similar looking characters won't be formatted as links\n *\n * This is a copy of the backend regex in IURLGenerator, make sure to adjust both when changing\n */\nconst urlRegex = /(\\s|^)(https?:\\/\\/)([-A-Z0-9+_.]+(?::[0-9]+)?(?:\\/[-A-Z0-9+&@#%?=~_|!:,.;()]*)*)(\\s|$)/ig\n\n/**\n * @param {any} content -\n */\nexport function plainToRich(content) {\n\treturn this.formatLinksRich(content)\n}\n\n/**\n * @param {any} content -\n */\nexport function richToPlain(content) {\n\treturn this.formatLinksPlain(content)\n}\n\n/**\n * @param {any} content -\n */\nexport function formatLinksRich(content) {\n\treturn content.replace(urlRegex, function(_, leadingSpace, protocol, url, trailingSpace) {\n\t\tlet linkText = url\n\t\tif (!protocol) {\n\t\t\tprotocol = 'https://'\n\t\t} else if (protocol === 'http://') {\n\t\t\tlinkText = protocol + url\n\t\t}\n\n\t\treturn leadingSpace + '' + linkText + '' + trailingSpace\n\t})\n}\n\n/**\n * @param {any} content -\n */\nexport function formatLinksPlain(content) {\n\tconst $content = $('
            ').html(content)\n\t$content.find('a').each(function() {\n\t\tconst $this = $(this)\n\t\t$this.html($this.attr('href'))\n\t})\n\treturn $content.html()\n}\n","/**\n * SPDX-FileCopyrightText: 2017 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\nimport $ from 'jquery'\nimport { generateOcsUrl } from '@nextcloud/router'\n\n/**\n * @param {any} options -\n */\nexport function query(options) {\n\toptions = options || {}\n\tconst dismissOptions = options.dismiss || {}\n\t$.ajax({\n\t\ttype: 'GET',\n\t\turl: options.url || generateOcsUrl('core/whatsnew?format=json'),\n\t\tsuccess: options.success || function(data, statusText, xhr) {\n\t\t\tonQuerySuccess(data, statusText, xhr, dismissOptions)\n\t\t},\n\t\terror: options.error || onQueryError,\n\t})\n}\n\n/**\n * @param {any} version -\n * @param {any} options -\n */\nexport function dismiss(version, options) {\n\toptions = options || {}\n\t$.ajax({\n\t\ttype: 'POST',\n\t\turl: options.url || generateOcsUrl('core/whatsnew'),\n\t\tdata: { version: encodeURIComponent(version) },\n\t\tsuccess: options.success || onDismissSuccess,\n\t\terror: options.error || onDismissError,\n\t})\n\t// remove element immediately\n\t$('.whatsNewPopover').remove()\n}\n\n/**\n * @param {any} data -\n * @param {any} statusText -\n * @param {any} xhr -\n * @param {any} dismissOptions -\n */\nfunction onQuerySuccess(data, statusText, xhr, dismissOptions) {\n\tconsole.debug('querying Whats New data was successful: ' + statusText)\n\tconsole.debug(data)\n\n\tif (xhr.status !== 200) {\n\t\treturn\n\t}\n\n\tlet item, menuItem, text, icon\n\n\tconst div = document.createElement('div')\n\tdiv.classList.add('popovermenu', 'open', 'whatsNewPopover', 'menu-left')\n\n\tconst list = document.createElement('ul')\n\n\t// header\n\titem = document.createElement('li')\n\tmenuItem = document.createElement('span')\n\tmenuItem.className = 'menuitem'\n\n\ttext = document.createElement('span')\n\ttext.innerText = t('core', 'New in') + ' ' + data.ocs.data.product\n\ttext.className = 'caption'\n\tmenuItem.appendChild(text)\n\n\ticon = document.createElement('span')\n\ticon.className = 'icon-close'\n\ticon.onclick = function() {\n\t\tdismiss(data.ocs.data.version, dismissOptions)\n\t}\n\tmenuItem.appendChild(icon)\n\n\titem.appendChild(menuItem)\n\tlist.appendChild(item)\n\n\t// Highlights\n\tfor (const i in data.ocs.data.whatsNew.regular) {\n\t\tconst whatsNewTextItem = data.ocs.data.whatsNew.regular[i]\n\t\titem = document.createElement('li')\n\n\t\tmenuItem = document.createElement('span')\n\t\tmenuItem.className = 'menuitem'\n\n\t\ticon = document.createElement('span')\n\t\ticon.className = 'icon-checkmark'\n\t\tmenuItem.appendChild(icon)\n\n\t\ttext = document.createElement('p')\n\t\ttext.innerHTML = _.escape(whatsNewTextItem)\n\t\tmenuItem.appendChild(text)\n\n\t\titem.appendChild(menuItem)\n\t\tlist.appendChild(item)\n\t}\n\n\t// Changelog URL\n\tif (!_.isUndefined(data.ocs.data.changelogURL)) {\n\t\titem = document.createElement('li')\n\n\t\tmenuItem = document.createElement('a')\n\t\tmenuItem.href = data.ocs.data.changelogURL\n\t\tmenuItem.rel = 'noreferrer noopener'\n\t\tmenuItem.target = '_blank'\n\n\t\ticon = document.createElement('span')\n\t\ticon.className = 'icon-link'\n\t\tmenuItem.appendChild(icon)\n\n\t\ttext = document.createElement('span')\n\t\ttext.innerText = t('core', 'View changelog')\n\t\tmenuItem.appendChild(text)\n\n\t\titem.appendChild(menuItem)\n\t\tlist.appendChild(item)\n\t}\n\n\tdiv.appendChild(list)\n\tdocument.body.appendChild(div)\n}\n\n/**\n * @param {any} x -\n * @param {any} t -\n * @param {any} e -\n */\nfunction onQueryError(x, t, e) {\n\tconsole.debug('querying Whats New Data resulted in an error: ' + t + e)\n\tconsole.debug(x)\n}\n\n/**\n * @param {any} data -\n */\nfunction onDismissSuccess(data) {\n\t// noop\n}\n\n/**\n * @param {any} data -\n */\nfunction onDismissError(data) {\n\tconsole.debug('dismissing Whats New data resulted in an error: ' + data)\n}\n","/**\n * SPDX-FileCopyrightText: 2022 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { loadState } from '@nextcloud/initial-state'\n\n/**\n * Set the page heading\n *\n * @param {string} heading page title from the history api\n * @since 27.0.0\n */\nexport function setPageHeading(heading) {\n\tconst headingEl = document.getElementById('page-heading-level-1')\n\tif (headingEl) {\n\t\theadingEl.textContent = heading\n\t}\n}\nexport default {\n\t/**\n\t * @return {boolean} Whether the user opted-out of shortcuts so that they should not be registered\n\t */\n\tdisableKeyboardShortcuts() {\n\t\treturn loadState('theming', 'shortcutsDisabled', false)\n\t},\n\tsetPageHeading,\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport escapeHTML from 'escape-html'\n\n/**\n * @typedef TypeDefinition\n * @function action This action is executed to let the user select a resource\n * @param {string} icon Contains the icon css class for the type\n * @function Object() { [native code] }\n */\n\n/**\n * @type {TypeDefinition[]}\n */\nconst types = {}\n\n/**\n * Those translations will be used by the vue component but they should be shipped with the server\n * FIXME: Those translations should be added to the library\n *\n * @return {Array}\n */\nexport const l10nProjects = () => {\n\treturn [\n\t\tt('core', 'Add to a project'),\n\t\tt('core', 'Show details'),\n\t\tt('core', 'Hide details'),\n\t\tt('core', 'Rename project'),\n\t\tt('core', 'Failed to rename the project'),\n\t\tt('core', 'Failed to create a project'),\n\t\tt('core', 'Failed to add the item to the project'),\n\t\tt('core', 'Connect items to a project to make them easier to find'),\n\t\tt('core', 'Type to search for existing projects'),\n\t]\n}\n\nexport default {\n\t/**\n\t *\n\t * @param {string} type type\n\t * @param {TypeDefinition} typeDefinition typeDefinition\n\t */\n\tregisterType(type, typeDefinition) {\n\t\ttypes[type] = typeDefinition\n\t},\n\ttrigger(type) {\n\t\treturn types[type].action()\n\t},\n\tgetTypes() {\n\t\treturn Object.keys(types)\n\t},\n\tgetIcon(type) {\n\t\treturn types[type].typeIconClass || ''\n\t},\n\tgetLabel(type) {\n\t\treturn escapeHTML(types[type].typeString || type)\n\t},\n\tgetLink(type, id) {\n\t\t/* TODO: Allow action to be executed instead of href as well */\n\t\treturn typeof types[type] !== 'undefined' ? types[type].link(id) : ''\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { generateFilePath } from '@nextcloud/router'\n\nconst loadedScripts = {}\nconst loadedStylesheets = {}\n/**\n * @namespace OCP\n * @class Loader\n */\nexport default {\n\n\t/**\n\t * Load a script asynchronously\n\t *\n\t * @param {string} app the app name\n\t * @param {string} file the script file name\n\t * @return {Promise}\n\t */\n\tloadScript(app, file) {\n\t\tconst key = app + file\n\t\tif (Object.prototype.hasOwnProperty.call(loadedScripts, key)) {\n\t\t\treturn Promise.resolve()\n\t\t}\n\t\tloadedScripts[key] = true\n\t\treturn new Promise(function(resolve, reject) {\n\t\t\tconst scriptPath = generateFilePath(app, 'js', file)\n\t\t\tconst script = document.createElement('script')\n\t\t\tscript.src = scriptPath\n\t\t\tscript.setAttribute('nonce', btoa(OC.requestToken))\n\t\t\tscript.onload = () => resolve()\n\t\t\tscript.onerror = () => reject(new Error(`Failed to load script from ${scriptPath}`))\n\t\t\tdocument.head.appendChild(script)\n\t\t})\n\t},\n\n\t/**\n\t * Load a stylesheet file asynchronously\n\t *\n\t * @param {string} app the app name\n\t * @param {string} file the script file name\n\t * @return {Promise}\n\t */\n\tloadStylesheet(app, file) {\n\t\tconst key = app + file\n\t\tif (Object.prototype.hasOwnProperty.call(loadedStylesheets, key)) {\n\t\t\treturn Promise.resolve()\n\t\t}\n\t\tloadedStylesheets[key] = true\n\t\treturn new Promise(function(resolve, reject) {\n\t\t\tconst stylePath = generateFilePath(app, 'css', file)\n\t\t\tconst link = document.createElement('link')\n\t\t\tlink.href = stylePath\n\t\t\tlink.type = 'text/css'\n\t\t\tlink.rel = 'stylesheet'\n\t\t\tlink.onload = () => resolve()\n\t\t\tlink.onerror = () => reject(new Error(`Failed to load stylesheet from ${stylePath}`))\n\t\t\tdocument.head.appendChild(link)\n\t\t})\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport {\n\tshowError,\n\tshowInfo, showMessage,\n\tshowSuccess,\n\tshowWarning,\n} from '@nextcloud/dialogs'\n\n/** @typedef {import('toastify-js')} Toast */\n\nexport default {\n\t/**\n\t * @deprecated 19.0.0 use `showSuccess` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\tsuccess(text, options) {\n\t\treturn showSuccess(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showWarning` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\twarning(text, options) {\n\t\treturn showWarning(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showError` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\terror(text, options) {\n\t\treturn showError(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showInfo` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\tinfo(text, options) {\n\t\treturn showInfo(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showMessage` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\tmessage(text, options) {\n\t\treturn showMessage(text, options)\n\t},\n\n}\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { loadState } from '@nextcloud/initial-state'\n\nimport * as AppConfig from './appconfig.js'\nimport * as Comments from './comments.js'\nimport * as WhatsNew from './whatsnew.js'\n\nimport Accessibility from './accessibility.js'\nimport Collaboration from './collaboration.js'\nimport Loader from './loader.js'\nimport Toast from './toast.js'\n\n/** @namespace OCP */\nexport default {\n\tAccessibility,\n\tAppConfig,\n\tCollaboration,\n\tComments,\n\tInitialState: {\n\t\t/**\n\t\t * @deprecated 18.0.0 add https://www.npmjs.com/package/@nextcloud/initial-state to your app\n\t\t */\n\t\tloadState,\n\t},\n\tLoader,\n\t/**\n\t * @deprecated 19.0.0 use the `@nextcloud/dialogs` package instead\n\t */\n\tToast,\n\tWhatsNew,\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable @nextcloud/no-deprecations */\nimport { initCore } from './init.js'\n\nimport _ from 'underscore'\nimport $ from 'jquery'\n// TODO: switch to `jquery-ui` package and import widgets and effects individually\n// `jquery-ui-dist` is used as a workaround for the issue of missing effects\nimport 'jquery-ui-dist/jquery-ui.js'\nimport 'jquery-ui-dist/jquery-ui.css'\nimport 'jquery-ui-dist/jquery-ui.theme.css'\n// END TODO\nimport Backbone from 'backbone'\nimport ClipboardJS from 'clipboard'\nimport { dav } from 'davclient.js'\nimport Handlebars from 'handlebars'\nimport md5 from 'blueimp-md5'\nimport moment from 'moment'\nimport 'select2'\nimport 'select2/select2.css'\nimport 'snap.js/dist/snap.js'\nimport 'strengthify'\nimport 'strengthify/strengthify.css'\n\nimport OC from './OC/index.js'\nimport OCP from './OCP/index.js'\nimport OCA from './OCA/index.js'\nimport { getToken as getRequestToken } from './OC/requesttoken.js'\n\nconst warnIfNotTesting = function() {\n\tif (window.TESTING === undefined) {\n\t\tOC.debug && console.warn.apply(console, arguments)\n\t}\n}\n\n/**\n * Mark a function as deprecated and automatically\n * warn if used!\n *\n * @param {Function} func the library to deprecate\n * @param {string} funcName the name of the library\n * @param {number} version the version this gets removed\n * @return {Function}\n */\nconst deprecate = (func, funcName, version) => {\n\tconst oldFunc = func\n\tconst newFunc = function() {\n\t\twarnIfNotTesting(`The ${funcName} library is deprecated! It will be removed in nextcloud ${version}.`)\n\t\treturn oldFunc.apply(this, arguments)\n\t}\n\tObject.assign(newFunc, oldFunc)\n\treturn newFunc\n}\n\nconst setDeprecatedProp = (global, cb, msg) => {\n\t(Array.isArray(global) ? global : [global]).forEach(global => {\n\t\tif (window[global] !== undefined) {\n\t\t\tdelete window[global]\n\t\t}\n\t\tObject.defineProperty(window, global, {\n\t\t\tget: () => {\n\t\t\t\tif (msg) {\n\t\t\t\t\twarnIfNotTesting(`${global} is deprecated: ${msg}`)\n\t\t\t\t} else {\n\t\t\t\t\twarnIfNotTesting(`${global} is deprecated`)\n\t\t\t\t}\n\n\t\t\t\treturn cb()\n\t\t\t},\n\t\t})\n\t})\n}\n\nwindow._ = _\nsetDeprecatedProp(['$', 'jQuery'], () => $, 'The global jQuery is deprecated. It will be removed in a later versions without another warning. Please ship your own.')\nsetDeprecatedProp('Backbone', () => Backbone, 'please ship your own, this will be removed in Nextcloud 20')\nsetDeprecatedProp(['Clipboard', 'ClipboardJS'], () => ClipboardJS, 'please ship your own, this will be removed in Nextcloud 20')\nwindow.dav = dav\nsetDeprecatedProp('Handlebars', () => Handlebars, 'please ship your own, this will be removed in Nextcloud 20')\n// Global md5 only required for: apps/files/js/file-upload.js\nsetDeprecatedProp('md5', () => md5, 'please ship your own, this will be removed in Nextcloud 20')\nsetDeprecatedProp('moment', () => moment, 'please ship your own, this will be removed in Nextcloud 20')\n\nwindow.OC = OC\nsetDeprecatedProp('initCore', () => initCore, 'this is an internal function')\nsetDeprecatedProp('oc_appswebroots', () => OC.appswebroots, 'use OC.appswebroots instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_config', () => OC.config, 'use OC.config instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_current_user', () => OC.getCurrentUser().uid, 'use OC.getCurrentUser().uid instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_debug', () => OC.debug, 'use OC.debug instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_defaults', () => OC.theme, 'use OC.theme instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_isadmin', OC.isUserAdmin, 'use OC.isUserAdmin() instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_requesttoken', () => getRequestToken(), 'use OC.requestToken instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_webroot', () => OC.webroot, 'use OC.getRootPath() instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('OCDialogs', () => OC.dialogs, 'use OC.dialogs instead, this will be removed in Nextcloud 20')\nwindow.OCP = OCP\nwindow.OCA = OCA\n$.fn.select2 = deprecate($.fn.select2, 'select2', 19)\n\n/**\n * translate a string\n *\n * @param {string} app the id of the app for which to translate the string\n * @param {string} text the string to translate\n * @param [vars] map of placeholder key to value\n * @param {number} [count] number to replace %n with\n * @return {string}\n */\nwindow.t = _.bind(OC.L10N.translate, OC.L10N)\n\n/**\n * translate a string\n *\n * @param {string} app the id of the app for which to translate the string\n * @param {string} text_singular the string to translate for exactly one object\n * @param {string} text_plural the string to translate for n objects\n * @param {number} count number to determine whether to use singular or plural\n * @param [vars] map of placeholder key to value\n * @return {string} Translated string\n */\nwindow.n = _.bind(OC.L10N.translatePlural, OC.L10N)\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/**\n * Namespace for apps\n *\n * @namespace OCA\n */\nexport default { }\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { generateUrl } from '@nextcloud/router'\nimport $ from 'jquery'\n\n/**\n * This plugin inserts the right avatar for the user, depending on, whether a\n * custom avatar is uploaded - which it uses then - or not, and display a\n * placeholder with the first letter of the users name instead.\n * For this it queries the core_avatar_get route, thus this plugin is fit very\n * tightly for owncloud, and it may not work anywhere else.\n *\n * You may use this on any
            \n * Here I'm using
            as an example.\n *\n * There are 5 ways to call this:\n *\n * 1. $('.avatardiv').avatar('jdoe', 128);\n * This will make the div to jdoe's fitting avatar, with a size of 128px.\n *\n * 2. $('.avatardiv').avatar('jdoe');\n * This will make the div to jdoe's fitting avatar. If the div already has a\n * height, it will be used for the avatars size. Otherwise this plugin will\n * search for 'size' DOM data, to use for avatar size. If neither are available\n * it will default to 64px.\n *\n * 3. $('.avatardiv').avatar();\n * This will search the DOM for 'user' data, to use as the username. If there\n * is no username available it will default to a placeholder with the value of\n * \"?\". The size will be determined the same way, as the second example.\n *\n * 4. $('.avatardiv').avatar('jdoe', 128, true);\n * This will behave like the first example, except it will also append random\n * hashes to the custom avatar images, to force image reloading in IE8.\n *\n * 5. $('.avatardiv').avatar('jdoe', 128, undefined, true);\n * This will behave like the first example, but it will hide the avatardiv, if\n * it will display the default placeholder. undefined is the ie8fix from\n * example 4 and can be either true, or false/undefined, to be ignored.\n *\n * 6. $('.avatardiv').avatar('jdoe', 128, undefined, true, callback);\n * This will behave like the above example, but it will call the function\n * defined in callback after the avatar is placed into the DOM.\n *\n */\n\n$.fn.avatar = function(user, size, ie8fix, hidedefault, callback, displayname) {\n\tconst setAvatarForUnknownUser = function(target) {\n\t\ttarget.imageplaceholder('?')\n\t\ttarget.css('background-color', '#b9b9b9')\n\t}\n\n\tif (typeof (user) !== 'undefined') {\n\t\tuser = String(user)\n\t}\n\tif (typeof (displayname) !== 'undefined') {\n\t\tdisplayname = String(displayname)\n\t}\n\n\tif (typeof (size) === 'undefined') {\n\t\tif (this.height() > 0) {\n\t\t\tsize = this.height()\n\t\t} else if (this.data('size') > 0) {\n\t\t\tsize = this.data('size')\n\t\t} else {\n\t\t\tsize = 64\n\t\t}\n\t}\n\n\tthis.height(size)\n\tthis.width(size)\n\n\tif (typeof (user) === 'undefined') {\n\t\tif (typeof (this.data('user')) !== 'undefined') {\n\t\t\tuser = this.data('user')\n\t\t} else {\n\t\t\tsetAvatarForUnknownUser(this)\n\t\t\treturn\n\t\t}\n\t}\n\n\t// sanitize\n\tuser = String(user).replace(/\\//g, '')\n\n\tconst $div = this\n\tlet url\n\n\t// If this is our own avatar we have to use the version attribute\n\tif (user === getCurrentUser()?.uid) {\n\t\turl = generateUrl(\n\t\t\t'/avatar/{user}/{size}?v={version}',\n\t\t\t{\n\t\t\t\tuser,\n\t\t\t\tsize: Math.ceil(size * window.devicePixelRatio),\n\t\t\t\tversion: oc_userconfig.avatar.version,\n\t\t\t})\n\t} else {\n\t\turl = generateUrl(\n\t\t\t'/avatar/{user}/{size}',\n\t\t\t{\n\t\t\t\tuser,\n\t\t\t\tsize: Math.ceil(size * window.devicePixelRatio),\n\t\t\t})\n\t}\n\n\tconst img = new Image()\n\n\t// If the new image loads successfully set it.\n\timg.onload = function() {\n\t\t$div.clearimageplaceholder()\n\t\t$div.append(img)\n\n\t\tif (typeof callback === 'function') {\n\t\t\tcallback()\n\t\t}\n\t}\n\t// Fallback when avatar loading fails:\n\t// Use old placeholder when a displayname attribute is defined,\n\t// otherwise show the unknown user placeholder.\n\timg.onerror = function() {\n\t\t$div.clearimageplaceholder()\n\t\tif (typeof (displayname) !== 'undefined') {\n\t\t\t$div.imageplaceholder(user, displayname)\n\t\t} else {\n\t\t\tsetAvatarForUnknownUser($div)\n\t\t}\n\n\t\tif (typeof callback === 'function') {\n\t\t\tcallback()\n\t\t}\n\t}\n\n\tif (size < 32) {\n\t\t$div.addClass('icon-loading-small')\n\t} else {\n\t\t$div.addClass('icon-loading')\n\t}\n\timg.width = size\n\timg.height = size\n\timg.src = url\n\timg.alt = ''\n}\n","/**\n * SPDX-FileCopyrightText: 2022 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/**\n * Return whether the DOM event is an accessible mouse or keyboard element activation\n *\n * @param {Event} event DOM event\n *\n * @return {boolean}\n */\nexport const isA11yActivation = (event) => {\n\tif (event.type === 'click') {\n\t\treturn true\n\t}\n\tif (event.type === 'keydown' && event.key === 'Enter') {\n\t\treturn true\n\t}\n\treturn false\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\nimport { generateUrl } from '@nextcloud/router'\nimport { isA11yActivation } from '../Util/a11y.js'\n\nconst LIST = ''\n\t+ ''\n\nconst entryTemplate = require('./contactsmenu/jquery_entry.handlebars')\n\n$.fn.contactsMenu = function(shareWith, shareType, appendTo) {\n\t// 0 - user, 4 - email, 6 - remote\n\tconst allowedTypes = [0, 4, 6]\n\tif (allowedTypes.indexOf(shareType) === -1) {\n\t\treturn\n\t}\n\n\tconst $div = this\n\tappendTo.append(LIST)\n\tconst $list = appendTo.find('div.contactsmenu-popover')\n\n\t$div.on('click keydown', function(event) {\n\t\tif (!isA11yActivation(event)) {\n\t\t\treturn\n\t\t}\n\n\t\tif (!$list.hasClass('hidden')) {\n\t\t\t$list.addClass('hidden')\n\t\t\t$list.hide()\n\t\t\treturn\n\t\t}\n\n\t\t$list.removeClass('hidden')\n\t\t$list.show()\n\n\t\tif ($list.hasClass('loaded')) {\n\t\t\treturn\n\t\t}\n\n\t\t$list.addClass('loaded')\n\t\t$.ajax(generateUrl('/contactsmenu/findOne'), {\n\t\t\tmethod: 'POST',\n\t\t\tdata: {\n\t\t\t\tshareType,\n\t\t\t\tshareWith,\n\t\t\t},\n\t\t}).then(function(data) {\n\t\t\t$list.find('ul').find('li').addClass('hidden')\n\n\t\t\tlet actions\n\t\t\tif (!data.topAction) {\n\t\t\t\tactions = [{\n\t\t\t\t\thyperlink: '#',\n\t\t\t\t\ttitle: t('core', 'No action available'),\n\t\t\t\t}]\n\t\t\t} else {\n\t\t\t\tactions = [data.topAction].concat(data.actions)\n\t\t\t}\n\n\t\t\tactions.forEach(function(action) {\n\t\t\t\t$list.find('ul').append(entryTemplate(action))\n\t\t\t})\n\n\t\t\t$div.trigger('load')\n\t\t}, function(jqXHR) {\n\t\t\t$list.find('ul').find('li').addClass('hidden')\n\n\t\t\tlet title\n\t\t\tif (jqXHR.status === 404) {\n\t\t\t\ttitle = t('core', 'No action available')\n\t\t\t} else {\n\t\t\t\ttitle = t('core', 'Error fetching contact actions')\n\t\t\t}\n\n\t\t\t$list.find('ul').append(entryTemplate({\n\t\t\t\thyperlink: '#',\n\t\t\t\ttitle,\n\t\t\t}))\n\n\t\t\t$div.trigger('loaderror', jqXHR)\n\t\t})\n\t})\n\n\t$(document).click(function(event) {\n\t\tconst clickedList = ($list.has(event.target).length > 0)\n\t\tlet clickedTarget = ($div.has(event.target).length > 0)\n\n\t\t$div.each(function() {\n\t\t\tif ($(this).is(event.target)) {\n\t\t\t\tclickedTarget = true\n\t\t\t}\n\t\t})\n\n\t\tif (clickedList || clickedTarget) {\n\t\t\treturn\n\t\t}\n\n\t\t$list.addClass('hidden')\n\t\t$list.hide()\n\t})\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * check if an element exists.\n * allows you to write if ($('#myid').exists()) to increase readability\n *\n * @see {@link http://stackoverflow.com/questions/31044/is-there-an-exists-function-for-jquery}\n * @return {boolean}\n */\n$.fn.exists = function() {\n\treturn this.length > 0\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * Filter jQuery selector by attribute value\n *\n * @param {string} attrName attribute name\n * @param {string} attrValue attribute value\n * @return {void}\n */\n$.fn.filterAttr = function(attrName, attrValue) {\n\treturn this.filter(function() {\n\t\treturn $(this).attr(attrName) === attrValue\n\t})\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\nimport { createFocusTrap } from 'focus-trap'\nimport { isA11yActivation } from '../Util/a11y.js'\n\n$.widget('oc.ocdialog', {\n\toptions: {\n\t\twidth: 'auto',\n\t\theight: 'auto',\n\t\tcloseButton: true,\n\t\tcloseOnEscape: true,\n\t\tcloseCallback: null,\n\t\tmodal: false,\n\t},\n\t_create() {\n\t\tconst self = this\n\n\t\tthis.originalCss = {\n\t\t\tdisplay: this.element[0].style.display,\n\t\t\twidth: this.element[0].style.width,\n\t\t\theight: this.element[0].style.height,\n\t\t}\n\n\t\tthis.originalTitle = this.element.attr('title')\n\t\tthis.options.title = this.options.title || this.originalTitle\n\n\t\tthis.$dialog = $('
            ')\n\t\t\t.attr({\n\t\t\t\t// Setting tabIndex makes the div focusable\n\t\t\t\ttabIndex: -1,\n\t\t\t\trole: 'dialog',\n\t\t\t\t'aria-modal': true,\n\t\t\t})\n\t\t\t.insertBefore(this.element)\n\t\tthis.$dialog.append(this.element.detach())\n\t\tthis.element.removeAttr('title').addClass('oc-dialog-content').appendTo(this.$dialog)\n\n\t\t// Activate the primary button on enter if there is a single input\n\t\tif (self.element.find('input').length === 1) {\n\t\t\tconst $input = self.element.find('input')\n\t\t\t$input.on('keydown', function(event) {\n\t\t\t\tif (isA11yActivation(event)) {\n\t\t\t\t\tif (self.$buttonrow) {\n\t\t\t\t\t\tconst $button = self.$buttonrow.find('button.primary')\n\t\t\t\t\t\tif ($button && !$button.prop('disabled')) {\n\t\t\t\t\t\t\t$button.click()\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\t\t}\n\n\t\tthis.$dialog.css({\n\t\t\tdisplay: 'inline-block',\n\t\t\tposition: 'fixed',\n\t\t})\n\n\t\tthis.enterCallback = null\n\n\t\t$(document).on('keydown keyup', function(event) {\n\t\t\tif (\n\t\t\t\tevent.target !== self.$dialog.get(0)\n\t\t\t\t&& self.$dialog.find($(event.target)).length === 0\n\t\t\t) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\t// Escape\n\t\t\tif (\n\t\t\t\tevent.keyCode === 27\n\t\t\t\t&& event.type === 'keydown'\n\t\t\t\t&& self.options.closeOnEscape\n\t\t\t) {\n\t\t\t\tevent.stopImmediatePropagation()\n\t\t\t\tself.close()\n\t\t\t\treturn false\n\t\t\t}\n\t\t\t// Enter\n\t\t\tif (event.keyCode === 13) {\n\t\t\t\tevent.stopImmediatePropagation()\n\t\t\t\tif (self.enterCallback !== null) {\n\t\t\t\t\tself.enterCallback()\n\t\t\t\t\tevent.preventDefault()\n\t\t\t\t\treturn false\n\t\t\t\t}\n\t\t\t\tif (event.type === 'keyup') {\n\t\t\t\t\tevent.preventDefault()\n\t\t\t\t\treturn false\n\t\t\t\t}\n\t\t\t\treturn false\n\t\t\t}\n\t\t})\n\n\t\tthis._setOptions(this.options)\n\t\tthis._createOverlay()\n\t\tthis._useFocusTrap()\n\t},\n\t_init() {\n\t\tthis._trigger('open')\n\t},\n\t_setOption(key, value) {\n\t\tconst self = this\n\t\tswitch (key) {\n\t\tcase 'title':\n\t\t\tif (this.$title) {\n\t\t\t\tthis.$title.text(value)\n\t\t\t} else {\n\t\t\t\tconst $title = $('

            '\n\t\t\t\t\t\t+ value\n\t\t\t\t\t\t+ '

            ')\n\t\t\t\tthis.$title = $title.prependTo(this.$dialog)\n\t\t\t}\n\t\t\tthis._setSizes()\n\t\t\tbreak\n\t\tcase 'buttons':\n\t\t\tif (this.$buttonrow) {\n\t\t\t\tthis.$buttonrow.empty()\n\t\t\t} else {\n\t\t\t\tconst $buttonrow = $('
            ')\n\t\t\t\tthis.$buttonrow = $buttonrow.appendTo(this.$dialog)\n\t\t\t}\n\t\t\tif (value.length === 1) {\n\t\t\t\tthis.$buttonrow.addClass('onebutton')\n\t\t\t} else if (value.length === 2) {\n\t\t\t\tthis.$buttonrow.addClass('twobuttons')\n\t\t\t} else if (value.length === 3) {\n\t\t\t\tthis.$buttonrow.addClass('threebuttons')\n\t\t\t}\n\t\t\t$.each(value, function(idx, val) {\n\t\t\t\tconst $button = $('')\n\t\t\t\t$closeButton.attr('aria-label', t('core', 'Close \"{dialogTitle}\" dialog', { dialogTitle: this.$title || this.options.title }))\n\t\t\t\tthis.$dialog.prepend($closeButton)\n\t\t\t\t$closeButton.on('click keydown', function(event) {\n\t\t\t\t\tif (isA11yActivation(event)) {\n\t\t\t\t\t\tself.options.closeCallback && self.options.closeCallback()\n\t\t\t\t\t\tself.close()\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t} else {\n\t\t\t\tthis.$dialog.find('.oc-dialog-close').remove()\n\t\t\t}\n\t\t\tbreak\n\t\tcase 'width':\n\t\t\tthis.$dialog.css('width', value)\n\t\t\tbreak\n\t\tcase 'height':\n\t\t\tthis.$dialog.css('height', value)\n\t\t\tbreak\n\t\tcase 'close':\n\t\t\tthis.closeCB = value\n\t\t\tbreak\n\t\t}\n\t\t// this._super(key, value);\n\t\t$.Widget.prototype._setOption.apply(this, arguments)\n\t},\n\t_setOptions(options) {\n\t\t// this._super(options);\n\t\t$.Widget.prototype._setOptions.apply(this, arguments)\n\t},\n\t_setSizes() {\n\t\tlet lessHeight = 0\n\t\tif (this.$title) {\n\t\t\tlessHeight += this.$title.outerHeight(true)\n\t\t}\n\t\tif (this.$buttonrow) {\n\t\t\tlessHeight += this.$buttonrow.outerHeight(true)\n\t\t}\n\t\tthis.element.css({\n\t\t\theight: 'calc(100% - ' + lessHeight + 'px)',\n\t\t})\n\t},\n\t_createOverlay() {\n\t\tif (!this.options.modal) {\n\t\t\treturn\n\t\t}\n\n\t\tconst self = this\n\t\tlet contentDiv = $('#content')\n\t\tif (contentDiv.length === 0) {\n\t\t\t// nextcloud-vue compatibility\n\t\t\tcontentDiv = $('.content')\n\t\t}\n\t\tthis.overlay = $('
            ')\n\t\t\t.addClass('oc-dialog-dim')\n\t\t\t.insertBefore(this.$dialog)\n\t\tthis.overlay.on('click keydown keyup', function(event) {\n\t\t\tif (event.target !== self.$dialog.get(0) && self.$dialog.find($(event.target)).length === 0) {\n\t\t\t\tevent.preventDefault()\n\t\t\t\tevent.stopPropagation()\n\n\t\t\t}\n\t\t})\n\t},\n\t_destroyOverlay() {\n\t\tif (!this.options.modal) {\n\t\t\treturn\n\t\t}\n\n\t\tif (this.overlay) {\n\t\t\tthis.overlay.off('click keydown keyup')\n\t\t\tthis.overlay.remove()\n\t\t\tthis.overlay = null\n\t\t}\n\t},\n\t_useFocusTrap() {\n\t\t// Create global stack if undefined\n\t\tObject.assign(window, { _nc_focus_trap: window._nc_focus_trap || [] })\n\n\t\tconst dialogElement = this.$dialog[0]\n\t\tthis.focusTrap = createFocusTrap(dialogElement, {\n\t\t\tallowOutsideClick: true,\n\t\t\ttrapStack: window._nc_focus_trap,\n\t\t\tfallbackFocus: dialogElement,\n\t\t})\n\n\t\tthis.focusTrap.activate()\n\t},\n\t_clearFocusTrap() {\n\t\tthis.focusTrap?.deactivate()\n\t\tthis.focusTrap = null\n\t},\n\twidget() {\n\t\treturn this.$dialog\n\t},\n\tsetEnterCallback(callback) {\n\t\tthis.enterCallback = callback\n\t},\n\tunsetEnterCallback() {\n\t\tthis.enterCallback = null\n\t},\n\tclose() {\n\t\tthis._clearFocusTrap()\n\t\tthis._destroyOverlay()\n\t\tconst self = this\n\t\t// Ugly hack to catch remaining keyup events.\n\t\tsetTimeout(function() {\n\t\t\tself._trigger('close', self)\n\t\t}, 200)\n\n\t\tself.$dialog.remove()\n\t\tthis.destroy()\n\t},\n\tdestroy() {\n\t\tif (this.$title) {\n\t\t\tthis.$title.remove()\n\t\t}\n\t\tif (this.$buttonrow) {\n\t\t\tthis.$buttonrow.remove()\n\t\t}\n\n\t\tif (this.originalTitle) {\n\t\t\tthis.element.attr('title', this.originalTitle)\n\t\t}\n\t\tthis.element.removeClass('oc-dialog-content')\n\t\t\t.css(this.originalCss).detach().insertBefore(this.$dialog)\n\t\tthis.$dialog.remove()\n\t},\n})\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\nimport escapeHTML from 'escape-html'\n\n/**\n * jQuery plugin for micro templates\n *\n * Strings are automatically escaped, but that can be disabled by setting\n * escapeFunction to null.\n *\n * Usage examples:\n *\n * var htmlStr = '

            Bake, uncovered, until the {greasystuff} is melted and the {pasta} is heated through, about {min} minutes.

            '\n * $(htmlStr).octemplate({greasystuff: 'cheese', pasta: 'macaroni', min: 10});\n *\n * var htmlStr = '

            Welcome back {user}

            ';\n * $(htmlStr).octemplate({user: 'John Q. Public'}, {escapeFunction: null});\n *\n * Be aware that the target string must be wrapped in an HTML element for the\n * plugin to work. The following won't work:\n *\n * var textStr = 'Welcome back {user}';\n * $(textStr).octemplate({user: 'John Q. Public'});\n *\n * For anything larger than one-liners, you can use a simple $.get() ajax\n * request to get the template, or you can embed them it the page using the\n * text/template type:\n *\n * \n *\n * var $tmpl = $('#contactListItemTemplate');\n * var contacts = // fetched in some ajax call\n *\n * $.each(contacts, function(idx, contact) {\n * $contactList.append(\n * $tmpl.octemplate({\n * id: contact.getId(),\n * name: contact.getDisplayName(),\n * email: contact.getPreferredEmail(),\n * phone: contact.getPreferredPhone(),\n * });\n * );\n * });\n */\n/**\n * Object Template\n * Inspired by micro templating done by e.g. underscore.js\n */\nconst Template = {\n\tinit(vars, options, elem) {\n\t\t// Mix in the passed in options with the default options\n\t\tthis.vars = vars\n\t\tthis.options = $.extend({}, this.options, options)\n\n\t\tthis.elem = elem\n\t\tconst self = this\n\n\t\tif (typeof this.options.escapeFunction === 'function') {\n\t\t\tconst keys = Object.keys(this.vars)\n\t\t\tfor (let key = 0; key < keys.length; key++) {\n\t\t\t\tif (typeof this.vars[keys[key]] === 'string') {\n\t\t\t\t\tthis.vars[keys[key]] = self.options.escapeFunction(this.vars[keys[key]])\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tconst _html = this._build(this.vars)\n\t\treturn $(_html)\n\t},\n\t// From stackoverflow.com/questions/1408289/best-way-to-do-variable-interpolation-in-javascript\n\t_build(o) {\n\t\tconst data = this.elem.attr('type') === 'text/template' ? this.elem.html() : this.elem.get(0).outerHTML\n\t\ttry {\n\t\t\treturn data.replace(/{([^{}]*)}/g,\n\t\t\t\tfunction(a, b) {\n\t\t\t\t\tconst r = o[b]\n\t\t\t\t\treturn typeof r === 'string' || typeof r === 'number' ? r : a\n\t\t\t\t},\n\t\t\t)\n\t\t} catch (e) {\n\t\t\tconsole.error(e, 'data:', data)\n\t\t}\n\t},\n\toptions: {\n\t\tescapeFunction: escapeHTML,\n\t},\n}\n\n$.fn.octemplate = function(vars, options) {\n\tvars = vars || {}\n\tif (this.length) {\n\t\tconst _template = Object.create(Template)\n\t\treturn _template.init(vars, options, this)\n\t}\n}\n","/**\n * SPDX-FileCopyrightText: 2016-2024 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2013-2016 ownCloud, Inc.\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable */\nimport $ from 'jquery'\nimport md5 from 'blueimp-md5'\n\n/*\n * Adds a background color to the element called on and adds the first character\n * of the passed in string. This string is also the seed for the generation of\n * the background color.\n *\n * You have following HTML:\n *\n *
            \n *\n * And call this from Javascript:\n *\n * $('#albumart').imageplaceholder('The Album Title');\n *\n * Which will result in:\n *\n *
            T
            \n *\n * You may also call it like this, to have a different background, than the seed:\n *\n * $('#albumart').imageplaceholder('The Album Title', 'Album Title');\n *\n * Resulting in:\n *\n *
            A
            \n *\n */\n\n/*\n* Alternatively, you can use the prototype function to convert your string to rgb colors:\n*\n* \"a6741a86aded5611a8e46ce16f2ad646\".toRgb()\n*\n* Will return the rgb parameters within the following object:\n*\n* Color {r: 208, g: 158, b: 109}\n*\n*/\n\nconst toRgb = (s) => {\n\t// Normalize hash\n\tvar hash = s.toLowerCase()\n\n\t// Already a md5 hash?\n\tif (hash.match(/^([0-9a-f]{4}-?){8}$/) === null) {\n\t\thash = md5(hash)\n\t}\n\n\thash = hash.replace(/[^0-9a-f]/g, '')\n\n\tfunction Color(r, g, b) {\n\t\tthis.r = r\n\t\tthis.g = g\n\t\tthis.b = b\n\t}\n\n\tfunction stepCalc(steps, ends) {\n\t\tvar step = new Array(3)\n\t\tstep[0] = (ends[1].r - ends[0].r) / steps\n\t\tstep[1] = (ends[1].g - ends[0].g) / steps\n\t\tstep[2] = (ends[1].b - ends[0].b) / steps\n\t\treturn step\n\t}\n\n\tfunction mixPalette(steps, color1, color2) {\n\t\tvar palette = []\n\t\tpalette.push(color1)\n\t\tvar step = stepCalc(steps, [color1, color2])\n\t\tfor (var i = 1; i < steps; i++) {\n\t\t\tvar r = parseInt(color1.r + (step[0] * i))\n\t\t\tvar g = parseInt(color1.g + (step[1] * i))\n\t\t\tvar b = parseInt(color1.b + (step[2] * i))\n\t\t\tpalette.push(new Color(r, g, b))\n\t\t}\n\t\treturn palette\n\t}\n\n\tconst red = new Color(182, 70, 157);\n\tconst yellow = new Color(221, 203, 85);\n\tconst blue = new Color(0, 130, 201); // Nextcloud blue\n\t// Number of steps to go from a color to another\n\t// 3 colors * 6 will result in 18 generated colors\n\tconst steps = 6;\n\n\tconst palette1 = mixPalette(steps, red, yellow);\n\tconst palette2 = mixPalette(steps, yellow, blue);\n\tconst palette3 = mixPalette(steps, blue, red);\n\n\tconst finalPalette = palette1.concat(palette2).concat(palette3);\n\n\t// Convert a string to an integer evenly\n\tfunction hashToInt(hash, maximum) {\n\t\tvar finalInt = 0\n\t\tvar result = []\n\n\t\t// Splitting evenly the string\n\t\tfor (var i = 0; i < hash.length; i++) {\n\t\t\t// chars in md5 goes up to f, hex:16\n\t\t\tresult.push(parseInt(hash.charAt(i), 16) % 16)\n\t\t}\n\t\t// Adds up all results\n\t\tfor (var j in result) {\n\t\t\tfinalInt += result[j]\n\t\t}\n\t\t// chars in md5 goes up to f, hex:16\n\t\t// make sure we're always using int in our operation\n\t\treturn parseInt(parseInt(finalInt) % maximum)\n\t}\n\n\treturn finalPalette[hashToInt(hash, steps * 3)]\n}\n\nString.prototype.toRgb = function() {\n\tOC.debug && console.warn('String.prototype.toRgb is deprecated! It will be removed in Nextcloud 22.')\n\n\treturn toRgb(this)\n}\n\n$.fn.imageplaceholder = function(seed, text, size) {\n\ttext = text || seed\n\n\t// Compute the hash\n\tvar rgb = toRgb(seed)\n\tthis.css('background-color', 'rgb(' + rgb.r + ', ' + rgb.g + ', ' + rgb.b + ')')\n\n\t// Placeholders are square\n\tvar height = this.height() || size || 32\n\tthis.height(height)\n\tthis.width(height)\n\n\t// CSS rules\n\tthis.css('color', '#fff')\n\tthis.css('font-weight', 'normal')\n\tthis.css('text-align', 'center')\n\n\t// calculate the height\n\tthis.css('line-height', height + 'px')\n\tthis.css('font-size', (height * 0.55) + 'px')\n\n\tif (seed !== null && seed.length) {\n\t\tvar placeholderText = text.replace(/\\s+/g, ' ').trim().split(' ', 2).map((word) => word[0].toUpperCase()).join('')\n\t\tthis.html(placeholderText);\n\t}\n}\n\n$.fn.clearimageplaceholder = function() {\n\tthis.css('background-color', '')\n\tthis.css('color', '')\n\tthis.css('font-weight', '')\n\tthis.css('text-align', '')\n\tthis.css('line-height', '')\n\tthis.css('font-size', '')\n\tthis.html('')\n\tthis.removeClass('icon-loading')\n\tthis.removeClass('icon-loading-small')\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\nimport { getToken } from '../OC/requesttoken.js'\n\n$(document).on('ajaxSend', function(elm, xhr, settings) {\n\tif (settings.crossDomain === false) {\n\t\txhr.setRequestHeader('requesttoken', getToken())\n\t\txhr.setRequestHeader('OCS-APIREQUEST', 'true')\n\t}\n})\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * select a range in an input field\n *\n * @see {@link http://stackoverflow.com/questions/499126/jquery-set-cursor-position-in-text-area}\n * @param {number} start start selection from\n * @param {number} end number of char from start\n * @return {void}\n */\n$.fn.selectRange = function(start, end) {\n\treturn this.each(function() {\n\t\tif (this.setSelectionRange) {\n\t\t\tthis.focus()\n\t\t\tthis.setSelectionRange(start, end)\n\t\t} else if (this.createTextRange) {\n\t\t\tconst range = this.createTextRange()\n\t\t\trange.collapse(true)\n\t\t\trange.moveEnd('character', end)\n\t\t\trange.moveStart('character', start)\n\t\t\trange.select()\n\t\t}\n\t})\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/** @typedef {import('jquery')} jQuery */\nimport $ from 'jquery'\n\n/**\n * @name Show Password\n * @description\n * @version 1.3.0\n * @requires jQuery 1.5\n *\n * @author Jan Jarfalk \n * author-website http://www.unwrongest.com\n *\n * special-thanks Michel Gratton\n *\n * @license MIT\n */\n$.fn.extend({\n\tshowPassword(c) {\n\n\t\t// Setup callback object\n\t\tconst callback = { fn: null, args: {} }\n\t\tcallback.fn = c\n\n\t\t// Clones passwords and turn the clones into text inputs\n\t\tconst cloneElement = function(element) {\n\n\t\t\tconst $element = $(element)\n\n\t\t\tconst $clone = $('')\n\n\t\t\t// Name added for JQuery Validation compatibility\n\t\t\t// Element name is required to avoid script warning.\n\t\t\t$clone.attr({\n\t\t\t\ttype: 'text',\n\t\t\t\tclass: $element.attr('class'),\n\t\t\t\tstyle: $element.attr('style'),\n\t\t\t\tsize: $element.attr('size'),\n\t\t\t\tname: $element.attr('name') + '-clone',\n\t\t\t\ttabindex: $element.attr('tabindex'),\n\t\t\t\tautocomplete: 'off',\n\t\t\t})\n\n\t\t\tif ($element.attr('placeholder') !== undefined) {\n\t\t\t\t$clone.attr('placeholder', $element.attr('placeholder'))\n\t\t\t}\n\n\t\t\treturn $clone\n\n\t\t}\n\n\t\t// Transfers values between two elements\n\t\tconst update = function(a, b) {\n\t\t\tb.val(a.val())\n\t\t}\n\n\t\t// Shows a or b depending on checkbox\n\t\tconst setState = function(checkbox, a, b) {\n\n\t\t\tif (checkbox.is(':checked')) {\n\t\t\t\tupdate(a, b)\n\t\t\t\tb.show()\n\t\t\t\ta.hide()\n\t\t\t} else {\n\t\t\t\tupdate(b, a)\n\t\t\t\tb.hide()\n\t\t\t\ta.show()\n\t\t\t}\n\n\t\t}\n\n\t\treturn this.each(function() {\n\n\t\t\tconst $input = $(this)\n\t\t\tconst $checkbox = $($input.data('typetoggle'))\n\n\t\t\t// Create clone\n\t\t\tconst $clone = cloneElement($input)\n\t\t\t$clone.insertAfter($input)\n\n\t\t\t// Set callback arguments\n\t\t\tif (callback.fn) {\n\t\t\t\tcallback.args.input = $input\n\t\t\t\tcallback.args.checkbox = $checkbox\n\t\t\t\tcallback.args.clone = $clone\n\t\t\t}\n\n\t\t\t$checkbox.bind('click', function() {\n\t\t\t\tsetState($checkbox, $input, $clone)\n\t\t\t})\n\n\t\t\t$input.bind('keyup', function() {\n\t\t\t\tupdate($input, $clone)\n\t\t\t})\n\n\t\t\t$clone.bind('keyup', function() {\n\t\t\t\tupdate($clone, $input)\n\n\t\t\t\t// Added for JQuery Validation compatibility\n\t\t\t\t// This will trigger validation if it's ON for keyup event\n\t\t\t\t$input.trigger('keyup')\n\n\t\t\t})\n\n\t\t\t// Added for JQuery Validation compatibility\n\t\t\t// This will trigger validation if it's ON for blur event\n\t\t\t$clone.bind('blur', function() {\n\t\t\t\t$input.trigger('focusout')\n\t\t\t})\n\n\t\t\tsetState($checkbox, $input, $clone)\n\n\t\t\t// set type of password field clone (type=text) to password right on submit\n\t\t\t// to prevent browser save the value of this field\n\t\t\t$clone.closest('form').submit(function(e) {\n\t\t\t\t// .prop has to be used, because .attr throws\n\t\t\t\t// an error while changing a type of an input\n\t\t\t\t// element\n\t\t\t\t$clone.prop('type', 'password')\n\t\t\t})\n\n\t\t\tif (callback.fn) {\n\t\t\t\tcallback.fn(callback.args)\n\t\t\t}\n\n\t\t})\n\t},\n})\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n// Set autocomplete width the same as the related input\n// See http://stackoverflow.com/a/11845718\n$.ui.autocomplete.prototype._resizeMenu = function() {\n\tconst ul = this.menu.element\n\tul.outerWidth(this.element.outerWidth())\n}\n","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery-ui-fixes.scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery-ui-fixes.scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery.ocdialog.scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery.ocdialog.scss\";\n export default content && content.locals ? content.locals : undefined;\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\nimport './avatar.js'\nimport './contactsmenu.js'\nimport './exists.js'\nimport './filterattr.js'\nimport './ocdialog.js'\nimport './octemplate.js'\nimport './placeholder.js'\nimport './requesttoken.js'\nimport './selectrange.js'\nimport './showpassword.js'\nimport './ui-fixes.js'\n\nimport './css/jquery-ui-fixes.scss'\nimport './css/jquery.ocdialog.scss'\n\n/**\n * Disable automatic evaluation of responses for $.ajax() functions (and its\n * higher-level alternatives like $.get() and $.post()).\n *\n * If a response to a $.ajax() request returns a content type of \"application/javascript\"\n * JQuery would previously execute the response body. This is a pretty unexpected\n * behaviour and can result in a bypass of our Content-Security-Policy as well as\n * multiple unexpected XSS vectors.\n */\n$.ajaxSetup({\n\tcontents: {\n\t\tscript: false,\n\t},\n})\n\n/**\n * Disable execution of eval in jQuery. We do require an allowed eval CSP\n * configuration at the moment for handlebars et al. But for jQuery there is\n * not much of a reason to execute JavaScript directly via eval.\n *\n * This thus mitigates some unexpected XSS vectors.\n */\n$.globalEval = function() {\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport 'core-js/stable/index.js'\nimport 'regenerator-runtime/runtime.js'\n\n// If you remove the line below, tests won't pass\n// eslint-disable-next-line no-unused-vars\nimport OC from './OC/index.js'\n\nimport './globals.js'\nimport './jquery/index.js'\nimport { initCore } from './init.js'\nimport { registerAppsSlideToggle } from './OC/apps.js'\nimport { getCSPNonce } from '@nextcloud/auth'\nimport { generateUrl } from '@nextcloud/router'\nimport Axios from '@nextcloud/axios'\n\n// eslint-disable-next-line camelcase\n__webpack_nonce__ = getCSPNonce()\n\nwindow.addEventListener('DOMContentLoaded', function() {\n\tinitCore()\n\tregisterAppsSlideToggle()\n\n\t// fallback to hashchange when no history support\n\tif (window.history.pushState) {\n\t\twindow.onpopstate = _.bind(OC.Util.History._onPopState, OC.Util.History)\n\t} else {\n\t\twindow.onhashchange = _.bind(OC.Util.History._onPopState, OC.Util.History)\n\t}\n})\n\n// Fix error \"CSRF check failed\"\ndocument.addEventListener('DOMContentLoaded', function() {\n\tconst form = document.getElementById('password-input-form')\n\tif (form) {\n\t\tform.addEventListener('submit', async function(event) {\n\t\t\tevent.preventDefault()\n\t\t\tconst requestToken = document.getElementById('requesttoken')\n\t\t\tif (requestToken) {\n\t\t\t\tconst url = generateUrl('/csrftoken')\n\t\t\t\tconst resp = await Axios.get(url)\n\t\t\t\trequestToken.value = resp.data.token\n\t\t\t}\n\t\t\tform.submit()\n\t\t})\n\t}\n})\n","// Backbone.js 1.6.0\n\n// (c) 2010-2024 Jeremy Ashkenas and DocumentCloud\n// Backbone may be freely distributed under the MIT license.\n// For all details and documentation:\n// http://backbonejs.org\n\n(function(factory) {\n\n // Establish the root object, `window` (`self`) in the browser, or `global` on the server.\n // We use `self` instead of `window` for `WebWorker` support.\n var root = typeof self == 'object' && self.self === self && self ||\n typeof global == 'object' && global.global === global && global;\n\n // Set up Backbone appropriately for the environment. Start with AMD.\n if (typeof define === 'function' && define.amd) {\n define(['underscore', 'jquery', 'exports'], function(_, $, exports) {\n // Export global even in AMD case in case this script is loaded with\n // others that may still expect a global Backbone.\n root.Backbone = factory(root, exports, _, $);\n });\n\n // Next for Node.js or CommonJS. jQuery may not be needed as a module.\n } else if (typeof exports !== 'undefined') {\n var _ = require('underscore'), $;\n try { $ = require('jquery'); } catch (e) {}\n factory(root, exports, _, $);\n\n // Finally, as a browser global.\n } else {\n root.Backbone = factory(root, {}, root._, root.jQuery || root.Zepto || root.ender || root.$);\n }\n\n})(function(root, Backbone, _, $) {\n\n // Initial Setup\n // -------------\n\n // Save the previous value of the `Backbone` variable, so that it can be\n // restored later on, if `noConflict` is used.\n var previousBackbone = root.Backbone;\n\n // Create a local reference to a common array method we'll want to use later.\n var slice = Array.prototype.slice;\n\n // Current version of the library. Keep in sync with `package.json`.\n Backbone.VERSION = '1.6.0';\n\n // For Backbone's purposes, jQuery, Zepto, Ender, or My Library (kidding) owns\n // the `$` variable.\n Backbone.$ = $;\n\n // Runs Backbone.js in *noConflict* mode, returning the `Backbone` variable\n // to its previous owner. Returns a reference to this Backbone object.\n Backbone.noConflict = function() {\n root.Backbone = previousBackbone;\n return this;\n };\n\n // Turn on `emulateHTTP` to support legacy HTTP servers. Setting this option\n // will fake `\"PATCH\"`, `\"PUT\"` and `\"DELETE\"` requests via the `_method` parameter and\n // set a `X-Http-Method-Override` header.\n Backbone.emulateHTTP = false;\n\n // Turn on `emulateJSON` to support legacy servers that can't deal with direct\n // `application/json` requests ... this will encode the body as\n // `application/x-www-form-urlencoded` instead and will send the model in a\n // form param named `model`.\n Backbone.emulateJSON = false;\n\n // Backbone.Events\n // ---------------\n\n // A module that can be mixed in to *any object* in order to provide it with\n // a custom event channel. You may bind a callback to an event with `on` or\n // remove with `off`; `trigger`-ing an event fires all callbacks in\n // succession.\n //\n // var object = {};\n // _.extend(object, Backbone.Events);\n // object.on('expand', function(){ alert('expanded'); });\n // object.trigger('expand');\n //\n var Events = Backbone.Events = {};\n\n // Regular expression used to split event strings.\n var eventSplitter = /\\s+/;\n\n // A private global variable to share between listeners and listenees.\n var _listening;\n\n // Iterates over the standard `event, callback` (as well as the fancy multiple\n // space-separated events `\"change blur\", callback` and jQuery-style event\n // maps `{event: callback}`).\n var eventsApi = function(iteratee, events, name, callback, opts) {\n var i = 0, names;\n if (name && typeof name === 'object') {\n // Handle event maps.\n if (callback !== void 0 && 'context' in opts && opts.context === void 0) opts.context = callback;\n for (names = _.keys(name); i < names.length ; i++) {\n events = eventsApi(iteratee, events, names[i], name[names[i]], opts);\n }\n } else if (name && eventSplitter.test(name)) {\n // Handle space-separated event names by delegating them individually.\n for (names = name.split(eventSplitter); i < names.length; i++) {\n events = iteratee(events, names[i], callback, opts);\n }\n } else {\n // Finally, standard events.\n events = iteratee(events, name, callback, opts);\n }\n return events;\n };\n\n // Bind an event to a `callback` function. Passing `\"all\"` will bind\n // the callback to all events fired.\n Events.on = function(name, callback, context) {\n this._events = eventsApi(onApi, this._events || {}, name, callback, {\n context: context,\n ctx: this,\n listening: _listening\n });\n\n if (_listening) {\n var listeners = this._listeners || (this._listeners = {});\n listeners[_listening.id] = _listening;\n // Allow the listening to use a counter, instead of tracking\n // callbacks for library interop\n _listening.interop = false;\n }\n\n return this;\n };\n\n // Inversion-of-control versions of `on`. Tell *this* object to listen to\n // an event in another object... keeping track of what it's listening to\n // for easier unbinding later.\n Events.listenTo = function(obj, name, callback) {\n if (!obj) return this;\n var id = obj._listenId || (obj._listenId = _.uniqueId('l'));\n var listeningTo = this._listeningTo || (this._listeningTo = {});\n var listening = _listening = listeningTo[id];\n\n // This object is not listening to any other events on `obj` yet.\n // Setup the necessary references to track the listening callbacks.\n if (!listening) {\n this._listenId || (this._listenId = _.uniqueId('l'));\n listening = _listening = listeningTo[id] = new Listening(this, obj);\n }\n\n // Bind callbacks on obj.\n var error = tryCatchOn(obj, name, callback, this);\n _listening = void 0;\n\n if (error) throw error;\n // If the target obj is not Backbone.Events, track events manually.\n if (listening.interop) listening.on(name, callback);\n\n return this;\n };\n\n // The reducing API that adds a callback to the `events` object.\n var onApi = function(events, name, callback, options) {\n if (callback) {\n var handlers = events[name] || (events[name] = []);\n var context = options.context, ctx = options.ctx, listening = options.listening;\n if (listening) listening.count++;\n\n handlers.push({callback: callback, context: context, ctx: context || ctx, listening: listening});\n }\n return events;\n };\n\n // An try-catch guarded #on function, to prevent poisoning the global\n // `_listening` variable.\n var tryCatchOn = function(obj, name, callback, context) {\n try {\n obj.on(name, callback, context);\n } catch (e) {\n return e;\n }\n };\n\n // Remove one or many callbacks. If `context` is null, removes all\n // callbacks with that function. If `callback` is null, removes all\n // callbacks for the event. If `name` is null, removes all bound\n // callbacks for all events.\n Events.off = function(name, callback, context) {\n if (!this._events) return this;\n this._events = eventsApi(offApi, this._events, name, callback, {\n context: context,\n listeners: this._listeners\n });\n\n return this;\n };\n\n // Tell this object to stop listening to either specific events ... or\n // to every object it's currently listening to.\n Events.stopListening = function(obj, name, callback) {\n var listeningTo = this._listeningTo;\n if (!listeningTo) return this;\n\n var ids = obj ? [obj._listenId] : _.keys(listeningTo);\n for (var i = 0; i < ids.length; i++) {\n var listening = listeningTo[ids[i]];\n\n // If listening doesn't exist, this object is not currently\n // listening to obj. Break out early.\n if (!listening) break;\n\n listening.obj.off(name, callback, this);\n if (listening.interop) listening.off(name, callback);\n }\n if (_.isEmpty(listeningTo)) this._listeningTo = void 0;\n\n return this;\n };\n\n // The reducing API that removes a callback from the `events` object.\n var offApi = function(events, name, callback, options) {\n if (!events) return;\n\n var context = options.context, listeners = options.listeners;\n var i = 0, names;\n\n // Delete all event listeners and \"drop\" events.\n if (!name && !context && !callback) {\n for (names = _.keys(listeners); i < names.length; i++) {\n listeners[names[i]].cleanup();\n }\n return;\n }\n\n names = name ? [name] : _.keys(events);\n for (; i < names.length; i++) {\n name = names[i];\n var handlers = events[name];\n\n // Bail out if there are no events stored.\n if (!handlers) break;\n\n // Find any remaining events.\n var remaining = [];\n for (var j = 0; j < handlers.length; j++) {\n var handler = handlers[j];\n if (\n callback && callback !== handler.callback &&\n callback !== handler.callback._callback ||\n context && context !== handler.context\n ) {\n remaining.push(handler);\n } else {\n var listening = handler.listening;\n if (listening) listening.off(name, callback);\n }\n }\n\n // Replace events if there are any remaining. Otherwise, clean up.\n if (remaining.length) {\n events[name] = remaining;\n } else {\n delete events[name];\n }\n }\n\n return events;\n };\n\n // Bind an event to only be triggered a single time. After the first time\n // the callback is invoked, its listener will be removed. If multiple events\n // are passed in using the space-separated syntax, the handler will fire\n // once for each event, not once for a combination of all events.\n Events.once = function(name, callback, context) {\n // Map the event into a `{event: once}` object.\n var events = eventsApi(onceMap, {}, name, callback, this.off.bind(this));\n if (typeof name === 'string' && context == null) callback = void 0;\n return this.on(events, callback, context);\n };\n\n // Inversion-of-control versions of `once`.\n Events.listenToOnce = function(obj, name, callback) {\n // Map the event into a `{event: once}` object.\n var events = eventsApi(onceMap, {}, name, callback, this.stopListening.bind(this, obj));\n return this.listenTo(obj, events);\n };\n\n // Reduces the event callbacks into a map of `{event: onceWrapper}`.\n // `offer` unbinds the `onceWrapper` after it has been called.\n var onceMap = function(map, name, callback, offer) {\n if (callback) {\n var once = map[name] = _.once(function() {\n offer(name, once);\n callback.apply(this, arguments);\n });\n once._callback = callback;\n }\n return map;\n };\n\n // Trigger one or many events, firing all bound callbacks. Callbacks are\n // passed the same arguments as `trigger` is, apart from the event name\n // (unless you're listening on `\"all\"`, which will cause your callback to\n // receive the true name of the event as the first argument).\n Events.trigger = function(name) {\n if (!this._events) return this;\n\n var length = Math.max(0, arguments.length - 1);\n var args = Array(length);\n for (var i = 0; i < length; i++) args[i] = arguments[i + 1];\n\n eventsApi(triggerApi, this._events, name, void 0, args);\n return this;\n };\n\n // Handles triggering the appropriate event callbacks.\n var triggerApi = function(objEvents, name, callback, args) {\n if (objEvents) {\n var events = objEvents[name];\n var allEvents = objEvents.all;\n if (events && allEvents) allEvents = allEvents.slice();\n if (events) triggerEvents(events, args);\n if (allEvents) triggerEvents(allEvents, [name].concat(args));\n }\n return objEvents;\n };\n\n // A difficult-to-believe, but optimized internal dispatch function for\n // triggering events. Tries to keep the usual cases speedy (most internal\n // Backbone events have 3 arguments).\n var triggerEvents = function(events, args) {\n var ev, i = -1, l = events.length, a1 = args[0], a2 = args[1], a3 = args[2];\n switch (args.length) {\n case 0: while (++i < l) (ev = events[i]).callback.call(ev.ctx); return;\n case 1: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1); return;\n case 2: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1, a2); return;\n case 3: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1, a2, a3); return;\n default: while (++i < l) (ev = events[i]).callback.apply(ev.ctx, args); return;\n }\n };\n\n // A listening class that tracks and cleans up memory bindings\n // when all callbacks have been offed.\n var Listening = function(listener, obj) {\n this.id = listener._listenId;\n this.listener = listener;\n this.obj = obj;\n this.interop = true;\n this.count = 0;\n this._events = void 0;\n };\n\n Listening.prototype.on = Events.on;\n\n // Offs a callback (or several).\n // Uses an optimized counter if the listenee uses Backbone.Events.\n // Otherwise, falls back to manual tracking to support events\n // library interop.\n Listening.prototype.off = function(name, callback) {\n var cleanup;\n if (this.interop) {\n this._events = eventsApi(offApi, this._events, name, callback, {\n context: void 0,\n listeners: void 0\n });\n cleanup = !this._events;\n } else {\n this.count--;\n cleanup = this.count === 0;\n }\n if (cleanup) this.cleanup();\n };\n\n // Cleans up memory bindings between the listener and the listenee.\n Listening.prototype.cleanup = function() {\n delete this.listener._listeningTo[this.obj._listenId];\n if (!this.interop) delete this.obj._listeners[this.id];\n };\n\n // Aliases for backwards compatibility.\n Events.bind = Events.on;\n Events.unbind = Events.off;\n\n // Allow the `Backbone` object to serve as a global event bus, for folks who\n // want global \"pubsub\" in a convenient place.\n _.extend(Backbone, Events);\n\n // Backbone.Model\n // --------------\n\n // Backbone **Models** are the basic data object in the framework --\n // frequently representing a row in a table in a database on your server.\n // A discrete chunk of data and a bunch of useful, related methods for\n // performing computations and transformations on that data.\n\n // Create a new model with the specified attributes. A client id (`cid`)\n // is automatically generated and assigned for you.\n var Model = Backbone.Model = function(attributes, options) {\n var attrs = attributes || {};\n options || (options = {});\n this.preinitialize.apply(this, arguments);\n this.cid = _.uniqueId(this.cidPrefix);\n this.attributes = {};\n if (options.collection) this.collection = options.collection;\n if (options.parse) attrs = this.parse(attrs, options) || {};\n var defaults = _.result(this, 'defaults');\n\n // Just _.defaults would work fine, but the additional _.extends\n // is in there for historical reasons. See #3843.\n attrs = _.defaults(_.extend({}, defaults, attrs), defaults);\n\n this.set(attrs, options);\n this.changed = {};\n this.initialize.apply(this, arguments);\n };\n\n // Attach all inheritable methods to the Model prototype.\n _.extend(Model.prototype, Events, {\n\n // A hash of attributes whose current and previous value differ.\n changed: null,\n\n // The value returned during the last failed validation.\n validationError: null,\n\n // The default name for the JSON `id` attribute is `\"id\"`. MongoDB and\n // CouchDB users may want to set this to `\"_id\"`.\n idAttribute: 'id',\n\n // The prefix is used to create the client id which is used to identify models locally.\n // You may want to override this if you're experiencing name clashes with model ids.\n cidPrefix: 'c',\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the Model.\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // Return a copy of the model's `attributes` object.\n toJSON: function(options) {\n return _.clone(this.attributes);\n },\n\n // Proxy `Backbone.sync` by default -- but override this if you need\n // custom syncing semantics for *this* particular model.\n sync: function() {\n return Backbone.sync.apply(this, arguments);\n },\n\n // Get the value of an attribute.\n get: function(attr) {\n return this.attributes[attr];\n },\n\n // Get the HTML-escaped value of an attribute.\n escape: function(attr) {\n return _.escape(this.get(attr));\n },\n\n // Returns `true` if the attribute contains a value that is not null\n // or undefined.\n has: function(attr) {\n return this.get(attr) != null;\n },\n\n // Special-cased proxy to underscore's `_.matches` method.\n matches: function(attrs) {\n return !!_.iteratee(attrs, this)(this.attributes);\n },\n\n // Set a hash of model attributes on the object, firing `\"change\"`. This is\n // the core primitive operation of a model, updating the data and notifying\n // anyone who needs to know about the change in state. The heart of the beast.\n set: function(key, val, options) {\n if (key == null) return this;\n\n // Handle both `\"key\", value` and `{key: value}` -style arguments.\n var attrs;\n if (typeof key === 'object') {\n attrs = key;\n options = val;\n } else {\n (attrs = {})[key] = val;\n }\n\n options || (options = {});\n\n // Run validation.\n if (!this._validate(attrs, options)) return false;\n\n // Extract attributes and options.\n var unset = options.unset;\n var silent = options.silent;\n var changes = [];\n var changing = this._changing;\n this._changing = true;\n\n if (!changing) {\n this._previousAttributes = _.clone(this.attributes);\n this.changed = {};\n }\n\n var current = this.attributes;\n var changed = this.changed;\n var prev = this._previousAttributes;\n\n // For each `set` attribute, update or delete the current value.\n for (var attr in attrs) {\n val = attrs[attr];\n if (!_.isEqual(current[attr], val)) changes.push(attr);\n if (!_.isEqual(prev[attr], val)) {\n changed[attr] = val;\n } else {\n delete changed[attr];\n }\n unset ? delete current[attr] : current[attr] = val;\n }\n\n // Update the `id`.\n if (this.idAttribute in attrs) {\n var prevId = this.id;\n this.id = this.get(this.idAttribute);\n this.trigger('changeId', this, prevId, options);\n }\n\n // Trigger all relevant attribute changes.\n if (!silent) {\n if (changes.length) this._pending = options;\n for (var i = 0; i < changes.length; i++) {\n this.trigger('change:' + changes[i], this, current[changes[i]], options);\n }\n }\n\n // You might be wondering why there's a `while` loop here. Changes can\n // be recursively nested within `\"change\"` events.\n if (changing) return this;\n if (!silent) {\n while (this._pending) {\n options = this._pending;\n this._pending = false;\n this.trigger('change', this, options);\n }\n }\n this._pending = false;\n this._changing = false;\n return this;\n },\n\n // Remove an attribute from the model, firing `\"change\"`. `unset` is a noop\n // if the attribute doesn't exist.\n unset: function(attr, options) {\n return this.set(attr, void 0, _.extend({}, options, {unset: true}));\n },\n\n // Clear all attributes on the model, firing `\"change\"`.\n clear: function(options) {\n var attrs = {};\n for (var key in this.attributes) attrs[key] = void 0;\n return this.set(attrs, _.extend({}, options, {unset: true}));\n },\n\n // Determine if the model has changed since the last `\"change\"` event.\n // If you specify an attribute name, determine if that attribute has changed.\n hasChanged: function(attr) {\n if (attr == null) return !_.isEmpty(this.changed);\n return _.has(this.changed, attr);\n },\n\n // Return an object containing all the attributes that have changed, or\n // false if there are no changed attributes. Useful for determining what\n // parts of a view need to be updated and/or what attributes need to be\n // persisted to the server. Unset attributes will be set to undefined.\n // You can also pass an attributes object to diff against the model,\n // determining if there *would be* a change.\n changedAttributes: function(diff) {\n if (!diff) return this.hasChanged() ? _.clone(this.changed) : false;\n var old = this._changing ? this._previousAttributes : this.attributes;\n var changed = {};\n var hasChanged;\n for (var attr in diff) {\n var val = diff[attr];\n if (_.isEqual(old[attr], val)) continue;\n changed[attr] = val;\n hasChanged = true;\n }\n return hasChanged ? changed : false;\n },\n\n // Get the previous value of an attribute, recorded at the time the last\n // `\"change\"` event was fired.\n previous: function(attr) {\n if (attr == null || !this._previousAttributes) return null;\n return this._previousAttributes[attr];\n },\n\n // Get all of the attributes of the model at the time of the previous\n // `\"change\"` event.\n previousAttributes: function() {\n return _.clone(this._previousAttributes);\n },\n\n // Fetch the model from the server, merging the response with the model's\n // local attributes. Any changed attributes will trigger a \"change\" event.\n fetch: function(options) {\n options = _.extend({parse: true}, options);\n var model = this;\n var success = options.success;\n options.success = function(resp) {\n var serverAttrs = options.parse ? model.parse(resp, options) : resp;\n if (!model.set(serverAttrs, options)) return false;\n if (success) success.call(options.context, model, resp, options);\n model.trigger('sync', model, resp, options);\n };\n wrapError(this, options);\n return this.sync('read', this, options);\n },\n\n // Set a hash of model attributes, and sync the model to the server.\n // If the server returns an attributes hash that differs, the model's\n // state will be `set` again.\n save: function(key, val, options) {\n // Handle both `\"key\", value` and `{key: value}` -style arguments.\n var attrs;\n if (key == null || typeof key === 'object') {\n attrs = key;\n options = val;\n } else {\n (attrs = {})[key] = val;\n }\n\n options = _.extend({validate: true, parse: true}, options);\n var wait = options.wait;\n\n // If we're not waiting and attributes exist, save acts as\n // `set(attr).save(null, opts)` with validation. Otherwise, check if\n // the model will be valid when the attributes, if any, are set.\n if (attrs && !wait) {\n if (!this.set(attrs, options)) return false;\n } else if (!this._validate(attrs, options)) {\n return false;\n }\n\n // After a successful server-side save, the client is (optionally)\n // updated with the server-side state.\n var model = this;\n var success = options.success;\n var attributes = this.attributes;\n options.success = function(resp) {\n // Ensure attributes are restored during synchronous saves.\n model.attributes = attributes;\n var serverAttrs = options.parse ? model.parse(resp, options) : resp;\n if (wait) serverAttrs = _.extend({}, attrs, serverAttrs);\n if (serverAttrs && !model.set(serverAttrs, options)) return false;\n if (success) success.call(options.context, model, resp, options);\n model.trigger('sync', model, resp, options);\n };\n wrapError(this, options);\n\n // Set temporary attributes if `{wait: true}` to properly find new ids.\n if (attrs && wait) this.attributes = _.extend({}, attributes, attrs);\n\n var method = this.isNew() ? 'create' : options.patch ? 'patch' : 'update';\n if (method === 'patch' && !options.attrs) options.attrs = attrs;\n var xhr = this.sync(method, this, options);\n\n // Restore attributes.\n this.attributes = attributes;\n\n return xhr;\n },\n\n // Destroy this model on the server if it was already persisted.\n // Optimistically removes the model from its collection, if it has one.\n // If `wait: true` is passed, waits for the server to respond before removal.\n destroy: function(options) {\n options = options ? _.clone(options) : {};\n var model = this;\n var success = options.success;\n var wait = options.wait;\n\n var destroy = function() {\n model.stopListening();\n model.trigger('destroy', model, model.collection, options);\n };\n\n options.success = function(resp) {\n if (wait) destroy();\n if (success) success.call(options.context, model, resp, options);\n if (!model.isNew()) model.trigger('sync', model, resp, options);\n };\n\n var xhr = false;\n if (this.isNew()) {\n _.defer(options.success);\n } else {\n wrapError(this, options);\n xhr = this.sync('delete', this, options);\n }\n if (!wait) destroy();\n return xhr;\n },\n\n // Default URL for the model's representation on the server -- if you're\n // using Backbone's restful methods, override this to change the endpoint\n // that will be called.\n url: function() {\n var base =\n _.result(this, 'urlRoot') ||\n _.result(this.collection, 'url') ||\n urlError();\n if (this.isNew()) return base;\n var id = this.get(this.idAttribute);\n return base.replace(/[^\\/]$/, '$&/') + encodeURIComponent(id);\n },\n\n // **parse** converts a response into the hash of attributes to be `set` on\n // the model. The default implementation is just to pass the response along.\n parse: function(resp, options) {\n return resp;\n },\n\n // Create a new model with identical attributes to this one.\n clone: function() {\n return new this.constructor(this.attributes);\n },\n\n // A model is new if it has never been saved to the server, and lacks an id.\n isNew: function() {\n return !this.has(this.idAttribute);\n },\n\n // Check if the model is currently in a valid state.\n isValid: function(options) {\n return this._validate({}, _.extend({}, options, {validate: true}));\n },\n\n // Run validation against the next complete set of model attributes,\n // returning `true` if all is well. Otherwise, fire an `\"invalid\"` event.\n _validate: function(attrs, options) {\n if (!options.validate || !this.validate) return true;\n attrs = _.extend({}, this.attributes, attrs);\n var error = this.validationError = this.validate(attrs, options) || null;\n if (!error) return true;\n this.trigger('invalid', this, error, _.extend(options, {validationError: error}));\n return false;\n }\n\n });\n\n // Backbone.Collection\n // -------------------\n\n // If models tend to represent a single row of data, a Backbone Collection is\n // more analogous to a table full of data ... or a small slice or page of that\n // table, or a collection of rows that belong together for a particular reason\n // -- all of the messages in this particular folder, all of the documents\n // belonging to this particular author, and so on. Collections maintain\n // indexes of their models, both in order, and for lookup by `id`.\n\n // Create a new **Collection**, perhaps to contain a specific type of `model`.\n // If a `comparator` is specified, the Collection will maintain\n // its models in sort order, as they're added and removed.\n var Collection = Backbone.Collection = function(models, options) {\n options || (options = {});\n this.preinitialize.apply(this, arguments);\n if (options.model) this.model = options.model;\n if (options.comparator !== void 0) this.comparator = options.comparator;\n this._reset();\n this.initialize.apply(this, arguments);\n if (models) this.reset(models, _.extend({silent: true}, options));\n };\n\n // Default options for `Collection#set`.\n var setOptions = {add: true, remove: true, merge: true};\n var addOptions = {add: true, remove: false};\n\n // Splices `insert` into `array` at index `at`.\n var splice = function(array, insert, at) {\n at = Math.min(Math.max(at, 0), array.length);\n var tail = Array(array.length - at);\n var length = insert.length;\n var i;\n for (i = 0; i < tail.length; i++) tail[i] = array[i + at];\n for (i = 0; i < length; i++) array[i + at] = insert[i];\n for (i = 0; i < tail.length; i++) array[i + length + at] = tail[i];\n };\n\n // Define the Collection's inheritable methods.\n _.extend(Collection.prototype, Events, {\n\n // The default model for a collection is just a **Backbone.Model**.\n // This should be overridden in most cases.\n model: Model,\n\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the Collection.\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // The JSON representation of a Collection is an array of the\n // models' attributes.\n toJSON: function(options) {\n return this.map(function(model) { return model.toJSON(options); });\n },\n\n // Proxy `Backbone.sync` by default.\n sync: function() {\n return Backbone.sync.apply(this, arguments);\n },\n\n // Add a model, or list of models to the set. `models` may be Backbone\n // Models or raw JavaScript objects to be converted to Models, or any\n // combination of the two.\n add: function(models, options) {\n return this.set(models, _.extend({merge: false}, options, addOptions));\n },\n\n // Remove a model, or a list of models from the set.\n remove: function(models, options) {\n options = _.extend({}, options);\n var singular = !_.isArray(models);\n models = singular ? [models] : models.slice();\n var removed = this._removeModels(models, options);\n if (!options.silent && removed.length) {\n options.changes = {added: [], merged: [], removed: removed};\n this.trigger('update', this, options);\n }\n return singular ? removed[0] : removed;\n },\n\n // Update a collection by `set`-ing a new list of models, adding new ones,\n // removing models that are no longer present, and merging models that\n // already exist in the collection, as necessary. Similar to **Model#set**,\n // the core operation for updating the data contained by the collection.\n set: function(models, options) {\n if (models == null) return;\n\n options = _.extend({}, setOptions, options);\n if (options.parse && !this._isModel(models)) {\n models = this.parse(models, options) || [];\n }\n\n var singular = !_.isArray(models);\n models = singular ? [models] : models.slice();\n\n var at = options.at;\n if (at != null) at = +at;\n if (at > this.length) at = this.length;\n if (at < 0) at += this.length + 1;\n\n var set = [];\n var toAdd = [];\n var toMerge = [];\n var toRemove = [];\n var modelMap = {};\n\n var add = options.add;\n var merge = options.merge;\n var remove = options.remove;\n\n var sort = false;\n var sortable = this.comparator && at == null && options.sort !== false;\n var sortAttr = _.isString(this.comparator) ? this.comparator : null;\n\n // Turn bare objects into model references, and prevent invalid models\n // from being added.\n var model, i;\n for (i = 0; i < models.length; i++) {\n model = models[i];\n\n // If a duplicate is found, prevent it from being added and\n // optionally merge it into the existing model.\n var existing = this.get(model);\n if (existing) {\n if (merge && model !== existing) {\n var attrs = this._isModel(model) ? model.attributes : model;\n if (options.parse) attrs = existing.parse(attrs, options);\n existing.set(attrs, options);\n toMerge.push(existing);\n if (sortable && !sort) sort = existing.hasChanged(sortAttr);\n }\n if (!modelMap[existing.cid]) {\n modelMap[existing.cid] = true;\n set.push(existing);\n }\n models[i] = existing;\n\n // If this is a new, valid model, push it to the `toAdd` list.\n } else if (add) {\n model = models[i] = this._prepareModel(model, options);\n if (model) {\n toAdd.push(model);\n this._addReference(model, options);\n modelMap[model.cid] = true;\n set.push(model);\n }\n }\n }\n\n // Remove stale models.\n if (remove) {\n for (i = 0; i < this.length; i++) {\n model = this.models[i];\n if (!modelMap[model.cid]) toRemove.push(model);\n }\n if (toRemove.length) this._removeModels(toRemove, options);\n }\n\n // See if sorting is needed, update `length` and splice in new models.\n var orderChanged = false;\n var replace = !sortable && add && remove;\n if (set.length && replace) {\n orderChanged = this.length !== set.length || _.some(this.models, function(m, index) {\n return m !== set[index];\n });\n this.models.length = 0;\n splice(this.models, set, 0);\n this.length = this.models.length;\n } else if (toAdd.length) {\n if (sortable) sort = true;\n splice(this.models, toAdd, at == null ? this.length : at);\n this.length = this.models.length;\n }\n\n // Silently sort the collection if appropriate.\n if (sort) this.sort({silent: true});\n\n // Unless silenced, it's time to fire all appropriate add/sort/update events.\n if (!options.silent) {\n for (i = 0; i < toAdd.length; i++) {\n if (at != null) options.index = at + i;\n model = toAdd[i];\n model.trigger('add', model, this, options);\n }\n if (sort || orderChanged) this.trigger('sort', this, options);\n if (toAdd.length || toRemove.length || toMerge.length) {\n options.changes = {\n added: toAdd,\n removed: toRemove,\n merged: toMerge\n };\n this.trigger('update', this, options);\n }\n }\n\n // Return the added (or merged) model (or models).\n return singular ? models[0] : models;\n },\n\n // When you have more items than you want to add or remove individually,\n // you can reset the entire set with a new list of models, without firing\n // any granular `add` or `remove` events. Fires `reset` when finished.\n // Useful for bulk operations and optimizations.\n reset: function(models, options) {\n options = options ? _.clone(options) : {};\n for (var i = 0; i < this.models.length; i++) {\n this._removeReference(this.models[i], options);\n }\n options.previousModels = this.models;\n this._reset();\n models = this.add(models, _.extend({silent: true}, options));\n if (!options.silent) this.trigger('reset', this, options);\n return models;\n },\n\n // Add a model to the end of the collection.\n push: function(model, options) {\n return this.add(model, _.extend({at: this.length}, options));\n },\n\n // Remove a model from the end of the collection.\n pop: function(options) {\n var model = this.at(this.length - 1);\n return this.remove(model, options);\n },\n\n // Add a model to the beginning of the collection.\n unshift: function(model, options) {\n return this.add(model, _.extend({at: 0}, options));\n },\n\n // Remove a model from the beginning of the collection.\n shift: function(options) {\n var model = this.at(0);\n return this.remove(model, options);\n },\n\n // Slice out a sub-array of models from the collection.\n slice: function() {\n return slice.apply(this.models, arguments);\n },\n\n // Get a model from the set by id, cid, model object with id or cid\n // properties, or an attributes object that is transformed through modelId.\n get: function(obj) {\n if (obj == null) return void 0;\n return this._byId[obj] ||\n this._byId[this.modelId(this._isModel(obj) ? obj.attributes : obj, obj.idAttribute)] ||\n obj.cid && this._byId[obj.cid];\n },\n\n // Returns `true` if the model is in the collection.\n has: function(obj) {\n return this.get(obj) != null;\n },\n\n // Get the model at the given index.\n at: function(index) {\n if (index < 0) index += this.length;\n return this.models[index];\n },\n\n // Return models with matching attributes. Useful for simple cases of\n // `filter`.\n where: function(attrs, first) {\n return this[first ? 'find' : 'filter'](attrs);\n },\n\n // Return the first model with matching attributes. Useful for simple cases\n // of `find`.\n findWhere: function(attrs) {\n return this.where(attrs, true);\n },\n\n // Force the collection to re-sort itself. You don't need to call this under\n // normal circumstances, as the set will maintain sort order as each item\n // is added.\n sort: function(options) {\n var comparator = this.comparator;\n if (!comparator) throw new Error('Cannot sort a set without a comparator');\n options || (options = {});\n\n var length = comparator.length;\n if (_.isFunction(comparator)) comparator = comparator.bind(this);\n\n // Run sort based on type of `comparator`.\n if (length === 1 || _.isString(comparator)) {\n this.models = this.sortBy(comparator);\n } else {\n this.models.sort(comparator);\n }\n if (!options.silent) this.trigger('sort', this, options);\n return this;\n },\n\n // Pluck an attribute from each model in the collection.\n pluck: function(attr) {\n return this.map(attr + '');\n },\n\n // Fetch the default set of models for this collection, resetting the\n // collection when they arrive. If `reset: true` is passed, the response\n // data will be passed through the `reset` method instead of `set`.\n fetch: function(options) {\n options = _.extend({parse: true}, options);\n var success = options.success;\n var collection = this;\n options.success = function(resp) {\n var method = options.reset ? 'reset' : 'set';\n collection[method](resp, options);\n if (success) success.call(options.context, collection, resp, options);\n collection.trigger('sync', collection, resp, options);\n };\n wrapError(this, options);\n return this.sync('read', this, options);\n },\n\n // Create a new instance of a model in this collection. Add the model to the\n // collection immediately, unless `wait: true` is passed, in which case we\n // wait for the server to agree.\n create: function(model, options) {\n options = options ? _.clone(options) : {};\n var wait = options.wait;\n model = this._prepareModel(model, options);\n if (!model) return false;\n if (!wait) this.add(model, options);\n var collection = this;\n var success = options.success;\n options.success = function(m, resp, callbackOpts) {\n if (wait) {\n m.off('error', collection._forwardPristineError, collection);\n collection.add(m, callbackOpts);\n }\n if (success) success.call(callbackOpts.context, m, resp, callbackOpts);\n };\n // In case of wait:true, our collection is not listening to any\n // of the model's events yet, so it will not forward the error\n // event. In this special case, we need to listen for it\n // separately and handle the event just once.\n // (The reason we don't need to do this for the sync event is\n // in the success handler above: we add the model first, which\n // causes the collection to listen, and then invoke the callback\n // that triggers the event.)\n if (wait) {\n model.once('error', this._forwardPristineError, this);\n }\n model.save(null, options);\n return model;\n },\n\n // **parse** converts a response into a list of models to be added to the\n // collection. The default implementation is just to pass it through.\n parse: function(resp, options) {\n return resp;\n },\n\n // Create a new collection with an identical list of models as this one.\n clone: function() {\n return new this.constructor(this.models, {\n model: this.model,\n comparator: this.comparator\n });\n },\n\n // Define how to uniquely identify models in the collection.\n modelId: function(attrs, idAttribute) {\n return attrs[idAttribute || this.model.prototype.idAttribute || 'id'];\n },\n\n // Get an iterator of all models in this collection.\n values: function() {\n return new CollectionIterator(this, ITERATOR_VALUES);\n },\n\n // Get an iterator of all model IDs in this collection.\n keys: function() {\n return new CollectionIterator(this, ITERATOR_KEYS);\n },\n\n // Get an iterator of all [ID, model] tuples in this collection.\n entries: function() {\n return new CollectionIterator(this, ITERATOR_KEYSVALUES);\n },\n\n // Private method to reset all internal state. Called when the collection\n // is first initialized or reset.\n _reset: function() {\n this.length = 0;\n this.models = [];\n this._byId = {};\n },\n\n // Prepare a hash of attributes (or other model) to be added to this\n // collection.\n _prepareModel: function(attrs, options) {\n if (this._isModel(attrs)) {\n if (!attrs.collection) attrs.collection = this;\n return attrs;\n }\n options = options ? _.clone(options) : {};\n options.collection = this;\n\n var model;\n if (this.model.prototype) {\n model = new this.model(attrs, options);\n } else {\n // ES class methods didn't have prototype\n model = this.model(attrs, options);\n }\n\n if (!model.validationError) return model;\n this.trigger('invalid', this, model.validationError, options);\n return false;\n },\n\n // Internal method called by both remove and set.\n _removeModels: function(models, options) {\n var removed = [];\n for (var i = 0; i < models.length; i++) {\n var model = this.get(models[i]);\n if (!model) continue;\n\n var index = this.indexOf(model);\n this.models.splice(index, 1);\n this.length--;\n\n // Remove references before triggering 'remove' event to prevent an\n // infinite loop. #3693\n delete this._byId[model.cid];\n var id = this.modelId(model.attributes, model.idAttribute);\n if (id != null) delete this._byId[id];\n\n if (!options.silent) {\n options.index = index;\n model.trigger('remove', model, this, options);\n }\n\n removed.push(model);\n this._removeReference(model, options);\n }\n if (models.length > 0 && !options.silent) delete options.index;\n return removed;\n },\n\n // Method for checking whether an object should be considered a model for\n // the purposes of adding to the collection.\n _isModel: function(model) {\n return model instanceof Model;\n },\n\n // Internal method to create a model's ties to a collection.\n _addReference: function(model, options) {\n this._byId[model.cid] = model;\n var id = this.modelId(model.attributes, model.idAttribute);\n if (id != null) this._byId[id] = model;\n model.on('all', this._onModelEvent, this);\n },\n\n // Internal method to sever a model's ties to a collection.\n _removeReference: function(model, options) {\n delete this._byId[model.cid];\n var id = this.modelId(model.attributes, model.idAttribute);\n if (id != null) delete this._byId[id];\n if (this === model.collection) delete model.collection;\n model.off('all', this._onModelEvent, this);\n },\n\n // Internal method called every time a model in the set fires an event.\n // Sets need to update their indexes when models change ids. All other\n // events simply proxy through. \"add\" and \"remove\" events that originate\n // in other collections are ignored.\n _onModelEvent: function(event, model, collection, options) {\n if (model) {\n if ((event === 'add' || event === 'remove') && collection !== this) return;\n if (event === 'destroy') this.remove(model, options);\n if (event === 'changeId') {\n var prevId = this.modelId(model.previousAttributes(), model.idAttribute);\n var id = this.modelId(model.attributes, model.idAttribute);\n if (prevId != null) delete this._byId[prevId];\n if (id != null) this._byId[id] = model;\n }\n }\n this.trigger.apply(this, arguments);\n },\n\n // Internal callback method used in `create`. It serves as a\n // stand-in for the `_onModelEvent` method, which is not yet bound\n // during the `wait` period of the `create` call. We still want to\n // forward any `'error'` event at the end of the `wait` period,\n // hence a customized callback.\n _forwardPristineError: function(model, collection, options) {\n // Prevent double forward if the model was already in the\n // collection before the call to `create`.\n if (this.has(model)) return;\n this._onModelEvent('error', model, collection, options);\n }\n });\n\n // Defining an @@iterator method implements JavaScript's Iterable protocol.\n // In modern ES2015 browsers, this value is found at Symbol.iterator.\n /* global Symbol */\n var $$iterator = typeof Symbol === 'function' && Symbol.iterator;\n if ($$iterator) {\n Collection.prototype[$$iterator] = Collection.prototype.values;\n }\n\n // CollectionIterator\n // ------------------\n\n // A CollectionIterator implements JavaScript's Iterator protocol, allowing the\n // use of `for of` loops in modern browsers and interoperation between\n // Backbone.Collection and other JavaScript functions and third-party libraries\n // which can operate on Iterables.\n var CollectionIterator = function(collection, kind) {\n this._collection = collection;\n this._kind = kind;\n this._index = 0;\n };\n\n // This \"enum\" defines the three possible kinds of values which can be emitted\n // by a CollectionIterator that correspond to the values(), keys() and entries()\n // methods on Collection, respectively.\n var ITERATOR_VALUES = 1;\n var ITERATOR_KEYS = 2;\n var ITERATOR_KEYSVALUES = 3;\n\n // All Iterators should themselves be Iterable.\n if ($$iterator) {\n CollectionIterator.prototype[$$iterator] = function() {\n return this;\n };\n }\n\n CollectionIterator.prototype.next = function() {\n if (this._collection) {\n\n // Only continue iterating if the iterated collection is long enough.\n if (this._index < this._collection.length) {\n var model = this._collection.at(this._index);\n this._index++;\n\n // Construct a value depending on what kind of values should be iterated.\n var value;\n if (this._kind === ITERATOR_VALUES) {\n value = model;\n } else {\n var id = this._collection.modelId(model.attributes, model.idAttribute);\n if (this._kind === ITERATOR_KEYS) {\n value = id;\n } else { // ITERATOR_KEYSVALUES\n value = [id, model];\n }\n }\n return {value: value, done: false};\n }\n\n // Once exhausted, remove the reference to the collection so future\n // calls to the next method always return done.\n this._collection = void 0;\n }\n\n return {value: void 0, done: true};\n };\n\n // Backbone.View\n // -------------\n\n // Backbone Views are almost more convention than they are actual code. A View\n // is simply a JavaScript object that represents a logical chunk of UI in the\n // DOM. This might be a single item, an entire list, a sidebar or panel, or\n // even the surrounding frame which wraps your whole app. Defining a chunk of\n // UI as a **View** allows you to define your DOM events declaratively, without\n // having to worry about render order ... and makes it easy for the view to\n // react to specific changes in the state of your models.\n\n // Creating a Backbone.View creates its initial element outside of the DOM,\n // if an existing element is not provided...\n var View = Backbone.View = function(options) {\n this.cid = _.uniqueId('view');\n this.preinitialize.apply(this, arguments);\n _.extend(this, _.pick(options, viewOptions));\n this._ensureElement();\n this.initialize.apply(this, arguments);\n };\n\n // Cached regex to split keys for `delegate`.\n var delegateEventSplitter = /^(\\S+)\\s*(.*)$/;\n\n // List of view options to be set as properties.\n var viewOptions = ['model', 'collection', 'el', 'id', 'attributes', 'className', 'tagName', 'events'];\n\n // Set up all inheritable **Backbone.View** properties and methods.\n _.extend(View.prototype, Events, {\n\n // The default `tagName` of a View's element is `\"div\"`.\n tagName: 'div',\n\n // jQuery delegate for element lookup, scoped to DOM elements within the\n // current view. This should be preferred to global lookups where possible.\n $: function(selector) {\n return this.$el.find(selector);\n },\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the View\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // **render** is the core function that your view should override, in order\n // to populate its element (`this.el`), with the appropriate HTML. The\n // convention is for **render** to always return `this`.\n render: function() {\n return this;\n },\n\n // Remove this view by taking the element out of the DOM, and removing any\n // applicable Backbone.Events listeners.\n remove: function() {\n this._removeElement();\n this.stopListening();\n return this;\n },\n\n // Remove this view's element from the document and all event listeners\n // attached to it. Exposed for subclasses using an alternative DOM\n // manipulation API.\n _removeElement: function() {\n this.$el.remove();\n },\n\n // Change the view's element (`this.el` property) and re-delegate the\n // view's events on the new element.\n setElement: function(element) {\n this.undelegateEvents();\n this._setElement(element);\n this.delegateEvents();\n return this;\n },\n\n // Creates the `this.el` and `this.$el` references for this view using the\n // given `el`. `el` can be a CSS selector or an HTML string, a jQuery\n // context or an element. Subclasses can override this to utilize an\n // alternative DOM manipulation API and are only required to set the\n // `this.el` property.\n _setElement: function(el) {\n this.$el = el instanceof Backbone.$ ? el : Backbone.$(el);\n this.el = this.$el[0];\n },\n\n // Set callbacks, where `this.events` is a hash of\n //\n // *{\"event selector\": \"callback\"}*\n //\n // {\n // 'mousedown .title': 'edit',\n // 'click .button': 'save',\n // 'click .open': function(e) { ... }\n // }\n //\n // pairs. Callbacks will be bound to the view, with `this` set properly.\n // Uses event delegation for efficiency.\n // Omitting the selector binds the event to `this.el`.\n delegateEvents: function(events) {\n events || (events = _.result(this, 'events'));\n if (!events) return this;\n this.undelegateEvents();\n for (var key in events) {\n var method = events[key];\n if (!_.isFunction(method)) method = this[method];\n if (!method) continue;\n var match = key.match(delegateEventSplitter);\n this.delegate(match[1], match[2], method.bind(this));\n }\n return this;\n },\n\n // Add a single event listener to the view's element (or a child element\n // using `selector`). This only works for delegate-able events: not `focus`,\n // `blur`, and not `change`, `submit`, and `reset` in Internet Explorer.\n delegate: function(eventName, selector, listener) {\n this.$el.on(eventName + '.delegateEvents' + this.cid, selector, listener);\n return this;\n },\n\n // Clears all callbacks previously bound to the view by `delegateEvents`.\n // You usually don't need to use this, but may wish to if you have multiple\n // Backbone views attached to the same DOM element.\n undelegateEvents: function() {\n if (this.$el) this.$el.off('.delegateEvents' + this.cid);\n return this;\n },\n\n // A finer-grained `undelegateEvents` for removing a single delegated event.\n // `selector` and `listener` are both optional.\n undelegate: function(eventName, selector, listener) {\n this.$el.off(eventName + '.delegateEvents' + this.cid, selector, listener);\n return this;\n },\n\n // Produces a DOM element to be assigned to your view. Exposed for\n // subclasses using an alternative DOM manipulation API.\n _createElement: function(tagName) {\n return document.createElement(tagName);\n },\n\n // Ensure that the View has a DOM element to render into.\n // If `this.el` is a string, pass it through `$()`, take the first\n // matching element, and re-assign it to `el`. Otherwise, create\n // an element from the `id`, `className` and `tagName` properties.\n _ensureElement: function() {\n if (!this.el) {\n var attrs = _.extend({}, _.result(this, 'attributes'));\n if (this.id) attrs.id = _.result(this, 'id');\n if (this.className) attrs['class'] = _.result(this, 'className');\n this.setElement(this._createElement(_.result(this, 'tagName')));\n this._setAttributes(attrs);\n } else {\n this.setElement(_.result(this, 'el'));\n }\n },\n\n // Set attributes from a hash on this view's element. Exposed for\n // subclasses using an alternative DOM manipulation API.\n _setAttributes: function(attributes) {\n this.$el.attr(attributes);\n }\n\n });\n\n // Proxy Backbone class methods to Underscore functions, wrapping the model's\n // `attributes` object or collection's `models` array behind the scenes.\n //\n // collection.filter(function(model) { return model.get('age') > 10 });\n // collection.each(this.addView);\n //\n // `Function#apply` can be slow so we use the method's arg count, if we know it.\n var addMethod = function(base, length, method, attribute) {\n switch (length) {\n case 1: return function() {\n return base[method](this[attribute]);\n };\n case 2: return function(value) {\n return base[method](this[attribute], value);\n };\n case 3: return function(iteratee, context) {\n return base[method](this[attribute], cb(iteratee, this), context);\n };\n case 4: return function(iteratee, defaultVal, context) {\n return base[method](this[attribute], cb(iteratee, this), defaultVal, context);\n };\n default: return function() {\n var args = slice.call(arguments);\n args.unshift(this[attribute]);\n return base[method].apply(base, args);\n };\n }\n };\n\n var addUnderscoreMethods = function(Class, base, methods, attribute) {\n _.each(methods, function(length, method) {\n if (base[method]) Class.prototype[method] = addMethod(base, length, method, attribute);\n });\n };\n\n // Support `collection.sortBy('attr')` and `collection.findWhere({id: 1})`.\n var cb = function(iteratee, instance) {\n if (_.isFunction(iteratee)) return iteratee;\n if (_.isObject(iteratee) && !instance._isModel(iteratee)) return modelMatcher(iteratee);\n if (_.isString(iteratee)) return function(model) { return model.get(iteratee); };\n return iteratee;\n };\n var modelMatcher = function(attrs) {\n var matcher = _.matches(attrs);\n return function(model) {\n return matcher(model.attributes);\n };\n };\n\n // Underscore methods that we want to implement on the Collection.\n // 90% of the core usefulness of Backbone Collections is actually implemented\n // right here:\n var collectionMethods = {forEach: 3, each: 3, map: 3, collect: 3, reduce: 0,\n foldl: 0, inject: 0, reduceRight: 0, foldr: 0, find: 3, detect: 3, filter: 3,\n select: 3, reject: 3, every: 3, all: 3, some: 3, any: 3, include: 3, includes: 3,\n contains: 3, invoke: 0, max: 3, min: 3, toArray: 1, size: 1, first: 3,\n head: 3, take: 3, initial: 3, rest: 3, tail: 3, drop: 3, last: 3,\n without: 0, difference: 0, indexOf: 3, shuffle: 1, lastIndexOf: 3,\n isEmpty: 1, chain: 1, sample: 3, partition: 3, groupBy: 3, countBy: 3,\n sortBy: 3, indexBy: 3, findIndex: 3, findLastIndex: 3};\n\n\n // Underscore methods that we want to implement on the Model, mapped to the\n // number of arguments they take.\n var modelMethods = {keys: 1, values: 1, pairs: 1, invert: 1, pick: 0,\n omit: 0, chain: 1, isEmpty: 1};\n\n // Mix in each Underscore method as a proxy to `Collection#models`.\n\n _.each([\n [Collection, collectionMethods, 'models'],\n [Model, modelMethods, 'attributes']\n ], function(config) {\n var Base = config[0],\n methods = config[1],\n attribute = config[2];\n\n Base.mixin = function(obj) {\n var mappings = _.reduce(_.functions(obj), function(memo, name) {\n memo[name] = 0;\n return memo;\n }, {});\n addUnderscoreMethods(Base, obj, mappings, attribute);\n };\n\n addUnderscoreMethods(Base, _, methods, attribute);\n });\n\n // Backbone.sync\n // -------------\n\n // Override this function to change the manner in which Backbone persists\n // models to the server. You will be passed the type of request, and the\n // model in question. By default, makes a RESTful Ajax request\n // to the model's `url()`. Some possible customizations could be:\n //\n // * Use `setTimeout` to batch rapid-fire updates into a single request.\n // * Send up the models as XML instead of JSON.\n // * Persist models via WebSockets instead of Ajax.\n //\n // Turn on `Backbone.emulateHTTP` in order to send `PUT` and `DELETE` requests\n // as `POST`, with a `_method` parameter containing the true HTTP method,\n // as well as all requests with the body as `application/x-www-form-urlencoded`\n // instead of `application/json` with the model in a param named `model`.\n // Useful when interfacing with server-side languages like **PHP** that make\n // it difficult to read the body of `PUT` requests.\n Backbone.sync = function(method, model, options) {\n var type = methodMap[method];\n\n // Default options, unless specified.\n _.defaults(options || (options = {}), {\n emulateHTTP: Backbone.emulateHTTP,\n emulateJSON: Backbone.emulateJSON\n });\n\n // Default JSON-request options.\n var params = {type: type, dataType: 'json'};\n\n // Ensure that we have a URL.\n if (!options.url) {\n params.url = _.result(model, 'url') || urlError();\n }\n\n // Ensure that we have the appropriate request data.\n if (options.data == null && model && (method === 'create' || method === 'update' || method === 'patch')) {\n params.contentType = 'application/json';\n params.data = JSON.stringify(options.attrs || model.toJSON(options));\n }\n\n // For older servers, emulate JSON by encoding the request into an HTML-form.\n if (options.emulateJSON) {\n params.contentType = 'application/x-www-form-urlencoded';\n params.data = params.data ? {model: params.data} : {};\n }\n\n // For older servers, emulate HTTP by mimicking the HTTP method with `_method`\n // And an `X-HTTP-Method-Override` header.\n if (options.emulateHTTP && (type === 'PUT' || type === 'DELETE' || type === 'PATCH')) {\n params.type = 'POST';\n if (options.emulateJSON) params.data._method = type;\n var beforeSend = options.beforeSend;\n options.beforeSend = function(xhr) {\n xhr.setRequestHeader('X-HTTP-Method-Override', type);\n if (beforeSend) return beforeSend.apply(this, arguments);\n };\n }\n\n // Don't process data on a non-GET request.\n if (params.type !== 'GET' && !options.emulateJSON) {\n params.processData = false;\n }\n\n // Pass along `textStatus` and `errorThrown` from jQuery.\n var error = options.error;\n options.error = function(xhr, textStatus, errorThrown) {\n options.textStatus = textStatus;\n options.errorThrown = errorThrown;\n if (error) error.call(options.context, xhr, textStatus, errorThrown);\n };\n\n // Make the request, allowing the user to override any Ajax options.\n var xhr = options.xhr = Backbone.ajax(_.extend(params, options));\n model.trigger('request', model, xhr, options);\n return xhr;\n };\n\n // Map from CRUD to HTTP for our default `Backbone.sync` implementation.\n var methodMap = {\n 'create': 'POST',\n 'update': 'PUT',\n 'patch': 'PATCH',\n 'delete': 'DELETE',\n 'read': 'GET'\n };\n\n // Set the default implementation of `Backbone.ajax` to proxy through to `$`.\n // Override this if you'd like to use a different library.\n Backbone.ajax = function() {\n return Backbone.$.ajax.apply(Backbone.$, arguments);\n };\n\n // Backbone.Router\n // ---------------\n\n // Routers map faux-URLs to actions, and fire events when routes are\n // matched. Creating a new one sets its `routes` hash, if not set statically.\n var Router = Backbone.Router = function(options) {\n options || (options = {});\n this.preinitialize.apply(this, arguments);\n if (options.routes) this.routes = options.routes;\n this._bindRoutes();\n this.initialize.apply(this, arguments);\n };\n\n // Cached regular expressions for matching named param parts and splatted\n // parts of route strings.\n var optionalParam = /\\((.*?)\\)/g;\n var namedParam = /(\\(\\?)?:\\w+/g;\n var splatParam = /\\*\\w+/g;\n var escapeRegExp = /[\\-{}\\[\\]+?.,\\\\\\^$|#\\s]/g;\n\n // Set up all inheritable **Backbone.Router** properties and methods.\n _.extend(Router.prototype, Events, {\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the Router.\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // Manually bind a single named route to a callback. For example:\n //\n // this.route('search/:query/p:num', 'search', function(query, num) {\n // ...\n // });\n //\n route: function(route, name, callback) {\n if (!_.isRegExp(route)) route = this._routeToRegExp(route);\n if (_.isFunction(name)) {\n callback = name;\n name = '';\n }\n if (!callback) callback = this[name];\n var router = this;\n Backbone.history.route(route, function(fragment) {\n var args = router._extractParameters(route, fragment);\n if (router.execute(callback, args, name) !== false) {\n router.trigger.apply(router, ['route:' + name].concat(args));\n router.trigger('route', name, args);\n Backbone.history.trigger('route', router, name, args);\n }\n });\n return this;\n },\n\n // Execute a route handler with the provided parameters. This is an\n // excellent place to do pre-route setup or post-route cleanup.\n execute: function(callback, args, name) {\n if (callback) callback.apply(this, args);\n },\n\n // Simple proxy to `Backbone.history` to save a fragment into the history.\n navigate: function(fragment, options) {\n Backbone.history.navigate(fragment, options);\n return this;\n },\n\n // Bind all defined routes to `Backbone.history`. We have to reverse the\n // order of the routes here to support behavior where the most general\n // routes can be defined at the bottom of the route map.\n _bindRoutes: function() {\n if (!this.routes) return;\n this.routes = _.result(this, 'routes');\n var route, routes = _.keys(this.routes);\n while ((route = routes.pop()) != null) {\n this.route(route, this.routes[route]);\n }\n },\n\n // Convert a route string into a regular expression, suitable for matching\n // against the current location hash.\n _routeToRegExp: function(route) {\n route = route.replace(escapeRegExp, '\\\\$&')\n .replace(optionalParam, '(?:$1)?')\n .replace(namedParam, function(match, optional) {\n return optional ? match : '([^/?]+)';\n })\n .replace(splatParam, '([^?]*?)');\n return new RegExp('^' + route + '(?:\\\\?([\\\\s\\\\S]*))?$');\n },\n\n // Given a route, and a URL fragment that it matches, return the array of\n // extracted decoded parameters. Empty or unmatched parameters will be\n // treated as `null` to normalize cross-browser behavior.\n _extractParameters: function(route, fragment) {\n var params = route.exec(fragment).slice(1);\n return _.map(params, function(param, i) {\n // Don't decode the search params.\n if (i === params.length - 1) return param || null;\n return param ? decodeURIComponent(param) : null;\n });\n }\n\n });\n\n // Backbone.History\n // ----------------\n\n // Handles cross-browser history management, based on either\n // [pushState](http://diveintohtml5.info/history.html) and real URLs, or\n // [onhashchange](https://developer.mozilla.org/en-US/docs/DOM/window.onhashchange)\n // and URL fragments. If the browser supports neither (old IE, natch),\n // falls back to polling.\n var History = Backbone.History = function() {\n this.handlers = [];\n this.checkUrl = this.checkUrl.bind(this);\n\n // Ensure that `History` can be used outside of the browser.\n if (typeof window !== 'undefined') {\n this.location = window.location;\n this.history = window.history;\n }\n };\n\n // Cached regex for stripping a leading hash/slash and trailing space.\n var routeStripper = /^[#\\/]|\\s+$/g;\n\n // Cached regex for stripping leading and trailing slashes.\n var rootStripper = /^\\/+|\\/+$/g;\n\n // Cached regex for stripping urls of hash.\n var pathStripper = /#.*$/;\n\n // Has the history handling already been started?\n History.started = false;\n\n // Set up all inheritable **Backbone.History** properties and methods.\n _.extend(History.prototype, Events, {\n\n // The default interval to poll for hash changes, if necessary, is\n // twenty times a second.\n interval: 50,\n\n // Are we at the app root?\n atRoot: function() {\n var path = this.location.pathname.replace(/[^\\/]$/, '$&/');\n return path === this.root && !this.getSearch();\n },\n\n // Does the pathname match the root?\n matchRoot: function() {\n var path = this.decodeFragment(this.location.pathname);\n var rootPath = path.slice(0, this.root.length - 1) + '/';\n return rootPath === this.root;\n },\n\n // Unicode characters in `location.pathname` are percent encoded so they're\n // decoded for comparison. `%25` should not be decoded since it may be part\n // of an encoded parameter.\n decodeFragment: function(fragment) {\n return decodeURI(fragment.replace(/%25/g, '%2525'));\n },\n\n // In IE6, the hash fragment and search params are incorrect if the\n // fragment contains `?`.\n getSearch: function() {\n var match = this.location.href.replace(/#.*/, '').match(/\\?.+/);\n return match ? match[0] : '';\n },\n\n // Gets the true hash value. Cannot use location.hash directly due to bug\n // in Firefox where location.hash will always be decoded.\n getHash: function(window) {\n var match = (window || this).location.href.match(/#(.*)$/);\n return match ? match[1] : '';\n },\n\n // Get the pathname and search params, without the root.\n getPath: function() {\n var path = this.decodeFragment(\n this.location.pathname + this.getSearch()\n ).slice(this.root.length - 1);\n return path.charAt(0) === '/' ? path.slice(1) : path;\n },\n\n // Get the cross-browser normalized URL fragment from the path or hash.\n getFragment: function(fragment) {\n if (fragment == null) {\n if (this._usePushState || !this._wantsHashChange) {\n fragment = this.getPath();\n } else {\n fragment = this.getHash();\n }\n }\n return fragment.replace(routeStripper, '');\n },\n\n // Start the hash change handling, returning `true` if the current URL matches\n // an existing route, and `false` otherwise.\n start: function(options) {\n if (History.started) throw new Error('Backbone.history has already been started');\n History.started = true;\n\n // Figure out the initial configuration. Do we need an iframe?\n // Is pushState desired ... is it available?\n this.options = _.extend({root: '/'}, this.options, options);\n this.root = this.options.root;\n this._trailingSlash = this.options.trailingSlash;\n this._wantsHashChange = this.options.hashChange !== false;\n this._hasHashChange = 'onhashchange' in window && (document.documentMode === void 0 || document.documentMode > 7);\n this._useHashChange = this._wantsHashChange && this._hasHashChange;\n this._wantsPushState = !!this.options.pushState;\n this._hasPushState = !!(this.history && this.history.pushState);\n this._usePushState = this._wantsPushState && this._hasPushState;\n this.fragment = this.getFragment();\n\n // Normalize root to always include a leading and trailing slash.\n this.root = ('/' + this.root + '/').replace(rootStripper, '/');\n\n // Transition from hashChange to pushState or vice versa if both are\n // requested.\n if (this._wantsHashChange && this._wantsPushState) {\n\n // If we've started off with a route from a `pushState`-enabled\n // browser, but we're currently in a browser that doesn't support it...\n if (!this._hasPushState && !this.atRoot()) {\n var rootPath = this.root.slice(0, -1) || '/';\n this.location.replace(rootPath + '#' + this.getPath());\n // Return immediately as browser will do redirect to new url\n return true;\n\n // Or if we've started out with a hash-based route, but we're currently\n // in a browser where it could be `pushState`-based instead...\n } else if (this._hasPushState && this.atRoot()) {\n this.navigate(this.getHash(), {replace: true});\n }\n\n }\n\n // Proxy an iframe to handle location events if the browser doesn't\n // support the `hashchange` event, HTML5 history, or the user wants\n // `hashChange` but not `pushState`.\n if (!this._hasHashChange && this._wantsHashChange && !this._usePushState) {\n this.iframe = document.createElement('iframe');\n this.iframe.src = 'javascript:0';\n this.iframe.style.display = 'none';\n this.iframe.tabIndex = -1;\n var body = document.body;\n // Using `appendChild` will throw on IE < 9 if the document is not ready.\n var iWindow = body.insertBefore(this.iframe, body.firstChild).contentWindow;\n iWindow.document.open();\n iWindow.document.close();\n iWindow.location.hash = '#' + this.fragment;\n }\n\n // Add a cross-platform `addEventListener` shim for older browsers.\n var addEventListener = window.addEventListener || function(eventName, listener) {\n return attachEvent('on' + eventName, listener);\n };\n\n // Depending on whether we're using pushState or hashes, and whether\n // 'onhashchange' is supported, determine how we check the URL state.\n if (this._usePushState) {\n addEventListener('popstate', this.checkUrl, false);\n } else if (this._useHashChange && !this.iframe) {\n addEventListener('hashchange', this.checkUrl, false);\n } else if (this._wantsHashChange) {\n this._checkUrlInterval = setInterval(this.checkUrl, this.interval);\n }\n\n if (!this.options.silent) return this.loadUrl();\n },\n\n // Disable Backbone.history, perhaps temporarily. Not useful in a real app,\n // but possibly useful for unit testing Routers.\n stop: function() {\n // Add a cross-platform `removeEventListener` shim for older browsers.\n var removeEventListener = window.removeEventListener || function(eventName, listener) {\n return detachEvent('on' + eventName, listener);\n };\n\n // Remove window listeners.\n if (this._usePushState) {\n removeEventListener('popstate', this.checkUrl, false);\n } else if (this._useHashChange && !this.iframe) {\n removeEventListener('hashchange', this.checkUrl, false);\n }\n\n // Clean up the iframe if necessary.\n if (this.iframe) {\n document.body.removeChild(this.iframe);\n this.iframe = null;\n }\n\n // Some environments will throw when clearing an undefined interval.\n if (this._checkUrlInterval) clearInterval(this._checkUrlInterval);\n History.started = false;\n },\n\n // Add a route to be tested when the fragment changes. Routes added later\n // may override previous routes.\n route: function(route, callback) {\n this.handlers.unshift({route: route, callback: callback});\n },\n\n // Checks the current URL to see if it has changed, and if it has,\n // calls `loadUrl`, normalizing across the hidden iframe.\n checkUrl: function(e) {\n var current = this.getFragment();\n\n // If the user pressed the back button, the iframe's hash will have\n // changed and we should use that for comparison.\n if (current === this.fragment && this.iframe) {\n current = this.getHash(this.iframe.contentWindow);\n }\n\n if (current === this.fragment) {\n if (!this.matchRoot()) return this.notfound();\n return false;\n }\n if (this.iframe) this.navigate(current);\n this.loadUrl();\n },\n\n // Attempt to load the current URL fragment. If a route succeeds with a\n // match, returns `true`. If no defined routes matches the fragment,\n // returns `false`.\n loadUrl: function(fragment) {\n // If the root doesn't match, no routes can match either.\n if (!this.matchRoot()) return this.notfound();\n fragment = this.fragment = this.getFragment(fragment);\n return _.some(this.handlers, function(handler) {\n if (handler.route.test(fragment)) {\n handler.callback(fragment);\n return true;\n }\n }) || this.notfound();\n },\n\n // When no route could be matched, this method is called internally to\n // trigger the `'notfound'` event. It returns `false` so that it can be used\n // in tail position.\n notfound: function() {\n this.trigger('notfound');\n return false;\n },\n\n // Save a fragment into the hash history, or replace the URL state if the\n // 'replace' option is passed. You are responsible for properly URL-encoding\n // the fragment in advance.\n //\n // The options object can contain `trigger: true` if you wish to have the\n // route callback be fired (not usually desirable), or `replace: true`, if\n // you wish to modify the current URL without adding an entry to the history.\n navigate: function(fragment, options) {\n if (!History.started) return false;\n if (!options || options === true) options = {trigger: !!options};\n\n // Normalize the fragment.\n fragment = this.getFragment(fragment || '');\n\n // Strip trailing slash on the root unless _trailingSlash is true\n var rootPath = this.root;\n if (!this._trailingSlash && (fragment === '' || fragment.charAt(0) === '?')) {\n rootPath = rootPath.slice(0, -1) || '/';\n }\n var url = rootPath + fragment;\n\n // Strip the fragment of the query and hash for matching.\n fragment = fragment.replace(pathStripper, '');\n\n // Decode for matching.\n var decodedFragment = this.decodeFragment(fragment);\n\n if (this.fragment === decodedFragment) return;\n this.fragment = decodedFragment;\n\n // If pushState is available, we use it to set the fragment as a real URL.\n if (this._usePushState) {\n this.history[options.replace ? 'replaceState' : 'pushState']({}, document.title, url);\n\n // If hash changes haven't been explicitly disabled, update the hash\n // fragment to store history.\n } else if (this._wantsHashChange) {\n this._updateHash(this.location, fragment, options.replace);\n if (this.iframe && fragment !== this.getHash(this.iframe.contentWindow)) {\n var iWindow = this.iframe.contentWindow;\n\n // Opening and closing the iframe tricks IE7 and earlier to push a\n // history entry on hash-tag change. When replace is true, we don't\n // want this.\n if (!options.replace) {\n iWindow.document.open();\n iWindow.document.close();\n }\n\n this._updateHash(iWindow.location, fragment, options.replace);\n }\n\n // If you've told us that you explicitly don't want fallback hashchange-\n // based history, then `navigate` becomes a page refresh.\n } else {\n return this.location.assign(url);\n }\n if (options.trigger) return this.loadUrl(fragment);\n },\n\n // Update the hash location, either replacing the current entry, or adding\n // a new one to the browser history.\n _updateHash: function(location, fragment, replace) {\n if (replace) {\n var href = location.href.replace(/(javascript:|#).*$/, '');\n location.replace(href + '#' + fragment);\n } else {\n // Some browsers require that `hash` contains a leading #.\n location.hash = '#' + fragment;\n }\n }\n\n });\n\n // Create the default Backbone.history.\n Backbone.history = new History;\n\n // Helpers\n // -------\n\n // Helper function to correctly set up the prototype chain for subclasses.\n // Similar to `goog.inherits`, but uses a hash of prototype properties and\n // class properties to be extended.\n var extend = function(protoProps, staticProps) {\n var parent = this;\n var child;\n\n // The constructor function for the new subclass is either defined by you\n // (the \"constructor\" property in your `extend` definition), or defaulted\n // by us to simply call the parent constructor.\n if (protoProps && _.has(protoProps, 'constructor')) {\n child = protoProps.constructor;\n } else {\n child = function(){ return parent.apply(this, arguments); };\n }\n\n // Add static properties to the constructor function, if supplied.\n _.extend(child, parent, staticProps);\n\n // Set the prototype chain to inherit from `parent`, without calling\n // `parent`'s constructor function and add the prototype properties.\n child.prototype = _.create(parent.prototype, protoProps);\n child.prototype.constructor = child;\n\n // Set a convenience property in case the parent's prototype is needed\n // later.\n child.__super__ = parent.prototype;\n\n return child;\n };\n\n // Set up inheritance for the model, collection, router, view and history.\n Model.extend = Collection.extend = Router.extend = View.extend = History.extend = extend;\n\n // Throw an error when a URL is needed, and none is supplied.\n var urlError = function() {\n throw new Error('A \"url\" property or function must be specified');\n };\n\n // Wrap an optional error callback with a fallback error event.\n var wrapError = function(model, options) {\n var error = options.error;\n options.error = function(resp) {\n if (error) error.call(options.context, model, resp, options);\n model.trigger('error', model, resp, options);\n };\n };\n\n // Provide useful information when things go wrong. This method is not meant\n // to be used directly; it merely provides the necessary introspection for the\n // external `debugInfo` function.\n Backbone._debug = function() {\n return {root: root, _: _};\n };\n\n return Backbone;\n});\n","/*\n * JavaScript MD5\n * https://github.com/blueimp/JavaScript-MD5\n *\n * Copyright 2011, Sebastian Tschan\n * https://blueimp.net\n *\n * Licensed under the MIT license:\n * https://opensource.org/licenses/MIT\n *\n * Based on\n * A JavaScript implementation of the RSA Data Security, Inc. MD5 Message\n * Digest Algorithm, as defined in RFC 1321.\n * Version 2.2 Copyright (C) Paul Johnston 1999 - 2009\n * Other contributors: Greg Holt, Andrew Kepert, Ydnar, Lostinet\n * Distributed under the BSD License\n * See http://pajhome.org.uk/crypt/md5 for more info.\n */\n\n/* global define */\n\n/* eslint-disable strict */\n\n;(function ($) {\n 'use strict'\n\n /**\n * Add integers, wrapping at 2^32.\n * This uses 16-bit operations internally to work around bugs in interpreters.\n *\n * @param {number} x First integer\n * @param {number} y Second integer\n * @returns {number} Sum\n */\n function safeAdd(x, y) {\n var lsw = (x & 0xffff) + (y & 0xffff)\n var msw = (x >> 16) + (y >> 16) + (lsw >> 16)\n return (msw << 16) | (lsw & 0xffff)\n }\n\n /**\n * Bitwise rotate a 32-bit number to the left.\n *\n * @param {number} num 32-bit number\n * @param {number} cnt Rotation count\n * @returns {number} Rotated number\n */\n function bitRotateLeft(num, cnt) {\n return (num << cnt) | (num >>> (32 - cnt))\n }\n\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} q q\n * @param {number} a a\n * @param {number} b b\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5cmn(q, a, b, x, s, t) {\n return safeAdd(bitRotateLeft(safeAdd(safeAdd(a, q), safeAdd(x, t)), s), b)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5ff(a, b, c, d, x, s, t) {\n return md5cmn((b & c) | (~b & d), a, b, x, s, t)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5gg(a, b, c, d, x, s, t) {\n return md5cmn((b & d) | (c & ~d), a, b, x, s, t)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5hh(a, b, c, d, x, s, t) {\n return md5cmn(b ^ c ^ d, a, b, x, s, t)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5ii(a, b, c, d, x, s, t) {\n return md5cmn(c ^ (b | ~d), a, b, x, s, t)\n }\n\n /**\n * Calculate the MD5 of an array of little-endian words, and a bit length.\n *\n * @param {Array} x Array of little-endian words\n * @param {number} len Bit length\n * @returns {Array} MD5 Array\n */\n function binlMD5(x, len) {\n /* append padding */\n x[len >> 5] |= 0x80 << len % 32\n x[(((len + 64) >>> 9) << 4) + 14] = len\n\n var i\n var olda\n var oldb\n var oldc\n var oldd\n var a = 1732584193\n var b = -271733879\n var c = -1732584194\n var d = 271733878\n\n for (i = 0; i < x.length; i += 16) {\n olda = a\n oldb = b\n oldc = c\n oldd = d\n\n a = md5ff(a, b, c, d, x[i], 7, -680876936)\n d = md5ff(d, a, b, c, x[i + 1], 12, -389564586)\n c = md5ff(c, d, a, b, x[i + 2], 17, 606105819)\n b = md5ff(b, c, d, a, x[i + 3], 22, -1044525330)\n a = md5ff(a, b, c, d, x[i + 4], 7, -176418897)\n d = md5ff(d, a, b, c, x[i + 5], 12, 1200080426)\n c = md5ff(c, d, a, b, x[i + 6], 17, -1473231341)\n b = md5ff(b, c, d, a, x[i + 7], 22, -45705983)\n a = md5ff(a, b, c, d, x[i + 8], 7, 1770035416)\n d = md5ff(d, a, b, c, x[i + 9], 12, -1958414417)\n c = md5ff(c, d, a, b, x[i + 10], 17, -42063)\n b = md5ff(b, c, d, a, x[i + 11], 22, -1990404162)\n a = md5ff(a, b, c, d, x[i + 12], 7, 1804603682)\n d = md5ff(d, a, b, c, x[i + 13], 12, -40341101)\n c = md5ff(c, d, a, b, x[i + 14], 17, -1502002290)\n b = md5ff(b, c, d, a, x[i + 15], 22, 1236535329)\n\n a = md5gg(a, b, c, d, x[i + 1], 5, -165796510)\n d = md5gg(d, a, b, c, x[i + 6], 9, -1069501632)\n c = md5gg(c, d, a, b, x[i + 11], 14, 643717713)\n b = md5gg(b, c, d, a, x[i], 20, -373897302)\n a = md5gg(a, b, c, d, x[i + 5], 5, -701558691)\n d = md5gg(d, a, b, c, x[i + 10], 9, 38016083)\n c = md5gg(c, d, a, b, x[i + 15], 14, -660478335)\n b = md5gg(b, c, d, a, x[i + 4], 20, -405537848)\n a = md5gg(a, b, c, d, x[i + 9], 5, 568446438)\n d = md5gg(d, a, b, c, x[i + 14], 9, -1019803690)\n c = md5gg(c, d, a, b, x[i + 3], 14, -187363961)\n b = md5gg(b, c, d, a, x[i + 8], 20, 1163531501)\n a = md5gg(a, b, c, d, x[i + 13], 5, -1444681467)\n d = md5gg(d, a, b, c, x[i + 2], 9, -51403784)\n c = md5gg(c, d, a, b, x[i + 7], 14, 1735328473)\n b = md5gg(b, c, d, a, x[i + 12], 20, -1926607734)\n\n a = md5hh(a, b, c, d, x[i + 5], 4, -378558)\n d = md5hh(d, a, b, c, x[i + 8], 11, -2022574463)\n c = md5hh(c, d, a, b, x[i + 11], 16, 1839030562)\n b = md5hh(b, c, d, a, x[i + 14], 23, -35309556)\n a = md5hh(a, b, c, d, x[i + 1], 4, -1530992060)\n d = md5hh(d, a, b, c, x[i + 4], 11, 1272893353)\n c = md5hh(c, d, a, b, x[i + 7], 16, -155497632)\n b = md5hh(b, c, d, a, x[i + 10], 23, -1094730640)\n a = md5hh(a, b, c, d, x[i + 13], 4, 681279174)\n d = md5hh(d, a, b, c, x[i], 11, -358537222)\n c = md5hh(c, d, a, b, x[i + 3], 16, -722521979)\n b = md5hh(b, c, d, a, x[i + 6], 23, 76029189)\n a = md5hh(a, b, c, d, x[i + 9], 4, -640364487)\n d = md5hh(d, a, b, c, x[i + 12], 11, -421815835)\n c = md5hh(c, d, a, b, x[i + 15], 16, 530742520)\n b = md5hh(b, c, d, a, x[i + 2], 23, -995338651)\n\n a = md5ii(a, b, c, d, x[i], 6, -198630844)\n d = md5ii(d, a, b, c, x[i + 7], 10, 1126891415)\n c = md5ii(c, d, a, b, x[i + 14], 15, -1416354905)\n b = md5ii(b, c, d, a, x[i + 5], 21, -57434055)\n a = md5ii(a, b, c, d, x[i + 12], 6, 1700485571)\n d = md5ii(d, a, b, c, x[i + 3], 10, -1894986606)\n c = md5ii(c, d, a, b, x[i + 10], 15, -1051523)\n b = md5ii(b, c, d, a, x[i + 1], 21, -2054922799)\n a = md5ii(a, b, c, d, x[i + 8], 6, 1873313359)\n d = md5ii(d, a, b, c, x[i + 15], 10, -30611744)\n c = md5ii(c, d, a, b, x[i + 6], 15, -1560198380)\n b = md5ii(b, c, d, a, x[i + 13], 21, 1309151649)\n a = md5ii(a, b, c, d, x[i + 4], 6, -145523070)\n d = md5ii(d, a, b, c, x[i + 11], 10, -1120210379)\n c = md5ii(c, d, a, b, x[i + 2], 15, 718787259)\n b = md5ii(b, c, d, a, x[i + 9], 21, -343485551)\n\n a = safeAdd(a, olda)\n b = safeAdd(b, oldb)\n c = safeAdd(c, oldc)\n d = safeAdd(d, oldd)\n }\n return [a, b, c, d]\n }\n\n /**\n * Convert an array of little-endian words to a string\n *\n * @param {Array} input MD5 Array\n * @returns {string} MD5 string\n */\n function binl2rstr(input) {\n var i\n var output = ''\n var length32 = input.length * 32\n for (i = 0; i < length32; i += 8) {\n output += String.fromCharCode((input[i >> 5] >>> i % 32) & 0xff)\n }\n return output\n }\n\n /**\n * Convert a raw string to an array of little-endian words\n * Characters >255 have their high-byte silently ignored.\n *\n * @param {string} input Raw input string\n * @returns {Array} Array of little-endian words\n */\n function rstr2binl(input) {\n var i\n var output = []\n output[(input.length >> 2) - 1] = undefined\n for (i = 0; i < output.length; i += 1) {\n output[i] = 0\n }\n var length8 = input.length * 8\n for (i = 0; i < length8; i += 8) {\n output[i >> 5] |= (input.charCodeAt(i / 8) & 0xff) << i % 32\n }\n return output\n }\n\n /**\n * Calculate the MD5 of a raw string\n *\n * @param {string} s Input string\n * @returns {string} Raw MD5 string\n */\n function rstrMD5(s) {\n return binl2rstr(binlMD5(rstr2binl(s), s.length * 8))\n }\n\n /**\n * Calculates the HMAC-MD5 of a key and some data (raw strings)\n *\n * @param {string} key HMAC key\n * @param {string} data Raw input string\n * @returns {string} Raw MD5 string\n */\n function rstrHMACMD5(key, data) {\n var i\n var bkey = rstr2binl(key)\n var ipad = []\n var opad = []\n var hash\n ipad[15] = opad[15] = undefined\n if (bkey.length > 16) {\n bkey = binlMD5(bkey, key.length * 8)\n }\n for (i = 0; i < 16; i += 1) {\n ipad[i] = bkey[i] ^ 0x36363636\n opad[i] = bkey[i] ^ 0x5c5c5c5c\n }\n hash = binlMD5(ipad.concat(rstr2binl(data)), 512 + data.length * 8)\n return binl2rstr(binlMD5(opad.concat(hash), 512 + 128))\n }\n\n /**\n * Convert a raw string to a hex string\n *\n * @param {string} input Raw input string\n * @returns {string} Hex encoded string\n */\n function rstr2hex(input) {\n var hexTab = '0123456789abcdef'\n var output = ''\n var x\n var i\n for (i = 0; i < input.length; i += 1) {\n x = input.charCodeAt(i)\n output += hexTab.charAt((x >>> 4) & 0x0f) + hexTab.charAt(x & 0x0f)\n }\n return output\n }\n\n /**\n * Encode a string as UTF-8\n *\n * @param {string} input Input string\n * @returns {string} UTF8 string\n */\n function str2rstrUTF8(input) {\n return unescape(encodeURIComponent(input))\n }\n\n /**\n * Encodes input string as raw MD5 string\n *\n * @param {string} s Input string\n * @returns {string} Raw MD5 string\n */\n function rawMD5(s) {\n return rstrMD5(str2rstrUTF8(s))\n }\n /**\n * Encodes input string as Hex encoded string\n *\n * @param {string} s Input string\n * @returns {string} Hex encoded string\n */\n function hexMD5(s) {\n return rstr2hex(rawMD5(s))\n }\n /**\n * Calculates the raw HMAC-MD5 for the given key and data\n *\n * @param {string} k HMAC key\n * @param {string} d Input string\n * @returns {string} Raw MD5 string\n */\n function rawHMACMD5(k, d) {\n return rstrHMACMD5(str2rstrUTF8(k), str2rstrUTF8(d))\n }\n /**\n * Calculates the Hex encoded HMAC-MD5 for the given key and data\n *\n * @param {string} k HMAC key\n * @param {string} d Input string\n * @returns {string} Raw MD5 string\n */\n function hexHMACMD5(k, d) {\n return rstr2hex(rawHMACMD5(k, d))\n }\n\n /**\n * Calculates MD5 value for a given string.\n * If a key is provided, calculates the HMAC-MD5 value.\n * Returns a Hex encoded string unless the raw argument is given.\n *\n * @param {string} string Input string\n * @param {string} [key] HMAC key\n * @param {boolean} [raw] Raw output switch\n * @returns {string} MD5 output\n */\n function md5(string, key, raw) {\n if (!key) {\n if (!raw) {\n return hexMD5(string)\n }\n return rawMD5(string)\n }\n if (!raw) {\n return hexHMACMD5(key, string)\n }\n return rawHMACMD5(key, string)\n }\n\n if (typeof define === 'function' && define.amd) {\n define(function () {\n return md5\n })\n } else if (typeof module === 'object' && module.exports) {\n module.exports = md5\n } else {\n $.md5 = md5\n }\n})(this)\n","/*!\n * clipboard.js v2.0.11\n * https://clipboardjs.com/\n *\n * Licensed MIT © Zeno Rocha\n */\n(function webpackUniversalModuleDefinition(root, factory) {\n\tif(typeof exports === 'object' && typeof module === 'object')\n\t\tmodule.exports = factory();\n\telse if(typeof define === 'function' && define.amd)\n\t\tdefine([], factory);\n\telse if(typeof exports === 'object')\n\t\texports[\"ClipboardJS\"] = factory();\n\telse\n\t\troot[\"ClipboardJS\"] = factory();\n})(this, function() {\nreturn /******/ (function() { // webpackBootstrap\n/******/ \tvar __webpack_modules__ = ({\n\n/***/ 686:\n/***/ (function(__unused_webpack_module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n\n// EXPORTS\n__webpack_require__.d(__webpack_exports__, {\n \"default\": function() { return /* binding */ clipboard; }\n});\n\n// EXTERNAL MODULE: ./node_modules/tiny-emitter/index.js\nvar tiny_emitter = __webpack_require__(279);\nvar tiny_emitter_default = /*#__PURE__*/__webpack_require__.n(tiny_emitter);\n// EXTERNAL MODULE: ./node_modules/good-listener/src/listen.js\nvar listen = __webpack_require__(370);\nvar listen_default = /*#__PURE__*/__webpack_require__.n(listen);\n// EXTERNAL MODULE: ./node_modules/select/src/select.js\nvar src_select = __webpack_require__(817);\nvar select_default = /*#__PURE__*/__webpack_require__.n(src_select);\n;// CONCATENATED MODULE: ./src/common/command.js\n/**\n * Executes a given operation type.\n * @param {String} type\n * @return {Boolean}\n */\nfunction command(type) {\n try {\n return document.execCommand(type);\n } catch (err) {\n return false;\n }\n}\n;// CONCATENATED MODULE: ./src/actions/cut.js\n\n\n/**\n * Cut action wrapper.\n * @param {String|HTMLElement} target\n * @return {String}\n */\n\nvar ClipboardActionCut = function ClipboardActionCut(target) {\n var selectedText = select_default()(target);\n command('cut');\n return selectedText;\n};\n\n/* harmony default export */ var actions_cut = (ClipboardActionCut);\n;// CONCATENATED MODULE: ./src/common/create-fake-element.js\n/**\n * Creates a fake textarea element with a value.\n * @param {String} value\n * @return {HTMLElement}\n */\nfunction createFakeElement(value) {\n var isRTL = document.documentElement.getAttribute('dir') === 'rtl';\n var fakeElement = document.createElement('textarea'); // Prevent zooming on iOS\n\n fakeElement.style.fontSize = '12pt'; // Reset box model\n\n fakeElement.style.border = '0';\n fakeElement.style.padding = '0';\n fakeElement.style.margin = '0'; // Move element out of screen horizontally\n\n fakeElement.style.position = 'absolute';\n fakeElement.style[isRTL ? 'right' : 'left'] = '-9999px'; // Move element to the same position vertically\n\n var yPosition = window.pageYOffset || document.documentElement.scrollTop;\n fakeElement.style.top = \"\".concat(yPosition, \"px\");\n fakeElement.setAttribute('readonly', '');\n fakeElement.value = value;\n return fakeElement;\n}\n;// CONCATENATED MODULE: ./src/actions/copy.js\n\n\n\n/**\n * Create fake copy action wrapper using a fake element.\n * @param {String} target\n * @param {Object} options\n * @return {String}\n */\n\nvar fakeCopyAction = function fakeCopyAction(value, options) {\n var fakeElement = createFakeElement(value);\n options.container.appendChild(fakeElement);\n var selectedText = select_default()(fakeElement);\n command('copy');\n fakeElement.remove();\n return selectedText;\n};\n/**\n * Copy action wrapper.\n * @param {String|HTMLElement} target\n * @param {Object} options\n * @return {String}\n */\n\n\nvar ClipboardActionCopy = function ClipboardActionCopy(target) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {\n container: document.body\n };\n var selectedText = '';\n\n if (typeof target === 'string') {\n selectedText = fakeCopyAction(target, options);\n } else if (target instanceof HTMLInputElement && !['text', 'search', 'url', 'tel', 'password'].includes(target === null || target === void 0 ? void 0 : target.type)) {\n // If input type doesn't support `setSelectionRange`. Simulate it. https://developer.mozilla.org/en-US/docs/Web/API/HTMLInputElement/setSelectionRange\n selectedText = fakeCopyAction(target.value, options);\n } else {\n selectedText = select_default()(target);\n command('copy');\n }\n\n return selectedText;\n};\n\n/* harmony default export */ var actions_copy = (ClipboardActionCopy);\n;// CONCATENATED MODULE: ./src/actions/default.js\nfunction _typeof(obj) { \"@babel/helpers - typeof\"; if (typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }; } return _typeof(obj); }\n\n\n\n/**\n * Inner function which performs selection from either `text` or `target`\n * properties and then executes copy or cut operations.\n * @param {Object} options\n */\n\nvar ClipboardActionDefault = function ClipboardActionDefault() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n // Defines base properties passed from constructor.\n var _options$action = options.action,\n action = _options$action === void 0 ? 'copy' : _options$action,\n container = options.container,\n target = options.target,\n text = options.text; // Sets the `action` to be performed which can be either 'copy' or 'cut'.\n\n if (action !== 'copy' && action !== 'cut') {\n throw new Error('Invalid \"action\" value, use either \"copy\" or \"cut\"');\n } // Sets the `target` property using an element that will be have its content copied.\n\n\n if (target !== undefined) {\n if (target && _typeof(target) === 'object' && target.nodeType === 1) {\n if (action === 'copy' && target.hasAttribute('disabled')) {\n throw new Error('Invalid \"target\" attribute. Please use \"readonly\" instead of \"disabled\" attribute');\n }\n\n if (action === 'cut' && (target.hasAttribute('readonly') || target.hasAttribute('disabled'))) {\n throw new Error('Invalid \"target\" attribute. You can\\'t cut text from elements with \"readonly\" or \"disabled\" attributes');\n }\n } else {\n throw new Error('Invalid \"target\" value, use a valid Element');\n }\n } // Define selection strategy based on `text` property.\n\n\n if (text) {\n return actions_copy(text, {\n container: container\n });\n } // Defines which selection strategy based on `target` property.\n\n\n if (target) {\n return action === 'cut' ? actions_cut(target) : actions_copy(target, {\n container: container\n });\n }\n};\n\n/* harmony default export */ var actions_default = (ClipboardActionDefault);\n;// CONCATENATED MODULE: ./src/clipboard.js\nfunction clipboard_typeof(obj) { \"@babel/helpers - typeof\"; if (typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\") { clipboard_typeof = function _typeof(obj) { return typeof obj; }; } else { clipboard_typeof = function _typeof(obj) { return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }; } return clipboard_typeof(obj); }\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }\n\nfunction _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\nfunction _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\nfunction _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\nfunction _possibleConstructorReturn(self, call) { if (call && (clipboard_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } return _assertThisInitialized(self); }\n\nfunction _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\nfunction _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Date.prototype.toString.call(Reflect.construct(Date, [], function () {})); return true; } catch (e) { return false; } }\n\nfunction _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\n\n\n\n\n\n/**\n * Helper function to retrieve attribute value.\n * @param {String} suffix\n * @param {Element} element\n */\n\nfunction getAttributeValue(suffix, element) {\n var attribute = \"data-clipboard-\".concat(suffix);\n\n if (!element.hasAttribute(attribute)) {\n return;\n }\n\n return element.getAttribute(attribute);\n}\n/**\n * Base class which takes one or more elements, adds event listeners to them,\n * and instantiates a new `ClipboardAction` on each click.\n */\n\n\nvar Clipboard = /*#__PURE__*/function (_Emitter) {\n _inherits(Clipboard, _Emitter);\n\n var _super = _createSuper(Clipboard);\n\n /**\n * @param {String|HTMLElement|HTMLCollection|NodeList} trigger\n * @param {Object} options\n */\n function Clipboard(trigger, options) {\n var _this;\n\n _classCallCheck(this, Clipboard);\n\n _this = _super.call(this);\n\n _this.resolveOptions(options);\n\n _this.listenClick(trigger);\n\n return _this;\n }\n /**\n * Defines if attributes would be resolved using internal setter functions\n * or custom functions that were passed in the constructor.\n * @param {Object} options\n */\n\n\n _createClass(Clipboard, [{\n key: \"resolveOptions\",\n value: function resolveOptions() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n this.action = typeof options.action === 'function' ? options.action : this.defaultAction;\n this.target = typeof options.target === 'function' ? options.target : this.defaultTarget;\n this.text = typeof options.text === 'function' ? options.text : this.defaultText;\n this.container = clipboard_typeof(options.container) === 'object' ? options.container : document.body;\n }\n /**\n * Adds a click event listener to the passed trigger.\n * @param {String|HTMLElement|HTMLCollection|NodeList} trigger\n */\n\n }, {\n key: \"listenClick\",\n value: function listenClick(trigger) {\n var _this2 = this;\n\n this.listener = listen_default()(trigger, 'click', function (e) {\n return _this2.onClick(e);\n });\n }\n /**\n * Defines a new `ClipboardAction` on each click event.\n * @param {Event} e\n */\n\n }, {\n key: \"onClick\",\n value: function onClick(e) {\n var trigger = e.delegateTarget || e.currentTarget;\n var action = this.action(trigger) || 'copy';\n var text = actions_default({\n action: action,\n container: this.container,\n target: this.target(trigger),\n text: this.text(trigger)\n }); // Fires an event based on the copy operation result.\n\n this.emit(text ? 'success' : 'error', {\n action: action,\n text: text,\n trigger: trigger,\n clearSelection: function clearSelection() {\n if (trigger) {\n trigger.focus();\n }\n\n window.getSelection().removeAllRanges();\n }\n });\n }\n /**\n * Default `action` lookup function.\n * @param {Element} trigger\n */\n\n }, {\n key: \"defaultAction\",\n value: function defaultAction(trigger) {\n return getAttributeValue('action', trigger);\n }\n /**\n * Default `target` lookup function.\n * @param {Element} trigger\n */\n\n }, {\n key: \"defaultTarget\",\n value: function defaultTarget(trigger) {\n var selector = getAttributeValue('target', trigger);\n\n if (selector) {\n return document.querySelector(selector);\n }\n }\n /**\n * Allow fire programmatically a copy action\n * @param {String|HTMLElement} target\n * @param {Object} options\n * @returns Text copied.\n */\n\n }, {\n key: \"defaultText\",\n\n /**\n * Default `text` lookup function.\n * @param {Element} trigger\n */\n value: function defaultText(trigger) {\n return getAttributeValue('text', trigger);\n }\n /**\n * Destroy lifecycle.\n */\n\n }, {\n key: \"destroy\",\n value: function destroy() {\n this.listener.destroy();\n }\n }], [{\n key: \"copy\",\n value: function copy(target) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {\n container: document.body\n };\n return actions_copy(target, options);\n }\n /**\n * Allow fire programmatically a cut action\n * @param {String|HTMLElement} target\n * @returns Text cutted.\n */\n\n }, {\n key: \"cut\",\n value: function cut(target) {\n return actions_cut(target);\n }\n /**\n * Returns the support of the given action, or all actions if no action is\n * given.\n * @param {String} [action]\n */\n\n }, {\n key: \"isSupported\",\n value: function isSupported() {\n var action = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : ['copy', 'cut'];\n var actions = typeof action === 'string' ? [action] : action;\n var support = !!document.queryCommandSupported;\n actions.forEach(function (action) {\n support = support && !!document.queryCommandSupported(action);\n });\n return support;\n }\n }]);\n\n return Clipboard;\n}((tiny_emitter_default()));\n\n/* harmony default export */ var clipboard = (Clipboard);\n\n/***/ }),\n\n/***/ 828:\n/***/ (function(module) {\n\nvar DOCUMENT_NODE_TYPE = 9;\n\n/**\n * A polyfill for Element.matches()\n */\nif (typeof Element !== 'undefined' && !Element.prototype.matches) {\n var proto = Element.prototype;\n\n proto.matches = proto.matchesSelector ||\n proto.mozMatchesSelector ||\n proto.msMatchesSelector ||\n proto.oMatchesSelector ||\n proto.webkitMatchesSelector;\n}\n\n/**\n * Finds the closest parent that matches a selector.\n *\n * @param {Element} element\n * @param {String} selector\n * @return {Function}\n */\nfunction closest (element, selector) {\n while (element && element.nodeType !== DOCUMENT_NODE_TYPE) {\n if (typeof element.matches === 'function' &&\n element.matches(selector)) {\n return element;\n }\n element = element.parentNode;\n }\n}\n\nmodule.exports = closest;\n\n\n/***/ }),\n\n/***/ 438:\n/***/ (function(module, __unused_webpack_exports, __webpack_require__) {\n\nvar closest = __webpack_require__(828);\n\n/**\n * Delegates event to a selector.\n *\n * @param {Element} element\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @param {Boolean} useCapture\n * @return {Object}\n */\nfunction _delegate(element, selector, type, callback, useCapture) {\n var listenerFn = listener.apply(this, arguments);\n\n element.addEventListener(type, listenerFn, useCapture);\n\n return {\n destroy: function() {\n element.removeEventListener(type, listenerFn, useCapture);\n }\n }\n}\n\n/**\n * Delegates event to a selector.\n *\n * @param {Element|String|Array} [elements]\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @param {Boolean} useCapture\n * @return {Object}\n */\nfunction delegate(elements, selector, type, callback, useCapture) {\n // Handle the regular Element usage\n if (typeof elements.addEventListener === 'function') {\n return _delegate.apply(null, arguments);\n }\n\n // Handle Element-less usage, it defaults to global delegation\n if (typeof type === 'function') {\n // Use `document` as the first parameter, then apply arguments\n // This is a short way to .unshift `arguments` without running into deoptimizations\n return _delegate.bind(null, document).apply(null, arguments);\n }\n\n // Handle Selector-based usage\n if (typeof elements === 'string') {\n elements = document.querySelectorAll(elements);\n }\n\n // Handle Array-like based usage\n return Array.prototype.map.call(elements, function (element) {\n return _delegate(element, selector, type, callback, useCapture);\n });\n}\n\n/**\n * Finds closest match and invokes callback.\n *\n * @param {Element} element\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @return {Function}\n */\nfunction listener(element, selector, type, callback) {\n return function(e) {\n e.delegateTarget = closest(e.target, selector);\n\n if (e.delegateTarget) {\n callback.call(element, e);\n }\n }\n}\n\nmodule.exports = delegate;\n\n\n/***/ }),\n\n/***/ 879:\n/***/ (function(__unused_webpack_module, exports) {\n\n/**\n * Check if argument is a HTML element.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.node = function(value) {\n return value !== undefined\n && value instanceof HTMLElement\n && value.nodeType === 1;\n};\n\n/**\n * Check if argument is a list of HTML elements.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.nodeList = function(value) {\n var type = Object.prototype.toString.call(value);\n\n return value !== undefined\n && (type === '[object NodeList]' || type === '[object HTMLCollection]')\n && ('length' in value)\n && (value.length === 0 || exports.node(value[0]));\n};\n\n/**\n * Check if argument is a string.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.string = function(value) {\n return typeof value === 'string'\n || value instanceof String;\n};\n\n/**\n * Check if argument is a function.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.fn = function(value) {\n var type = Object.prototype.toString.call(value);\n\n return type === '[object Function]';\n};\n\n\n/***/ }),\n\n/***/ 370:\n/***/ (function(module, __unused_webpack_exports, __webpack_require__) {\n\nvar is = __webpack_require__(879);\nvar delegate = __webpack_require__(438);\n\n/**\n * Validates all params and calls the right\n * listener function based on its target type.\n *\n * @param {String|HTMLElement|HTMLCollection|NodeList} target\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listen(target, type, callback) {\n if (!target && !type && !callback) {\n throw new Error('Missing required arguments');\n }\n\n if (!is.string(type)) {\n throw new TypeError('Second argument must be a String');\n }\n\n if (!is.fn(callback)) {\n throw new TypeError('Third argument must be a Function');\n }\n\n if (is.node(target)) {\n return listenNode(target, type, callback);\n }\n else if (is.nodeList(target)) {\n return listenNodeList(target, type, callback);\n }\n else if (is.string(target)) {\n return listenSelector(target, type, callback);\n }\n else {\n throw new TypeError('First argument must be a String, HTMLElement, HTMLCollection, or NodeList');\n }\n}\n\n/**\n * Adds an event listener to a HTML element\n * and returns a remove listener function.\n *\n * @param {HTMLElement} node\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenNode(node, type, callback) {\n node.addEventListener(type, callback);\n\n return {\n destroy: function() {\n node.removeEventListener(type, callback);\n }\n }\n}\n\n/**\n * Add an event listener to a list of HTML elements\n * and returns a remove listener function.\n *\n * @param {NodeList|HTMLCollection} nodeList\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenNodeList(nodeList, type, callback) {\n Array.prototype.forEach.call(nodeList, function(node) {\n node.addEventListener(type, callback);\n });\n\n return {\n destroy: function() {\n Array.prototype.forEach.call(nodeList, function(node) {\n node.removeEventListener(type, callback);\n });\n }\n }\n}\n\n/**\n * Add an event listener to a selector\n * and returns a remove listener function.\n *\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenSelector(selector, type, callback) {\n return delegate(document.body, selector, type, callback);\n}\n\nmodule.exports = listen;\n\n\n/***/ }),\n\n/***/ 817:\n/***/ (function(module) {\n\nfunction select(element) {\n var selectedText;\n\n if (element.nodeName === 'SELECT') {\n element.focus();\n\n selectedText = element.value;\n }\n else if (element.nodeName === 'INPUT' || element.nodeName === 'TEXTAREA') {\n var isReadOnly = element.hasAttribute('readonly');\n\n if (!isReadOnly) {\n element.setAttribute('readonly', '');\n }\n\n element.select();\n element.setSelectionRange(0, element.value.length);\n\n if (!isReadOnly) {\n element.removeAttribute('readonly');\n }\n\n selectedText = element.value;\n }\n else {\n if (element.hasAttribute('contenteditable')) {\n element.focus();\n }\n\n var selection = window.getSelection();\n var range = document.createRange();\n\n range.selectNodeContents(element);\n selection.removeAllRanges();\n selection.addRange(range);\n\n selectedText = selection.toString();\n }\n\n return selectedText;\n}\n\nmodule.exports = select;\n\n\n/***/ }),\n\n/***/ 279:\n/***/ (function(module) {\n\nfunction E () {\n // Keep this empty so it's easier to inherit from\n // (via https://github.com/lipsmack from https://github.com/scottcorgan/tiny-emitter/issues/3)\n}\n\nE.prototype = {\n on: function (name, callback, ctx) {\n var e = this.e || (this.e = {});\n\n (e[name] || (e[name] = [])).push({\n fn: callback,\n ctx: ctx\n });\n\n return this;\n },\n\n once: function (name, callback, ctx) {\n var self = this;\n function listener () {\n self.off(name, listener);\n callback.apply(ctx, arguments);\n };\n\n listener._ = callback\n return this.on(name, listener, ctx);\n },\n\n emit: function (name) {\n var data = [].slice.call(arguments, 1);\n var evtArr = ((this.e || (this.e = {}))[name] || []).slice();\n var i = 0;\n var len = evtArr.length;\n\n for (i; i < len; i++) {\n evtArr[i].fn.apply(evtArr[i].ctx, data);\n }\n\n return this;\n },\n\n off: function (name, callback) {\n var e = this.e || (this.e = {});\n var evts = e[name];\n var liveEvents = [];\n\n if (evts && callback) {\n for (var i = 0, len = evts.length; i < len; i++) {\n if (evts[i].fn !== callback && evts[i].fn._ !== callback)\n liveEvents.push(evts[i]);\n }\n }\n\n // Remove event from queue to prevent memory leak\n // Suggested by https://github.com/lazd\n // Ref: https://github.com/scottcorgan/tiny-emitter/commit/c6ebfaa9bc973b33d110a84a307742b7cf94c953#commitcomment-5024910\n\n (liveEvents.length)\n ? e[name] = liveEvents\n : delete e[name];\n\n return this;\n }\n};\n\nmodule.exports = E;\nmodule.exports.TinyEmitter = E;\n\n\n/***/ })\n\n/******/ \t});\n/************************************************************************/\n/******/ \t// The module cache\n/******/ \tvar __webpack_module_cache__ = {};\n/******/ \t\n/******/ \t// The require function\n/******/ \tfunction __webpack_require__(moduleId) {\n/******/ \t\t// Check if module is in cache\n/******/ \t\tif(__webpack_module_cache__[moduleId]) {\n/******/ \t\t\treturn __webpack_module_cache__[moduleId].exports;\n/******/ \t\t}\n/******/ \t\t// Create a new module (and put it into the cache)\n/******/ \t\tvar module = __webpack_module_cache__[moduleId] = {\n/******/ \t\t\t// no module.id needed\n/******/ \t\t\t// no module.loaded needed\n/******/ \t\t\texports: {}\n/******/ \t\t};\n/******/ \t\n/******/ \t\t// Execute the module function\n/******/ \t\t__webpack_modules__[moduleId](module, module.exports, __webpack_require__);\n/******/ \t\n/******/ \t\t// Return the exports of the module\n/******/ \t\treturn module.exports;\n/******/ \t}\n/******/ \t\n/************************************************************************/\n/******/ \t/* webpack/runtime/compat get default export */\n/******/ \t!function() {\n/******/ \t\t// getDefaultExport function for compatibility with non-harmony modules\n/******/ \t\t__webpack_require__.n = function(module) {\n/******/ \t\t\tvar getter = module && module.__esModule ?\n/******/ \t\t\t\tfunction() { return module['default']; } :\n/******/ \t\t\t\tfunction() { return module; };\n/******/ \t\t\t__webpack_require__.d(getter, { a: getter });\n/******/ \t\t\treturn getter;\n/******/ \t\t};\n/******/ \t}();\n/******/ \t\n/******/ \t/* webpack/runtime/define property getters */\n/******/ \t!function() {\n/******/ \t\t// define getter functions for harmony exports\n/******/ \t\t__webpack_require__.d = function(exports, definition) {\n/******/ \t\t\tfor(var key in definition) {\n/******/ \t\t\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n/******/ \t\t\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n/******/ \t\t\t\t}\n/******/ \t\t\t}\n/******/ \t\t};\n/******/ \t}();\n/******/ \t\n/******/ \t/* webpack/runtime/hasOwnProperty shorthand */\n/******/ \t!function() {\n/******/ \t\t__webpack_require__.o = function(obj, prop) { return Object.prototype.hasOwnProperty.call(obj, prop); }\n/******/ \t}();\n/******/ \t\n/************************************************************************/\n/******/ \t// module exports must be returned from runtime so entry inlining is disabled\n/******/ \t// startup\n/******/ \t// Load entry module and return exports\n/******/ \treturn __webpack_require__(686);\n/******/ })()\n.default;\n});","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw==\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"images/ui-icons_444444_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_3___ = new URL(\"images/ui-icons_555555_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_4___ = new URL(\"images/ui-icons_ffffff_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_5___ = new URL(\"images/ui-icons_777620_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_6___ = new URL(\"images/ui-icons_cc0000_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_7___ = new URL(\"images/ui-icons_777777_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\nvar ___CSS_LOADER_URL_REPLACEMENT_3___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_3___);\nvar ___CSS_LOADER_URL_REPLACEMENT_4___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_4___);\nvar ___CSS_LOADER_URL_REPLACEMENT_5___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_5___);\nvar ___CSS_LOADER_URL_REPLACEMENT_6___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_6___);\nvar ___CSS_LOADER_URL_REPLACEMENT_7___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_7___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n/* Layout helpers\n----------------------------------*/\n.ui-helper-hidden {\n\tdisplay: none;\n}\n.ui-helper-hidden-accessible {\n\tborder: 0;\n\tclip: rect(0 0 0 0);\n\theight: 1px;\n\tmargin: -1px;\n\toverflow: hidden;\n\tpadding: 0;\n\tposition: absolute;\n\twidth: 1px;\n}\n.ui-helper-reset {\n\tmargin: 0;\n\tpadding: 0;\n\tborder: 0;\n\toutline: 0;\n\tline-height: 1.3;\n\ttext-decoration: none;\n\tfont-size: 100%;\n\tlist-style: none;\n}\n.ui-helper-clearfix:before,\n.ui-helper-clearfix:after {\n\tcontent: \"\";\n\tdisplay: table;\n\tborder-collapse: collapse;\n}\n.ui-helper-clearfix:after {\n\tclear: both;\n}\n.ui-helper-zfix {\n\twidth: 100%;\n\theight: 100%;\n\ttop: 0;\n\tleft: 0;\n\tposition: absolute;\n\topacity: 0;\n\t-ms-filter: \"alpha(opacity=0)\"; /* support: IE8 */\n}\n\n.ui-front {\n\tz-index: 100;\n}\n\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-disabled {\n\tcursor: default !important;\n\tpointer-events: none;\n}\n\n\n/* Icons\n----------------------------------*/\n.ui-icon {\n\tdisplay: inline-block;\n\tvertical-align: middle;\n\tmargin-top: -.25em;\n\tposition: relative;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n}\n\n.ui-widget-icon-block {\n\tleft: 50%;\n\tmargin-left: -8px;\n\tdisplay: block;\n}\n\n/* Misc visuals\n----------------------------------*/\n\n/* Overlays */\n.ui-widget-overlay {\n\tposition: fixed;\n\ttop: 0;\n\tleft: 0;\n\twidth: 100%;\n\theight: 100%;\n}\n.ui-accordion .ui-accordion-header {\n\tdisplay: block;\n\tcursor: pointer;\n\tposition: relative;\n\tmargin: 2px 0 0 0;\n\tpadding: .5em .5em .5em .7em;\n\tfont-size: 100%;\n}\n.ui-accordion .ui-accordion-content {\n\tpadding: 1em 2.2em;\n\tborder-top: 0;\n\toverflow: auto;\n}\n.ui-autocomplete {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tcursor: default;\n}\n.ui-menu {\n\tlist-style: none;\n\tpadding: 0;\n\tmargin: 0;\n\tdisplay: block;\n\toutline: 0;\n}\n.ui-menu .ui-menu {\n\tposition: absolute;\n}\n.ui-menu .ui-menu-item {\n\tmargin: 0;\n\tcursor: pointer;\n\t/* support: IE10, see #8844 */\n\tlist-style-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n}\n.ui-menu .ui-menu-item-wrapper {\n\tposition: relative;\n\tpadding: 3px 1em 3px .4em;\n}\n.ui-menu .ui-menu-divider {\n\tmargin: 5px 0;\n\theight: 0;\n\tfont-size: 0;\n\tline-height: 0;\n\tborder-width: 1px 0 0 0;\n}\n.ui-menu .ui-state-focus,\n.ui-menu .ui-state-active {\n\tmargin: -1px;\n}\n\n/* icon support */\n.ui-menu-icons {\n\tposition: relative;\n}\n.ui-menu-icons .ui-menu-item-wrapper {\n\tpadding-left: 2em;\n}\n\n/* left-aligned */\n.ui-menu .ui-icon {\n\tposition: absolute;\n\ttop: 0;\n\tbottom: 0;\n\tleft: .2em;\n\tmargin: auto 0;\n}\n\n/* right-aligned */\n.ui-menu .ui-menu-icon {\n\tleft: auto;\n\tright: 0;\n}\n.ui-button {\n\tpadding: .4em 1em;\n\tdisplay: inline-block;\n\tposition: relative;\n\tline-height: normal;\n\tmargin-right: .1em;\n\tcursor: pointer;\n\tvertical-align: middle;\n\ttext-align: center;\n\t-webkit-user-select: none;\n\t-moz-user-select: none;\n\t-ms-user-select: none;\n\tuser-select: none;\n\n\t/* Support: IE <= 11 */\n\toverflow: visible;\n}\n\n.ui-button,\n.ui-button:link,\n.ui-button:visited,\n.ui-button:hover,\n.ui-button:active {\n\ttext-decoration: none;\n}\n\n/* to make room for the icon, a width needs to be set here */\n.ui-button-icon-only {\n\twidth: 2em;\n\tbox-sizing: border-box;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n}\n\n/* no icon support for input elements */\ninput.ui-button.ui-button-icon-only {\n\ttext-indent: 0;\n}\n\n/* button icon element(s) */\n.ui-button-icon-only .ui-icon {\n\tposition: absolute;\n\ttop: 50%;\n\tleft: 50%;\n\tmargin-top: -8px;\n\tmargin-left: -8px;\n}\n\n.ui-button.ui-icon-notext .ui-icon {\n\tpadding: 0;\n\twidth: 2.1em;\n\theight: 2.1em;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n\n}\n\ninput.ui-button.ui-icon-notext .ui-icon {\n\twidth: auto;\n\theight: auto;\n\ttext-indent: 0;\n\twhite-space: normal;\n\tpadding: .4em 1em;\n}\n\n/* workarounds */\n/* Support: Firefox 5 - 40 */\ninput.ui-button::-moz-focus-inner,\nbutton.ui-button::-moz-focus-inner {\n\tborder: 0;\n\tpadding: 0;\n}\n.ui-controlgroup {\n\tvertical-align: middle;\n\tdisplay: inline-block;\n}\n.ui-controlgroup > .ui-controlgroup-item {\n\tfloat: left;\n\tmargin-left: 0;\n\tmargin-right: 0;\n}\n.ui-controlgroup > .ui-controlgroup-item:focus,\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\n\tz-index: 9999;\n}\n.ui-controlgroup-vertical > .ui-controlgroup-item {\n\tdisplay: block;\n\tfloat: none;\n\twidth: 100%;\n\tmargin-top: 0;\n\tmargin-bottom: 0;\n\ttext-align: left;\n}\n.ui-controlgroup-vertical .ui-controlgroup-item {\n\tbox-sizing: border-box;\n}\n.ui-controlgroup .ui-controlgroup-label {\n\tpadding: .4em 1em;\n}\n.ui-controlgroup .ui-controlgroup-label span {\n\tfont-size: 80%;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-left: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-top: none;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\n\tborder-right: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\n\tborder-bottom: none;\n}\n\n/* Spinner specific style fixes */\n.ui-controlgroup-vertical .ui-spinner-input {\n\n\t/* Support: IE8 only, Android < 4.4 only */\n\twidth: 75%;\n\twidth: calc( 100% - 2.4em );\n}\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\n\tborder-top-style: solid;\n}\n\n.ui-checkboxradio-label .ui-icon-background {\n\tbox-shadow: inset 1px 1px 1px #ccc;\n\tborder-radius: .12em;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label .ui-icon-background {\n\twidth: 16px;\n\theight: 16px;\n\tborder-radius: 1em;\n\toverflow: visible;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\n\tbackground-image: none;\n\twidth: 8px;\n\theight: 8px;\n\tborder-width: 4px;\n\tborder-style: solid;\n}\n.ui-checkboxradio-disabled {\n\tpointer-events: none;\n}\n.ui-datepicker {\n\twidth: 17em;\n\tpadding: .2em .2em 0;\n\tdisplay: none;\n}\n.ui-datepicker .ui-datepicker-header {\n\tposition: relative;\n\tpadding: .2em 0;\n}\n.ui-datepicker .ui-datepicker-prev,\n.ui-datepicker .ui-datepicker-next {\n\tposition: absolute;\n\ttop: 2px;\n\twidth: 1.8em;\n\theight: 1.8em;\n}\n.ui-datepicker .ui-datepicker-prev-hover,\n.ui-datepicker .ui-datepicker-next-hover {\n\ttop: 1px;\n}\n.ui-datepicker .ui-datepicker-prev {\n\tleft: 2px;\n}\n.ui-datepicker .ui-datepicker-next {\n\tright: 2px;\n}\n.ui-datepicker .ui-datepicker-prev-hover {\n\tleft: 1px;\n}\n.ui-datepicker .ui-datepicker-next-hover {\n\tright: 1px;\n}\n.ui-datepicker .ui-datepicker-prev span,\n.ui-datepicker .ui-datepicker-next span {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 50%;\n\tmargin-left: -8px;\n\ttop: 50%;\n\tmargin-top: -8px;\n}\n.ui-datepicker .ui-datepicker-title {\n\tmargin: 0 2.3em;\n\tline-height: 1.8em;\n\ttext-align: center;\n}\n.ui-datepicker .ui-datepicker-title select {\n\tfont-size: 1em;\n\tmargin: 1px 0;\n}\n.ui-datepicker select.ui-datepicker-month,\n.ui-datepicker select.ui-datepicker-year {\n\twidth: 45%;\n}\n.ui-datepicker table {\n\twidth: 100%;\n\tfont-size: .9em;\n\tborder-collapse: collapse;\n\tmargin: 0 0 .4em;\n}\n.ui-datepicker th {\n\tpadding: .7em .3em;\n\ttext-align: center;\n\tfont-weight: bold;\n\tborder: 0;\n}\n.ui-datepicker td {\n\tborder: 0;\n\tpadding: 1px;\n}\n.ui-datepicker td span,\n.ui-datepicker td a {\n\tdisplay: block;\n\tpadding: .2em;\n\ttext-align: right;\n\ttext-decoration: none;\n}\n.ui-datepicker .ui-datepicker-buttonpane {\n\tbackground-image: none;\n\tmargin: .7em 0 0 0;\n\tpadding: 0 .2em;\n\tborder-left: 0;\n\tborder-right: 0;\n\tborder-bottom: 0;\n}\n.ui-datepicker .ui-datepicker-buttonpane button {\n\tfloat: right;\n\tmargin: .5em .2em .4em;\n\tcursor: pointer;\n\tpadding: .2em .6em .3em .6em;\n\twidth: auto;\n\toverflow: visible;\n}\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\n\tfloat: left;\n}\n\n/* with multiple calendars */\n.ui-datepicker.ui-datepicker-multi {\n\twidth: auto;\n}\n.ui-datepicker-multi .ui-datepicker-group {\n\tfloat: left;\n}\n.ui-datepicker-multi .ui-datepicker-group table {\n\twidth: 95%;\n\tmargin: 0 auto .4em;\n}\n.ui-datepicker-multi-2 .ui-datepicker-group {\n\twidth: 50%;\n}\n.ui-datepicker-multi-3 .ui-datepicker-group {\n\twidth: 33.3%;\n}\n.ui-datepicker-multi-4 .ui-datepicker-group {\n\twidth: 25%;\n}\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-left-width: 0;\n}\n.ui-datepicker-multi .ui-datepicker-buttonpane {\n\tclear: left;\n}\n.ui-datepicker-row-break {\n\tclear: both;\n\twidth: 100%;\n\tfont-size: 0;\n}\n\n/* RTL support */\n.ui-datepicker-rtl {\n\tdirection: rtl;\n}\n.ui-datepicker-rtl .ui-datepicker-prev {\n\tright: 2px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next {\n\tleft: 2px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\n\tright: 1px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next:hover {\n\tleft: 1px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\n\tclear: right;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\n\tfloat: left;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\n.ui-datepicker-rtl .ui-datepicker-group {\n\tfloat: right;\n}\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-right-width: 0;\n\tborder-left-width: 1px;\n}\n\n/* Icons */\n.ui-datepicker .ui-icon {\n\tdisplay: block;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n\tleft: .5em;\n\ttop: .3em;\n}\n.ui-dialog {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tpadding: .2em;\n\toutline: 0;\n}\n.ui-dialog .ui-dialog-titlebar {\n\tpadding: .4em 1em;\n\tposition: relative;\n}\n.ui-dialog .ui-dialog-title {\n\tfloat: left;\n\tmargin: .1em 0;\n\twhite-space: nowrap;\n\twidth: 90%;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-dialog .ui-dialog-titlebar-close {\n\tposition: absolute;\n\tright: .3em;\n\ttop: 50%;\n\twidth: 20px;\n\tmargin: -10px 0 0 0;\n\tpadding: 1px;\n\theight: 20px;\n}\n.ui-dialog .ui-dialog-content {\n\tposition: relative;\n\tborder: 0;\n\tpadding: .5em 1em;\n\tbackground: none;\n\toverflow: auto;\n}\n.ui-dialog .ui-dialog-buttonpane {\n\ttext-align: left;\n\tborder-width: 1px 0 0 0;\n\tbackground-image: none;\n\tmargin-top: .5em;\n\tpadding: .3em 1em .5em .4em;\n}\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\n\tfloat: right;\n}\n.ui-dialog .ui-dialog-buttonpane button {\n\tmargin: .5em .4em .5em 0;\n\tcursor: pointer;\n}\n.ui-dialog .ui-resizable-n {\n\theight: 2px;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-e {\n\twidth: 2px;\n\tright: 0;\n}\n.ui-dialog .ui-resizable-s {\n\theight: 2px;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-w {\n\twidth: 2px;\n\tleft: 0;\n}\n.ui-dialog .ui-resizable-se,\n.ui-dialog .ui-resizable-sw,\n.ui-dialog .ui-resizable-ne,\n.ui-dialog .ui-resizable-nw {\n\twidth: 7px;\n\theight: 7px;\n}\n.ui-dialog .ui-resizable-se {\n\tright: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-sw {\n\tleft: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-ne {\n\tright: 0;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-nw {\n\tleft: 0;\n\ttop: 0;\n}\n.ui-draggable .ui-dialog-titlebar {\n\tcursor: move;\n}\n.ui-draggable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable {\n\tposition: relative;\n}\n.ui-resizable-handle {\n\tposition: absolute;\n\tfont-size: 0.1px;\n\tdisplay: block;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable-disabled .ui-resizable-handle,\n.ui-resizable-autohide .ui-resizable-handle {\n\tdisplay: none;\n}\n.ui-resizable-n {\n\tcursor: n-resize;\n\theight: 7px;\n\twidth: 100%;\n\ttop: -5px;\n\tleft: 0;\n}\n.ui-resizable-s {\n\tcursor: s-resize;\n\theight: 7px;\n\twidth: 100%;\n\tbottom: -5px;\n\tleft: 0;\n}\n.ui-resizable-e {\n\tcursor: e-resize;\n\twidth: 7px;\n\tright: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-w {\n\tcursor: w-resize;\n\twidth: 7px;\n\tleft: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-se {\n\tcursor: se-resize;\n\twidth: 12px;\n\theight: 12px;\n\tright: 1px;\n\tbottom: 1px;\n}\n.ui-resizable-sw {\n\tcursor: sw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\tbottom: -5px;\n}\n.ui-resizable-nw {\n\tcursor: nw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\ttop: -5px;\n}\n.ui-resizable-ne {\n\tcursor: ne-resize;\n\twidth: 9px;\n\theight: 9px;\n\tright: -5px;\n\ttop: -5px;\n}\n.ui-progressbar {\n\theight: 2em;\n\ttext-align: left;\n\toverflow: hidden;\n}\n.ui-progressbar .ui-progressbar-value {\n\tmargin: -1px;\n\theight: 100%;\n}\n.ui-progressbar .ui-progressbar-overlay {\n\tbackground: url(${___CSS_LOADER_URL_REPLACEMENT_1___});\n\theight: 100%;\n\t-ms-filter: \"alpha(opacity=25)\"; /* support: IE8 */\n\topacity: 0.25;\n}\n.ui-progressbar-indeterminate .ui-progressbar-value {\n\tbackground-image: none;\n}\n.ui-selectable {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-selectable-helper {\n\tposition: absolute;\n\tz-index: 100;\n\tborder: 1px dotted black;\n}\n.ui-selectmenu-menu {\n\tpadding: 0;\n\tmargin: 0;\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tdisplay: none;\n}\n.ui-selectmenu-menu .ui-menu {\n\toverflow: auto;\n\toverflow-x: hidden;\n\tpadding-bottom: 1px;\n}\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\n\tfont-size: 1em;\n\tfont-weight: bold;\n\tline-height: 1.5;\n\tpadding: 2px 0.4em;\n\tmargin: 0.5em 0 0 0;\n\theight: auto;\n\tborder: 0;\n}\n.ui-selectmenu-open {\n\tdisplay: block;\n}\n.ui-selectmenu-text {\n\tdisplay: block;\n\tmargin-right: 20px;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-selectmenu-button.ui-button {\n\ttext-align: left;\n\twhite-space: nowrap;\n\twidth: 14em;\n}\n.ui-selectmenu-icon.ui-icon {\n\tfloat: right;\n\tmargin-top: 0;\n}\n.ui-slider {\n\tposition: relative;\n\ttext-align: left;\n}\n.ui-slider .ui-slider-handle {\n\tposition: absolute;\n\tz-index: 2;\n\twidth: 1.2em;\n\theight: 1.2em;\n\tcursor: pointer;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-slider .ui-slider-range {\n\tposition: absolute;\n\tz-index: 1;\n\tfont-size: .7em;\n\tdisplay: block;\n\tborder: 0;\n\tbackground-position: 0 0;\n}\n\n/* support: IE8 - See #6727 */\n.ui-slider.ui-state-disabled .ui-slider-handle,\n.ui-slider.ui-state-disabled .ui-slider-range {\n\tfilter: inherit;\n}\n\n.ui-slider-horizontal {\n\theight: .8em;\n}\n.ui-slider-horizontal .ui-slider-handle {\n\ttop: -.3em;\n\tmargin-left: -.6em;\n}\n.ui-slider-horizontal .ui-slider-range {\n\ttop: 0;\n\theight: 100%;\n}\n.ui-slider-horizontal .ui-slider-range-min {\n\tleft: 0;\n}\n.ui-slider-horizontal .ui-slider-range-max {\n\tright: 0;\n}\n\n.ui-slider-vertical {\n\twidth: .8em;\n\theight: 100px;\n}\n.ui-slider-vertical .ui-slider-handle {\n\tleft: -.3em;\n\tmargin-left: 0;\n\tmargin-bottom: -.6em;\n}\n.ui-slider-vertical .ui-slider-range {\n\tleft: 0;\n\twidth: 100%;\n}\n.ui-slider-vertical .ui-slider-range-min {\n\tbottom: 0;\n}\n.ui-slider-vertical .ui-slider-range-max {\n\ttop: 0;\n}\n.ui-sortable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-spinner {\n\tposition: relative;\n\tdisplay: inline-block;\n\toverflow: hidden;\n\tpadding: 0;\n\tvertical-align: middle;\n}\n.ui-spinner-input {\n\tborder: none;\n\tbackground: none;\n\tcolor: inherit;\n\tpadding: .222em 0;\n\tmargin: .2em 0;\n\tvertical-align: middle;\n\tmargin-left: .4em;\n\tmargin-right: 2em;\n}\n.ui-spinner-button {\n\twidth: 1.6em;\n\theight: 50%;\n\tfont-size: .5em;\n\tpadding: 0;\n\tmargin: 0;\n\ttext-align: center;\n\tposition: absolute;\n\tcursor: default;\n\tdisplay: block;\n\toverflow: hidden;\n\tright: 0;\n}\n/* more specificity required here to override default borders */\n.ui-spinner a.ui-spinner-button {\n\tborder-top-style: none;\n\tborder-bottom-style: none;\n\tborder-right-style: none;\n}\n.ui-spinner-up {\n\ttop: 0;\n}\n.ui-spinner-down {\n\tbottom: 0;\n}\n.ui-tabs {\n\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as \"fixed\") */\n\tpadding: .2em;\n}\n.ui-tabs .ui-tabs-nav {\n\tmargin: 0;\n\tpadding: .2em .2em 0;\n}\n.ui-tabs .ui-tabs-nav li {\n\tlist-style: none;\n\tfloat: left;\n\tposition: relative;\n\ttop: 0;\n\tmargin: 1px .2em 0 0;\n\tborder-bottom-width: 0;\n\tpadding: 0;\n\twhite-space: nowrap;\n}\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\n\tfloat: left;\n\tpadding: .5em 1em;\n\ttext-decoration: none;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\n\tmargin-bottom: -1px;\n\tpadding-bottom: 1px;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\n\tcursor: text;\n}\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\n\tcursor: pointer;\n}\n.ui-tabs .ui-tabs-panel {\n\tdisplay: block;\n\tborder-width: 0;\n\tpadding: 1em 1.4em;\n\tbackground: none;\n}\n.ui-tooltip {\n\tpadding: 8px;\n\tposition: absolute;\n\tz-index: 9999;\n\tmax-width: 300px;\n}\nbody .ui-tooltip {\n\tborder-width: 2px;\n}\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: \"alpha(opacity=70)\"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_3___});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_4___});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_5___});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_6___});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_7___});\n}\n\n/* positioning */\n/* Three classes needed to override \\`.ui-button:hover .ui-icon\\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: \"alpha(opacity=.3)\"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/jquery-ui-dist/jquery-ui.css\"],\"names\":[],\"mappings\":\"AAAA;;;;oEAIoE;;AAEpE;mCACmC;AACnC;CACC,aAAa;AACd;AACA;CACC,SAAS;CACT,mBAAmB;CACnB,WAAW;CACX,YAAY;CACZ,gBAAgB;CAChB,UAAU;CACV,kBAAkB;CAClB,UAAU;AACX;AACA;CACC,SAAS;CACT,UAAU;CACV,SAAS;CACT,UAAU;CACV,gBAAgB;CAChB,qBAAqB;CACrB,eAAe;CACf,gBAAgB;AACjB;AACA;;CAEC,WAAW;CACX,cAAc;CACd,yBAAyB;AAC1B;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,YAAY;CACZ,MAAM;CACN,OAAO;CACP,kBAAkB;CAClB,UAAU;CACV,8BAA8B,EAAE,iBAAiB;AAClD;;AAEA;CACC,YAAY;AACb;;;AAGA;mCACmC;AACnC;CACC,0BAA0B;CAC1B,oBAAoB;AACrB;;;AAGA;mCACmC;AACnC;CACC,qBAAqB;CACrB,sBAAsB;CACtB,kBAAkB;CAClB,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;AAC7B;;AAEA;CACC,SAAS;CACT,iBAAiB;CACjB,cAAc;AACf;;AAEA;mCACmC;;AAEnC,aAAa;AACb;CACC,eAAe;CACf,MAAM;CACN,OAAO;CACP,WAAW;CACX,YAAY;AACb;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,iBAAiB;CACjB,4BAA4B;CAC5B,eAAe;AAChB;AACA;CACC,kBAAkB;CAClB,aAAa;CACb,cAAc;AACf;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,eAAe;AAChB;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,SAAS;CACT,cAAc;CACd,UAAU;AACX;AACA;CACC,kBAAkB;AACnB;AACA;CACC,SAAS;CACT,eAAe;CACf,6BAA6B;CAC7B,yDAAuG;AACxG;AACA;CACC,kBAAkB;CAClB,yBAAyB;AAC1B;AACA;CACC,aAAa;CACb,SAAS;CACT,YAAY;CACZ,cAAc;CACd,uBAAuB;AACxB;AACA;;CAEC,YAAY;AACb;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;AACnB;AACA;CACC,iBAAiB;AAClB;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;CAClB,MAAM;CACN,SAAS;CACT,UAAU;CACV,cAAc;AACf;;AAEA,kBAAkB;AAClB;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,iBAAiB;CACjB,qBAAqB;CACrB,kBAAkB;CAClB,mBAAmB;CACnB,kBAAkB;CAClB,eAAe;CACf,sBAAsB;CACtB,kBAAkB;CAClB,yBAAyB;CACzB,sBAAsB;CACtB,qBAAqB;CACrB,iBAAiB;;CAEjB,sBAAsB;CACtB,iBAAiB;AAClB;;AAEA;;;;;CAKC,qBAAqB;AACtB;;AAEA,4DAA4D;AAC5D;CACC,UAAU;CACV,sBAAsB;CACtB,oBAAoB;CACpB,mBAAmB;AACpB;;AAEA,uCAAuC;AACvC;CACC,cAAc;AACf;;AAEA,2BAA2B;AAC3B;CACC,kBAAkB;CAClB,QAAQ;CACR,SAAS;CACT,gBAAgB;CAChB,iBAAiB;AAClB;;AAEA;CACC,UAAU;CACV,YAAY;CACZ,aAAa;CACb,oBAAoB;CACpB,mBAAmB;;AAEpB;;AAEA;CACC,WAAW;CACX,YAAY;CACZ,cAAc;CACd,mBAAmB;CACnB,iBAAiB;AAClB;;AAEA,gBAAgB;AAChB,4BAA4B;AAC5B;;CAEC,SAAS;CACT,UAAU;AACX;AACA;CACC,sBAAsB;CACtB,qBAAqB;AACtB;AACA;CACC,WAAW;CACX,cAAc;CACd,eAAe;AAChB;AACA;;CAEC,aAAa;AACd;AACA;CACC,cAAc;CACd,WAAW;CACX,WAAW;CACX,aAAa;CACb,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;AACA;CACC,iBAAiB;AAClB;AACA;CACC,gBAAgB;AACjB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,mBAAmB;AACpB;;AAEA,iCAAiC;AACjC;;CAEC,0CAA0C;CAC1C,UAAU;CACV,2BAA2B;AAC5B;AACA;CACC,uBAAuB;AACxB;;AAEA;CACC,kCAAkC;CAClC,oBAAoB;CACpB,YAAY;AACb;AACA;CACC,WAAW;CACX,YAAY;CACZ,kBAAkB;CAClB,iBAAiB;CACjB,YAAY;AACb;AACA;;CAEC,sBAAsB;CACtB,UAAU;CACV,WAAW;CACX,iBAAiB;CACjB,mBAAmB;AACpB;AACA;CACC,oBAAoB;AACrB;AACA;CACC,WAAW;CACX,oBAAoB;CACpB,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,eAAe;AAChB;AACA;;CAEC,kBAAkB;CAClB,QAAQ;CACR,YAAY;CACZ,aAAa;AACd;AACA;;CAEC,QAAQ;AACT;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;;CAEC,cAAc;CACd,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,QAAQ;CACR,gBAAgB;AACjB;AACA;CACC,eAAe;CACf,kBAAkB;CAClB,kBAAkB;AACnB;AACA;CACC,cAAc;CACd,aAAa;AACd;AACA;;CAEC,UAAU;AACX;AACA;CACC,WAAW;CACX,eAAe;CACf,yBAAyB;CACzB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,kBAAkB;CAClB,iBAAiB;CACjB,SAAS;AACV;AACA;CACC,SAAS;CACT,YAAY;AACb;AACA;;CAEC,cAAc;CACd,aAAa;CACb,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,sBAAsB;CACtB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,eAAe;CACf,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,sBAAsB;CACtB,eAAe;CACf,4BAA4B;CAC5B,WAAW;CACX,iBAAiB;AAClB;AACA;CACC,WAAW;AACZ;;AAEA,4BAA4B;AAC5B;CACC,WAAW;AACZ;AACA;CACC,WAAW;AACZ;AACA;CACC,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,UAAU;AACX;AACA;CACC,YAAY;AACb;AACA;CACC,UAAU;AACX;AACA;;CAEC,oBAAoB;AACrB;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,WAAW;CACX,YAAY;AACb;;AAEA,gBAAgB;AAChB;CACC,cAAc;AACf;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,YAAY;AACb;AACA;CACC,WAAW;AACZ;AACA;;CAEC,YAAY;AACb;AACA;;CAEC,qBAAqB;CACrB,sBAAsB;AACvB;;AAEA,UAAU;AACV;CACC,cAAc;CACd,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;CAC5B,UAAU;CACV,SAAS;AACV;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;CACb,UAAU;AACX;AACA;CACC,iBAAiB;CACjB,kBAAkB;AACnB;AACA;CACC,WAAW;CACX,cAAc;CACd,mBAAmB;CACnB,UAAU;CACV,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,kBAAkB;CAClB,WAAW;CACX,QAAQ;CACR,WAAW;CACX,mBAAmB;CACnB,YAAY;CACZ,YAAY;AACb;AACA;CACC,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,gBAAgB;CAChB,cAAc;AACf;AACA;CACC,gBAAgB;CAChB,uBAAuB;CACvB,sBAAsB;CACtB,gBAAgB;CAChB,2BAA2B;AAC5B;AACA;CACC,YAAY;AACb;AACA;CACC,wBAAwB;CACxB,eAAe;AAChB;AACA;CACC,WAAW;CACX,MAAM;AACP;AACA;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,WAAW;CACX,SAAS;AACV;AACA;CACC,UAAU;CACV,OAAO;AACR;AACA;;;;CAIC,UAAU;CACV,WAAW;AACZ;AACA;CACC,QAAQ;CACR,SAAS;AACV;AACA;CACC,OAAO;CACP,SAAS;AACV;AACA;CACC,QAAQ;CACR,MAAM;AACP;AACA;CACC,OAAO;CACP,MAAM;AACP;AACA;CACC,YAAY;AACb;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,gBAAgB;CAChB,cAAc;CACd,sBAAsB;CACtB,kBAAkB;AACnB;AACA;;CAEC,aAAa;AACd;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,SAAS;CACT,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,YAAY;CACZ,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,WAAW;CACX,MAAM;CACN,YAAY;AACb;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,UAAU;CACV,MAAM;CACN,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,WAAW;CACX,YAAY;CACZ,UAAU;CACV,WAAW;AACZ;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,SAAS;AACV;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,WAAW;CACX,SAAS;AACV;AACA;CACC,WAAW;CACX,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,YAAY;AACb;AACA;CACC,mDAAyzE;CACzzE,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,aAAa;AACd;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,YAAY;CACZ,wBAAwB;AACzB;AACA;CACC,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;AACd;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,mBAAmB;AACpB;AACA;CACC,cAAc;CACd,iBAAiB;CACjB,gBAAgB;CAChB,kBAAkB;CAClB,mBAAmB;CACnB,YAAY;CACZ,SAAS;AACV;AACA;CACC,cAAc;AACf;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,gBAAgB;CAChB,mBAAmB;CACnB,WAAW;AACZ;AACA;CACC,YAAY;CACZ,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,YAAY;CACZ,aAAa;CACb,eAAe;CACf,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,eAAe;CACf,cAAc;CACd,SAAS;CACT,wBAAwB;AACzB;;AAEA,6BAA6B;AAC7B;;CAEC,eAAe;AAChB;;AAEA;CACC,YAAY;AACb;AACA;CACC,UAAU;CACV,kBAAkB;AACnB;AACA;CACC,MAAM;CACN,YAAY;AACb;AACA;CACC,OAAO;AACR;AACA;CACC,QAAQ;AACT;;AAEA;CACC,WAAW;CACX,aAAa;AACd;AACA;CACC,WAAW;CACX,cAAc;CACd,oBAAoB;AACrB;AACA;CACC,OAAO;CACP,WAAW;AACZ;AACA;CACC,SAAS;AACV;AACA;CACC,MAAM;AACP;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,UAAU;CACV,sBAAsB;AACvB;AACA;CACC,YAAY;CACZ,gBAAgB;CAChB,cAAc;CACd,iBAAiB;CACjB,cAAc;CACd,sBAAsB;CACtB,iBAAiB;CACjB,iBAAiB;AAClB;AACA;CACC,YAAY;CACZ,WAAW;CACX,eAAe;CACf,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,gBAAgB;CAChB,QAAQ;AACT;AACA,+DAA+D;AAC/D;CACC,sBAAsB;CACtB,yBAAyB;CACzB,wBAAwB;AACzB;AACA;CACC,MAAM;AACP;AACA;CACC,SAAS;AACV;AACA;CACC,kBAAkB,CAAC,uIAAuI;CAC1J,aAAa;AACd;AACA;CACC,SAAS;CACT,oBAAoB;AACrB;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,kBAAkB;CAClB,MAAM;CACN,oBAAoB;CACpB,sBAAsB;CACtB,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,WAAW;CACX,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,mBAAmB;CACnB,mBAAmB;AACpB;AACA;;;CAGC,YAAY;AACb;AACA;CACC,eAAe;AAChB;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,kBAAkB;CAClB,aAAa;CACb,gBAAgB;AACjB;AACA;CACC,iBAAiB;AAClB;;AAEA;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC\",\"sourcesContent\":[\"/*! jQuery UI - v1.13.3 - 2024-04-26\\n* https://jqueryui.com\\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\\n\\n/* Layout helpers\\n----------------------------------*/\\n.ui-helper-hidden {\\n\\tdisplay: none;\\n}\\n.ui-helper-hidden-accessible {\\n\\tborder: 0;\\n\\tclip: rect(0 0 0 0);\\n\\theight: 1px;\\n\\tmargin: -1px;\\n\\toverflow: hidden;\\n\\tpadding: 0;\\n\\tposition: absolute;\\n\\twidth: 1px;\\n}\\n.ui-helper-reset {\\n\\tmargin: 0;\\n\\tpadding: 0;\\n\\tborder: 0;\\n\\toutline: 0;\\n\\tline-height: 1.3;\\n\\ttext-decoration: none;\\n\\tfont-size: 100%;\\n\\tlist-style: none;\\n}\\n.ui-helper-clearfix:before,\\n.ui-helper-clearfix:after {\\n\\tcontent: \\\"\\\";\\n\\tdisplay: table;\\n\\tborder-collapse: collapse;\\n}\\n.ui-helper-clearfix:after {\\n\\tclear: both;\\n}\\n.ui-helper-zfix {\\n\\twidth: 100%;\\n\\theight: 100%;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tposition: absolute;\\n\\topacity: 0;\\n\\t-ms-filter: \\\"alpha(opacity=0)\\\"; /* support: IE8 */\\n}\\n\\n.ui-front {\\n\\tz-index: 100;\\n}\\n\\n\\n/* Interaction Cues\\n----------------------------------*/\\n.ui-state-disabled {\\n\\tcursor: default !important;\\n\\tpointer-events: none;\\n}\\n\\n\\n/* Icons\\n----------------------------------*/\\n.ui-icon {\\n\\tdisplay: inline-block;\\n\\tvertical-align: middle;\\n\\tmargin-top: -.25em;\\n\\tposition: relative;\\n\\ttext-indent: -99999px;\\n\\toverflow: hidden;\\n\\tbackground-repeat: no-repeat;\\n}\\n\\n.ui-widget-icon-block {\\n\\tleft: 50%;\\n\\tmargin-left: -8px;\\n\\tdisplay: block;\\n}\\n\\n/* Misc visuals\\n----------------------------------*/\\n\\n/* Overlays */\\n.ui-widget-overlay {\\n\\tposition: fixed;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\twidth: 100%;\\n\\theight: 100%;\\n}\\n.ui-accordion .ui-accordion-header {\\n\\tdisplay: block;\\n\\tcursor: pointer;\\n\\tposition: relative;\\n\\tmargin: 2px 0 0 0;\\n\\tpadding: .5em .5em .5em .7em;\\n\\tfont-size: 100%;\\n}\\n.ui-accordion .ui-accordion-content {\\n\\tpadding: 1em 2.2em;\\n\\tborder-top: 0;\\n\\toverflow: auto;\\n}\\n.ui-autocomplete {\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tcursor: default;\\n}\\n.ui-menu {\\n\\tlist-style: none;\\n\\tpadding: 0;\\n\\tmargin: 0;\\n\\tdisplay: block;\\n\\toutline: 0;\\n}\\n.ui-menu .ui-menu {\\n\\tposition: absolute;\\n}\\n.ui-menu .ui-menu-item {\\n\\tmargin: 0;\\n\\tcursor: pointer;\\n\\t/* support: IE10, see #8844 */\\n\\tlist-style-image: url(\\\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\\\");\\n}\\n.ui-menu .ui-menu-item-wrapper {\\n\\tposition: relative;\\n\\tpadding: 3px 1em 3px .4em;\\n}\\n.ui-menu .ui-menu-divider {\\n\\tmargin: 5px 0;\\n\\theight: 0;\\n\\tfont-size: 0;\\n\\tline-height: 0;\\n\\tborder-width: 1px 0 0 0;\\n}\\n.ui-menu .ui-state-focus,\\n.ui-menu .ui-state-active {\\n\\tmargin: -1px;\\n}\\n\\n/* icon support */\\n.ui-menu-icons {\\n\\tposition: relative;\\n}\\n.ui-menu-icons .ui-menu-item-wrapper {\\n\\tpadding-left: 2em;\\n}\\n\\n/* left-aligned */\\n.ui-menu .ui-icon {\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tbottom: 0;\\n\\tleft: .2em;\\n\\tmargin: auto 0;\\n}\\n\\n/* right-aligned */\\n.ui-menu .ui-menu-icon {\\n\\tleft: auto;\\n\\tright: 0;\\n}\\n.ui-button {\\n\\tpadding: .4em 1em;\\n\\tdisplay: inline-block;\\n\\tposition: relative;\\n\\tline-height: normal;\\n\\tmargin-right: .1em;\\n\\tcursor: pointer;\\n\\tvertical-align: middle;\\n\\ttext-align: center;\\n\\t-webkit-user-select: none;\\n\\t-moz-user-select: none;\\n\\t-ms-user-select: none;\\n\\tuser-select: none;\\n\\n\\t/* Support: IE <= 11 */\\n\\toverflow: visible;\\n}\\n\\n.ui-button,\\n.ui-button:link,\\n.ui-button:visited,\\n.ui-button:hover,\\n.ui-button:active {\\n\\ttext-decoration: none;\\n}\\n\\n/* to make room for the icon, a width needs to be set here */\\n.ui-button-icon-only {\\n\\twidth: 2em;\\n\\tbox-sizing: border-box;\\n\\ttext-indent: -9999px;\\n\\twhite-space: nowrap;\\n}\\n\\n/* no icon support for input elements */\\ninput.ui-button.ui-button-icon-only {\\n\\ttext-indent: 0;\\n}\\n\\n/* button icon element(s) */\\n.ui-button-icon-only .ui-icon {\\n\\tposition: absolute;\\n\\ttop: 50%;\\n\\tleft: 50%;\\n\\tmargin-top: -8px;\\n\\tmargin-left: -8px;\\n}\\n\\n.ui-button.ui-icon-notext .ui-icon {\\n\\tpadding: 0;\\n\\twidth: 2.1em;\\n\\theight: 2.1em;\\n\\ttext-indent: -9999px;\\n\\twhite-space: nowrap;\\n\\n}\\n\\ninput.ui-button.ui-icon-notext .ui-icon {\\n\\twidth: auto;\\n\\theight: auto;\\n\\ttext-indent: 0;\\n\\twhite-space: normal;\\n\\tpadding: .4em 1em;\\n}\\n\\n/* workarounds */\\n/* Support: Firefox 5 - 40 */\\ninput.ui-button::-moz-focus-inner,\\nbutton.ui-button::-moz-focus-inner {\\n\\tborder: 0;\\n\\tpadding: 0;\\n}\\n.ui-controlgroup {\\n\\tvertical-align: middle;\\n\\tdisplay: inline-block;\\n}\\n.ui-controlgroup > .ui-controlgroup-item {\\n\\tfloat: left;\\n\\tmargin-left: 0;\\n\\tmargin-right: 0;\\n}\\n.ui-controlgroup > .ui-controlgroup-item:focus,\\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\\n\\tz-index: 9999;\\n}\\n.ui-controlgroup-vertical > .ui-controlgroup-item {\\n\\tdisplay: block;\\n\\tfloat: none;\\n\\twidth: 100%;\\n\\tmargin-top: 0;\\n\\tmargin-bottom: 0;\\n\\ttext-align: left;\\n}\\n.ui-controlgroup-vertical .ui-controlgroup-item {\\n\\tbox-sizing: border-box;\\n}\\n.ui-controlgroup .ui-controlgroup-label {\\n\\tpadding: .4em 1em;\\n}\\n.ui-controlgroup .ui-controlgroup-label span {\\n\\tfont-size: 80%;\\n}\\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\\n\\tborder-left: none;\\n}\\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\\n\\tborder-top: none;\\n}\\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\\n\\tborder-right: none;\\n}\\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\\n\\tborder-bottom: none;\\n}\\n\\n/* Spinner specific style fixes */\\n.ui-controlgroup-vertical .ui-spinner-input {\\n\\n\\t/* Support: IE8 only, Android < 4.4 only */\\n\\twidth: 75%;\\n\\twidth: calc( 100% - 2.4em );\\n}\\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\\n\\tborder-top-style: solid;\\n}\\n\\n.ui-checkboxradio-label .ui-icon-background {\\n\\tbox-shadow: inset 1px 1px 1px #ccc;\\n\\tborder-radius: .12em;\\n\\tborder: none;\\n}\\n.ui-checkboxradio-radio-label .ui-icon-background {\\n\\twidth: 16px;\\n\\theight: 16px;\\n\\tborder-radius: 1em;\\n\\toverflow: visible;\\n\\tborder: none;\\n}\\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\\n\\tbackground-image: none;\\n\\twidth: 8px;\\n\\theight: 8px;\\n\\tborder-width: 4px;\\n\\tborder-style: solid;\\n}\\n.ui-checkboxradio-disabled {\\n\\tpointer-events: none;\\n}\\n.ui-datepicker {\\n\\twidth: 17em;\\n\\tpadding: .2em .2em 0;\\n\\tdisplay: none;\\n}\\n.ui-datepicker .ui-datepicker-header {\\n\\tposition: relative;\\n\\tpadding: .2em 0;\\n}\\n.ui-datepicker .ui-datepicker-prev,\\n.ui-datepicker .ui-datepicker-next {\\n\\tposition: absolute;\\n\\ttop: 2px;\\n\\twidth: 1.8em;\\n\\theight: 1.8em;\\n}\\n.ui-datepicker .ui-datepicker-prev-hover,\\n.ui-datepicker .ui-datepicker-next-hover {\\n\\ttop: 1px;\\n}\\n.ui-datepicker .ui-datepicker-prev {\\n\\tleft: 2px;\\n}\\n.ui-datepicker .ui-datepicker-next {\\n\\tright: 2px;\\n}\\n.ui-datepicker .ui-datepicker-prev-hover {\\n\\tleft: 1px;\\n}\\n.ui-datepicker .ui-datepicker-next-hover {\\n\\tright: 1px;\\n}\\n.ui-datepicker .ui-datepicker-prev span,\\n.ui-datepicker .ui-datepicker-next span {\\n\\tdisplay: block;\\n\\tposition: absolute;\\n\\tleft: 50%;\\n\\tmargin-left: -8px;\\n\\ttop: 50%;\\n\\tmargin-top: -8px;\\n}\\n.ui-datepicker .ui-datepicker-title {\\n\\tmargin: 0 2.3em;\\n\\tline-height: 1.8em;\\n\\ttext-align: center;\\n}\\n.ui-datepicker .ui-datepicker-title select {\\n\\tfont-size: 1em;\\n\\tmargin: 1px 0;\\n}\\n.ui-datepicker select.ui-datepicker-month,\\n.ui-datepicker select.ui-datepicker-year {\\n\\twidth: 45%;\\n}\\n.ui-datepicker table {\\n\\twidth: 100%;\\n\\tfont-size: .9em;\\n\\tborder-collapse: collapse;\\n\\tmargin: 0 0 .4em;\\n}\\n.ui-datepicker th {\\n\\tpadding: .7em .3em;\\n\\ttext-align: center;\\n\\tfont-weight: bold;\\n\\tborder: 0;\\n}\\n.ui-datepicker td {\\n\\tborder: 0;\\n\\tpadding: 1px;\\n}\\n.ui-datepicker td span,\\n.ui-datepicker td a {\\n\\tdisplay: block;\\n\\tpadding: .2em;\\n\\ttext-align: right;\\n\\ttext-decoration: none;\\n}\\n.ui-datepicker .ui-datepicker-buttonpane {\\n\\tbackground-image: none;\\n\\tmargin: .7em 0 0 0;\\n\\tpadding: 0 .2em;\\n\\tborder-left: 0;\\n\\tborder-right: 0;\\n\\tborder-bottom: 0;\\n}\\n.ui-datepicker .ui-datepicker-buttonpane button {\\n\\tfloat: right;\\n\\tmargin: .5em .2em .4em;\\n\\tcursor: pointer;\\n\\tpadding: .2em .6em .3em .6em;\\n\\twidth: auto;\\n\\toverflow: visible;\\n}\\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\\n\\tfloat: left;\\n}\\n\\n/* with multiple calendars */\\n.ui-datepicker.ui-datepicker-multi {\\n\\twidth: auto;\\n}\\n.ui-datepicker-multi .ui-datepicker-group {\\n\\tfloat: left;\\n}\\n.ui-datepicker-multi .ui-datepicker-group table {\\n\\twidth: 95%;\\n\\tmargin: 0 auto .4em;\\n}\\n.ui-datepicker-multi-2 .ui-datepicker-group {\\n\\twidth: 50%;\\n}\\n.ui-datepicker-multi-3 .ui-datepicker-group {\\n\\twidth: 33.3%;\\n}\\n.ui-datepicker-multi-4 .ui-datepicker-group {\\n\\twidth: 25%;\\n}\\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\\n\\tborder-left-width: 0;\\n}\\n.ui-datepicker-multi .ui-datepicker-buttonpane {\\n\\tclear: left;\\n}\\n.ui-datepicker-row-break {\\n\\tclear: both;\\n\\twidth: 100%;\\n\\tfont-size: 0;\\n}\\n\\n/* RTL support */\\n.ui-datepicker-rtl {\\n\\tdirection: rtl;\\n}\\n.ui-datepicker-rtl .ui-datepicker-prev {\\n\\tright: 2px;\\n\\tleft: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-next {\\n\\tleft: 2px;\\n\\tright: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\\n\\tright: 1px;\\n\\tleft: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-next:hover {\\n\\tleft: 1px;\\n\\tright: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\\n\\tclear: right;\\n}\\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\\n\\tfloat: left;\\n}\\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\\n.ui-datepicker-rtl .ui-datepicker-group {\\n\\tfloat: right;\\n}\\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\\n\\tborder-right-width: 0;\\n\\tborder-left-width: 1px;\\n}\\n\\n/* Icons */\\n.ui-datepicker .ui-icon {\\n\\tdisplay: block;\\n\\ttext-indent: -99999px;\\n\\toverflow: hidden;\\n\\tbackground-repeat: no-repeat;\\n\\tleft: .5em;\\n\\ttop: .3em;\\n}\\n.ui-dialog {\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tpadding: .2em;\\n\\toutline: 0;\\n}\\n.ui-dialog .ui-dialog-titlebar {\\n\\tpadding: .4em 1em;\\n\\tposition: relative;\\n}\\n.ui-dialog .ui-dialog-title {\\n\\tfloat: left;\\n\\tmargin: .1em 0;\\n\\twhite-space: nowrap;\\n\\twidth: 90%;\\n\\toverflow: hidden;\\n\\ttext-overflow: ellipsis;\\n}\\n.ui-dialog .ui-dialog-titlebar-close {\\n\\tposition: absolute;\\n\\tright: .3em;\\n\\ttop: 50%;\\n\\twidth: 20px;\\n\\tmargin: -10px 0 0 0;\\n\\tpadding: 1px;\\n\\theight: 20px;\\n}\\n.ui-dialog .ui-dialog-content {\\n\\tposition: relative;\\n\\tborder: 0;\\n\\tpadding: .5em 1em;\\n\\tbackground: none;\\n\\toverflow: auto;\\n}\\n.ui-dialog .ui-dialog-buttonpane {\\n\\ttext-align: left;\\n\\tborder-width: 1px 0 0 0;\\n\\tbackground-image: none;\\n\\tmargin-top: .5em;\\n\\tpadding: .3em 1em .5em .4em;\\n}\\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\\n\\tfloat: right;\\n}\\n.ui-dialog .ui-dialog-buttonpane button {\\n\\tmargin: .5em .4em .5em 0;\\n\\tcursor: pointer;\\n}\\n.ui-dialog .ui-resizable-n {\\n\\theight: 2px;\\n\\ttop: 0;\\n}\\n.ui-dialog .ui-resizable-e {\\n\\twidth: 2px;\\n\\tright: 0;\\n}\\n.ui-dialog .ui-resizable-s {\\n\\theight: 2px;\\n\\tbottom: 0;\\n}\\n.ui-dialog .ui-resizable-w {\\n\\twidth: 2px;\\n\\tleft: 0;\\n}\\n.ui-dialog .ui-resizable-se,\\n.ui-dialog .ui-resizable-sw,\\n.ui-dialog .ui-resizable-ne,\\n.ui-dialog .ui-resizable-nw {\\n\\twidth: 7px;\\n\\theight: 7px;\\n}\\n.ui-dialog .ui-resizable-se {\\n\\tright: 0;\\n\\tbottom: 0;\\n}\\n.ui-dialog .ui-resizable-sw {\\n\\tleft: 0;\\n\\tbottom: 0;\\n}\\n.ui-dialog .ui-resizable-ne {\\n\\tright: 0;\\n\\ttop: 0;\\n}\\n.ui-dialog .ui-resizable-nw {\\n\\tleft: 0;\\n\\ttop: 0;\\n}\\n.ui-draggable .ui-dialog-titlebar {\\n\\tcursor: move;\\n}\\n.ui-draggable-handle {\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-resizable {\\n\\tposition: relative;\\n}\\n.ui-resizable-handle {\\n\\tposition: absolute;\\n\\tfont-size: 0.1px;\\n\\tdisplay: block;\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-resizable-disabled .ui-resizable-handle,\\n.ui-resizable-autohide .ui-resizable-handle {\\n\\tdisplay: none;\\n}\\n.ui-resizable-n {\\n\\tcursor: n-resize;\\n\\theight: 7px;\\n\\twidth: 100%;\\n\\ttop: -5px;\\n\\tleft: 0;\\n}\\n.ui-resizable-s {\\n\\tcursor: s-resize;\\n\\theight: 7px;\\n\\twidth: 100%;\\n\\tbottom: -5px;\\n\\tleft: 0;\\n}\\n.ui-resizable-e {\\n\\tcursor: e-resize;\\n\\twidth: 7px;\\n\\tright: -5px;\\n\\ttop: 0;\\n\\theight: 100%;\\n}\\n.ui-resizable-w {\\n\\tcursor: w-resize;\\n\\twidth: 7px;\\n\\tleft: -5px;\\n\\ttop: 0;\\n\\theight: 100%;\\n}\\n.ui-resizable-se {\\n\\tcursor: se-resize;\\n\\twidth: 12px;\\n\\theight: 12px;\\n\\tright: 1px;\\n\\tbottom: 1px;\\n}\\n.ui-resizable-sw {\\n\\tcursor: sw-resize;\\n\\twidth: 9px;\\n\\theight: 9px;\\n\\tleft: -5px;\\n\\tbottom: -5px;\\n}\\n.ui-resizable-nw {\\n\\tcursor: nw-resize;\\n\\twidth: 9px;\\n\\theight: 9px;\\n\\tleft: -5px;\\n\\ttop: -5px;\\n}\\n.ui-resizable-ne {\\n\\tcursor: ne-resize;\\n\\twidth: 9px;\\n\\theight: 9px;\\n\\tright: -5px;\\n\\ttop: -5px;\\n}\\n.ui-progressbar {\\n\\theight: 2em;\\n\\ttext-align: left;\\n\\toverflow: hidden;\\n}\\n.ui-progressbar .ui-progressbar-value {\\n\\tmargin: -1px;\\n\\theight: 100%;\\n}\\n.ui-progressbar .ui-progressbar-overlay {\\n\\tbackground: url(\\\"data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw==\\\");\\n\\theight: 100%;\\n\\t-ms-filter: \\\"alpha(opacity=25)\\\"; /* support: IE8 */\\n\\topacity: 0.25;\\n}\\n.ui-progressbar-indeterminate .ui-progressbar-value {\\n\\tbackground-image: none;\\n}\\n.ui-selectable {\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-selectable-helper {\\n\\tposition: absolute;\\n\\tz-index: 100;\\n\\tborder: 1px dotted black;\\n}\\n.ui-selectmenu-menu {\\n\\tpadding: 0;\\n\\tmargin: 0;\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tdisplay: none;\\n}\\n.ui-selectmenu-menu .ui-menu {\\n\\toverflow: auto;\\n\\toverflow-x: hidden;\\n\\tpadding-bottom: 1px;\\n}\\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\\n\\tfont-size: 1em;\\n\\tfont-weight: bold;\\n\\tline-height: 1.5;\\n\\tpadding: 2px 0.4em;\\n\\tmargin: 0.5em 0 0 0;\\n\\theight: auto;\\n\\tborder: 0;\\n}\\n.ui-selectmenu-open {\\n\\tdisplay: block;\\n}\\n.ui-selectmenu-text {\\n\\tdisplay: block;\\n\\tmargin-right: 20px;\\n\\toverflow: hidden;\\n\\ttext-overflow: ellipsis;\\n}\\n.ui-selectmenu-button.ui-button {\\n\\ttext-align: left;\\n\\twhite-space: nowrap;\\n\\twidth: 14em;\\n}\\n.ui-selectmenu-icon.ui-icon {\\n\\tfloat: right;\\n\\tmargin-top: 0;\\n}\\n.ui-slider {\\n\\tposition: relative;\\n\\ttext-align: left;\\n}\\n.ui-slider .ui-slider-handle {\\n\\tposition: absolute;\\n\\tz-index: 2;\\n\\twidth: 1.2em;\\n\\theight: 1.2em;\\n\\tcursor: pointer;\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-slider .ui-slider-range {\\n\\tposition: absolute;\\n\\tz-index: 1;\\n\\tfont-size: .7em;\\n\\tdisplay: block;\\n\\tborder: 0;\\n\\tbackground-position: 0 0;\\n}\\n\\n/* support: IE8 - See #6727 */\\n.ui-slider.ui-state-disabled .ui-slider-handle,\\n.ui-slider.ui-state-disabled .ui-slider-range {\\n\\tfilter: inherit;\\n}\\n\\n.ui-slider-horizontal {\\n\\theight: .8em;\\n}\\n.ui-slider-horizontal .ui-slider-handle {\\n\\ttop: -.3em;\\n\\tmargin-left: -.6em;\\n}\\n.ui-slider-horizontal .ui-slider-range {\\n\\ttop: 0;\\n\\theight: 100%;\\n}\\n.ui-slider-horizontal .ui-slider-range-min {\\n\\tleft: 0;\\n}\\n.ui-slider-horizontal .ui-slider-range-max {\\n\\tright: 0;\\n}\\n\\n.ui-slider-vertical {\\n\\twidth: .8em;\\n\\theight: 100px;\\n}\\n.ui-slider-vertical .ui-slider-handle {\\n\\tleft: -.3em;\\n\\tmargin-left: 0;\\n\\tmargin-bottom: -.6em;\\n}\\n.ui-slider-vertical .ui-slider-range {\\n\\tleft: 0;\\n\\twidth: 100%;\\n}\\n.ui-slider-vertical .ui-slider-range-min {\\n\\tbottom: 0;\\n}\\n.ui-slider-vertical .ui-slider-range-max {\\n\\ttop: 0;\\n}\\n.ui-sortable-handle {\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-spinner {\\n\\tposition: relative;\\n\\tdisplay: inline-block;\\n\\toverflow: hidden;\\n\\tpadding: 0;\\n\\tvertical-align: middle;\\n}\\n.ui-spinner-input {\\n\\tborder: none;\\n\\tbackground: none;\\n\\tcolor: inherit;\\n\\tpadding: .222em 0;\\n\\tmargin: .2em 0;\\n\\tvertical-align: middle;\\n\\tmargin-left: .4em;\\n\\tmargin-right: 2em;\\n}\\n.ui-spinner-button {\\n\\twidth: 1.6em;\\n\\theight: 50%;\\n\\tfont-size: .5em;\\n\\tpadding: 0;\\n\\tmargin: 0;\\n\\ttext-align: center;\\n\\tposition: absolute;\\n\\tcursor: default;\\n\\tdisplay: block;\\n\\toverflow: hidden;\\n\\tright: 0;\\n}\\n/* more specificity required here to override default borders */\\n.ui-spinner a.ui-spinner-button {\\n\\tborder-top-style: none;\\n\\tborder-bottom-style: none;\\n\\tborder-right-style: none;\\n}\\n.ui-spinner-up {\\n\\ttop: 0;\\n}\\n.ui-spinner-down {\\n\\tbottom: 0;\\n}\\n.ui-tabs {\\n\\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as \\\"fixed\\\") */\\n\\tpadding: .2em;\\n}\\n.ui-tabs .ui-tabs-nav {\\n\\tmargin: 0;\\n\\tpadding: .2em .2em 0;\\n}\\n.ui-tabs .ui-tabs-nav li {\\n\\tlist-style: none;\\n\\tfloat: left;\\n\\tposition: relative;\\n\\ttop: 0;\\n\\tmargin: 1px .2em 0 0;\\n\\tborder-bottom-width: 0;\\n\\tpadding: 0;\\n\\twhite-space: nowrap;\\n}\\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\\n\\tfloat: left;\\n\\tpadding: .5em 1em;\\n\\ttext-decoration: none;\\n}\\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\\n\\tmargin-bottom: -1px;\\n\\tpadding-bottom: 1px;\\n}\\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\\n\\tcursor: text;\\n}\\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\\n\\tcursor: pointer;\\n}\\n.ui-tabs .ui-tabs-panel {\\n\\tdisplay: block;\\n\\tborder-width: 0;\\n\\tpadding: 1em 1.4em;\\n\\tbackground: none;\\n}\\n.ui-tooltip {\\n\\tpadding: 8px;\\n\\tposition: absolute;\\n\\tz-index: 9999;\\n\\tmax-width: 300px;\\n}\\nbody .ui-tooltip {\\n\\tborder-width: 2px;\\n}\\n\\n/* Component containers\\n----------------------------------*/\\n.ui-widget {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget .ui-widget {\\n\\tfont-size: 1em;\\n}\\n.ui-widget input,\\n.ui-widget select,\\n.ui-widget textarea,\\n.ui-widget button {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget.ui-widget-content {\\n\\tborder: 1px solid #c5c5c5;\\n}\\n.ui-widget-content {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #ffffff;\\n\\tcolor: #333333;\\n}\\n.ui-widget-content a {\\n\\tcolor: #333333;\\n}\\n.ui-widget-header {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #e9e9e9;\\n\\tcolor: #333333;\\n\\tfont-weight: bold;\\n}\\n.ui-widget-header a {\\n\\tcolor: #333333;\\n}\\n\\n/* Interaction states\\n----------------------------------*/\\n.ui-state-default,\\n.ui-widget-content .ui-state-default,\\n.ui-widget-header .ui-state-default,\\n.ui-button,\\n\\n/* We use html here because we need a greater specificity to make sure disabled\\nworks properly when clicked or hovered */\\nhtml .ui-button.ui-state-disabled:hover,\\nhtml .ui-button.ui-state-disabled:active {\\n\\tborder: 1px solid #c5c5c5;\\n\\tbackground: #f6f6f6;\\n\\tfont-weight: normal;\\n\\tcolor: #454545;\\n}\\n.ui-state-default a,\\n.ui-state-default a:link,\\n.ui-state-default a:visited,\\na.ui-button,\\na:link.ui-button,\\na:visited.ui-button,\\n.ui-button {\\n\\tcolor: #454545;\\n\\ttext-decoration: none;\\n}\\n.ui-state-hover,\\n.ui-widget-content .ui-state-hover,\\n.ui-widget-header .ui-state-hover,\\n.ui-state-focus,\\n.ui-widget-content .ui-state-focus,\\n.ui-widget-header .ui-state-focus,\\n.ui-button:hover,\\n.ui-button:focus {\\n\\tborder: 1px solid #cccccc;\\n\\tbackground: #ededed;\\n\\tfont-weight: normal;\\n\\tcolor: #2b2b2b;\\n}\\n.ui-state-hover a,\\n.ui-state-hover a:hover,\\n.ui-state-hover a:link,\\n.ui-state-hover a:visited,\\n.ui-state-focus a,\\n.ui-state-focus a:hover,\\n.ui-state-focus a:link,\\n.ui-state-focus a:visited,\\na.ui-button:hover,\\na.ui-button:focus {\\n\\tcolor: #2b2b2b;\\n\\ttext-decoration: none;\\n}\\n\\n.ui-visual-focus {\\n\\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\\n}\\n.ui-state-active,\\n.ui-widget-content .ui-state-active,\\n.ui-widget-header .ui-state-active,\\na.ui-button:active,\\n.ui-button:active,\\n.ui-button.ui-state-active:hover {\\n\\tborder: 1px solid #003eff;\\n\\tbackground: #007fff;\\n\\tfont-weight: normal;\\n\\tcolor: #ffffff;\\n}\\n.ui-icon-background,\\n.ui-state-active .ui-icon-background {\\n\\tborder: #003eff;\\n\\tbackground-color: #ffffff;\\n}\\n.ui-state-active a,\\n.ui-state-active a:link,\\n.ui-state-active a:visited {\\n\\tcolor: #ffffff;\\n\\ttext-decoration: none;\\n}\\n\\n/* Interaction Cues\\n----------------------------------*/\\n.ui-state-highlight,\\n.ui-widget-content .ui-state-highlight,\\n.ui-widget-header .ui-state-highlight {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n\\tcolor: #777620;\\n}\\n.ui-state-checked {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n}\\n.ui-state-highlight a,\\n.ui-widget-content .ui-state-highlight a,\\n.ui-widget-header .ui-state-highlight a {\\n\\tcolor: #777620;\\n}\\n.ui-state-error,\\n.ui-widget-content .ui-state-error,\\n.ui-widget-header .ui-state-error {\\n\\tborder: 1px solid #f1a899;\\n\\tbackground: #fddfdf;\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error a,\\n.ui-widget-content .ui-state-error a,\\n.ui-widget-header .ui-state-error a {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error-text,\\n.ui-widget-content .ui-state-error-text,\\n.ui-widget-header .ui-state-error-text {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-priority-primary,\\n.ui-widget-content .ui-priority-primary,\\n.ui-widget-header .ui-priority-primary {\\n\\tfont-weight: bold;\\n}\\n.ui-priority-secondary,\\n.ui-widget-content .ui-priority-secondary,\\n.ui-widget-header .ui-priority-secondary {\\n\\topacity: .7;\\n\\t-ms-filter: \\\"alpha(opacity=70)\\\"; /* support: IE8 */\\n\\tfont-weight: normal;\\n}\\n.ui-state-disabled,\\n.ui-widget-content .ui-state-disabled,\\n.ui-widget-header .ui-state-disabled {\\n\\topacity: .35;\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 */\\n\\tbackground-image: none;\\n}\\n.ui-state-disabled .ui-icon {\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 - See #6059 */\\n}\\n\\n/* Icons\\n----------------------------------*/\\n\\n/* states and images */\\n.ui-icon {\\n\\twidth: 16px;\\n\\theight: 16px;\\n}\\n.ui-icon,\\n.ui-widget-content .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-widget-header .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-state-hover .ui-icon,\\n.ui-state-focus .ui-icon,\\n.ui-button:hover .ui-icon,\\n.ui-button:focus .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_555555_256x240.png\\\");\\n}\\n.ui-state-active .ui-icon,\\n.ui-button:active .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_ffffff_256x240.png\\\");\\n}\\n.ui-state-highlight .ui-icon,\\n.ui-button .ui-state-highlight.ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777620_256x240.png\\\");\\n}\\n.ui-state-error .ui-icon,\\n.ui-state-error-text .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_cc0000_256x240.png\\\");\\n}\\n.ui-button .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777777_256x240.png\\\");\\n}\\n\\n/* positioning */\\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\\n\\tbackground-image: none;\\n}\\n.ui-icon-caret-1-n { background-position: 0 0; }\\n.ui-icon-caret-1-ne { background-position: -16px 0; }\\n.ui-icon-caret-1-e { background-position: -32px 0; }\\n.ui-icon-caret-1-se { background-position: -48px 0; }\\n.ui-icon-caret-1-s { background-position: -65px 0; }\\n.ui-icon-caret-1-sw { background-position: -80px 0; }\\n.ui-icon-caret-1-w { background-position: -96px 0; }\\n.ui-icon-caret-1-nw { background-position: -112px 0; }\\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\\n.ui-icon-arrow-4 { background-position: 0 -80px; }\\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\\n.ui-icon-extlink { background-position: -32px -80px; }\\n.ui-icon-newwin { background-position: -48px -80px; }\\n.ui-icon-refresh { background-position: -64px -80px; }\\n.ui-icon-shuffle { background-position: -80px -80px; }\\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\\n.ui-icon-folder-open { background-position: -16px -96px; }\\n.ui-icon-document { background-position: -32px -96px; }\\n.ui-icon-document-b { background-position: -48px -96px; }\\n.ui-icon-note { background-position: -64px -96px; }\\n.ui-icon-mail-closed { background-position: -80px -96px; }\\n.ui-icon-mail-open { background-position: -96px -96px; }\\n.ui-icon-suitcase { background-position: -112px -96px; }\\n.ui-icon-comment { background-position: -128px -96px; }\\n.ui-icon-person { background-position: -144px -96px; }\\n.ui-icon-print { background-position: -160px -96px; }\\n.ui-icon-trash { background-position: -176px -96px; }\\n.ui-icon-locked { background-position: -192px -96px; }\\n.ui-icon-unlocked { background-position: -208px -96px; }\\n.ui-icon-bookmark { background-position: -224px -96px; }\\n.ui-icon-tag { background-position: -240px -96px; }\\n.ui-icon-home { background-position: 0 -112px; }\\n.ui-icon-flag { background-position: -16px -112px; }\\n.ui-icon-calendar { background-position: -32px -112px; }\\n.ui-icon-cart { background-position: -48px -112px; }\\n.ui-icon-pencil { background-position: -64px -112px; }\\n.ui-icon-clock { background-position: -80px -112px; }\\n.ui-icon-disk { background-position: -96px -112px; }\\n.ui-icon-calculator { background-position: -112px -112px; }\\n.ui-icon-zoomin { background-position: -128px -112px; }\\n.ui-icon-zoomout { background-position: -144px -112px; }\\n.ui-icon-search { background-position: -160px -112px; }\\n.ui-icon-wrench { background-position: -176px -112px; }\\n.ui-icon-gear { background-position: -192px -112px; }\\n.ui-icon-heart { background-position: -208px -112px; }\\n.ui-icon-star { background-position: -224px -112px; }\\n.ui-icon-link { background-position: -240px -112px; }\\n.ui-icon-cancel { background-position: 0 -128px; }\\n.ui-icon-plus { background-position: -16px -128px; }\\n.ui-icon-plusthick { background-position: -32px -128px; }\\n.ui-icon-minus { background-position: -48px -128px; }\\n.ui-icon-minusthick { background-position: -64px -128px; }\\n.ui-icon-close { background-position: -80px -128px; }\\n.ui-icon-closethick { background-position: -96px -128px; }\\n.ui-icon-key { background-position: -112px -128px; }\\n.ui-icon-lightbulb { background-position: -128px -128px; }\\n.ui-icon-scissors { background-position: -144px -128px; }\\n.ui-icon-clipboard { background-position: -160px -128px; }\\n.ui-icon-copy { background-position: -176px -128px; }\\n.ui-icon-contact { background-position: -192px -128px; }\\n.ui-icon-image { background-position: -208px -128px; }\\n.ui-icon-video { background-position: -224px -128px; }\\n.ui-icon-script { background-position: -240px -128px; }\\n.ui-icon-alert { background-position: 0 -144px; }\\n.ui-icon-info { background-position: -16px -144px; }\\n.ui-icon-notice { background-position: -32px -144px; }\\n.ui-icon-help { background-position: -48px -144px; }\\n.ui-icon-check { background-position: -64px -144px; }\\n.ui-icon-bullet { background-position: -80px -144px; }\\n.ui-icon-radio-on { background-position: -96px -144px; }\\n.ui-icon-radio-off { background-position: -112px -144px; }\\n.ui-icon-pin-w { background-position: -128px -144px; }\\n.ui-icon-pin-s { background-position: -144px -144px; }\\n.ui-icon-play { background-position: 0 -160px; }\\n.ui-icon-pause { background-position: -16px -160px; }\\n.ui-icon-seek-next { background-position: -32px -160px; }\\n.ui-icon-seek-prev { background-position: -48px -160px; }\\n.ui-icon-seek-end { background-position: -64px -160px; }\\n.ui-icon-seek-start { background-position: -80px -160px; }\\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\\n.ui-icon-seek-first { background-position: -80px -160px; }\\n.ui-icon-stop { background-position: -96px -160px; }\\n.ui-icon-eject { background-position: -112px -160px; }\\n.ui-icon-volume-off { background-position: -128px -160px; }\\n.ui-icon-volume-on { background-position: -144px -160px; }\\n.ui-icon-power { background-position: 0 -176px; }\\n.ui-icon-signal-diag { background-position: -16px -176px; }\\n.ui-icon-signal { background-position: -32px -176px; }\\n.ui-icon-battery-0 { background-position: -48px -176px; }\\n.ui-icon-battery-1 { background-position: -64px -176px; }\\n.ui-icon-battery-2 { background-position: -80px -176px; }\\n.ui-icon-battery-3 { background-position: -96px -176px; }\\n.ui-icon-circle-plus { background-position: 0 -192px; }\\n.ui-icon-circle-minus { background-position: -16px -192px; }\\n.ui-icon-circle-close { background-position: -32px -192px; }\\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\\n.ui-icon-circle-check { background-position: -208px -192px; }\\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\\n\\n\\n/* Misc visuals\\n----------------------------------*/\\n\\n/* Corner radius */\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-left,\\n.ui-corner-tl {\\n\\tborder-top-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-right,\\n.ui-corner-tr {\\n\\tborder-top-right-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-left,\\n.ui-corner-bl {\\n\\tborder-bottom-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-right,\\n.ui-corner-br {\\n\\tborder-bottom-right-radius: 3px;\\n}\\n\\n/* Overlays */\\n.ui-widget-overlay {\\n\\tbackground: #aaaaaa;\\n\\topacity: .003;\\n\\t-ms-filter: \\\"alpha(opacity=.3)\\\"; /* support: IE8 */\\n}\\n.ui-widget-shadow {\\n\\t-webkit-box-shadow: 0px 0px 5px #666666;\\n\\tbox-shadow: 0px 0px 5px #666666;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"images/ui-icons_444444_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"images/ui-icons_555555_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"images/ui-icons_ffffff_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_3___ = new URL(\"images/ui-icons_777620_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_4___ = new URL(\"images/ui-icons_cc0000_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_5___ = new URL(\"images/ui-icons_777777_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\nvar ___CSS_LOADER_URL_REPLACEMENT_3___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_3___);\nvar ___CSS_LOADER_URL_REPLACEMENT_4___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_4___);\nvar ___CSS_LOADER_URL_REPLACEMENT_5___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_5___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/*!\n * jQuery UI CSS Framework 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/category/theming/\n *\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n */\n\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: \"alpha(opacity=70)\"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_1___});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_3___});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_4___});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_5___});\n}\n\n/* positioning */\n/* Three classes needed to override \\`.ui-button:hover .ui-icon\\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: \"alpha(opacity=.3)\"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/jquery-ui-dist/jquery-ui.theme.css\"],\"names\":[],\"mappings\":\"AAAA;;;;;;;;;;;EAWE;;;AAGF;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC\",\"sourcesContent\":[\"/*!\\n * jQuery UI CSS Framework 1.13.3\\n * https://jqueryui.com\\n *\\n * Copyright OpenJS Foundation and other contributors\\n * Released under the MIT license.\\n * https://jquery.org/license\\n *\\n * https://api.jqueryui.com/category/theming/\\n *\\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\\n */\\n\\n\\n/* Component containers\\n----------------------------------*/\\n.ui-widget {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget .ui-widget {\\n\\tfont-size: 1em;\\n}\\n.ui-widget input,\\n.ui-widget select,\\n.ui-widget textarea,\\n.ui-widget button {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget.ui-widget-content {\\n\\tborder: 1px solid #c5c5c5;\\n}\\n.ui-widget-content {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #ffffff;\\n\\tcolor: #333333;\\n}\\n.ui-widget-content a {\\n\\tcolor: #333333;\\n}\\n.ui-widget-header {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #e9e9e9;\\n\\tcolor: #333333;\\n\\tfont-weight: bold;\\n}\\n.ui-widget-header a {\\n\\tcolor: #333333;\\n}\\n\\n/* Interaction states\\n----------------------------------*/\\n.ui-state-default,\\n.ui-widget-content .ui-state-default,\\n.ui-widget-header .ui-state-default,\\n.ui-button,\\n\\n/* We use html here because we need a greater specificity to make sure disabled\\nworks properly when clicked or hovered */\\nhtml .ui-button.ui-state-disabled:hover,\\nhtml .ui-button.ui-state-disabled:active {\\n\\tborder: 1px solid #c5c5c5;\\n\\tbackground: #f6f6f6;\\n\\tfont-weight: normal;\\n\\tcolor: #454545;\\n}\\n.ui-state-default a,\\n.ui-state-default a:link,\\n.ui-state-default a:visited,\\na.ui-button,\\na:link.ui-button,\\na:visited.ui-button,\\n.ui-button {\\n\\tcolor: #454545;\\n\\ttext-decoration: none;\\n}\\n.ui-state-hover,\\n.ui-widget-content .ui-state-hover,\\n.ui-widget-header .ui-state-hover,\\n.ui-state-focus,\\n.ui-widget-content .ui-state-focus,\\n.ui-widget-header .ui-state-focus,\\n.ui-button:hover,\\n.ui-button:focus {\\n\\tborder: 1px solid #cccccc;\\n\\tbackground: #ededed;\\n\\tfont-weight: normal;\\n\\tcolor: #2b2b2b;\\n}\\n.ui-state-hover a,\\n.ui-state-hover a:hover,\\n.ui-state-hover a:link,\\n.ui-state-hover a:visited,\\n.ui-state-focus a,\\n.ui-state-focus a:hover,\\n.ui-state-focus a:link,\\n.ui-state-focus a:visited,\\na.ui-button:hover,\\na.ui-button:focus {\\n\\tcolor: #2b2b2b;\\n\\ttext-decoration: none;\\n}\\n\\n.ui-visual-focus {\\n\\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\\n}\\n.ui-state-active,\\n.ui-widget-content .ui-state-active,\\n.ui-widget-header .ui-state-active,\\na.ui-button:active,\\n.ui-button:active,\\n.ui-button.ui-state-active:hover {\\n\\tborder: 1px solid #003eff;\\n\\tbackground: #007fff;\\n\\tfont-weight: normal;\\n\\tcolor: #ffffff;\\n}\\n.ui-icon-background,\\n.ui-state-active .ui-icon-background {\\n\\tborder: #003eff;\\n\\tbackground-color: #ffffff;\\n}\\n.ui-state-active a,\\n.ui-state-active a:link,\\n.ui-state-active a:visited {\\n\\tcolor: #ffffff;\\n\\ttext-decoration: none;\\n}\\n\\n/* Interaction Cues\\n----------------------------------*/\\n.ui-state-highlight,\\n.ui-widget-content .ui-state-highlight,\\n.ui-widget-header .ui-state-highlight {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n\\tcolor: #777620;\\n}\\n.ui-state-checked {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n}\\n.ui-state-highlight a,\\n.ui-widget-content .ui-state-highlight a,\\n.ui-widget-header .ui-state-highlight a {\\n\\tcolor: #777620;\\n}\\n.ui-state-error,\\n.ui-widget-content .ui-state-error,\\n.ui-widget-header .ui-state-error {\\n\\tborder: 1px solid #f1a899;\\n\\tbackground: #fddfdf;\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error a,\\n.ui-widget-content .ui-state-error a,\\n.ui-widget-header .ui-state-error a {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error-text,\\n.ui-widget-content .ui-state-error-text,\\n.ui-widget-header .ui-state-error-text {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-priority-primary,\\n.ui-widget-content .ui-priority-primary,\\n.ui-widget-header .ui-priority-primary {\\n\\tfont-weight: bold;\\n}\\n.ui-priority-secondary,\\n.ui-widget-content .ui-priority-secondary,\\n.ui-widget-header .ui-priority-secondary {\\n\\topacity: .7;\\n\\t-ms-filter: \\\"alpha(opacity=70)\\\"; /* support: IE8 */\\n\\tfont-weight: normal;\\n}\\n.ui-state-disabled,\\n.ui-widget-content .ui-state-disabled,\\n.ui-widget-header .ui-state-disabled {\\n\\topacity: .35;\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 */\\n\\tbackground-image: none;\\n}\\n.ui-state-disabled .ui-icon {\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 - See #6059 */\\n}\\n\\n/* Icons\\n----------------------------------*/\\n\\n/* states and images */\\n.ui-icon {\\n\\twidth: 16px;\\n\\theight: 16px;\\n}\\n.ui-icon,\\n.ui-widget-content .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-widget-header .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-state-hover .ui-icon,\\n.ui-state-focus .ui-icon,\\n.ui-button:hover .ui-icon,\\n.ui-button:focus .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_555555_256x240.png\\\");\\n}\\n.ui-state-active .ui-icon,\\n.ui-button:active .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_ffffff_256x240.png\\\");\\n}\\n.ui-state-highlight .ui-icon,\\n.ui-button .ui-state-highlight.ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777620_256x240.png\\\");\\n}\\n.ui-state-error .ui-icon,\\n.ui-state-error-text .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_cc0000_256x240.png\\\");\\n}\\n.ui-button .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777777_256x240.png\\\");\\n}\\n\\n/* positioning */\\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\\n\\tbackground-image: none;\\n}\\n.ui-icon-caret-1-n { background-position: 0 0; }\\n.ui-icon-caret-1-ne { background-position: -16px 0; }\\n.ui-icon-caret-1-e { background-position: -32px 0; }\\n.ui-icon-caret-1-se { background-position: -48px 0; }\\n.ui-icon-caret-1-s { background-position: -65px 0; }\\n.ui-icon-caret-1-sw { background-position: -80px 0; }\\n.ui-icon-caret-1-w { background-position: -96px 0; }\\n.ui-icon-caret-1-nw { background-position: -112px 0; }\\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\\n.ui-icon-arrow-4 { background-position: 0 -80px; }\\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\\n.ui-icon-extlink { background-position: -32px -80px; }\\n.ui-icon-newwin { background-position: -48px -80px; }\\n.ui-icon-refresh { background-position: -64px -80px; }\\n.ui-icon-shuffle { background-position: -80px -80px; }\\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\\n.ui-icon-folder-open { background-position: -16px -96px; }\\n.ui-icon-document { background-position: -32px -96px; }\\n.ui-icon-document-b { background-position: -48px -96px; }\\n.ui-icon-note { background-position: -64px -96px; }\\n.ui-icon-mail-closed { background-position: -80px -96px; }\\n.ui-icon-mail-open { background-position: -96px -96px; }\\n.ui-icon-suitcase { background-position: -112px -96px; }\\n.ui-icon-comment { background-position: -128px -96px; }\\n.ui-icon-person { background-position: -144px -96px; }\\n.ui-icon-print { background-position: -160px -96px; }\\n.ui-icon-trash { background-position: -176px -96px; }\\n.ui-icon-locked { background-position: -192px -96px; }\\n.ui-icon-unlocked { background-position: -208px -96px; }\\n.ui-icon-bookmark { background-position: -224px -96px; }\\n.ui-icon-tag { background-position: -240px -96px; }\\n.ui-icon-home { background-position: 0 -112px; }\\n.ui-icon-flag { background-position: -16px -112px; }\\n.ui-icon-calendar { background-position: -32px -112px; }\\n.ui-icon-cart { background-position: -48px -112px; }\\n.ui-icon-pencil { background-position: -64px -112px; }\\n.ui-icon-clock { background-position: -80px -112px; }\\n.ui-icon-disk { background-position: -96px -112px; }\\n.ui-icon-calculator { background-position: -112px -112px; }\\n.ui-icon-zoomin { background-position: -128px -112px; }\\n.ui-icon-zoomout { background-position: -144px -112px; }\\n.ui-icon-search { background-position: -160px -112px; }\\n.ui-icon-wrench { background-position: -176px -112px; }\\n.ui-icon-gear { background-position: -192px -112px; }\\n.ui-icon-heart { background-position: -208px -112px; }\\n.ui-icon-star { background-position: -224px -112px; }\\n.ui-icon-link { background-position: -240px -112px; }\\n.ui-icon-cancel { background-position: 0 -128px; }\\n.ui-icon-plus { background-position: -16px -128px; }\\n.ui-icon-plusthick { background-position: -32px -128px; }\\n.ui-icon-minus { background-position: -48px -128px; }\\n.ui-icon-minusthick { background-position: -64px -128px; }\\n.ui-icon-close { background-position: -80px -128px; }\\n.ui-icon-closethick { background-position: -96px -128px; }\\n.ui-icon-key { background-position: -112px -128px; }\\n.ui-icon-lightbulb { background-position: -128px -128px; }\\n.ui-icon-scissors { background-position: -144px -128px; }\\n.ui-icon-clipboard { background-position: -160px -128px; }\\n.ui-icon-copy { background-position: -176px -128px; }\\n.ui-icon-contact { background-position: -192px -128px; }\\n.ui-icon-image { background-position: -208px -128px; }\\n.ui-icon-video { background-position: -224px -128px; }\\n.ui-icon-script { background-position: -240px -128px; }\\n.ui-icon-alert { background-position: 0 -144px; }\\n.ui-icon-info { background-position: -16px -144px; }\\n.ui-icon-notice { background-position: -32px -144px; }\\n.ui-icon-help { background-position: -48px -144px; }\\n.ui-icon-check { background-position: -64px -144px; }\\n.ui-icon-bullet { background-position: -80px -144px; }\\n.ui-icon-radio-on { background-position: -96px -144px; }\\n.ui-icon-radio-off { background-position: -112px -144px; }\\n.ui-icon-pin-w { background-position: -128px -144px; }\\n.ui-icon-pin-s { background-position: -144px -144px; }\\n.ui-icon-play { background-position: 0 -160px; }\\n.ui-icon-pause { background-position: -16px -160px; }\\n.ui-icon-seek-next { background-position: -32px -160px; }\\n.ui-icon-seek-prev { background-position: -48px -160px; }\\n.ui-icon-seek-end { background-position: -64px -160px; }\\n.ui-icon-seek-start { background-position: -80px -160px; }\\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\\n.ui-icon-seek-first { background-position: -80px -160px; }\\n.ui-icon-stop { background-position: -96px -160px; }\\n.ui-icon-eject { background-position: -112px -160px; }\\n.ui-icon-volume-off { background-position: -128px -160px; }\\n.ui-icon-volume-on { background-position: -144px -160px; }\\n.ui-icon-power { background-position: 0 -176px; }\\n.ui-icon-signal-diag { background-position: -16px -176px; }\\n.ui-icon-signal { background-position: -32px -176px; }\\n.ui-icon-battery-0 { background-position: -48px -176px; }\\n.ui-icon-battery-1 { background-position: -64px -176px; }\\n.ui-icon-battery-2 { background-position: -80px -176px; }\\n.ui-icon-battery-3 { background-position: -96px -176px; }\\n.ui-icon-circle-plus { background-position: 0 -192px; }\\n.ui-icon-circle-minus { background-position: -16px -192px; }\\n.ui-icon-circle-close { background-position: -32px -192px; }\\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\\n.ui-icon-circle-check { background-position: -208px -192px; }\\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\\n\\n\\n/* Misc visuals\\n----------------------------------*/\\n\\n/* Corner radius */\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-left,\\n.ui-corner-tl {\\n\\tborder-top-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-right,\\n.ui-corner-tr {\\n\\tborder-top-right-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-left,\\n.ui-corner-bl {\\n\\tborder-bottom-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-right,\\n.ui-corner-br {\\n\\tborder-bottom-right-radius: 3px;\\n}\\n\\n/* Overlays */\\n.ui-widget-overlay {\\n\\tbackground: #aaaaaa;\\n\\topacity: .003;\\n\\t-ms-filter: \\\"alpha(opacity=.3)\\\"; /* support: IE8 */\\n}\\n.ui-widget-shadow {\\n\\t-webkit-box-shadow: 0px 0px 5px #666666;\\n\\tbox-shadow: 0px 0px 5px #666666;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"images/ui-icons_1d2d44_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"images/ui-icons_ffffff_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"images/ui-icons_ffd27a_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_3___ = new URL(\"images/ui-bg_diagonals-thick_20_666666_40x40.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_4___ = new URL(\"images/ui-bg_flat_10_000000_40x100.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\nvar ___CSS_LOADER_URL_REPLACEMENT_3___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_3___);\nvar ___CSS_LOADER_URL_REPLACEMENT_4___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_4___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.ui-widget-content{border:1px solid var(--color-border);background:var(--color-main-background) none;color:var(--color-main-text)}.ui-widget-content a{color:var(--color-main-text)}.ui-widget-header{border:none;color:var(--color-main-text);background-image:none}.ui-widget-header a{color:var(--color-main-text)}.ui-state-default,.ui-widget-content .ui-state-default,.ui-widget-header .ui-state-default{border:1px solid var(--color-border);background:var(--color-main-background) none;font-weight:bold;color:#555}.ui-state-default a,.ui-state-default a:link,.ui-state-default a:visited{color:#555}.ui-state-hover,.ui-widget-content .ui-state-hover,.ui-widget-header .ui-state-hover,.ui-state-focus,.ui-widget-content .ui-state-focus,.ui-widget-header .ui-state-focus{border:1px solid #ddd;background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-hover a,.ui-state-hover a:hover,.ui-state-hover a:link,.ui-state-hover a:visited{color:var(--color-main-text)}.ui-state-active,.ui-widget-content .ui-state-active,.ui-widget-header .ui-state-active{border:1px solid var(--color-primary-element);background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-active a,.ui-state-active a:link,.ui-state-active a:visited{color:var(--color-main-text)}.ui-state-highlight,.ui-widget-content .ui-state-highlight,.ui-widget-header .ui-state-highlight{border:1px solid var(--color-main-background);background:var(--color-main-background) none;color:var(--color-text-light);font-weight:600}.ui-state-highlight a,.ui-widget-content .ui-state-highlight a,.ui-widget-header .ui-state-highlight a{color:var(--color-text-lighter)}.ui-state-error,.ui-widget-content .ui-state-error,.ui-widget-header .ui-state-error{border:var(--color-error);background:var(--color-error) none;color:#fff}.ui-state-error a,.ui-widget-content .ui-state-error a,.ui-widget-header .ui-state-error a{color:#fff}.ui-state-error-text,.ui-widget-content .ui-state-error-text,.ui-widget-header .ui-state-error-text{color:#fff}.ui-state-default .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_0___})}.ui-state-hover .ui-icon,.ui-state-focus .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_0___})}.ui-state-active .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_0___})}.ui-state-highlight .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_1___})}.ui-state-error .ui-icon,.ui-state-error-text .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_2___})}.ui-icon.ui-icon-none{display:none}.ui-widget-overlay{background:#666 url(${___CSS_LOADER_URL_REPLACEMENT_3___}) 50% 50% repeat;opacity:.5}.ui-widget-shadow{margin:-5px 0 0 -5px;padding:5px;background:#000 url(${___CSS_LOADER_URL_REPLACEMENT_4___}) 50% 50% repeat-x;opacity:.2;border-radius:5px}.ui-tabs{border:none}.ui-tabs .ui-tabs-nav.ui-corner-all{border-end-start-radius:0;border-end-end-radius:0}.ui-tabs .ui-tabs-nav{background:none;margin-bottom:15px}.ui-tabs .ui-tabs-nav .ui-state-default{border:none;border-bottom:1px solid rgba(0,0,0,0);font-weight:normal;margin:0 !important;padding:0 !important}.ui-tabs .ui-tabs-nav .ui-state-hover,.ui-tabs .ui-tabs-nav .ui-state-active{border:none;border-bottom:1px solid var(--color-main-text);color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-hover a,.ui-tabs .ui-tabs-nav .ui-state-hover a:link,.ui-tabs .ui-tabs-nav .ui-state-hover a:hover,.ui-tabs .ui-tabs-nav .ui-state-hover a:visited,.ui-tabs .ui-tabs-nav .ui-state-active a,.ui-tabs .ui-tabs-nav .ui-state-active a:link,.ui-tabs .ui-tabs-nav .ui-state-active a:hover,.ui-tabs .ui-tabs-nav .ui-state-active a:visited{color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-active{font-weight:bold}.ui-autocomplete.ui-menu{padding:0}.ui-autocomplete.ui-menu.item-count-1,.ui-autocomplete.ui-menu.item-count-2{overflow-y:hidden}.ui-autocomplete.ui-menu .ui-menu-item a{color:var(--color-text-lighter);display:block;padding:4px;padding-inline-start:14px}.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-focus,.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-active{box-shadow:inset 4px 0 var(--color-primary-element);color:var(--color-main-text)}.ui-autocomplete.ui-widget-content{background:var(--color-main-background);border-top:none}.ui-autocomplete.ui-corner-all{border-radius:0;border-end-start-radius:var(--border-radius);border-end-end-radius:var(--border-radius)}.ui-autocomplete .ui-state-hover,.ui-autocomplete .ui-widget-content .ui-state-hover,.ui-autocomplete .ui-widget-header .ui-state-hover,.ui-autocomplete .ui-state-focus,.ui-autocomplete .ui-widget-content .ui-state-focus,.ui-autocomplete .ui-widget-header .ui-state-focus{border:1px solid rgba(0,0,0,0);background:inherit;color:var(--color-primary-element)}.ui-autocomplete .ui-menu-item a{border-radius:0 !important}.ui-button.primary{background-color:var(--color-primary-element);color:var(--color-primary-element-text);border:1px solid var(--color-primary-element-text)}.ui-button:hover{font-weight:bold !important}.ui-draggable-handle,.ui-selectable{touch-action:pan-y}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/jquery/css/jquery-ui-fixes.scss\"],\"names\":[],\"mappings\":\"AAMA,mBACC,oCAAA,CACA,4CAAA,CACA,4BAAA,CAGD,qBACC,4BAAA,CAGD,kBACC,WAAA,CACA,4BAAA,CACA,qBAAA,CAGD,oBACC,4BAAA,CAKD,2FAGC,oCAAA,CACA,4CAAA,CACA,gBAAA,CACA,UAAA,CAGD,yEAGC,UAAA,CAGD,0KAMC,qBAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,2FAIC,4BAAA,CAGD,wFAGC,6CAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,sEAGC,4BAAA,CAKD,iGAGC,6CAAA,CACA,4CAAA,CACA,6BAAA,CACA,eAAA,CAGD,uGAGC,+BAAA,CAGD,qFAGC,yBAAA,CACA,kCAAA,CACA,UAAA,CAGD,2FAGC,UAAA,CAGD,oGAGC,UAAA,CAKD,2BACC,wDAAA,CAGD,kDAEC,wDAAA,CAGD,0BACC,wDAAA,CAGD,6BACC,wDAAA,CAGD,uDAEC,wDAAA,CAGD,sBACC,YAAA,CAMD,mBACC,sEAAA,CACA,UAAA,CAGD,kBACC,oBAAA,CACA,WAAA,CACA,wEAAA,CACA,UAAA,CACA,iBAAA,CAID,SACC,WAAA,CAEA,oCACC,yBAAA,CACA,uBAAA,CAGD,sBACC,eAAA,CACA,kBAAA,CAEA,wCACC,WAAA,CACA,qCAAA,CACA,kBAAA,CACA,mBAAA,CACA,oBAAA,CAGD,6EAEC,WAAA,CACA,8CAAA,CACA,4BAAA,CACA,0WACC,4BAAA,CAGF,uCACC,gBAAA,CAOF,yBACC,SAAA,CAIA,4EAEC,iBAAA,CAGD,yCACC,+BAAA,CACA,aAAA,CACA,WAAA,CACA,yBAAA,CAEA,iHACC,mDAAA,CACA,4BAAA,CAKH,mCACC,uCAAA,CACA,eAAA,CAGD,+BACC,eAAA,CACA,4CAAA,CACA,0CAAA,CAGD,gRAKC,8BAAA,CACA,kBAAA,CACA,kCAAA,CAIA,iCACC,0BAAA,CAKH,mBACC,6CAAA,CACA,uCAAA,CACA,kDAAA,CAID,iBACI,2BAAA,CAKJ,oCAEC,kBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.oc-dialog{background:var(--color-main-background);color:var(--color-text-light);border-radius:var(--border-radius-large);box-shadow:0 0 30px var(--color-box-shadow);padding:24px;z-index:100001;font-size:100%;box-sizing:border-box;min-width:200px;top:50%;inset-inline-start:50%;transform:translate(-50%, -50%);max-height:calc(100% - 20px);max-width:calc(100% - 20px);overflow:auto}.oc-dialog-title{background:var(--color-main-background)}.oc-dialog-buttonrow{position:relative;display:flex;background:rgba(0,0,0,0);inset-inline-end:0;bottom:0;padding:0;padding-top:10px;box-sizing:border-box;width:100%;background-image:linear-gradient(rgba(255, 255, 255, 0), var(--color-main-background))}.oc-dialog-buttonrow.twobuttons{justify-content:space-between}.oc-dialog-buttonrow.onebutton,.oc-dialog-buttonrow.twobuttons.aside{justify-content:flex-end}.oc-dialog-buttonrow button{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;height:44px;min-width:44px}.oc-dialog-close{position:absolute;width:44px !important;height:44px !important;top:4px;inset-inline-end:4px;padding:25px;background:var(--icon-close-dark) no-repeat center;opacity:.5;border-radius:var(--border-radius-pill)}.oc-dialog-close:hover,.oc-dialog-close:focus,.oc-dialog-close:active{opacity:1}.oc-dialog-dim{background-color:#000;opacity:.2;z-index:100001;position:fixed;top:0;inset-inline-start:0;width:100%;height:100%}body.theme--dark .oc-dialog-dim{opacity:.8}.oc-dialog-content{width:100%;max-width:550px}.oc-dialog.password-confirmation .oc-dialog-content{width:auto}.oc-dialog.password-confirmation .oc-dialog-content input[type=password]{width:100%}.oc-dialog.password-confirmation .oc-dialog-content label{display:none}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/jquery/css/jquery.ocdialog.scss\"],\"names\":[],\"mappings\":\"AAIA,WACC,uCAAA,CACA,6BAAA,CACA,wCAAA,CACA,2CAAA,CACA,YAAA,CACA,cAAA,CACA,cAAA,CACA,qBAAA,CACA,eAAA,CACA,OAAA,CACA,sBAAA,CACA,+BAAA,CACA,4BAAA,CACA,2BAAA,CACA,aAAA,CAGD,iBACC,uCAAA,CAGD,qBACC,iBAAA,CACA,YAAA,CACA,wBAAA,CACA,kBAAA,CACA,QAAA,CACA,SAAA,CACA,gBAAA,CACA,qBAAA,CACA,UAAA,CACA,sFAAA,CAEA,gCACO,6BAAA,CAGP,qEAEC,wBAAA,CAGD,4BACI,kBAAA,CACA,eAAA,CACH,sBAAA,CACA,WAAA,CACA,cAAA,CAIF,iBACC,iBAAA,CACA,qBAAA,CACA,sBAAA,CACA,OAAA,CACA,oBAAA,CACA,YAAA,CACA,kDAAA,CACA,UAAA,CACA,uCAAA,CAEA,sEAGC,SAAA,CAIF,eACC,qBAAA,CACA,UAAA,CACA,cAAA,CACA,cAAA,CACA,KAAA,CACA,oBAAA,CACA,UAAA,CACA,WAAA,CAGD,gCACC,UAAA,CAGD,mBACC,UAAA,CACA,eAAA,CAIA,oDACC,UAAA,CAEA,yEACC,UAAA,CAED,0DACC,YAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"select2.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"select2-spinner.gif\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"select2x2.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/*\nVersion: @@ver@@ Timestamp: @@timestamp@@\n*/\n.select2-container {\n margin: 0;\n position: relative;\n display: inline-block;\n /* inline-block for ie7 */\n zoom: 1;\n *display: inline;\n vertical-align: middle;\n}\n\n.select2-container,\n.select2-drop,\n.select2-search,\n.select2-search input {\n /*\n Force border-box so that % widths fit the parent\n container without overlap because of margin/padding.\n More Info : http://www.quirksmode.org/css/box.html\n */\n -webkit-box-sizing: border-box; /* webkit */\n -moz-box-sizing: border-box; /* firefox */\n box-sizing: border-box; /* css3 */\n}\n\n.select2-container .select2-choice {\n display: block;\n height: 26px;\n padding: 0 0 0 8px;\n overflow: hidden;\n position: relative;\n\n border: 1px solid #aaa;\n white-space: nowrap;\n line-height: 26px;\n color: #444;\n text-decoration: none;\n\n border-radius: 4px;\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice {\n padding: 0 8px 0 0;\n}\n\n.select2-container.select2-drop-above .select2-choice {\n border-bottom-color: #aaa;\n\n border-radius: 0 0 4px 4px;\n\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\n}\n\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\n margin-right: 42px;\n}\n\n.select2-container .select2-choice > .select2-chosen {\n margin-right: 26px;\n display: block;\n overflow: hidden;\n\n white-space: nowrap;\n\n text-overflow: ellipsis;\n float: none;\n width: auto;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice > .select2-chosen {\n margin-left: 26px;\n margin-right: 0;\n}\n\n.select2-container .select2-choice abbr {\n display: none;\n width: 12px;\n height: 12px;\n position: absolute;\n right: 24px;\n top: 8px;\n\n font-size: 1px;\n text-decoration: none;\n\n border: 0;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) right top no-repeat;\n cursor: pointer;\n outline: 0;\n}\n\n.select2-container.select2-allowclear .select2-choice abbr {\n display: inline-block;\n}\n\n.select2-container .select2-choice abbr:hover {\n background-position: right -11px;\n cursor: pointer;\n}\n\n.select2-drop-mask {\n border: 0;\n margin: 0;\n padding: 0;\n position: fixed;\n left: 0;\n top: 0;\n min-height: 100%;\n min-width: 100%;\n height: auto;\n width: auto;\n opacity: 0;\n z-index: 9998;\n /* styles required for IE to work */\n background-color: #fff;\n filter: alpha(opacity=0);\n}\n\n.select2-drop {\n width: 100%;\n margin-top: -1px;\n position: absolute;\n z-index: 9999;\n top: 100%;\n\n background: #fff;\n color: #000;\n border: 1px solid #aaa;\n border-top: 0;\n\n border-radius: 0 0 4px 4px;\n\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop.select2-drop-above {\n margin-top: 1px;\n border-top: 1px solid #aaa;\n border-bottom: 0;\n\n border-radius: 4px 4px 0 0;\n\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop-active {\n border: 1px solid #5897fb;\n border-top: none;\n}\n\n.select2-drop.select2-drop-above.select2-drop-active {\n border-top: 1px solid #5897fb;\n}\n\n.select2-drop-auto-width {\n border-top: 1px solid #aaa;\n width: auto;\n}\n\n.select2-drop-auto-width .select2-search {\n padding-top: 4px;\n}\n\n.select2-container .select2-choice .select2-arrow {\n display: inline-block;\n width: 18px;\n height: 100%;\n position: absolute;\n right: 0;\n top: 0;\n\n border-left: 1px solid #aaa;\n border-radius: 0 4px 4px 0;\n\n background-clip: padding-box;\n\n background: #ccc;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow {\n left: 0;\n right: auto;\n\n border-left: none;\n border-right: 1px solid #aaa;\n border-radius: 4px 0 0 4px;\n}\n\n.select2-container .select2-choice .select2-arrow b {\n display: block;\n width: 100%;\n height: 100%;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 0 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow b {\n background-position: 2px 1px;\n}\n\n.select2-search {\n display: inline-block;\n width: 100%;\n min-height: 26px;\n margin: 0;\n padding-left: 4px;\n padding-right: 4px;\n\n position: relative;\n z-index: 10000;\n\n white-space: nowrap;\n}\n\n.select2-search input {\n width: 100%;\n height: auto !important;\n min-height: 26px;\n padding: 4px 20px 4px 5px;\n margin: 0;\n\n outline: 0;\n font-family: sans-serif;\n font-size: 1em;\n\n border: 1px solid #aaa;\n border-radius: 0;\n\n -webkit-box-shadow: none;\n box-shadow: none;\n\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\nhtml[dir=\"rtl\"] .select2-search input {\n padding: 4px 5px 4px 20px;\n\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-drop.select2-drop-above .select2-search input {\n margin-top: 4px;\n}\n\n.select2-search input.select2-active {\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-container-active .select2-choice,\n.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n\n.select2-dropdown-open .select2-choice {\n border-bottom-color: transparent;\n -webkit-box-shadow: 0 1px 0 #fff inset;\n box-shadow: 0 1px 0 #fff inset;\n\n border-bottom-left-radius: 0;\n border-bottom-right-radius: 0;\n\n background-color: #eee;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open.select2-drop-above .select2-choice,\n.select2-dropdown-open.select2-drop-above .select2-choices {\n border: 1px solid #5897fb;\n border-top-color: transparent;\n\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow {\n background: transparent;\n border-left: none;\n filter: none;\n}\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow {\n border-right: none;\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -18px 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -16px 1px;\n}\n\n.select2-hidden-accessible {\n border: 0;\n clip: rect(0 0 0 0);\n height: 1px;\n margin: -1px;\n overflow: hidden;\n padding: 0;\n position: absolute;\n width: 1px;\n}\n\n/* results */\n.select2-results {\n max-height: 200px;\n padding: 0 0 0 4px;\n margin: 4px 4px 4px 0;\n position: relative;\n overflow-x: hidden;\n overflow-y: auto;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\nhtml[dir=\"rtl\"] .select2-results {\n padding: 0 4px 0 0;\n margin: 4px 0 4px 4px;\n}\n\n.select2-results ul.select2-result-sub {\n margin: 0;\n padding-left: 0;\n}\n\n.select2-results li {\n list-style: none;\n display: list-item;\n background-image: none;\n}\n\n.select2-results li.select2-result-with-children > .select2-result-label {\n font-weight: bold;\n}\n\n.select2-results .select2-result-label {\n padding: 3px 7px 4px;\n margin: 0;\n cursor: pointer;\n\n min-height: 1em;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\n\n.select2-results .select2-highlighted {\n background: #3875d7;\n color: #fff;\n}\n\n.select2-results li em {\n background: #feffde;\n font-style: normal;\n}\n\n.select2-results .select2-highlighted em {\n background: transparent;\n}\n\n.select2-results .select2-highlighted ul {\n background: #fff;\n color: #000;\n}\n\n.select2-results .select2-no-results,\n.select2-results .select2-searching,\n.select2-results .select2-ajax-error,\n.select2-results .select2-selection-limit {\n background: #f4f4f4;\n display: list-item;\n padding-left: 5px;\n}\n\n/*\ndisabled look for disabled choices in the results dropdown\n*/\n.select2-results .select2-disabled.select2-highlighted {\n color: #666;\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n.select2-results .select2-disabled {\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n\n.select2-results .select2-selected {\n display: none;\n}\n\n.select2-more-results.select2-active {\n background: #f4f4f4 url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%;\n}\n\n.select2-results .select2-ajax-error {\n background: rgba(255, 50, 50, .2);\n}\n\n.select2-more-results {\n background: #f4f4f4;\n display: list-item;\n}\n\n/* disabled styles */\n\n.select2-container.select2-container-disabled .select2-choice {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\n background-color: #f4f4f4;\n background-image: none;\n border-left: 0;\n}\n\n.select2-container.select2-container-disabled .select2-choice abbr {\n display: none;\n}\n\n\n/* multiselect */\n\n.select2-container-multi .select2-choices {\n height: auto !important;\n height: 1%;\n margin: 0;\n padding: 0 5px 0 0;\n position: relative;\n\n border: 1px solid #aaa;\n cursor: text;\n overflow: hidden;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices {\n padding: 0 0 0 5px;\n}\n\n.select2-locked {\n padding: 3px 5px 3px 5px !important;\n}\n\n.select2-container-multi .select2-choices {\n min-height: 26px;\n}\n\n.select2-container-multi.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n.select2-container-multi .select2-choices li {\n float: left;\n list-style: none;\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices li\n{\n float: right;\n}\n.select2-container-multi .select2-choices .select2-search-field {\n margin: 0;\n padding: 0;\n white-space: nowrap;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input {\n padding: 5px;\n margin: 1px 0;\n\n font-family: sans-serif;\n font-size: 100%;\n color: #666;\n outline: 0;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n background: transparent !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100% !important;\n}\n\n.select2-default {\n color: #999 !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 18px;\n margin: 3px 0 3px 5px;\n position: relative;\n\n line-height: 13px;\n color: #333;\n cursor: default;\n border: 1px solid #aaaaaa;\n\n border-radius: 3px;\n\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #e4e4e4;\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices .select2-search-choice\n{\n margin: 3px 5px 3px 0;\n padding: 3px 18px 3px 5px;\n}\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\n cursor: default;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus {\n background: #d4d4d4;\n}\n\n.select2-search-choice-close {\n display: block;\n width: 12px;\n height: 13px;\n position: absolute;\n right: 3px;\n top: 4px;\n\n font-size: 1px;\n outline: none;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) right top no-repeat;\n}\nhtml[dir=\"rtl\"] .select2-search-choice-close {\n right: auto;\n left: 3px;\n}\n\n.select2-container-multi .select2-search-choice-close {\n left: 3px;\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-search-choice-close {\n left: auto;\n right: 2px;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\n background-position: right -11px;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\n background-position: right -11px;\n}\n\n/* disabled styles */\n.select2-container-multi.select2-container-disabled .select2-choices {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 5px;\n border: 1px solid #ddd;\n background-image: none;\n background-color: #f4f4f4;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\n background: none;\n}\n/* end multiselect */\n\n\n.select2-result-selectable .select2-match,\n.select2-result-unselectable .select2-match {\n text-decoration: underline;\n}\n\n.select2-offscreen, .select2-offscreen:focus {\n clip: rect(0 0 0 0) !important;\n width: 1px !important;\n height: 1px !important;\n border: 0 !important;\n margin: 0 !important;\n padding: 0 !important;\n overflow: hidden !important;\n position: absolute !important;\n outline: 0 !important;\n left: 0px !important;\n top: 0px !important;\n}\n\n.select2-display-none {\n display: none;\n}\n\n.select2-measure-scrollbar {\n position: absolute;\n top: -10000px;\n left: -10000px;\n width: 100px;\n height: 100px;\n overflow: scroll;\n}\n\n/* Retina-ize icons */\n\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\n .select2-search input,\n .select2-search-choice-close,\n .select2-container .select2-choice abbr,\n .select2-container .select2-choice .select2-arrow b {\n background-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___}) !important;\n background-repeat: no-repeat !important;\n background-size: 60px 40px !important;\n }\n\n .select2-search input {\n background-position: 100% -21px !important;\n }\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/select2/select2.css\"],\"names\":[],\"mappings\":\"AAAA;;CAEC;AACD;IACI,SAAS;IACT,kBAAkB;IAClB,qBAAqB;IACrB,yBAAyB;IACzB,OAAO;KACP,eAAgB;IAChB,sBAAsB;AAC1B;;AAEA;;;;EAIE;;;;GAIC;EACD,8BAA8B,EAAE,WAAW;KACxC,2BAA2B,EAAE,YAAY;UACpC,sBAAsB,EAAE,SAAS;AAC3C;;AAEA;IACI,cAAc;IACd,YAAY;IACZ,kBAAkB;IAClB,gBAAgB;IAChB,kBAAkB;;IAElB,sBAAsB;IACtB,mBAAmB;IACnB,iBAAiB;IACjB,WAAW;IACX,qBAAqB;;IAErB,kBAAkB;;IAElB,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,yBAAyB;;IAEzB,0BAA0B;;IAE1B,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,kBAAkB;IAClB,cAAc;IACd,gBAAgB;;IAEhB,mBAAmB;;IAEnB,uBAAuB;IACvB,WAAW;IACX,WAAW;AACf;;AAEA;IACI,iBAAiB;IACjB,eAAe;AACnB;;AAEA;IACI,aAAa;IACb,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,WAAW;IACX,QAAQ;;IAER,cAAc;IACd,qBAAqB;;IAErB,SAAS;IACT,uEAAkD;IAClD,eAAe;IACf,UAAU;AACd;;AAEA;IACI,qBAAqB;AACzB;;AAEA;IACI,gCAAgC;IAChC,eAAe;AACnB;;AAEA;IACI,SAAS;IACT,SAAS;IACT,UAAU;IACV,eAAe;IACf,OAAO;IACP,MAAM;IACN,gBAAgB;IAChB,eAAe;IACf,YAAY;IACZ,WAAW;IACX,UAAU;IACV,aAAa;IACb,mCAAmC;IACnC,sBAAsB;IACtB,wBAAwB;AAC5B;;AAEA;IACI,WAAW;IACX,gBAAgB;IAChB,kBAAkB;IAClB,aAAa;IACb,SAAS;;IAET,gBAAgB;IAChB,WAAW;IACX,sBAAsB;IACtB,aAAa;;IAEb,0BAA0B;;IAE1B,gDAAgD;YACxC,wCAAwC;AACpD;;AAEA;IACI,eAAe;IACf,0BAA0B;IAC1B,gBAAgB;;IAEhB,0BAA0B;;IAE1B,iDAAiD;YACzC,yCAAyC;AACrD;;AAEA;IACI,yBAAyB;IACzB,gBAAgB;AACpB;;AAEA;IACI,6BAA6B;AACjC;;AAEA;IACI,0BAA0B;IAC1B,WAAW;AACf;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,QAAQ;IACR,MAAM;;IAEN,2BAA2B;IAC3B,0BAA0B;;IAE1B,4BAA4B;;IAE5B,gBAAgB;IAChB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,OAAO;IACP,WAAW;;IAEX,iBAAiB;IACjB,4BAA4B;IAC5B,0BAA0B;AAC9B;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,mEAA8C;AAClD;;AAEA;IACI,4BAA4B;AAChC;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,gBAAgB;IAChB,SAAS;IACT,iBAAiB;IACjB,kBAAkB;;IAElB,kBAAkB;IAClB,cAAc;;IAEd,mBAAmB;AACvB;;AAEA;IACI,WAAW;IACX,uBAAuB;IACvB,gBAAgB;IAChB,yBAAyB;IACzB,SAAS;;IAET,UAAU;IACV,uBAAuB;IACvB,cAAc;;IAEd,sBAAsB;IACtB,gBAAgB;;IAEhB,wBAAwB;YAChB,gBAAgB;;IAExB,6EAAwD;IACxD,yKAAoJ;IACpJ,oIAA+G;IAC/G,iIAA4G;IAC5G,4HAAuG;AAC3G;;AAEA;IACI,yBAAyB;;IAEzB,8EAAyD;IACzD,0KAAqJ;IACrJ,qIAAgH;IAChH,kIAA6G;IAC7G,6HAAwG;AAC5G;;AAEA;IACI,eAAe;AACnB;;AAEA;IACI,uEAA0D;IAC1D,mKAAsJ;IACtJ,8HAAiH;IACjH,2HAA8G;IAC9G,sHAAyG;AAC7G;;AAEA;;IAEI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;;AAEA;IACI,gCAAgC;IAChC,sCAAsC;YAC9B,8BAA8B;;IAEtC,4BAA4B;IAC5B,6BAA6B;;IAE7B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,4DAA4D;AAChE;;AAEA;;IAEI,yBAAyB;IACzB,6BAA6B;;IAE7B,6GAA6G;IAC7G,wEAAwE;IACxE,qEAAqE;IACrE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,uBAAuB;IACvB,iBAAiB;IACjB,YAAY;AAChB;AACA;IACI,kBAAkB;AACtB;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,SAAS;IACT,mBAAmB;IACnB,WAAW;IACX,YAAY;IACZ,gBAAgB;IAChB,UAAU;IACV,kBAAkB;IAClB,UAAU;AACd;;AAEA,YAAY;AACZ;IACI,iBAAiB;IACjB,kBAAkB;IAClB,qBAAqB;IACrB,kBAAkB;IAClB,kBAAkB;IAClB,gBAAgB;IAChB,6CAA6C;AACjD;;AAEA;IACI,kBAAkB;IAClB,qBAAqB;AACzB;;AAEA;IACI,SAAS;IACT,eAAe;AACnB;;AAEA;IACI,gBAAgB;IAChB,kBAAkB;IAClB,sBAAsB;AAC1B;;AAEA;IACI,iBAAiB;AACrB;;AAEA;IACI,oBAAoB;IACpB,SAAS;IACT,eAAe;;IAEf,eAAe;;IAEf,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;AAC/B;;AAEA,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;;AAEpE;IACI,mBAAmB;IACnB,WAAW;AACf;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA;IACI,uBAAuB;AAC3B;;AAEA;IACI,gBAAgB;IAChB,WAAW;AACf;;AAEA;;;;IAII,mBAAmB;IACnB,kBAAkB;IAClB,iBAAiB;AACrB;;AAEA;;CAEC;AACD;IACI,WAAW;IACX,mBAAmB;IACnB,kBAAkB;IAClB,eAAe;AACnB;AACA;EACE,mBAAmB;EACnB,kBAAkB;EAClB,eAAe;AACjB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,0EAA6D;AACjE;;AAEA;IACI,iCAAiC;AACrC;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA,oBAAoB;;AAEpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,yBAAyB;IACzB,sBAAsB;IACtB,cAAc;AAClB;;AAEA;IACI,aAAa;AACjB;;;AAGA,gBAAgB;;AAEhB;IACI,uBAAuB;IACvB,UAAU;IACV,SAAS;IACT,kBAAkB;IAClB,kBAAkB;;IAElB,sBAAsB;IACtB,YAAY;IACZ,gBAAgB;;IAEhB,sBAAsB;IACtB,uGAAuG;IACvG,iEAAiE;IACjE,8DAA8D;IAC9D,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;EACE,mCAAmC;AACrC;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;AACA;IACI,WAAW;IACX,gBAAgB;AACpB;AACA;;IAEI,YAAY;AAChB;AACA;IACI,SAAS;IACT,UAAU;IACV,mBAAmB;AACvB;;AAEA;IACI,YAAY;IACZ,aAAa;;IAEb,uBAAuB;IACvB,eAAe;IACf,WAAW;IACX,UAAU;IACV,SAAS;IACT,wBAAwB;YAChB,gBAAgB;IACxB,kCAAkC;AACtC;;AAEA;IACI,kFAAqE;AACzE;;AAEA;IACI,sBAAsB;AAC1B;;AAEA;IACI,yBAAyB;IACzB,qBAAqB;IACrB,kBAAkB;;IAElB,iBAAiB;IACjB,WAAW;IACX,eAAe;IACf,yBAAyB;;IAEzB,kBAAkB;;IAElB,mEAAmE;YAC3D,2DAA2D;;IAEnE,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,yBAAyB;IACzB,kHAAkH;IAClH,gKAAgK;IAChK,gGAAgG;IAChG,6FAA6F;IAC7F,8FAA8F;AAClG;AACA;;IAEI,qBAAqB;IACrB,yBAAyB;AAC7B;AACA;IACI,eAAe;AACnB;AACA;IACI,mBAAmB;AACvB;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,UAAU;IACV,QAAQ;;IAER,cAAc;IACd,aAAa;IACb,uEAAkD;AACtD;AACA;IACI,WAAW;IACX,SAAS;AACb;;AAEA;IACI,SAAS;AACb;;AAEA;IACI,UAAU;IACV,UAAU;AACd;;AAEA;EACE,gCAAgC;AAClC;AACA;IACI,gCAAgC;AACpC;;AAEA,oBAAoB;AACpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,wBAAwB;IACxB,sBAAsB;IACtB,sBAAsB;IACtB,yBAAyB;AAC7B;;AAEA,8HAA8H,aAAa;IACvI,gBAAgB;AACpB;AACA,oBAAoB;;;AAGpB;;IAEI,0BAA0B;AAC9B;;AAEA;IACI,8BAA8B;IAC9B,qBAAqB;IACrB,sBAAsB;IACtB,oBAAoB;IACpB,oBAAoB;IACpB,qBAAqB;IACrB,2BAA2B;IAC3B,6BAA6B;IAC7B,qBAAqB;IACrB,oBAAoB;IACpB,mBAAmB;AACvB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,kBAAkB;IAClB,aAAa;IACb,cAAc;IACd,YAAY;IACZ,aAAa;IACb,gBAAgB;AACpB;;AAEA,qBAAqB;;AAErB;IACI;;;;QAII,oEAAiD;QACjD,uCAAuC;QACvC,qCAAqC;IACzC;;IAEA;QACI,0CAA0C;IAC9C;AACJ\",\"sourcesContent\":[\"/*\\nVersion: @@ver@@ Timestamp: @@timestamp@@\\n*/\\n.select2-container {\\n margin: 0;\\n position: relative;\\n display: inline-block;\\n /* inline-block for ie7 */\\n zoom: 1;\\n *display: inline;\\n vertical-align: middle;\\n}\\n\\n.select2-container,\\n.select2-drop,\\n.select2-search,\\n.select2-search input {\\n /*\\n Force border-box so that % widths fit the parent\\n container without overlap because of margin/padding.\\n More Info : http://www.quirksmode.org/css/box.html\\n */\\n -webkit-box-sizing: border-box; /* webkit */\\n -moz-box-sizing: border-box; /* firefox */\\n box-sizing: border-box; /* css3 */\\n}\\n\\n.select2-container .select2-choice {\\n display: block;\\n height: 26px;\\n padding: 0 0 0 8px;\\n overflow: hidden;\\n position: relative;\\n\\n border: 1px solid #aaa;\\n white-space: nowrap;\\n line-height: 26px;\\n color: #444;\\n text-decoration: none;\\n\\n border-radius: 4px;\\n\\n background-clip: padding-box;\\n\\n -webkit-touch-callout: none;\\n -webkit-user-select: none;\\n -moz-user-select: none;\\n -ms-user-select: none;\\n user-select: none;\\n\\n background-color: #fff;\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice {\\n padding: 0 8px 0 0;\\n}\\n\\n.select2-container.select2-drop-above .select2-choice {\\n border-bottom-color: #aaa;\\n\\n border-radius: 0 0 4px 4px;\\n\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\\n}\\n\\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\\n margin-right: 42px;\\n}\\n\\n.select2-container .select2-choice > .select2-chosen {\\n margin-right: 26px;\\n display: block;\\n overflow: hidden;\\n\\n white-space: nowrap;\\n\\n text-overflow: ellipsis;\\n float: none;\\n width: auto;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice > .select2-chosen {\\n margin-left: 26px;\\n margin-right: 0;\\n}\\n\\n.select2-container .select2-choice abbr {\\n display: none;\\n width: 12px;\\n height: 12px;\\n position: absolute;\\n right: 24px;\\n top: 8px;\\n\\n font-size: 1px;\\n text-decoration: none;\\n\\n border: 0;\\n background: url('select2.png') right top no-repeat;\\n cursor: pointer;\\n outline: 0;\\n}\\n\\n.select2-container.select2-allowclear .select2-choice abbr {\\n display: inline-block;\\n}\\n\\n.select2-container .select2-choice abbr:hover {\\n background-position: right -11px;\\n cursor: pointer;\\n}\\n\\n.select2-drop-mask {\\n border: 0;\\n margin: 0;\\n padding: 0;\\n position: fixed;\\n left: 0;\\n top: 0;\\n min-height: 100%;\\n min-width: 100%;\\n height: auto;\\n width: auto;\\n opacity: 0;\\n z-index: 9998;\\n /* styles required for IE to work */\\n background-color: #fff;\\n filter: alpha(opacity=0);\\n}\\n\\n.select2-drop {\\n width: 100%;\\n margin-top: -1px;\\n position: absolute;\\n z-index: 9999;\\n top: 100%;\\n\\n background: #fff;\\n color: #000;\\n border: 1px solid #aaa;\\n border-top: 0;\\n\\n border-radius: 0 0 4px 4px;\\n\\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\\n}\\n\\n.select2-drop.select2-drop-above {\\n margin-top: 1px;\\n border-top: 1px solid #aaa;\\n border-bottom: 0;\\n\\n border-radius: 4px 4px 0 0;\\n\\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\\n}\\n\\n.select2-drop-active {\\n border: 1px solid #5897fb;\\n border-top: none;\\n}\\n\\n.select2-drop.select2-drop-above.select2-drop-active {\\n border-top: 1px solid #5897fb;\\n}\\n\\n.select2-drop-auto-width {\\n border-top: 1px solid #aaa;\\n width: auto;\\n}\\n\\n.select2-drop-auto-width .select2-search {\\n padding-top: 4px;\\n}\\n\\n.select2-container .select2-choice .select2-arrow {\\n display: inline-block;\\n width: 18px;\\n height: 100%;\\n position: absolute;\\n right: 0;\\n top: 0;\\n\\n border-left: 1px solid #aaa;\\n border-radius: 0 4px 4px 0;\\n\\n background-clip: padding-box;\\n\\n background: #ccc;\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice .select2-arrow {\\n left: 0;\\n right: auto;\\n\\n border-left: none;\\n border-right: 1px solid #aaa;\\n border-radius: 4px 0 0 4px;\\n}\\n\\n.select2-container .select2-choice .select2-arrow b {\\n display: block;\\n width: 100%;\\n height: 100%;\\n background: url('select2.png') no-repeat 0 1px;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice .select2-arrow b {\\n background-position: 2px 1px;\\n}\\n\\n.select2-search {\\n display: inline-block;\\n width: 100%;\\n min-height: 26px;\\n margin: 0;\\n padding-left: 4px;\\n padding-right: 4px;\\n\\n position: relative;\\n z-index: 10000;\\n\\n white-space: nowrap;\\n}\\n\\n.select2-search input {\\n width: 100%;\\n height: auto !important;\\n min-height: 26px;\\n padding: 4px 20px 4px 5px;\\n margin: 0;\\n\\n outline: 0;\\n font-family: sans-serif;\\n font-size: 1em;\\n\\n border: 1px solid #aaa;\\n border-radius: 0;\\n\\n -webkit-box-shadow: none;\\n box-shadow: none;\\n\\n background: #fff url('select2.png') no-repeat 100% -22px;\\n background: url('select2.png') no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\\n background: url('select2.png') no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-search input {\\n padding: 4px 5px 4px 20px;\\n\\n background: #fff url('select2.png') no-repeat -37px -22px;\\n background: url('select2.png') no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\\n background: url('select2.png') no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\\n}\\n\\n.select2-drop.select2-drop-above .select2-search input {\\n margin-top: 4px;\\n}\\n\\n.select2-search input.select2-active {\\n background: #fff url('select2-spinner.gif') no-repeat 100%;\\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2-spinner.gif') no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2-spinner.gif') no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\\n}\\n\\n.select2-container-active .select2-choice,\\n.select2-container-active .select2-choices {\\n border: 1px solid #5897fb;\\n outline: none;\\n\\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n}\\n\\n.select2-dropdown-open .select2-choice {\\n border-bottom-color: transparent;\\n -webkit-box-shadow: 0 1px 0 #fff inset;\\n box-shadow: 0 1px 0 #fff inset;\\n\\n border-bottom-left-radius: 0;\\n border-bottom-right-radius: 0;\\n\\n background-color: #eee;\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\\n}\\n\\n.select2-dropdown-open.select2-drop-above .select2-choice,\\n.select2-dropdown-open.select2-drop-above .select2-choices {\\n border: 1px solid #5897fb;\\n border-top-color: transparent;\\n\\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\\n}\\n\\n.select2-dropdown-open .select2-choice .select2-arrow {\\n background: transparent;\\n border-left: none;\\n filter: none;\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-dropdown-open .select2-choice .select2-arrow {\\n border-right: none;\\n}\\n\\n.select2-dropdown-open .select2-choice .select2-arrow b {\\n background-position: -18px 1px;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-dropdown-open .select2-choice .select2-arrow b {\\n background-position: -16px 1px;\\n}\\n\\n.select2-hidden-accessible {\\n border: 0;\\n clip: rect(0 0 0 0);\\n height: 1px;\\n margin: -1px;\\n overflow: hidden;\\n padding: 0;\\n position: absolute;\\n width: 1px;\\n}\\n\\n/* results */\\n.select2-results {\\n max-height: 200px;\\n padding: 0 0 0 4px;\\n margin: 4px 4px 4px 0;\\n position: relative;\\n overflow-x: hidden;\\n overflow-y: auto;\\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-results {\\n padding: 0 4px 0 0;\\n margin: 4px 0 4px 4px;\\n}\\n\\n.select2-results ul.select2-result-sub {\\n margin: 0;\\n padding-left: 0;\\n}\\n\\n.select2-results li {\\n list-style: none;\\n display: list-item;\\n background-image: none;\\n}\\n\\n.select2-results li.select2-result-with-children > .select2-result-label {\\n font-weight: bold;\\n}\\n\\n.select2-results .select2-result-label {\\n padding: 3px 7px 4px;\\n margin: 0;\\n cursor: pointer;\\n\\n min-height: 1em;\\n\\n -webkit-touch-callout: none;\\n -webkit-user-select: none;\\n -moz-user-select: none;\\n -ms-user-select: none;\\n user-select: none;\\n}\\n\\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\\n\\n.select2-results .select2-highlighted {\\n background: #3875d7;\\n color: #fff;\\n}\\n\\n.select2-results li em {\\n background: #feffde;\\n font-style: normal;\\n}\\n\\n.select2-results .select2-highlighted em {\\n background: transparent;\\n}\\n\\n.select2-results .select2-highlighted ul {\\n background: #fff;\\n color: #000;\\n}\\n\\n.select2-results .select2-no-results,\\n.select2-results .select2-searching,\\n.select2-results .select2-ajax-error,\\n.select2-results .select2-selection-limit {\\n background: #f4f4f4;\\n display: list-item;\\n padding-left: 5px;\\n}\\n\\n/*\\ndisabled look for disabled choices in the results dropdown\\n*/\\n.select2-results .select2-disabled.select2-highlighted {\\n color: #666;\\n background: #f4f4f4;\\n display: list-item;\\n cursor: default;\\n}\\n.select2-results .select2-disabled {\\n background: #f4f4f4;\\n display: list-item;\\n cursor: default;\\n}\\n\\n.select2-results .select2-selected {\\n display: none;\\n}\\n\\n.select2-more-results.select2-active {\\n background: #f4f4f4 url('select2-spinner.gif') no-repeat 100%;\\n}\\n\\n.select2-results .select2-ajax-error {\\n background: rgba(255, 50, 50, .2);\\n}\\n\\n.select2-more-results {\\n background: #f4f4f4;\\n display: list-item;\\n}\\n\\n/* disabled styles */\\n\\n.select2-container.select2-container-disabled .select2-choice {\\n background-color: #f4f4f4;\\n background-image: none;\\n border: 1px solid #ddd;\\n cursor: default;\\n}\\n\\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\\n background-color: #f4f4f4;\\n background-image: none;\\n border-left: 0;\\n}\\n\\n.select2-container.select2-container-disabled .select2-choice abbr {\\n display: none;\\n}\\n\\n\\n/* multiselect */\\n\\n.select2-container-multi .select2-choices {\\n height: auto !important;\\n height: 1%;\\n margin: 0;\\n padding: 0 5px 0 0;\\n position: relative;\\n\\n border: 1px solid #aaa;\\n cursor: text;\\n overflow: hidden;\\n\\n background-color: #fff;\\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-choices {\\n padding: 0 0 0 5px;\\n}\\n\\n.select2-locked {\\n padding: 3px 5px 3px 5px !important;\\n}\\n\\n.select2-container-multi .select2-choices {\\n min-height: 26px;\\n}\\n\\n.select2-container-multi.select2-container-active .select2-choices {\\n border: 1px solid #5897fb;\\n outline: none;\\n\\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n}\\n.select2-container-multi .select2-choices li {\\n float: left;\\n list-style: none;\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-choices li\\n{\\n float: right;\\n}\\n.select2-container-multi .select2-choices .select2-search-field {\\n margin: 0;\\n padding: 0;\\n white-space: nowrap;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-field input {\\n padding: 5px;\\n margin: 1px 0;\\n\\n font-family: sans-serif;\\n font-size: 100%;\\n color: #666;\\n outline: 0;\\n border: 0;\\n -webkit-box-shadow: none;\\n box-shadow: none;\\n background: transparent !important;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\\n background: #fff url('select2-spinner.gif') no-repeat 100% !important;\\n}\\n\\n.select2-default {\\n color: #999 !important;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-choice {\\n padding: 3px 5px 3px 18px;\\n margin: 3px 0 3px 5px;\\n position: relative;\\n\\n line-height: 13px;\\n color: #333;\\n cursor: default;\\n border: 1px solid #aaaaaa;\\n\\n border-radius: 3px;\\n\\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\\n\\n background-clip: padding-box;\\n\\n -webkit-touch-callout: none;\\n -webkit-user-select: none;\\n -moz-user-select: none;\\n -ms-user-select: none;\\n user-select: none;\\n\\n background-color: #e4e4e4;\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-choices .select2-search-choice\\n{\\n margin: 3px 5px 3px 0;\\n padding: 3px 18px 3px 5px;\\n}\\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\\n cursor: default;\\n}\\n.select2-container-multi .select2-choices .select2-search-choice-focus {\\n background: #d4d4d4;\\n}\\n\\n.select2-search-choice-close {\\n display: block;\\n width: 12px;\\n height: 13px;\\n position: absolute;\\n right: 3px;\\n top: 4px;\\n\\n font-size: 1px;\\n outline: none;\\n background: url('select2.png') right top no-repeat;\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-search-choice-close {\\n right: auto;\\n left: 3px;\\n}\\n\\n.select2-container-multi .select2-search-choice-close {\\n left: 3px;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-search-choice-close {\\n left: auto;\\n right: 2px;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\\n background-position: right -11px;\\n}\\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\\n background-position: right -11px;\\n}\\n\\n/* disabled styles */\\n.select2-container-multi.select2-container-disabled .select2-choices {\\n background-color: #f4f4f4;\\n background-image: none;\\n border: 1px solid #ddd;\\n cursor: default;\\n}\\n\\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\\n padding: 3px 5px 3px 5px;\\n border: 1px solid #ddd;\\n background-image: none;\\n background-color: #f4f4f4;\\n}\\n\\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\\n background: none;\\n}\\n/* end multiselect */\\n\\n\\n.select2-result-selectable .select2-match,\\n.select2-result-unselectable .select2-match {\\n text-decoration: underline;\\n}\\n\\n.select2-offscreen, .select2-offscreen:focus {\\n clip: rect(0 0 0 0) !important;\\n width: 1px !important;\\n height: 1px !important;\\n border: 0 !important;\\n margin: 0 !important;\\n padding: 0 !important;\\n overflow: hidden !important;\\n position: absolute !important;\\n outline: 0 !important;\\n left: 0px !important;\\n top: 0px !important;\\n}\\n\\n.select2-display-none {\\n display: none;\\n}\\n\\n.select2-measure-scrollbar {\\n position: absolute;\\n top: -10000px;\\n left: -10000px;\\n width: 100px;\\n height: 100px;\\n overflow: scroll;\\n}\\n\\n/* Retina-ize icons */\\n\\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\\n .select2-search input,\\n .select2-search-choice-close,\\n .select2-container .select2-choice abbr,\\n .select2-container .select2-choice .select2-arrow b {\\n background-image: url('select2x2.png') !important;\\n background-repeat: no-repeat !important;\\n background-size: 60px 40px !important;\\n }\\n\\n .select2-search input {\\n background-position: 100% -21px !important;\\n }\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/**\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\n * https://github.com/MorrisJobke/strengthify\n * Version: 0.5.9\n * License: The MIT License (MIT)\n * Copyright (c) 2013-2020 Morris Jobke \n */\n\n.strengthify-wrapper {\n position: relative;\n}\n\n.strengthify-wrapper > * {\n\t-ms-filter:\"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)\";\n\tfilter: alpha(opacity=0);\n\topacity: 0;\n\t-webkit-transition:all .5s ease-in-out;\n\t-moz-transition:all .5s ease-in-out;\n\ttransition:all .5s ease-in-out;\n}\n\n.strengthify-bg, .strengthify-container, .strengthify-separator {\n\theight: 3px;\n}\n\n.strengthify-bg, .strengthify-container {\n\tdisplay: block;\n\tposition: absolute;\n\twidth: 100%;\n}\n\n.strengthify-bg {\n\tbackground-color: #BBB;\n}\n\n.strengthify-separator {\n\tdisplay: inline-block;\n\tposition: absolute;\n\tbackground-color: #FFF;\n\twidth: 1px;\n\tz-index: 10;\n}\n\n.password-bad {\n\tbackground-color: #C33;\n}\n.password-medium {\n\tbackground-color: #F80;\n}\n.password-good {\n\tbackground-color: #3C3;\n}\n\ndiv[data-strengthifyMessage] {\n padding: 3px 8px;\n}\n\n.strengthify-tiles{\n\tfloat: right;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/strengthify/strengthify.css\"],\"names\":[],\"mappings\":\"AAAA;;;;;;EAME;;AAEF;IACI,kBAAkB;AACtB;;AAEA;CACC,+DAA+D;CAC/D,wBAAwB;CACxB,UAAU;CACV,sCAAsC;CACtC,mCAAmC;CACnC,8BAA8B;AAC/B;;AAEA;CACC,WAAW;AACZ;;AAEA;CACC,cAAc;CACd,kBAAkB;CAClB,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;;AAEA;CACC,qBAAqB;CACrB,kBAAkB;CAClB,sBAAsB;CACtB,UAAU;CACV,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;;AAEA;IACI,gBAAgB;AACpB;;AAEA;CACC,YAAY;AACb\",\"sourcesContent\":[\"/**\\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\\n * https://github.com/MorrisJobke/strengthify\\n * Version: 0.5.9\\n * License: The MIT License (MIT)\\n * Copyright (c) 2013-2020 Morris Jobke \\n */\\n\\n.strengthify-wrapper {\\n position: relative;\\n}\\n\\n.strengthify-wrapper > * {\\n\\t-ms-filter:\\\"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)\\\";\\n\\tfilter: alpha(opacity=0);\\n\\topacity: 0;\\n\\t-webkit-transition:all .5s ease-in-out;\\n\\t-moz-transition:all .5s ease-in-out;\\n\\ttransition:all .5s ease-in-out;\\n}\\n\\n.strengthify-bg, .strengthify-container, .strengthify-separator {\\n\\theight: 3px;\\n}\\n\\n.strengthify-bg, .strengthify-container {\\n\\tdisplay: block;\\n\\tposition: absolute;\\n\\twidth: 100%;\\n}\\n\\n.strengthify-bg {\\n\\tbackground-color: #BBB;\\n}\\n\\n.strengthify-separator {\\n\\tdisplay: inline-block;\\n\\tposition: absolute;\\n\\tbackground-color: #FFF;\\n\\twidth: 1px;\\n\\tz-index: 10;\\n}\\n\\n.password-bad {\\n\\tbackground-color: #C33;\\n}\\n.password-medium {\\n\\tbackground-color: #F80;\\n}\\n.password-good {\\n\\tbackground-color: #3C3;\\n}\\n\\ndiv[data-strengthifyMessage] {\\n padding: 3px 8px;\\n}\\n\\n.strengthify-tiles{\\n\\tfloat: right;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.account-menu-entry__icon[data-v-2e0a74a6]{height:16px;width:16px;margin:calc((var(--default-clickable-area) - 16px)/2);filter:var(--background-invert-if-dark)}.account-menu-entry__icon--active[data-v-2e0a74a6]{filter:var(--primary-invert-if-dark)}.account-menu-entry[data-v-2e0a74a6] .list-item-content__main{width:fit-content}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AccountMenu/AccountMenuEntry.vue\"],\"names\":[],\"mappings\":\"AAEC,2CACC,WAAA,CACA,UAAA,CACA,qDAAA,CACA,uCAAA,CAEA,mDACC,oCAAA,CAIF,8DACC,iBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu[data-v-7661a89b]{--app-menu-entry-growth: calc(var(--default-grid-baseline) * 4);display:flex;flex:1 1;width:0}.app-menu__list[data-v-7661a89b]{display:flex;flex-wrap:nowrap;margin-inline:calc(var(--app-menu-entry-growth)/2)}.app-menu__overflow[data-v-7661a89b]{margin-block:auto}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary{opacity:.7;margin:3px;filter:var(--background-image-invert-if-bright)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]){color:var(--color-background-plain-text)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]):hover{opacity:1;background-color:rgba(0,0,0,0) !important}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:focus-visible{opacity:1;outline:none !important}.app-menu__overflow-entry[data-v-7661a89b] .action-link__icon{filter:var(--background-invert-if-bright) !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenu.vue\"],\"names\":[],\"mappings\":\"AACA,2BAEC,+DAAA,CACA,YAAA,CACA,QAAA,CACA,OAAA,CAEA,iCACC,YAAA,CACA,gBAAA,CACA,kDAAA,CAGD,qCACC,iBAAA,CAGA,+DACC,UAAA,CACA,UAAA,CACA,+CAAA,CAGA,yFACC,wCAAA,CAEA,+FACC,SAAA,CACA,yCAAA,CAIF,6EACC,SAAA,CACA,uBAAA,CAMF,8DAEC,oDAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu-entry[data-v-9736071a]{--app-menu-entry-font-size: 12px;width:var(--header-height);height:var(--header-height);position:relative}.app-menu-entry__link[data-v-9736071a]{position:relative;display:flex;flex-direction:column;align-items:center;justify-content:center;color:var(--color-background-plain-text);width:calc(100% - 4px);height:calc(100% - 4px);margin:2px}.app-menu-entry__label[data-v-9736071a]{opacity:0;position:absolute;font-size:var(--app-menu-entry-font-size);color:var(--color-background-plain-text);text-align:center;bottom:0;inset-inline-start:50%;top:50%;display:block;transform:translateX(-50%);max-width:100%;text-overflow:ellipsis;overflow:hidden;letter-spacing:-0.5px}body[dir=rtl] .app-menu-entry__label[data-v-9736071a]{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a]{font-size:var(--app-menu-entry-font-size)}.app-menu-entry--active .app-menu-entry__label[data-v-9736071a]{font-weight:bolder}.app-menu-entry--active[data-v-9736071a]::before{content:\" \";position:absolute;pointer-events:none;border-bottom-color:var(--color-main-background);transform:translateX(-50%);width:10px;height:5px;border-radius:3px;background-color:var(--color-background-plain-text);inset-inline-start:50%;bottom:8px;display:block;transition:all var(--animation-quick) ease-in-out;opacity:1}body[dir=rtl] .app-menu-entry--active[data-v-9736071a]::before{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a],.app-menu-entry__label[data-v-9736071a]{transition:all var(--animation-quick) ease-in-out}.app-menu-entry:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry:focus-within .app-menu-entry__label[data-v-9736071a]{font-weight:bold}.app-menu-entry--truncated:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within .app-menu-entry__label[data-v-9736071a]{max-width:calc(var(--header-height) + var(--app-menu-entry-growth))}.app-menu-entry--truncated:hover+.app-menu-entry .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within+.app-menu-entry .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}.app-menu-entry:has(+.app-menu-entry--truncated:hover) .app-menu-entry__label[data-v-9736071a],.app-menu-entry:has(+.app-menu-entry--truncated:focus-within) .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenuEntry.vue\"],\"names\":[],\"mappings\":\"AACA,iCACC,gCAAA,CACA,0BAAA,CACA,2BAAA,CACA,iBAAA,CAEA,uCACC,iBAAA,CACA,YAAA,CACA,qBAAA,CACA,kBAAA,CACA,sBAAA,CAEA,wCAAA,CAEA,sBAAA,CACA,uBAAA,CACA,UAAA,CAGD,wCACC,SAAA,CACA,iBAAA,CACA,yCAAA,CAEA,wCAAA,CACA,iBAAA,CACA,QAAA,CACA,sBAAA,CACA,OAAA,CACA,aAAA,CACA,0BAAA,CACA,cAAA,CACA,sBAAA,CACA,eAAA,CACA,qBAAA,CAED,sDACC,oCAAA,CAGD,uCACC,yCAAA,CAKA,gEACC,kBAAA,CAID,iDACC,WAAA,CACA,iBAAA,CACA,mBAAA,CACA,gDAAA,CACA,0BAAA,CACA,UAAA,CACA,UAAA,CACA,iBAAA,CACA,mDAAA,CACA,sBAAA,CACA,UAAA,CACA,aAAA,CACA,iDAAA,CACA,SAAA,CAED,+DACC,oCAAA,CAIF,+EAEC,iDAAA,CAID,mIAEC,gBAAA,CAOA,yJACC,mEAAA,CAKA,yLACC,kBAAA,CACA,mEAAA,CAQF,qMACC,kBAAA,CACA,mEAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu-entry:hover .app-menu-entry__icon,.app-menu-entry:focus-within .app-menu-entry__icon,.app-menu__list:hover .app-menu-entry__icon,.app-menu__list:focus-within .app-menu-entry__icon{margin-block-end:1lh}.app-menu-entry:hover .app-menu-entry__label,.app-menu-entry:focus-within .app-menu-entry__label,.app-menu__list:hover .app-menu-entry__label,.app-menu__list:focus-within .app-menu-entry__label{opacity:1}.app-menu-entry:hover .app-menu-entry--active::before,.app-menu-entry:focus-within .app-menu-entry--active::before,.app-menu__list:hover .app-menu-entry--active::before,.app-menu__list:focus-within .app-menu-entry--active::before{opacity:0}.app-menu-entry:hover .app-menu-icon__unread,.app-menu-entry:focus-within .app-menu-icon__unread,.app-menu__list:hover .app-menu-icon__unread,.app-menu__list:focus-within .app-menu-icon__unread{opacity:0}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenuEntry.vue\"],\"names\":[],\"mappings\":\"AAOC,8LACC,oBAAA,CAID,kMACC,SAAA,CAID,sOACC,SAAA,CAGD,kMACC,SAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu-icon[data-v-e7078f90]{box-sizing:border-box;position:relative;height:20px;width:20px}.app-menu-icon__icon[data-v-e7078f90]{transition:margin .1s ease-in-out;height:20px;width:20px;filter:var(--background-image-invert-if-bright)}.app-menu-icon__unread[data-v-e7078f90]{color:var(--color-error);position:absolute;inset-block-end:15px;inset-inline-end:-5px;transition:all .1s ease-in-out}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenuIcon.vue\"],\"names\":[],\"mappings\":\"AAIA,gCACC,qBAAA,CACA,iBAAA,CAEA,WAPW,CAQX,UARW,CAUX,sCACC,iCAAA,CACA,WAZU,CAaV,UAbU,CAcV,+CAAA,CAGD,wCACC,wBAAA,CACA,iBAAA,CAEA,oBAAA,CACA,qBAAA,CACA,8BAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.contact[data-v-97ebdcaa]{display:flex;position:relative;align-items:center;padding:3px;padding-inline-start:10px}.contact__action__icon[data-v-97ebdcaa]{width:20px;height:20px;padding:12px;filter:var(--background-invert-if-dark)}.contact__avatar[data-v-97ebdcaa]{display:inherit}.contact__body[data-v-97ebdcaa]{flex-grow:1;padding-inline-start:10px;margin-inline-start:10px;min-width:0}.contact__body div[data-v-97ebdcaa]{position:relative;width:100%;overflow-x:hidden;text-overflow:ellipsis;margin:-1px 0}.contact__body div[data-v-97ebdcaa]:first-of-type{margin-top:0}.contact__body div[data-v-97ebdcaa]:last-of-type{margin-bottom:0}.contact__body__last-message[data-v-97ebdcaa],.contact__body__status-message[data-v-97ebdcaa],.contact__body__email-address[data-v-97ebdcaa]{color:var(--color-text-maxcontrast)}.contact__body[data-v-97ebdcaa]:focus-visible{box-shadow:0 0 0 4px var(--color-main-background) !important;outline:2px solid var(--color-main-text) !important}.contact .other-actions[data-v-97ebdcaa]{width:16px;height:16px;cursor:pointer}.contact .other-actions img[data-v-97ebdcaa]{filter:var(--background-invert-if-dark)}.contact button.other-actions[data-v-97ebdcaa]{width:44px}.contact button.other-actions[data-v-97ebdcaa]:focus{border-color:rgba(0,0,0,0);box-shadow:0 0 0 2px var(--color-main-text)}.contact button.other-actions[data-v-97ebdcaa]:focus-visible{border-radius:var(--border-radius-pill)}.contact .menu[data-v-97ebdcaa]{top:47px;margin-inline-end:13px}.contact .popovermenu[data-v-97ebdcaa]::after{inset-inline-end:2px}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/ContactsMenu/Contact.vue\"],\"names\":[],\"mappings\":\"AACA,0BACC,YAAA,CACA,iBAAA,CACA,kBAAA,CACA,WAAA,CACA,yBAAA,CAGC,wCACC,UAAA,CACA,WAAA,CACA,YAAA,CACA,uCAAA,CAIF,kCACC,eAAA,CAGD,gCACC,WAAA,CACA,yBAAA,CACA,wBAAA,CACA,WAAA,CAEA,oCACC,iBAAA,CACA,UAAA,CACA,iBAAA,CACA,sBAAA,CACA,aAAA,CAED,kDACC,YAAA,CAED,iDACC,eAAA,CAGD,6IACC,mCAAA,CAGD,8CACC,4DAAA,CACA,mDAAA,CAIF,yCACC,UAAA,CACA,WAAA,CACA,cAAA,CAEA,6CACC,uCAAA,CAIF,+CACC,UAAA,CAEA,qDACC,0BAAA,CACA,2CAAA,CAGD,6DACC,uCAAA,CAKF,gCACC,QAAA,CACA,sBAAA,CAGD,8CACC,oBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `[data-v-a886d77a] #header-menu-user-menu{padding:0 !important}.account-menu[data-v-a886d77a] button{opacity:1 !important}.account-menu[data-v-a886d77a] button:focus-visible .account-menu__avatar{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu[data-v-a886d77a] .header-menu__content{width:fit-content !important}.account-menu__avatar[data-v-a886d77a]:hover{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu__list[data-v-a886d77a]{display:inline-flex;flex-direction:column;padding-block:var(--default-grid-baseline) 0;padding-inline:0 var(--default-grid-baseline)}.account-menu__list[data-v-a886d77a]> li{box-sizing:border-box;flex:0 1}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/views/AccountMenu.vue\"],\"names\":[],\"mappings\":\"AACA,yCACC,oBAAA,CAIA,sCAGC,oBAAA,CAKC,0EACC,iFAAA,CAMH,qDACC,4BAAA,CAIA,6CAEC,iFAAA,CAIF,qCACC,mBAAA,CACA,qBAAA,CACA,4CAAA,CACA,6CAAA,CAEA,yCACC,qBAAA,CAEA,QAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.contactsmenu[data-v-5cad18ba]{overflow-y:hidden}.contactsmenu__trigger-icon[data-v-5cad18ba]{color:var(--color-background-plain-text) !important}.contactsmenu__menu[data-v-5cad18ba]{display:flex;flex-direction:column;overflow:hidden;height:328px;max-height:inherit}.contactsmenu__menu label[for=contactsmenu__menu__search][data-v-5cad18ba]{font-weight:bold;font-size:19px;margin-inline-start:13px}.contactsmenu__menu__input-wrapper[data-v-5cad18ba]{padding:10px;z-index:2;top:0}.contactsmenu__menu__search[data-v-5cad18ba]{width:100%;height:34px;margin-top:0 !important}.contactsmenu__menu__content[data-v-5cad18ba]{overflow-y:auto;margin-top:10px;flex:1 1 auto}.contactsmenu__menu__content__footer[data-v-5cad18ba]{display:flex;flex-direction:column;align-items:center}.contactsmenu__menu a[data-v-5cad18ba]:focus-visible{box-shadow:inset 0 0 0 2px var(--color-main-text) !important}.contactsmenu[data-v-5cad18ba] .empty-content{margin:0 !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/views/ContactsMenu.vue\"],\"names\":[],\"mappings\":\"AACA,+BACC,iBAAA,CAEA,6CACC,mDAAA,CAGD,qCACC,YAAA,CACA,qBAAA,CACA,eAAA,CACA,YAAA,CACA,kBAAA,CAEA,2EACC,gBAAA,CACA,cAAA,CACA,wBAAA,CAGD,oDACC,YAAA,CACA,SAAA,CACA,KAAA,CAGD,6CACC,UAAA,CACA,WAAA,CACA,uBAAA,CAGD,8CACC,eAAA,CACA,eAAA,CACA,aAAA,CAEA,sDACC,YAAA,CACA,qBAAA,CACA,kBAAA,CAKD,qDACC,4DAAA,CAKH,8CACC,mBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","/*\n * vim: expandtab shiftwidth=4 softtabstop=4\n */\n\n/* global dav */\nvar dav = dav || {}\n\ndav._XML_CHAR_MAP = {\n '<': '<',\n '>': '>',\n '&': '&',\n '\"': '"',\n \"'\": '''\n};\n\ndav._escapeXml = function(s) {\n return s.replace(/[<>&\"']/g, function (ch) {\n return dav._XML_CHAR_MAP[ch];\n });\n};\n\ndav.Client = function(options) {\n var i;\n for(i in options) {\n this[i] = options[i];\n }\n\n};\n\ndav.Client.prototype = {\n\n baseUrl : null,\n\n userName : null,\n\n password : null,\n\n\n xmlNamespaces : {\n 'DAV:' : 'd'\n },\n\n /**\n * Generates a propFind request.\n *\n * @param {string} url Url to do the propfind request on\n * @param {Array} properties List of properties to retrieve.\n * @param {string} depth \"0\", \"1\" or \"infinity\"\n * @param {Object} [headers] headers\n * @return {Promise}\n */\n propFind : function(url, properties, depth, headers) {\n\n if(typeof depth === \"undefined\") {\n depth = '0';\n }\n\n // depth header must be a string, in case a number was passed in\n depth = '' + depth;\n\n headers = headers || {};\n\n headers['Depth'] = depth;\n headers['Content-Type'] = 'application/xml; charset=utf-8';\n\n var body =\n '\\n' +\n '\\n';\n\n for(var ii in properties) {\n if (!properties.hasOwnProperty(ii)) {\n continue;\n }\n\n var property = this.parseClarkNotation(properties[ii]);\n if (this.xmlNamespaces[property.namespace]) {\n body+=' <' + this.xmlNamespaces[property.namespace] + ':' + property.name + ' />\\n';\n } else {\n body+=' \\n';\n }\n\n }\n body+=' \\n';\n body+='';\n\n return this.request('PROPFIND', url, headers, body).then(\n function(result) {\n\n if (depth === '0') {\n return {\n status: result.status,\n body: result.body[0],\n xhr: result.xhr\n };\n } else {\n return {\n status: result.status,\n body: result.body,\n xhr: result.xhr\n };\n }\n\n }.bind(this)\n );\n\n },\n\n /**\n * Renders a \"d:set\" block for the given properties.\n *\n * @param {Object.} properties\n * @return {String} XML \"\" block\n */\n _renderPropSet: function(properties) {\n var body = ' \\n' +\n ' \\n';\n\n for(var ii in properties) {\n if (!properties.hasOwnProperty(ii)) {\n continue;\n }\n\n var property = this.parseClarkNotation(ii);\n var propName;\n var propValue = properties[ii];\n if (this.xmlNamespaces[property.namespace]) {\n propName = this.xmlNamespaces[property.namespace] + ':' + property.name;\n } else {\n propName = 'x:' + property.name + ' xmlns:x=\"' + property.namespace + '\"';\n }\n\n // FIXME: hard-coded for now until we allow properties to\n // specify whether to be escaped or not\n if (propName !== 'd:resourcetype') {\n propValue = dav._escapeXml(propValue);\n }\n body += ' <' + propName + '>' + propValue + '\\n';\n }\n body +=' \\n';\n body +=' \\n';\n return body;\n },\n\n /**\n * Generates a propPatch request.\n *\n * @param {string} url Url to do the proppatch request on\n * @param {Object.} properties List of properties to store.\n * @param {Object} [headers] headers\n * @return {Promise}\n */\n propPatch : function(url, properties, headers) {\n headers = headers || {};\n\n headers['Content-Type'] = 'application/xml; charset=utf-8';\n\n var body =\n '\\n' +\n '} [properties] list of properties to store.\n * @param {Object} [headers] headers\n * @return {Promise}\n */\n mkcol : function(url, properties, headers) {\n var body = '';\n headers = headers || {};\n headers['Content-Type'] = 'application/xml; charset=utf-8';\n\n if (properties) {\n body =\n '\\n' +\n ' 0) {\n var subNodes = [];\n // filter out text nodes\n for (var j = 0; j < propNode.childNodes.length; j++) {\n var node = propNode.childNodes[j];\n if (node.nodeType === 1) {\n subNodes.push(node);\n }\n }\n if (subNodes.length) {\n content = subNodes;\n }\n }\n\n return content || propNode.textContent || propNode.text || '';\n },\n\n /**\n * Parses a multi-status response body.\n *\n * @param {string} xmlBody\n * @param {Array}\n */\n parseMultiStatus : function(xmlBody) {\n\n var parser = new DOMParser();\n var doc = parser.parseFromString(xmlBody, \"application/xml\");\n\n var resolver = function(foo) {\n var ii;\n for(ii in this.xmlNamespaces) {\n if (this.xmlNamespaces[ii] === foo) {\n return ii;\n }\n }\n }.bind(this);\n\n var responseIterator = doc.evaluate('/d:multistatus/d:response', doc, resolver, XPathResult.ANY_TYPE, null);\n\n var result = [];\n var responseNode = responseIterator.iterateNext();\n\n while(responseNode) {\n\n var response = {\n href : null,\n propStat : []\n };\n\n response.href = doc.evaluate('string(d:href)', responseNode, resolver, XPathResult.ANY_TYPE, null).stringValue;\n\n var propStatIterator = doc.evaluate('d:propstat', responseNode, resolver, XPathResult.ANY_TYPE, null);\n var propStatNode = propStatIterator.iterateNext();\n\n while(propStatNode) {\n var propStat = {\n status : doc.evaluate('string(d:status)', propStatNode, resolver, XPathResult.ANY_TYPE, null).stringValue,\n properties : {},\n };\n\n var propIterator = doc.evaluate('d:prop/*', propStatNode, resolver, XPathResult.ANY_TYPE, null);\n\n var propNode = propIterator.iterateNext();\n while(propNode) {\n var content = this._parsePropNode(propNode);\n propStat.properties['{' + propNode.namespaceURI + '}' + propNode.localName] = content;\n propNode = propIterator.iterateNext();\n\n }\n response.propStat.push(propStat);\n propStatNode = propStatIterator.iterateNext();\n\n\n }\n\n result.push(response);\n responseNode = responseIterator.iterateNext();\n\n }\n\n return result;\n\n },\n\n /**\n * Takes a relative url, and maps it to an absolute url, using the baseUrl\n *\n * @param {string} url\n * @return {string}\n */\n resolveUrl : function(url) {\n\n // Note: this is rudamentary.. not sure yet if it handles every case.\n if (/^https?:\\/\\//i.test(url)) {\n // absolute\n return url;\n }\n\n var baseParts = this.parseUrl(this.baseUrl);\n if (url.charAt('/')) {\n // Url starts with a slash\n return baseParts.root + url;\n }\n\n // Url does not start with a slash, we need grab the base url right up until the last slash.\n var newUrl = baseParts.root + '/';\n if (baseParts.path.lastIndexOf('/')!==-1) {\n newUrl = newUrl = baseParts.path.subString(0, baseParts.path.lastIndexOf('/')) + '/';\n }\n newUrl+=url;\n return url;\n\n },\n\n /**\n * Parses a url and returns its individual components.\n *\n * @param {String} url\n * @return {Object}\n */\n parseUrl : function(url) {\n\n var parts = url.match(/^(?:([A-Za-z]+):)?(\\/{0,3})([0-9.\\-A-Za-z]+)(?::(\\d+))?(?:\\/([^?#]*))?(?:\\?([^#]*))?(?:#(.*))?$/);\n var result = {\n url : parts[0],\n scheme : parts[1],\n host : parts[3],\n port : parts[4],\n path : parts[5],\n query : parts[6],\n fragment : parts[7],\n };\n result.root =\n result.scheme + '://' +\n result.host +\n (result.port ? ':' + result.port : '');\n\n return result;\n\n },\n\n parseClarkNotation : function(propertyName) {\n\n var result = propertyName.match(/^{([^}]+)}(.*)$/);\n if (!result) {\n return;\n }\n\n return {\n name : result[2],\n namespace : result[1]\n };\n\n }\n\n};\n\nif (typeof module !== 'undefined' && typeof module.exports !== 'undefined') {\n module.exports.Client = dav.Client;\n}\n","var Handlebars = require(\"../../../../node_modules/handlebars/runtime.js\");\nfunction __default(obj) { return obj && (obj.__esModule ? obj[\"default\"] : obj); }\nmodule.exports = (Handlebars[\"default\"] || Handlebars).template({\"1\":function(container,depth0,helpers,partials,data) {\n var helper, lookupProperty = container.lookupProperty || function(parent, propertyName) {\n if (Object.prototype.hasOwnProperty.call(parent, propertyName)) {\n return parent[propertyName];\n }\n return undefined\n };\n\n return \"\";\n},\"compiler\":[8,\">= 4.3.0\"],\"main\":function(container,depth0,helpers,partials,data) {\n var stack1, helper, alias1=depth0 != null ? depth0 : (container.nullContext || {}), alias2=container.hooks.helperMissing, alias3=\"function\", alias4=container.escapeExpression, lookupProperty = container.lookupProperty || function(parent, propertyName) {\n if (Object.prototype.hasOwnProperty.call(parent, propertyName)) {\n return parent[propertyName];\n }\n return undefined\n };\n\n return \"
          • \\n\t\\n\t\t\"\n + ((stack1 = lookupProperty(helpers,\"if\").call(alias1,(depth0 != null ? lookupProperty(depth0,\"icon\") : depth0),{\"name\":\"if\",\"hash\":{},\"fn\":container.program(1, data, 0),\"inverse\":container.noop,\"data\":data,\"loc\":{\"start\":{\"line\":3,\"column\":2},\"end\":{\"line\":3,\"column\":41}}})) != null ? stack1 : \"\")\n + \"\\n\t\t\"\n + alias4(((helper = (helper = lookupProperty(helpers,\"title\") || (depth0 != null ? lookupProperty(depth0,\"title\") : depth0)) != null ? helper : alias2),(typeof helper === alias3 ? helper.call(alias1,{\"name\":\"title\",\"hash\":{},\"data\":data,\"loc\":{\"start\":{\"line\":4,\"column\":8},\"end\":{\"line\":4,\"column\":17}}}) : helper)))\n + \"\\n\t\\n
          • \\n\";\n},\"useData\":true});","/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: widget.js, position.js, data.js, disable-selection.js, effect.js, effects/effect-blind.js, effects/effect-bounce.js, effects/effect-clip.js, effects/effect-drop.js, effects/effect-explode.js, effects/effect-fade.js, effects/effect-fold.js, effects/effect-highlight.js, effects/effect-puff.js, effects/effect-pulsate.js, effects/effect-scale.js, effects/effect-shake.js, effects/effect-size.js, effects/effect-slide.js, effects/effect-transfer.js, focusable.js, form-reset-mixin.js, jquery-patch.js, keycode.js, labels.js, scroll-parent.js, tabbable.js, unique-id.js, widgets/accordion.js, widgets/autocomplete.js, widgets/button.js, widgets/checkboxradio.js, widgets/controlgroup.js, widgets/datepicker.js, widgets/dialog.js, widgets/draggable.js, widgets/droppable.js, widgets/menu.js, widgets/mouse.js, widgets/progressbar.js, widgets/resizable.js, widgets/selectable.js, widgets/selectmenu.js, widgets/slider.js, widgets/sortable.js, widgets/spinner.js, widgets/tabs.js, widgets/tooltip.js\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n( function( factory ) {\n\t\"use strict\";\n\t\n\tif ( typeof define === \"function\" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [ \"jquery\" ], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n} )( function( $ ) {\n\"use strict\";\n\n$.ui = $.ui || {};\n\nvar version = $.ui.version = \"1.13.3\";\n\n\n/*!\n * jQuery UI Widget 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Widget\n//>>group: Core\n//>>description: Provides a factory for creating stateful widgets with a common API.\n//>>docs: https://api.jqueryui.com/jQuery.widget/\n//>>demos: https://jqueryui.com/widget/\n\n\nvar widgetUuid = 0;\nvar widgetHasOwnProperty = Array.prototype.hasOwnProperty;\nvar widgetSlice = Array.prototype.slice;\n\n$.cleanData = ( function( orig ) {\n\treturn function( elems ) {\n\t\tvar events, elem, i;\n\t\tfor ( i = 0; ( elem = elems[ i ] ) != null; i++ ) {\n\n\t\t\t// Only trigger remove when necessary to save time\n\t\t\tevents = $._data( elem, \"events\" );\n\t\t\tif ( events && events.remove ) {\n\t\t\t\t$( elem ).triggerHandler( \"remove\" );\n\t\t\t}\n\t\t}\n\t\torig( elems );\n\t};\n} )( $.cleanData );\n\n$.widget = function( name, base, prototype ) {\n\tvar existingConstructor, constructor, basePrototype;\n\n\t// ProxiedPrototype allows the provided prototype to remain unmodified\n\t// so that it can be used as a mixin for multiple widgets (#8876)\n\tvar proxiedPrototype = {};\n\n\tvar namespace = name.split( \".\" )[ 0 ];\n\tname = name.split( \".\" )[ 1 ];\n\tvar fullName = namespace + \"-\" + name;\n\n\tif ( !prototype ) {\n\t\tprototype = base;\n\t\tbase = $.Widget;\n\t}\n\n\tif ( Array.isArray( prototype ) ) {\n\t\tprototype = $.extend.apply( null, [ {} ].concat( prototype ) );\n\t}\n\n\t// Create selector for plugin\n\t$.expr.pseudos[ fullName.toLowerCase() ] = function( elem ) {\n\t\treturn !!$.data( elem, fullName );\n\t};\n\n\t$[ namespace ] = $[ namespace ] || {};\n\texistingConstructor = $[ namespace ][ name ];\n\tconstructor = $[ namespace ][ name ] = function( options, element ) {\n\n\t\t// Allow instantiation without \"new\" keyword\n\t\tif ( !this || !this._createWidget ) {\n\t\t\treturn new constructor( options, element );\n\t\t}\n\n\t\t// Allow instantiation without initializing for simple inheritance\n\t\t// must use \"new\" keyword (the code above always passes args)\n\t\tif ( arguments.length ) {\n\t\t\tthis._createWidget( options, element );\n\t\t}\n\t};\n\n\t// Extend with the existing constructor to carry over any static properties\n\t$.extend( constructor, existingConstructor, {\n\t\tversion: prototype.version,\n\n\t\t// Copy the object used to create the prototype in case we need to\n\t\t// redefine the widget later\n\t\t_proto: $.extend( {}, prototype ),\n\n\t\t// Track widgets that inherit from this widget in case this widget is\n\t\t// redefined after a widget inherits from it\n\t\t_childConstructors: []\n\t} );\n\n\tbasePrototype = new base();\n\n\t// We need to make the options hash a property directly on the new instance\n\t// otherwise we'll modify the options hash on the prototype that we're\n\t// inheriting from\n\tbasePrototype.options = $.widget.extend( {}, basePrototype.options );\n\t$.each( prototype, function( prop, value ) {\n\t\tif ( typeof value !== \"function\" ) {\n\t\t\tproxiedPrototype[ prop ] = value;\n\t\t\treturn;\n\t\t}\n\t\tproxiedPrototype[ prop ] = ( function() {\n\t\t\tfunction _super() {\n\t\t\t\treturn base.prototype[ prop ].apply( this, arguments );\n\t\t\t}\n\n\t\t\tfunction _superApply( args ) {\n\t\t\t\treturn base.prototype[ prop ].apply( this, args );\n\t\t\t}\n\n\t\t\treturn function() {\n\t\t\t\tvar __super = this._super;\n\t\t\t\tvar __superApply = this._superApply;\n\t\t\t\tvar returnValue;\n\n\t\t\t\tthis._super = _super;\n\t\t\t\tthis._superApply = _superApply;\n\n\t\t\t\treturnValue = value.apply( this, arguments );\n\n\t\t\t\tthis._super = __super;\n\t\t\t\tthis._superApply = __superApply;\n\n\t\t\t\treturn returnValue;\n\t\t\t};\n\t\t} )();\n\t} );\n\tconstructor.prototype = $.widget.extend( basePrototype, {\n\n\t\t// TODO: remove support for widgetEventPrefix\n\t\t// always use the name + a colon as the prefix, e.g., draggable:start\n\t\t// don't prefix for widgets that aren't DOM-based\n\t\twidgetEventPrefix: existingConstructor ? ( basePrototype.widgetEventPrefix || name ) : name\n\t}, proxiedPrototype, {\n\t\tconstructor: constructor,\n\t\tnamespace: namespace,\n\t\twidgetName: name,\n\t\twidgetFullName: fullName\n\t} );\n\n\t// If this widget is being redefined then we need to find all widgets that\n\t// are inheriting from it and redefine all of them so that they inherit from\n\t// the new version of this widget. We're essentially trying to replace one\n\t// level in the prototype chain.\n\tif ( existingConstructor ) {\n\t\t$.each( existingConstructor._childConstructors, function( i, child ) {\n\t\t\tvar childPrototype = child.prototype;\n\n\t\t\t// Redefine the child widget using the same prototype that was\n\t\t\t// originally used, but inherit from the new version of the base\n\t\t\t$.widget( childPrototype.namespace + \".\" + childPrototype.widgetName, constructor,\n\t\t\t\tchild._proto );\n\t\t} );\n\n\t\t// Remove the list of existing child constructors from the old constructor\n\t\t// so the old child constructors can be garbage collected\n\t\tdelete existingConstructor._childConstructors;\n\t} else {\n\t\tbase._childConstructors.push( constructor );\n\t}\n\n\t$.widget.bridge( name, constructor );\n\n\treturn constructor;\n};\n\n$.widget.extend = function( target ) {\n\tvar input = widgetSlice.call( arguments, 1 );\n\tvar inputIndex = 0;\n\tvar inputLength = input.length;\n\tvar key;\n\tvar value;\n\n\tfor ( ; inputIndex < inputLength; inputIndex++ ) {\n\t\tfor ( key in input[ inputIndex ] ) {\n\t\t\tvalue = input[ inputIndex ][ key ];\n\t\t\tif ( widgetHasOwnProperty.call( input[ inputIndex ], key ) && value !== undefined ) {\n\n\t\t\t\t// Clone objects\n\t\t\t\tif ( $.isPlainObject( value ) ) {\n\t\t\t\t\ttarget[ key ] = $.isPlainObject( target[ key ] ) ?\n\t\t\t\t\t\t$.widget.extend( {}, target[ key ], value ) :\n\n\t\t\t\t\t\t// Don't extend strings, arrays, etc. with objects\n\t\t\t\t\t\t$.widget.extend( {}, value );\n\n\t\t\t\t// Copy everything else by reference\n\t\t\t\t} else {\n\t\t\t\t\ttarget[ key ] = value;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\treturn target;\n};\n\n$.widget.bridge = function( name, object ) {\n\tvar fullName = object.prototype.widgetFullName || name;\n\t$.fn[ name ] = function( options ) {\n\t\tvar isMethodCall = typeof options === \"string\";\n\t\tvar args = widgetSlice.call( arguments, 1 );\n\t\tvar returnValue = this;\n\n\t\tif ( isMethodCall ) {\n\n\t\t\t// If this is an empty collection, we need to have the instance method\n\t\t\t// return undefined instead of the jQuery instance\n\t\t\tif ( !this.length && options === \"instance\" ) {\n\t\t\t\treturnValue = undefined;\n\t\t\t} else {\n\t\t\t\tthis.each( function() {\n\t\t\t\t\tvar methodValue;\n\t\t\t\t\tvar instance = $.data( this, fullName );\n\n\t\t\t\t\tif ( options === \"instance\" ) {\n\t\t\t\t\t\treturnValue = instance;\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t}\n\n\t\t\t\t\tif ( !instance ) {\n\t\t\t\t\t\treturn $.error( \"cannot call methods on \" + name +\n\t\t\t\t\t\t\t\" prior to initialization; \" +\n\t\t\t\t\t\t\t\"attempted to call method '\" + options + \"'\" );\n\t\t\t\t\t}\n\n\t\t\t\t\tif ( typeof instance[ options ] !== \"function\" ||\n\t\t\t\t\t\toptions.charAt( 0 ) === \"_\" ) {\n\t\t\t\t\t\treturn $.error( \"no such method '\" + options + \"' for \" + name +\n\t\t\t\t\t\t\t\" widget instance\" );\n\t\t\t\t\t}\n\n\t\t\t\t\tmethodValue = instance[ options ].apply( instance, args );\n\n\t\t\t\t\tif ( methodValue !== instance && methodValue !== undefined ) {\n\t\t\t\t\t\treturnValue = methodValue && methodValue.jquery ?\n\t\t\t\t\t\t\treturnValue.pushStack( methodValue.get() ) :\n\t\t\t\t\t\t\tmethodValue;\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t} else {\n\n\t\t\t// Allow multiple hashes to be passed on init\n\t\t\tif ( args.length ) {\n\t\t\t\toptions = $.widget.extend.apply( null, [ options ].concat( args ) );\n\t\t\t}\n\n\t\t\tthis.each( function() {\n\t\t\t\tvar instance = $.data( this, fullName );\n\t\t\t\tif ( instance ) {\n\t\t\t\t\tinstance.option( options || {} );\n\t\t\t\t\tif ( instance._init ) {\n\t\t\t\t\t\tinstance._init();\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\t$.data( this, fullName, new object( options, this ) );\n\t\t\t\t}\n\t\t\t} );\n\t\t}\n\n\t\treturn returnValue;\n\t};\n};\n\n$.Widget = function( /* options, element */ ) {};\n$.Widget._childConstructors = [];\n\n$.Widget.prototype = {\n\twidgetName: \"widget\",\n\twidgetEventPrefix: \"\",\n\tdefaultElement: \"
            \",\n\n\toptions: {\n\t\tclasses: {},\n\t\tdisabled: false,\n\n\t\t// Callbacks\n\t\tcreate: null\n\t},\n\n\t_createWidget: function( options, element ) {\n\t\telement = $( element || this.defaultElement || this )[ 0 ];\n\t\tthis.element = $( element );\n\t\tthis.uuid = widgetUuid++;\n\t\tthis.eventNamespace = \".\" + this.widgetName + this.uuid;\n\n\t\tthis.bindings = $();\n\t\tthis.hoverable = $();\n\t\tthis.focusable = $();\n\t\tthis.classesElementLookup = {};\n\n\t\tif ( element !== this ) {\n\t\t\t$.data( element, this.widgetFullName, this );\n\t\t\tthis._on( true, this.element, {\n\t\t\t\tremove: function( event ) {\n\t\t\t\t\tif ( event.target === element ) {\n\t\t\t\t\t\tthis.destroy();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} );\n\t\t\tthis.document = $( element.style ?\n\n\t\t\t\t// Element within the document\n\t\t\t\telement.ownerDocument :\n\n\t\t\t\t// Element is window or document\n\t\t\t\telement.document || element );\n\t\t\tthis.window = $( this.document[ 0 ].defaultView || this.document[ 0 ].parentWindow );\n\t\t}\n\n\t\tthis.options = $.widget.extend( {},\n\t\t\tthis.options,\n\t\t\tthis._getCreateOptions(),\n\t\t\toptions );\n\n\t\tthis._create();\n\n\t\tif ( this.options.disabled ) {\n\t\t\tthis._setOptionDisabled( this.options.disabled );\n\t\t}\n\n\t\tthis._trigger( \"create\", null, this._getCreateEventData() );\n\t\tthis._init();\n\t},\n\n\t_getCreateOptions: function() {\n\t\treturn {};\n\t},\n\n\t_getCreateEventData: $.noop,\n\n\t_create: $.noop,\n\n\t_init: $.noop,\n\n\tdestroy: function() {\n\t\tvar that = this;\n\n\t\tthis._destroy();\n\t\t$.each( this.classesElementLookup, function( key, value ) {\n\t\t\tthat._removeClass( value, key );\n\t\t} );\n\n\t\t// We can probably remove the unbind calls in 2.0\n\t\t// all event bindings should go through this._on()\n\t\tthis.element\n\t\t\t.off( this.eventNamespace )\n\t\t\t.removeData( this.widgetFullName );\n\t\tthis.widget()\n\t\t\t.off( this.eventNamespace )\n\t\t\t.removeAttr( \"aria-disabled\" );\n\n\t\t// Clean up events and states\n\t\tthis.bindings.off( this.eventNamespace );\n\t},\n\n\t_destroy: $.noop,\n\n\twidget: function() {\n\t\treturn this.element;\n\t},\n\n\toption: function( key, value ) {\n\t\tvar options = key;\n\t\tvar parts;\n\t\tvar curOption;\n\t\tvar i;\n\n\t\tif ( arguments.length === 0 ) {\n\n\t\t\t// Don't return a reference to the internal hash\n\t\t\treturn $.widget.extend( {}, this.options );\n\t\t}\n\n\t\tif ( typeof key === \"string\" ) {\n\n\t\t\t// Handle nested keys, e.g., \"foo.bar\" => { foo: { bar: ___ } }\n\t\t\toptions = {};\n\t\t\tparts = key.split( \".\" );\n\t\t\tkey = parts.shift();\n\t\t\tif ( parts.length ) {\n\t\t\t\tcurOption = options[ key ] = $.widget.extend( {}, this.options[ key ] );\n\t\t\t\tfor ( i = 0; i < parts.length - 1; i++ ) {\n\t\t\t\t\tcurOption[ parts[ i ] ] = curOption[ parts[ i ] ] || {};\n\t\t\t\t\tcurOption = curOption[ parts[ i ] ];\n\t\t\t\t}\n\t\t\t\tkey = parts.pop();\n\t\t\t\tif ( arguments.length === 1 ) {\n\t\t\t\t\treturn curOption[ key ] === undefined ? null : curOption[ key ];\n\t\t\t\t}\n\t\t\t\tcurOption[ key ] = value;\n\t\t\t} else {\n\t\t\t\tif ( arguments.length === 1 ) {\n\t\t\t\t\treturn this.options[ key ] === undefined ? null : this.options[ key ];\n\t\t\t\t}\n\t\t\t\toptions[ key ] = value;\n\t\t\t}\n\t\t}\n\n\t\tthis._setOptions( options );\n\n\t\treturn this;\n\t},\n\n\t_setOptions: function( options ) {\n\t\tvar key;\n\n\t\tfor ( key in options ) {\n\t\t\tthis._setOption( key, options[ key ] );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\t_setOption: function( key, value ) {\n\t\tif ( key === \"classes\" ) {\n\t\t\tthis._setOptionClasses( value );\n\t\t}\n\n\t\tthis.options[ key ] = value;\n\n\t\tif ( key === \"disabled\" ) {\n\t\t\tthis._setOptionDisabled( value );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\t_setOptionClasses: function( value ) {\n\t\tvar classKey, elements, currentElements;\n\n\t\tfor ( classKey in value ) {\n\t\t\tcurrentElements = this.classesElementLookup[ classKey ];\n\t\t\tif ( value[ classKey ] === this.options.classes[ classKey ] ||\n\t\t\t\t\t!currentElements ||\n\t\t\t\t\t!currentElements.length ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t// We are doing this to create a new jQuery object because the _removeClass() call\n\t\t\t// on the next line is going to destroy the reference to the current elements being\n\t\t\t// tracked. We need to save a copy of this collection so that we can add the new classes\n\t\t\t// below.\n\t\t\telements = $( currentElements.get() );\n\t\t\tthis._removeClass( currentElements, classKey );\n\n\t\t\t// We don't use _addClass() here, because that uses this.options.classes\n\t\t\t// for generating the string of classes. We want to use the value passed in from\n\t\t\t// _setOption(), this is the new value of the classes option which was passed to\n\t\t\t// _setOption(). We pass this value directly to _classes().\n\t\t\telements.addClass( this._classes( {\n\t\t\t\telement: elements,\n\t\t\t\tkeys: classKey,\n\t\t\t\tclasses: value,\n\t\t\t\tadd: true\n\t\t\t} ) );\n\t\t}\n\t},\n\n\t_setOptionDisabled: function( value ) {\n\t\tthis._toggleClass( this.widget(), this.widgetFullName + \"-disabled\", null, !!value );\n\n\t\t// If the widget is becoming disabled, then nothing is interactive\n\t\tif ( value ) {\n\t\t\tthis._removeClass( this.hoverable, null, \"ui-state-hover\" );\n\t\t\tthis._removeClass( this.focusable, null, \"ui-state-focus\" );\n\t\t}\n\t},\n\n\tenable: function() {\n\t\treturn this._setOptions( { disabled: false } );\n\t},\n\n\tdisable: function() {\n\t\treturn this._setOptions( { disabled: true } );\n\t},\n\n\t_classes: function( options ) {\n\t\tvar full = [];\n\t\tvar that = this;\n\n\t\toptions = $.extend( {\n\t\t\telement: this.element,\n\t\t\tclasses: this.options.classes || {}\n\t\t}, options );\n\n\t\tfunction bindRemoveEvent() {\n\t\t\tvar nodesToBind = [];\n\n\t\t\toptions.element.each( function( _, element ) {\n\t\t\t\tvar isTracked = $.map( that.classesElementLookup, function( elements ) {\n\t\t\t\t\treturn elements;\n\t\t\t\t} )\n\t\t\t\t\t.some( function( elements ) {\n\t\t\t\t\t\treturn elements.is( element );\n\t\t\t\t\t} );\n\n\t\t\t\tif ( !isTracked ) {\n\t\t\t\t\tnodesToBind.push( element );\n\t\t\t\t}\n\t\t\t} );\n\n\t\t\tthat._on( $( nodesToBind ), {\n\t\t\t\tremove: \"_untrackClassesElement\"\n\t\t\t} );\n\t\t}\n\n\t\tfunction processClassString( classes, checkOption ) {\n\t\t\tvar current, i;\n\t\t\tfor ( i = 0; i < classes.length; i++ ) {\n\t\t\t\tcurrent = that.classesElementLookup[ classes[ i ] ] || $();\n\t\t\t\tif ( options.add ) {\n\t\t\t\t\tbindRemoveEvent();\n\t\t\t\t\tcurrent = $( $.uniqueSort( current.get().concat( options.element.get() ) ) );\n\t\t\t\t} else {\n\t\t\t\t\tcurrent = $( current.not( options.element ).get() );\n\t\t\t\t}\n\t\t\t\tthat.classesElementLookup[ classes[ i ] ] = current;\n\t\t\t\tfull.push( classes[ i ] );\n\t\t\t\tif ( checkOption && options.classes[ classes[ i ] ] ) {\n\t\t\t\t\tfull.push( options.classes[ classes[ i ] ] );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tif ( options.keys ) {\n\t\t\tprocessClassString( options.keys.match( /\\S+/g ) || [], true );\n\t\t}\n\t\tif ( options.extra ) {\n\t\t\tprocessClassString( options.extra.match( /\\S+/g ) || [] );\n\t\t}\n\n\t\treturn full.join( \" \" );\n\t},\n\n\t_untrackClassesElement: function( event ) {\n\t\tvar that = this;\n\t\t$.each( that.classesElementLookup, function( key, value ) {\n\t\t\tif ( $.inArray( event.target, value ) !== -1 ) {\n\t\t\t\tthat.classesElementLookup[ key ] = $( value.not( event.target ).get() );\n\t\t\t}\n\t\t} );\n\n\t\tthis._off( $( event.target ) );\n\t},\n\n\t_removeClass: function( element, keys, extra ) {\n\t\treturn this._toggleClass( element, keys, extra, false );\n\t},\n\n\t_addClass: function( element, keys, extra ) {\n\t\treturn this._toggleClass( element, keys, extra, true );\n\t},\n\n\t_toggleClass: function( element, keys, extra, add ) {\n\t\tadd = ( typeof add === \"boolean\" ) ? add : extra;\n\t\tvar shift = ( typeof element === \"string\" || element === null ),\n\t\t\toptions = {\n\t\t\t\textra: shift ? keys : extra,\n\t\t\t\tkeys: shift ? element : keys,\n\t\t\t\telement: shift ? this.element : element,\n\t\t\t\tadd: add\n\t\t\t};\n\t\toptions.element.toggleClass( this._classes( options ), add );\n\t\treturn this;\n\t},\n\n\t_on: function( suppressDisabledCheck, element, handlers ) {\n\t\tvar delegateElement;\n\t\tvar instance = this;\n\n\t\t// No suppressDisabledCheck flag, shuffle arguments\n\t\tif ( typeof suppressDisabledCheck !== \"boolean\" ) {\n\t\t\thandlers = element;\n\t\t\telement = suppressDisabledCheck;\n\t\t\tsuppressDisabledCheck = false;\n\t\t}\n\n\t\t// No element argument, shuffle and use this.element\n\t\tif ( !handlers ) {\n\t\t\thandlers = element;\n\t\t\telement = this.element;\n\t\t\tdelegateElement = this.widget();\n\t\t} else {\n\t\t\telement = delegateElement = $( element );\n\t\t\tthis.bindings = this.bindings.add( element );\n\t\t}\n\n\t\t$.each( handlers, function( event, handler ) {\n\t\t\tfunction handlerProxy() {\n\n\t\t\t\t// Allow widgets to customize the disabled handling\n\t\t\t\t// - disabled as an array instead of boolean\n\t\t\t\t// - disabled class as method for disabling individual parts\n\t\t\t\tif ( !suppressDisabledCheck &&\n\t\t\t\t\t\t( instance.options.disabled === true ||\n\t\t\t\t\t\t$( this ).hasClass( \"ui-state-disabled\" ) ) ) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\treturn ( typeof handler === \"string\" ? instance[ handler ] : handler )\n\t\t\t\t\t.apply( instance, arguments );\n\t\t\t}\n\n\t\t\t// Copy the guid so direct unbinding works\n\t\t\tif ( typeof handler !== \"string\" ) {\n\t\t\t\thandlerProxy.guid = handler.guid =\n\t\t\t\t\thandler.guid || handlerProxy.guid || $.guid++;\n\t\t\t}\n\n\t\t\tvar match = event.match( /^([\\w:-]*)\\s*(.*)$/ );\n\t\t\tvar eventName = match[ 1 ] + instance.eventNamespace;\n\t\t\tvar selector = match[ 2 ];\n\n\t\t\tif ( selector ) {\n\t\t\t\tdelegateElement.on( eventName, selector, handlerProxy );\n\t\t\t} else {\n\t\t\t\telement.on( eventName, handlerProxy );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_off: function( element, eventName ) {\n\t\teventName = ( eventName || \"\" ).split( \" \" ).join( this.eventNamespace + \" \" ) +\n\t\t\tthis.eventNamespace;\n\t\telement.off( eventName );\n\n\t\t// Clear the stack to avoid memory leaks (#10056)\n\t\tthis.bindings = $( this.bindings.not( element ).get() );\n\t\tthis.focusable = $( this.focusable.not( element ).get() );\n\t\tthis.hoverable = $( this.hoverable.not( element ).get() );\n\t},\n\n\t_delay: function( handler, delay ) {\n\t\tfunction handlerProxy() {\n\t\t\treturn ( typeof handler === \"string\" ? instance[ handler ] : handler )\n\t\t\t\t.apply( instance, arguments );\n\t\t}\n\t\tvar instance = this;\n\t\treturn setTimeout( handlerProxy, delay || 0 );\n\t},\n\n\t_hoverable: function( element ) {\n\t\tthis.hoverable = this.hoverable.add( element );\n\t\tthis._on( element, {\n\t\t\tmouseenter: function( event ) {\n\t\t\t\tthis._addClass( $( event.currentTarget ), null, \"ui-state-hover\" );\n\t\t\t},\n\t\t\tmouseleave: function( event ) {\n\t\t\t\tthis._removeClass( $( event.currentTarget ), null, \"ui-state-hover\" );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_focusable: function( element ) {\n\t\tthis.focusable = this.focusable.add( element );\n\t\tthis._on( element, {\n\t\t\tfocusin: function( event ) {\n\t\t\t\tthis._addClass( $( event.currentTarget ), null, \"ui-state-focus\" );\n\t\t\t},\n\t\t\tfocusout: function( event ) {\n\t\t\t\tthis._removeClass( $( event.currentTarget ), null, \"ui-state-focus\" );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_trigger: function( type, event, data ) {\n\t\tvar prop, orig;\n\t\tvar callback = this.options[ type ];\n\n\t\tdata = data || {};\n\t\tevent = $.Event( event );\n\t\tevent.type = ( type === this.widgetEventPrefix ?\n\t\t\ttype :\n\t\t\tthis.widgetEventPrefix + type ).toLowerCase();\n\n\t\t// The original event may come from any element\n\t\t// so we need to reset the target on the new event\n\t\tevent.target = this.element[ 0 ];\n\n\t\t// Copy original event properties over to the new event\n\t\torig = event.originalEvent;\n\t\tif ( orig ) {\n\t\t\tfor ( prop in orig ) {\n\t\t\t\tif ( !( prop in event ) ) {\n\t\t\t\t\tevent[ prop ] = orig[ prop ];\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tthis.element.trigger( event, data );\n\t\treturn !( typeof callback === \"function\" &&\n\t\t\tcallback.apply( this.element[ 0 ], [ event ].concat( data ) ) === false ||\n\t\t\tevent.isDefaultPrevented() );\n\t}\n};\n\n$.each( { show: \"fadeIn\", hide: \"fadeOut\" }, function( method, defaultEffect ) {\n\t$.Widget.prototype[ \"_\" + method ] = function( element, options, callback ) {\n\t\tif ( typeof options === \"string\" ) {\n\t\t\toptions = { effect: options };\n\t\t}\n\n\t\tvar hasOptions;\n\t\tvar effectName = !options ?\n\t\t\tmethod :\n\t\t\toptions === true || typeof options === \"number\" ?\n\t\t\t\tdefaultEffect :\n\t\t\t\toptions.effect || defaultEffect;\n\n\t\toptions = options || {};\n\t\tif ( typeof options === \"number\" ) {\n\t\t\toptions = { duration: options };\n\t\t} else if ( options === true ) {\n\t\t\toptions = {};\n\t\t}\n\n\t\thasOptions = !$.isEmptyObject( options );\n\t\toptions.complete = callback;\n\n\t\tif ( options.delay ) {\n\t\t\telement.delay( options.delay );\n\t\t}\n\n\t\tif ( hasOptions && $.effects && $.effects.effect[ effectName ] ) {\n\t\t\telement[ method ]( options );\n\t\t} else if ( effectName !== method && element[ effectName ] ) {\n\t\t\telement[ effectName ]( options.duration, options.easing, callback );\n\t\t} else {\n\t\t\telement.queue( function( next ) {\n\t\t\t\t$( this )[ method ]();\n\t\t\t\tif ( callback ) {\n\t\t\t\t\tcallback.call( element[ 0 ] );\n\t\t\t\t}\n\t\t\t\tnext();\n\t\t\t} );\n\t\t}\n\t};\n} );\n\nvar widget = $.widget;\n\n\n/*!\n * jQuery UI Position 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/position/\n */\n\n//>>label: Position\n//>>group: Core\n//>>description: Positions elements relative to other elements.\n//>>docs: https://api.jqueryui.com/position/\n//>>demos: https://jqueryui.com/position/\n\n\n( function() {\nvar cachedScrollbarWidth,\n\tmax = Math.max,\n\tabs = Math.abs,\n\trhorizontal = /left|center|right/,\n\trvertical = /top|center|bottom/,\n\troffset = /[\\+\\-]\\d+(\\.[\\d]+)?%?/,\n\trposition = /^\\w+/,\n\trpercent = /%$/,\n\t_position = $.fn.position;\n\nfunction getOffsets( offsets, width, height ) {\n\treturn [\n\t\tparseFloat( offsets[ 0 ] ) * ( rpercent.test( offsets[ 0 ] ) ? width / 100 : 1 ),\n\t\tparseFloat( offsets[ 1 ] ) * ( rpercent.test( offsets[ 1 ] ) ? height / 100 : 1 )\n\t];\n}\n\nfunction parseCss( element, property ) {\n\treturn parseInt( $.css( element, property ), 10 ) || 0;\n}\n\nfunction isWindow( obj ) {\n\treturn obj != null && obj === obj.window;\n}\n\nfunction getDimensions( elem ) {\n\tvar raw = elem[ 0 ];\n\tif ( raw.nodeType === 9 ) {\n\t\treturn {\n\t\t\twidth: elem.width(),\n\t\t\theight: elem.height(),\n\t\t\toffset: { top: 0, left: 0 }\n\t\t};\n\t}\n\tif ( isWindow( raw ) ) {\n\t\treturn {\n\t\t\twidth: elem.width(),\n\t\t\theight: elem.height(),\n\t\t\toffset: { top: elem.scrollTop(), left: elem.scrollLeft() }\n\t\t};\n\t}\n\tif ( raw.preventDefault ) {\n\t\treturn {\n\t\t\twidth: 0,\n\t\t\theight: 0,\n\t\t\toffset: { top: raw.pageY, left: raw.pageX }\n\t\t};\n\t}\n\treturn {\n\t\twidth: elem.outerWidth(),\n\t\theight: elem.outerHeight(),\n\t\toffset: elem.offset()\n\t};\n}\n\n$.position = {\n\tscrollbarWidth: function() {\n\t\tif ( cachedScrollbarWidth !== undefined ) {\n\t\t\treturn cachedScrollbarWidth;\n\t\t}\n\t\tvar w1, w2,\n\t\t\tdiv = $( \"
            \" +\n\t\t\t\t\"
            \" ),\n\t\t\tinnerDiv = div.children()[ 0 ];\n\n\t\t$( \"body\" ).append( div );\n\t\tw1 = innerDiv.offsetWidth;\n\t\tdiv.css( \"overflow\", \"scroll\" );\n\n\t\tw2 = innerDiv.offsetWidth;\n\n\t\tif ( w1 === w2 ) {\n\t\t\tw2 = div[ 0 ].clientWidth;\n\t\t}\n\n\t\tdiv.remove();\n\n\t\treturn ( cachedScrollbarWidth = w1 - w2 );\n\t},\n\tgetScrollInfo: function( within ) {\n\t\tvar overflowX = within.isWindow || within.isDocument ? \"\" :\n\t\t\t\twithin.element.css( \"overflow-x\" ),\n\t\t\toverflowY = within.isWindow || within.isDocument ? \"\" :\n\t\t\t\twithin.element.css( \"overflow-y\" ),\n\t\t\thasOverflowX = overflowX === \"scroll\" ||\n\t\t\t\t( overflowX === \"auto\" && within.width < within.element[ 0 ].scrollWidth ),\n\t\t\thasOverflowY = overflowY === \"scroll\" ||\n\t\t\t\t( overflowY === \"auto\" && within.height < within.element[ 0 ].scrollHeight );\n\t\treturn {\n\t\t\twidth: hasOverflowY ? $.position.scrollbarWidth() : 0,\n\t\t\theight: hasOverflowX ? $.position.scrollbarWidth() : 0\n\t\t};\n\t},\n\tgetWithinInfo: function( element ) {\n\t\tvar withinElement = $( element || window ),\n\t\t\tisElemWindow = isWindow( withinElement[ 0 ] ),\n\t\t\tisDocument = !!withinElement[ 0 ] && withinElement[ 0 ].nodeType === 9,\n\t\t\thasOffset = !isElemWindow && !isDocument;\n\t\treturn {\n\t\t\telement: withinElement,\n\t\t\tisWindow: isElemWindow,\n\t\t\tisDocument: isDocument,\n\t\t\toffset: hasOffset ? $( element ).offset() : { left: 0, top: 0 },\n\t\t\tscrollLeft: withinElement.scrollLeft(),\n\t\t\tscrollTop: withinElement.scrollTop(),\n\t\t\twidth: withinElement.outerWidth(),\n\t\t\theight: withinElement.outerHeight()\n\t\t};\n\t}\n};\n\n$.fn.position = function( options ) {\n\tif ( !options || !options.of ) {\n\t\treturn _position.apply( this, arguments );\n\t}\n\n\t// Make a copy, we don't want to modify arguments\n\toptions = $.extend( {}, options );\n\n\tvar atOffset, targetWidth, targetHeight, targetOffset, basePosition, dimensions,\n\n\t\t// Make sure string options are treated as CSS selectors\n\t\ttarget = typeof options.of === \"string\" ?\n\t\t\t$( document ).find( options.of ) :\n\t\t\t$( options.of ),\n\n\t\twithin = $.position.getWithinInfo( options.within ),\n\t\tscrollInfo = $.position.getScrollInfo( within ),\n\t\tcollision = ( options.collision || \"flip\" ).split( \" \" ),\n\t\toffsets = {};\n\n\tdimensions = getDimensions( target );\n\tif ( target[ 0 ].preventDefault ) {\n\n\t\t// Force left top to allow flipping\n\t\toptions.at = \"left top\";\n\t}\n\ttargetWidth = dimensions.width;\n\ttargetHeight = dimensions.height;\n\ttargetOffset = dimensions.offset;\n\n\t// Clone to reuse original targetOffset later\n\tbasePosition = $.extend( {}, targetOffset );\n\n\t// Force my and at to have valid horizontal and vertical positions\n\t// if a value is missing or invalid, it will be converted to center\n\t$.each( [ \"my\", \"at\" ], function() {\n\t\tvar pos = ( options[ this ] || \"\" ).split( \" \" ),\n\t\t\thorizontalOffset,\n\t\t\tverticalOffset;\n\n\t\tif ( pos.length === 1 ) {\n\t\t\tpos = rhorizontal.test( pos[ 0 ] ) ?\n\t\t\t\tpos.concat( [ \"center\" ] ) :\n\t\t\t\trvertical.test( pos[ 0 ] ) ?\n\t\t\t\t\t[ \"center\" ].concat( pos ) :\n\t\t\t\t\t[ \"center\", \"center\" ];\n\t\t}\n\t\tpos[ 0 ] = rhorizontal.test( pos[ 0 ] ) ? pos[ 0 ] : \"center\";\n\t\tpos[ 1 ] = rvertical.test( pos[ 1 ] ) ? pos[ 1 ] : \"center\";\n\n\t\t// Calculate offsets\n\t\thorizontalOffset = roffset.exec( pos[ 0 ] );\n\t\tverticalOffset = roffset.exec( pos[ 1 ] );\n\t\toffsets[ this ] = [\n\t\t\thorizontalOffset ? horizontalOffset[ 0 ] : 0,\n\t\t\tverticalOffset ? verticalOffset[ 0 ] : 0\n\t\t];\n\n\t\t// Reduce to just the positions without the offsets\n\t\toptions[ this ] = [\n\t\t\trposition.exec( pos[ 0 ] )[ 0 ],\n\t\t\trposition.exec( pos[ 1 ] )[ 0 ]\n\t\t];\n\t} );\n\n\t// Normalize collision option\n\tif ( collision.length === 1 ) {\n\t\tcollision[ 1 ] = collision[ 0 ];\n\t}\n\n\tif ( options.at[ 0 ] === \"right\" ) {\n\t\tbasePosition.left += targetWidth;\n\t} else if ( options.at[ 0 ] === \"center\" ) {\n\t\tbasePosition.left += targetWidth / 2;\n\t}\n\n\tif ( options.at[ 1 ] === \"bottom\" ) {\n\t\tbasePosition.top += targetHeight;\n\t} else if ( options.at[ 1 ] === \"center\" ) {\n\t\tbasePosition.top += targetHeight / 2;\n\t}\n\n\tatOffset = getOffsets( offsets.at, targetWidth, targetHeight );\n\tbasePosition.left += atOffset[ 0 ];\n\tbasePosition.top += atOffset[ 1 ];\n\n\treturn this.each( function() {\n\t\tvar collisionPosition, using,\n\t\t\telem = $( this ),\n\t\t\telemWidth = elem.outerWidth(),\n\t\t\telemHeight = elem.outerHeight(),\n\t\t\tmarginLeft = parseCss( this, \"marginLeft\" ),\n\t\t\tmarginTop = parseCss( this, \"marginTop\" ),\n\t\t\tcollisionWidth = elemWidth + marginLeft + parseCss( this, \"marginRight\" ) +\n\t\t\t\tscrollInfo.width,\n\t\t\tcollisionHeight = elemHeight + marginTop + parseCss( this, \"marginBottom\" ) +\n\t\t\t\tscrollInfo.height,\n\t\t\tposition = $.extend( {}, basePosition ),\n\t\t\tmyOffset = getOffsets( offsets.my, elem.outerWidth(), elem.outerHeight() );\n\n\t\tif ( options.my[ 0 ] === \"right\" ) {\n\t\t\tposition.left -= elemWidth;\n\t\t} else if ( options.my[ 0 ] === \"center\" ) {\n\t\t\tposition.left -= elemWidth / 2;\n\t\t}\n\n\t\tif ( options.my[ 1 ] === \"bottom\" ) {\n\t\t\tposition.top -= elemHeight;\n\t\t} else if ( options.my[ 1 ] === \"center\" ) {\n\t\t\tposition.top -= elemHeight / 2;\n\t\t}\n\n\t\tposition.left += myOffset[ 0 ];\n\t\tposition.top += myOffset[ 1 ];\n\n\t\tcollisionPosition = {\n\t\t\tmarginLeft: marginLeft,\n\t\t\tmarginTop: marginTop\n\t\t};\n\n\t\t$.each( [ \"left\", \"top\" ], function( i, dir ) {\n\t\t\tif ( $.ui.position[ collision[ i ] ] ) {\n\t\t\t\t$.ui.position[ collision[ i ] ][ dir ]( position, {\n\t\t\t\t\ttargetWidth: targetWidth,\n\t\t\t\t\ttargetHeight: targetHeight,\n\t\t\t\t\telemWidth: elemWidth,\n\t\t\t\t\telemHeight: elemHeight,\n\t\t\t\t\tcollisionPosition: collisionPosition,\n\t\t\t\t\tcollisionWidth: collisionWidth,\n\t\t\t\t\tcollisionHeight: collisionHeight,\n\t\t\t\t\toffset: [ atOffset[ 0 ] + myOffset[ 0 ], atOffset [ 1 ] + myOffset[ 1 ] ],\n\t\t\t\t\tmy: options.my,\n\t\t\t\t\tat: options.at,\n\t\t\t\t\twithin: within,\n\t\t\t\t\telem: elem\n\t\t\t\t} );\n\t\t\t}\n\t\t} );\n\n\t\tif ( options.using ) {\n\n\t\t\t// Adds feedback as second argument to using callback, if present\n\t\t\tusing = function( props ) {\n\t\t\t\tvar left = targetOffset.left - position.left,\n\t\t\t\t\tright = left + targetWidth - elemWidth,\n\t\t\t\t\ttop = targetOffset.top - position.top,\n\t\t\t\t\tbottom = top + targetHeight - elemHeight,\n\t\t\t\t\tfeedback = {\n\t\t\t\t\t\ttarget: {\n\t\t\t\t\t\t\telement: target,\n\t\t\t\t\t\t\tleft: targetOffset.left,\n\t\t\t\t\t\t\ttop: targetOffset.top,\n\t\t\t\t\t\t\twidth: targetWidth,\n\t\t\t\t\t\t\theight: targetHeight\n\t\t\t\t\t\t},\n\t\t\t\t\t\telement: {\n\t\t\t\t\t\t\telement: elem,\n\t\t\t\t\t\t\tleft: position.left,\n\t\t\t\t\t\t\ttop: position.top,\n\t\t\t\t\t\t\twidth: elemWidth,\n\t\t\t\t\t\t\theight: elemHeight\n\t\t\t\t\t\t},\n\t\t\t\t\t\thorizontal: right < 0 ? \"left\" : left > 0 ? \"right\" : \"center\",\n\t\t\t\t\t\tvertical: bottom < 0 ? \"top\" : top > 0 ? \"bottom\" : \"middle\"\n\t\t\t\t\t};\n\t\t\t\tif ( targetWidth < elemWidth && abs( left + right ) < targetWidth ) {\n\t\t\t\t\tfeedback.horizontal = \"center\";\n\t\t\t\t}\n\t\t\t\tif ( targetHeight < elemHeight && abs( top + bottom ) < targetHeight ) {\n\t\t\t\t\tfeedback.vertical = \"middle\";\n\t\t\t\t}\n\t\t\t\tif ( max( abs( left ), abs( right ) ) > max( abs( top ), abs( bottom ) ) ) {\n\t\t\t\t\tfeedback.important = \"horizontal\";\n\t\t\t\t} else {\n\t\t\t\t\tfeedback.important = \"vertical\";\n\t\t\t\t}\n\t\t\t\toptions.using.call( this, props, feedback );\n\t\t\t};\n\t\t}\n\n\t\telem.offset( $.extend( position, { using: using } ) );\n\t} );\n};\n\n$.ui.position = {\n\tfit: {\n\t\tleft: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.isWindow ? within.scrollLeft : within.offset.left,\n\t\t\t\touterWidth = within.width,\n\t\t\t\tcollisionPosLeft = position.left - data.collisionPosition.marginLeft,\n\t\t\t\toverLeft = withinOffset - collisionPosLeft,\n\t\t\t\toverRight = collisionPosLeft + data.collisionWidth - outerWidth - withinOffset,\n\t\t\t\tnewOverRight;\n\n\t\t\t// Element is wider than within\n\t\t\tif ( data.collisionWidth > outerWidth ) {\n\n\t\t\t\t// Element is initially over the left side of within\n\t\t\t\tif ( overLeft > 0 && overRight <= 0 ) {\n\t\t\t\t\tnewOverRight = position.left + overLeft + data.collisionWidth - outerWidth -\n\t\t\t\t\t\twithinOffset;\n\t\t\t\t\tposition.left += overLeft - newOverRight;\n\n\t\t\t\t// Element is initially over right side of within\n\t\t\t\t} else if ( overRight > 0 && overLeft <= 0 ) {\n\t\t\t\t\tposition.left = withinOffset;\n\n\t\t\t\t// Element is initially over both left and right sides of within\n\t\t\t\t} else {\n\t\t\t\t\tif ( overLeft > overRight ) {\n\t\t\t\t\t\tposition.left = withinOffset + outerWidth - data.collisionWidth;\n\t\t\t\t\t} else {\n\t\t\t\t\t\tposition.left = withinOffset;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t// Too far left -> align with left edge\n\t\t\t} else if ( overLeft > 0 ) {\n\t\t\t\tposition.left += overLeft;\n\n\t\t\t// Too far right -> align with right edge\n\t\t\t} else if ( overRight > 0 ) {\n\t\t\t\tposition.left -= overRight;\n\n\t\t\t// Adjust based on position and margin\n\t\t\t} else {\n\t\t\t\tposition.left = max( position.left - collisionPosLeft, position.left );\n\t\t\t}\n\t\t},\n\t\ttop: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.isWindow ? within.scrollTop : within.offset.top,\n\t\t\t\touterHeight = data.within.height,\n\t\t\t\tcollisionPosTop = position.top - data.collisionPosition.marginTop,\n\t\t\t\toverTop = withinOffset - collisionPosTop,\n\t\t\t\toverBottom = collisionPosTop + data.collisionHeight - outerHeight - withinOffset,\n\t\t\t\tnewOverBottom;\n\n\t\t\t// Element is taller than within\n\t\t\tif ( data.collisionHeight > outerHeight ) {\n\n\t\t\t\t// Element is initially over the top of within\n\t\t\t\tif ( overTop > 0 && overBottom <= 0 ) {\n\t\t\t\t\tnewOverBottom = position.top + overTop + data.collisionHeight - outerHeight -\n\t\t\t\t\t\twithinOffset;\n\t\t\t\t\tposition.top += overTop - newOverBottom;\n\n\t\t\t\t// Element is initially over bottom of within\n\t\t\t\t} else if ( overBottom > 0 && overTop <= 0 ) {\n\t\t\t\t\tposition.top = withinOffset;\n\n\t\t\t\t// Element is initially over both top and bottom of within\n\t\t\t\t} else {\n\t\t\t\t\tif ( overTop > overBottom ) {\n\t\t\t\t\t\tposition.top = withinOffset + outerHeight - data.collisionHeight;\n\t\t\t\t\t} else {\n\t\t\t\t\t\tposition.top = withinOffset;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t// Too far up -> align with top\n\t\t\t} else if ( overTop > 0 ) {\n\t\t\t\tposition.top += overTop;\n\n\t\t\t// Too far down -> align with bottom edge\n\t\t\t} else if ( overBottom > 0 ) {\n\t\t\t\tposition.top -= overBottom;\n\n\t\t\t// Adjust based on position and margin\n\t\t\t} else {\n\t\t\t\tposition.top = max( position.top - collisionPosTop, position.top );\n\t\t\t}\n\t\t}\n\t},\n\tflip: {\n\t\tleft: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.offset.left + within.scrollLeft,\n\t\t\t\touterWidth = within.width,\n\t\t\t\toffsetLeft = within.isWindow ? within.scrollLeft : within.offset.left,\n\t\t\t\tcollisionPosLeft = position.left - data.collisionPosition.marginLeft,\n\t\t\t\toverLeft = collisionPosLeft - offsetLeft,\n\t\t\t\toverRight = collisionPosLeft + data.collisionWidth - outerWidth - offsetLeft,\n\t\t\t\tmyOffset = data.my[ 0 ] === \"left\" ?\n\t\t\t\t\t-data.elemWidth :\n\t\t\t\t\tdata.my[ 0 ] === \"right\" ?\n\t\t\t\t\t\tdata.elemWidth :\n\t\t\t\t\t\t0,\n\t\t\t\tatOffset = data.at[ 0 ] === \"left\" ?\n\t\t\t\t\tdata.targetWidth :\n\t\t\t\t\tdata.at[ 0 ] === \"right\" ?\n\t\t\t\t\t\t-data.targetWidth :\n\t\t\t\t\t\t0,\n\t\t\t\toffset = -2 * data.offset[ 0 ],\n\t\t\t\tnewOverRight,\n\t\t\t\tnewOverLeft;\n\n\t\t\tif ( overLeft < 0 ) {\n\t\t\t\tnewOverRight = position.left + myOffset + atOffset + offset + data.collisionWidth -\n\t\t\t\t\touterWidth - withinOffset;\n\t\t\t\tif ( newOverRight < 0 || newOverRight < abs( overLeft ) ) {\n\t\t\t\t\tposition.left += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t} else if ( overRight > 0 ) {\n\t\t\t\tnewOverLeft = position.left - data.collisionPosition.marginLeft + myOffset +\n\t\t\t\t\tatOffset + offset - offsetLeft;\n\t\t\t\tif ( newOverLeft > 0 || abs( newOverLeft ) < overRight ) {\n\t\t\t\t\tposition.left += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\ttop: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.offset.top + within.scrollTop,\n\t\t\t\touterHeight = within.height,\n\t\t\t\toffsetTop = within.isWindow ? within.scrollTop : within.offset.top,\n\t\t\t\tcollisionPosTop = position.top - data.collisionPosition.marginTop,\n\t\t\t\toverTop = collisionPosTop - offsetTop,\n\t\t\t\toverBottom = collisionPosTop + data.collisionHeight - outerHeight - offsetTop,\n\t\t\t\ttop = data.my[ 1 ] === \"top\",\n\t\t\t\tmyOffset = top ?\n\t\t\t\t\t-data.elemHeight :\n\t\t\t\t\tdata.my[ 1 ] === \"bottom\" ?\n\t\t\t\t\t\tdata.elemHeight :\n\t\t\t\t\t\t0,\n\t\t\t\tatOffset = data.at[ 1 ] === \"top\" ?\n\t\t\t\t\tdata.targetHeight :\n\t\t\t\t\tdata.at[ 1 ] === \"bottom\" ?\n\t\t\t\t\t\t-data.targetHeight :\n\t\t\t\t\t\t0,\n\t\t\t\toffset = -2 * data.offset[ 1 ],\n\t\t\t\tnewOverTop,\n\t\t\t\tnewOverBottom;\n\t\t\tif ( overTop < 0 ) {\n\t\t\t\tnewOverBottom = position.top + myOffset + atOffset + offset + data.collisionHeight -\n\t\t\t\t\touterHeight - withinOffset;\n\t\t\t\tif ( newOverBottom < 0 || newOverBottom < abs( overTop ) ) {\n\t\t\t\t\tposition.top += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t} else if ( overBottom > 0 ) {\n\t\t\t\tnewOverTop = position.top - data.collisionPosition.marginTop + myOffset + atOffset +\n\t\t\t\t\toffset - offsetTop;\n\t\t\t\tif ( newOverTop > 0 || abs( newOverTop ) < overBottom ) {\n\t\t\t\t\tposition.top += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t},\n\tflipfit: {\n\t\tleft: function() {\n\t\t\t$.ui.position.flip.left.apply( this, arguments );\n\t\t\t$.ui.position.fit.left.apply( this, arguments );\n\t\t},\n\t\ttop: function() {\n\t\t\t$.ui.position.flip.top.apply( this, arguments );\n\t\t\t$.ui.position.fit.top.apply( this, arguments );\n\t\t}\n\t}\n};\n\n} )();\n\nvar position = $.ui.position;\n\n\n/*!\n * jQuery UI :data 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: :data Selector\n//>>group: Core\n//>>description: Selects elements which have data stored under the specified key.\n//>>docs: https://api.jqueryui.com/data-selector/\n\n\nvar data = $.extend( $.expr.pseudos, {\n\tdata: $.expr.createPseudo ?\n\t\t$.expr.createPseudo( function( dataName ) {\n\t\t\treturn function( elem ) {\n\t\t\t\treturn !!$.data( elem, dataName );\n\t\t\t};\n\t\t} ) :\n\n\t\t// Support: jQuery <1.8\n\t\tfunction( elem, i, match ) {\n\t\t\treturn !!$.data( elem, match[ 3 ] );\n\t\t}\n} );\n\n/*!\n * jQuery UI Disable Selection 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: disableSelection\n//>>group: Core\n//>>description: Disable selection of text content within the set of matched elements.\n//>>docs: https://api.jqueryui.com/disableSelection/\n\n// This file is deprecated\n\nvar disableSelection = $.fn.extend( {\n\tdisableSelection: ( function() {\n\t\tvar eventType = \"onselectstart\" in document.createElement( \"div\" ) ?\n\t\t\t\"selectstart\" :\n\t\t\t\"mousedown\";\n\n\t\treturn function() {\n\t\t\treturn this.on( eventType + \".ui-disableSelection\", function( event ) {\n\t\t\t\tevent.preventDefault();\n\t\t\t} );\n\t\t};\n\t} )(),\n\n\tenableSelection: function() {\n\t\treturn this.off( \".ui-disableSelection\" );\n\t}\n} );\n\n\n\n// Create a local jQuery because jQuery Color relies on it and the\n// global may not exist with AMD and a custom build (#10199).\n// This module is a noop if used as a regular AMD module.\n// eslint-disable-next-line no-unused-vars\nvar jQuery = $;\n\n\n/*!\n * jQuery Color Animations v2.2.0\n * https://github.com/jquery/jquery-color\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * Date: Sun May 10 09:02:36 2020 +0200\n */\n\n\n\n\tvar stepHooks = \"backgroundColor borderBottomColor borderLeftColor borderRightColor \" +\n\t\t\"borderTopColor color columnRuleColor outlineColor textDecorationColor textEmphasisColor\",\n\n\tclass2type = {},\n\ttoString = class2type.toString,\n\n\t// plusequals test for += 100 -= 100\n\trplusequals = /^([\\-+])=\\s*(\\d+\\.?\\d*)/,\n\n\t// a set of RE's that can match strings and generate color tuples.\n\tstringParsers = [ {\n\t\t\tre: /rgba?\\(\\s*(\\d{1,3})\\s*,\\s*(\\d{1,3})\\s*,\\s*(\\d{1,3})\\s*(?:,\\s*(\\d?(?:\\.\\d+)?)\\s*)?\\)/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\texecResult[ 1 ],\n\t\t\t\t\texecResult[ 2 ],\n\t\t\t\t\texecResult[ 3 ],\n\t\t\t\t\texecResult[ 4 ]\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\t\t\tre: /rgba?\\(\\s*(\\d+(?:\\.\\d+)?)\\%\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*(?:,\\s*(\\d?(?:\\.\\d+)?)\\s*)?\\)/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\texecResult[ 1 ] * 2.55,\n\t\t\t\t\texecResult[ 2 ] * 2.55,\n\t\t\t\t\texecResult[ 3 ] * 2.55,\n\t\t\t\t\texecResult[ 4 ]\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\n\t\t\t// this regex ignores A-F because it's compared against an already lowercased string\n\t\t\tre: /#([a-f0-9]{2})([a-f0-9]{2})([a-f0-9]{2})([a-f0-9]{2})?/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\tparseInt( execResult[ 1 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 2 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 3 ], 16 ),\n\t\t\t\t\texecResult[ 4 ] ?\n\t\t\t\t\t\t( parseInt( execResult[ 4 ], 16 ) / 255 ).toFixed( 2 ) :\n\t\t\t\t\t\t1\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\n\t\t\t// this regex ignores A-F because it's compared against an already lowercased string\n\t\t\tre: /#([a-f0-9])([a-f0-9])([a-f0-9])([a-f0-9])?/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\tparseInt( execResult[ 1 ] + execResult[ 1 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 2 ] + execResult[ 2 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 3 ] + execResult[ 3 ], 16 ),\n\t\t\t\t\texecResult[ 4 ] ?\n\t\t\t\t\t\t( parseInt( execResult[ 4 ] + execResult[ 4 ], 16 ) / 255 )\n\t\t\t\t\t\t\t.toFixed( 2 ) :\n\t\t\t\t\t\t1\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\t\t\tre: /hsla?\\(\\s*(\\d+(?:\\.\\d+)?)\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*(?:,\\s*(\\d?(?:\\.\\d+)?)\\s*)?\\)/,\n\t\t\tspace: \"hsla\",\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\texecResult[ 1 ],\n\t\t\t\t\texecResult[ 2 ] / 100,\n\t\t\t\t\texecResult[ 3 ] / 100,\n\t\t\t\t\texecResult[ 4 ]\n\t\t\t\t];\n\t\t\t}\n\t\t} ],\n\n\t// jQuery.Color( )\n\tcolor = jQuery.Color = function( color, green, blue, alpha ) {\n\t\treturn new jQuery.Color.fn.parse( color, green, blue, alpha );\n\t},\n\tspaces = {\n\t\trgba: {\n\t\t\tprops: {\n\t\t\t\tred: {\n\t\t\t\t\tidx: 0,\n\t\t\t\t\ttype: \"byte\"\n\t\t\t\t},\n\t\t\t\tgreen: {\n\t\t\t\t\tidx: 1,\n\t\t\t\t\ttype: \"byte\"\n\t\t\t\t},\n\t\t\t\tblue: {\n\t\t\t\t\tidx: 2,\n\t\t\t\t\ttype: \"byte\"\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\thsla: {\n\t\t\tprops: {\n\t\t\t\thue: {\n\t\t\t\t\tidx: 0,\n\t\t\t\t\ttype: \"degrees\"\n\t\t\t\t},\n\t\t\t\tsaturation: {\n\t\t\t\t\tidx: 1,\n\t\t\t\t\ttype: \"percent\"\n\t\t\t\t},\n\t\t\t\tlightness: {\n\t\t\t\t\tidx: 2,\n\t\t\t\t\ttype: \"percent\"\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t},\n\tpropTypes = {\n\t\t\"byte\": {\n\t\t\tfloor: true,\n\t\t\tmax: 255\n\t\t},\n\t\t\"percent\": {\n\t\t\tmax: 1\n\t\t},\n\t\t\"degrees\": {\n\t\t\tmod: 360,\n\t\t\tfloor: true\n\t\t}\n\t},\n\tsupport = color.support = {},\n\n\t// element for support tests\n\tsupportElem = jQuery( \"

            \" )[ 0 ],\n\n\t// colors = jQuery.Color.names\n\tcolors,\n\n\t// local aliases of functions called often\n\teach = jQuery.each;\n\n// determine rgba support immediately\nsupportElem.style.cssText = \"background-color:rgba(1,1,1,.5)\";\nsupport.rgba = supportElem.style.backgroundColor.indexOf( \"rgba\" ) > -1;\n\n// define cache name and alpha properties\n// for rgba and hsla spaces\neach( spaces, function( spaceName, space ) {\n\tspace.cache = \"_\" + spaceName;\n\tspace.props.alpha = {\n\t\tidx: 3,\n\t\ttype: \"percent\",\n\t\tdef: 1\n\t};\n} );\n\n// Populate the class2type map\njQuery.each( \"Boolean Number String Function Array Date RegExp Object Error Symbol\".split( \" \" ),\n\tfunction( _i, name ) {\n\t\tclass2type[ \"[object \" + name + \"]\" ] = name.toLowerCase();\n\t} );\n\nfunction getType( obj ) {\n\tif ( obj == null ) {\n\t\treturn obj + \"\";\n\t}\n\n\treturn typeof obj === \"object\" ?\n\t\tclass2type[ toString.call( obj ) ] || \"object\" :\n\t\ttypeof obj;\n}\n\nfunction clamp( value, prop, allowEmpty ) {\n\tvar type = propTypes[ prop.type ] || {};\n\n\tif ( value == null ) {\n\t\treturn ( allowEmpty || !prop.def ) ? null : prop.def;\n\t}\n\n\t// ~~ is an short way of doing floor for positive numbers\n\tvalue = type.floor ? ~~value : parseFloat( value );\n\n\t// IE will pass in empty strings as value for alpha,\n\t// which will hit this case\n\tif ( isNaN( value ) ) {\n\t\treturn prop.def;\n\t}\n\n\tif ( type.mod ) {\n\n\t\t// we add mod before modding to make sure that negatives values\n\t\t// get converted properly: -10 -> 350\n\t\treturn ( value + type.mod ) % type.mod;\n\t}\n\n\t// for now all property types without mod have min and max\n\treturn Math.min( type.max, Math.max( 0, value ) );\n}\n\nfunction stringParse( string ) {\n\tvar inst = color(),\n\t\trgba = inst._rgba = [];\n\n\tstring = string.toLowerCase();\n\n\teach( stringParsers, function( _i, parser ) {\n\t\tvar parsed,\n\t\t\tmatch = parser.re.exec( string ),\n\t\t\tvalues = match && parser.parse( match ),\n\t\t\tspaceName = parser.space || \"rgba\";\n\n\t\tif ( values ) {\n\t\t\tparsed = inst[ spaceName ]( values );\n\n\t\t\t// if this was an rgba parse the assignment might happen twice\n\t\t\t// oh well....\n\t\t\tinst[ spaces[ spaceName ].cache ] = parsed[ spaces[ spaceName ].cache ];\n\t\t\trgba = inst._rgba = parsed._rgba;\n\n\t\t\t// exit each( stringParsers ) here because we matched\n\t\t\treturn false;\n\t\t}\n\t} );\n\n\t// Found a stringParser that handled it\n\tif ( rgba.length ) {\n\n\t\t// if this came from a parsed string, force \"transparent\" when alpha is 0\n\t\t// chrome, (and maybe others) return \"transparent\" as rgba(0,0,0,0)\n\t\tif ( rgba.join() === \"0,0,0,0\" ) {\n\t\t\tjQuery.extend( rgba, colors.transparent );\n\t\t}\n\t\treturn inst;\n\t}\n\n\t// named colors\n\treturn colors[ string ];\n}\n\ncolor.fn = jQuery.extend( color.prototype, {\n\tparse: function( red, green, blue, alpha ) {\n\t\tif ( red === undefined ) {\n\t\t\tthis._rgba = [ null, null, null, null ];\n\t\t\treturn this;\n\t\t}\n\t\tif ( red.jquery || red.nodeType ) {\n\t\t\tred = jQuery( red ).css( green );\n\t\t\tgreen = undefined;\n\t\t}\n\n\t\tvar inst = this,\n\t\t\ttype = getType( red ),\n\t\t\trgba = this._rgba = [];\n\n\t\t// more than 1 argument specified - assume ( red, green, blue, alpha )\n\t\tif ( green !== undefined ) {\n\t\t\tred = [ red, green, blue, alpha ];\n\t\t\ttype = \"array\";\n\t\t}\n\n\t\tif ( type === \"string\" ) {\n\t\t\treturn this.parse( stringParse( red ) || colors._default );\n\t\t}\n\n\t\tif ( type === \"array\" ) {\n\t\t\teach( spaces.rgba.props, function( _key, prop ) {\n\t\t\t\trgba[ prop.idx ] = clamp( red[ prop.idx ], prop );\n\t\t\t} );\n\t\t\treturn this;\n\t\t}\n\n\t\tif ( type === \"object\" ) {\n\t\t\tif ( red instanceof color ) {\n\t\t\t\teach( spaces, function( _spaceName, space ) {\n\t\t\t\t\tif ( red[ space.cache ] ) {\n\t\t\t\t\t\tinst[ space.cache ] = red[ space.cache ].slice();\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t} else {\n\t\t\t\teach( spaces, function( _spaceName, space ) {\n\t\t\t\t\tvar cache = space.cache;\n\t\t\t\t\teach( space.props, function( key, prop ) {\n\n\t\t\t\t\t\t// if the cache doesn't exist, and we know how to convert\n\t\t\t\t\t\tif ( !inst[ cache ] && space.to ) {\n\n\t\t\t\t\t\t\t// if the value was null, we don't need to copy it\n\t\t\t\t\t\t\t// if the key was alpha, we don't need to copy it either\n\t\t\t\t\t\t\tif ( key === \"alpha\" || red[ key ] == null ) {\n\t\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tinst[ cache ] = space.to( inst._rgba );\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// this is the only case where we allow nulls for ALL properties.\n\t\t\t\t\t\t// call clamp with alwaysAllowEmpty\n\t\t\t\t\t\tinst[ cache ][ prop.idx ] = clamp( red[ key ], prop, true );\n\t\t\t\t\t} );\n\n\t\t\t\t\t// everything defined but alpha?\n\t\t\t\t\tif ( inst[ cache ] && jQuery.inArray( null, inst[ cache ].slice( 0, 3 ) ) < 0 ) {\n\n\t\t\t\t\t\t// use the default of 1\n\t\t\t\t\t\tif ( inst[ cache ][ 3 ] == null ) {\n\t\t\t\t\t\t\tinst[ cache ][ 3 ] = 1;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tif ( space.from ) {\n\t\t\t\t\t\t\tinst._rgba = space.from( inst[ cache ] );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t\treturn this;\n\t\t}\n\t},\n\tis: function( compare ) {\n\t\tvar is = color( compare ),\n\t\t\tsame = true,\n\t\t\tinst = this;\n\n\t\teach( spaces, function( _, space ) {\n\t\t\tvar localCache,\n\t\t\t\tisCache = is[ space.cache ];\n\t\t\tif ( isCache ) {\n\t\t\t\tlocalCache = inst[ space.cache ] || space.to && space.to( inst._rgba ) || [];\n\t\t\t\teach( space.props, function( _, prop ) {\n\t\t\t\t\tif ( isCache[ prop.idx ] != null ) {\n\t\t\t\t\t\tsame = ( isCache[ prop.idx ] === localCache[ prop.idx ] );\n\t\t\t\t\t\treturn same;\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t\treturn same;\n\t\t} );\n\t\treturn same;\n\t},\n\t_space: function() {\n\t\tvar used = [],\n\t\t\tinst = this;\n\t\teach( spaces, function( spaceName, space ) {\n\t\t\tif ( inst[ space.cache ] ) {\n\t\t\t\tused.push( spaceName );\n\t\t\t}\n\t\t} );\n\t\treturn used.pop();\n\t},\n\ttransition: function( other, distance ) {\n\t\tvar end = color( other ),\n\t\t\tspaceName = end._space(),\n\t\t\tspace = spaces[ spaceName ],\n\t\t\tstartColor = this.alpha() === 0 ? color( \"transparent\" ) : this,\n\t\t\tstart = startColor[ space.cache ] || space.to( startColor._rgba ),\n\t\t\tresult = start.slice();\n\n\t\tend = end[ space.cache ];\n\t\teach( space.props, function( _key, prop ) {\n\t\t\tvar index = prop.idx,\n\t\t\t\tstartValue = start[ index ],\n\t\t\t\tendValue = end[ index ],\n\t\t\t\ttype = propTypes[ prop.type ] || {};\n\n\t\t\t// if null, don't override start value\n\t\t\tif ( endValue === null ) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// if null - use end\n\t\t\tif ( startValue === null ) {\n\t\t\t\tresult[ index ] = endValue;\n\t\t\t} else {\n\t\t\t\tif ( type.mod ) {\n\t\t\t\t\tif ( endValue - startValue > type.mod / 2 ) {\n\t\t\t\t\t\tstartValue += type.mod;\n\t\t\t\t\t} else if ( startValue - endValue > type.mod / 2 ) {\n\t\t\t\t\t\tstartValue -= type.mod;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tresult[ index ] = clamp( ( endValue - startValue ) * distance + startValue, prop );\n\t\t\t}\n\t\t} );\n\t\treturn this[ spaceName ]( result );\n\t},\n\tblend: function( opaque ) {\n\n\t\t// if we are already opaque - return ourself\n\t\tif ( this._rgba[ 3 ] === 1 ) {\n\t\t\treturn this;\n\t\t}\n\n\t\tvar rgb = this._rgba.slice(),\n\t\t\ta = rgb.pop(),\n\t\t\tblend = color( opaque )._rgba;\n\n\t\treturn color( jQuery.map( rgb, function( v, i ) {\n\t\t\treturn ( 1 - a ) * blend[ i ] + a * v;\n\t\t} ) );\n\t},\n\ttoRgbaString: function() {\n\t\tvar prefix = \"rgba(\",\n\t\t\trgba = jQuery.map( this._rgba, function( v, i ) {\n\t\t\t\tif ( v != null ) {\n\t\t\t\t\treturn v;\n\t\t\t\t}\n\t\t\t\treturn i > 2 ? 1 : 0;\n\t\t\t} );\n\n\t\tif ( rgba[ 3 ] === 1 ) {\n\t\t\trgba.pop();\n\t\t\tprefix = \"rgb(\";\n\t\t}\n\n\t\treturn prefix + rgba.join() + \")\";\n\t},\n\ttoHslaString: function() {\n\t\tvar prefix = \"hsla(\",\n\t\t\thsla = jQuery.map( this.hsla(), function( v, i ) {\n\t\t\t\tif ( v == null ) {\n\t\t\t\t\tv = i > 2 ? 1 : 0;\n\t\t\t\t}\n\n\t\t\t\t// catch 1 and 2\n\t\t\t\tif ( i && i < 3 ) {\n\t\t\t\t\tv = Math.round( v * 100 ) + \"%\";\n\t\t\t\t}\n\t\t\t\treturn v;\n\t\t\t} );\n\n\t\tif ( hsla[ 3 ] === 1 ) {\n\t\t\thsla.pop();\n\t\t\tprefix = \"hsl(\";\n\t\t}\n\t\treturn prefix + hsla.join() + \")\";\n\t},\n\ttoHexString: function( includeAlpha ) {\n\t\tvar rgba = this._rgba.slice(),\n\t\t\talpha = rgba.pop();\n\n\t\tif ( includeAlpha ) {\n\t\t\trgba.push( ~~( alpha * 255 ) );\n\t\t}\n\n\t\treturn \"#\" + jQuery.map( rgba, function( v ) {\n\n\t\t\t// default to 0 when nulls exist\n\t\t\tv = ( v || 0 ).toString( 16 );\n\t\t\treturn v.length === 1 ? \"0\" + v : v;\n\t\t} ).join( \"\" );\n\t},\n\ttoString: function() {\n\t\treturn this._rgba[ 3 ] === 0 ? \"transparent\" : this.toRgbaString();\n\t}\n} );\ncolor.fn.parse.prototype = color.fn;\n\n// hsla conversions adapted from:\n// https://code.google.com/p/maashaack/source/browse/packages/graphics/trunk/src/graphics/colors/HUE2RGB.as?r=5021\n\nfunction hue2rgb( p, q, h ) {\n\th = ( h + 1 ) % 1;\n\tif ( h * 6 < 1 ) {\n\t\treturn p + ( q - p ) * h * 6;\n\t}\n\tif ( h * 2 < 1 ) {\n\t\treturn q;\n\t}\n\tif ( h * 3 < 2 ) {\n\t\treturn p + ( q - p ) * ( ( 2 / 3 ) - h ) * 6;\n\t}\n\treturn p;\n}\n\nspaces.hsla.to = function( rgba ) {\n\tif ( rgba[ 0 ] == null || rgba[ 1 ] == null || rgba[ 2 ] == null ) {\n\t\treturn [ null, null, null, rgba[ 3 ] ];\n\t}\n\tvar r = rgba[ 0 ] / 255,\n\t\tg = rgba[ 1 ] / 255,\n\t\tb = rgba[ 2 ] / 255,\n\t\ta = rgba[ 3 ],\n\t\tmax = Math.max( r, g, b ),\n\t\tmin = Math.min( r, g, b ),\n\t\tdiff = max - min,\n\t\tadd = max + min,\n\t\tl = add * 0.5,\n\t\th, s;\n\n\tif ( min === max ) {\n\t\th = 0;\n\t} else if ( r === max ) {\n\t\th = ( 60 * ( g - b ) / diff ) + 360;\n\t} else if ( g === max ) {\n\t\th = ( 60 * ( b - r ) / diff ) + 120;\n\t} else {\n\t\th = ( 60 * ( r - g ) / diff ) + 240;\n\t}\n\n\t// chroma (diff) == 0 means greyscale which, by definition, saturation = 0%\n\t// otherwise, saturation is based on the ratio of chroma (diff) to lightness (add)\n\tif ( diff === 0 ) {\n\t\ts = 0;\n\t} else if ( l <= 0.5 ) {\n\t\ts = diff / add;\n\t} else {\n\t\ts = diff / ( 2 - add );\n\t}\n\treturn [ Math.round( h ) % 360, s, l, a == null ? 1 : a ];\n};\n\nspaces.hsla.from = function( hsla ) {\n\tif ( hsla[ 0 ] == null || hsla[ 1 ] == null || hsla[ 2 ] == null ) {\n\t\treturn [ null, null, null, hsla[ 3 ] ];\n\t}\n\tvar h = hsla[ 0 ] / 360,\n\t\ts = hsla[ 1 ],\n\t\tl = hsla[ 2 ],\n\t\ta = hsla[ 3 ],\n\t\tq = l <= 0.5 ? l * ( 1 + s ) : l + s - l * s,\n\t\tp = 2 * l - q;\n\n\treturn [\n\t\tMath.round( hue2rgb( p, q, h + ( 1 / 3 ) ) * 255 ),\n\t\tMath.round( hue2rgb( p, q, h ) * 255 ),\n\t\tMath.round( hue2rgb( p, q, h - ( 1 / 3 ) ) * 255 ),\n\t\ta\n\t];\n};\n\n\neach( spaces, function( spaceName, space ) {\n\tvar props = space.props,\n\t\tcache = space.cache,\n\t\tto = space.to,\n\t\tfrom = space.from;\n\n\t// makes rgba() and hsla()\n\tcolor.fn[ spaceName ] = function( value ) {\n\n\t\t// generate a cache for this space if it doesn't exist\n\t\tif ( to && !this[ cache ] ) {\n\t\t\tthis[ cache ] = to( this._rgba );\n\t\t}\n\t\tif ( value === undefined ) {\n\t\t\treturn this[ cache ].slice();\n\t\t}\n\n\t\tvar ret,\n\t\t\ttype = getType( value ),\n\t\t\tarr = ( type === \"array\" || type === \"object\" ) ? value : arguments,\n\t\t\tlocal = this[ cache ].slice();\n\n\t\teach( props, function( key, prop ) {\n\t\t\tvar val = arr[ type === \"object\" ? key : prop.idx ];\n\t\t\tif ( val == null ) {\n\t\t\t\tval = local[ prop.idx ];\n\t\t\t}\n\t\t\tlocal[ prop.idx ] = clamp( val, prop );\n\t\t} );\n\n\t\tif ( from ) {\n\t\t\tret = color( from( local ) );\n\t\t\tret[ cache ] = local;\n\t\t\treturn ret;\n\t\t} else {\n\t\t\treturn color( local );\n\t\t}\n\t};\n\n\t// makes red() green() blue() alpha() hue() saturation() lightness()\n\teach( props, function( key, prop ) {\n\n\t\t// alpha is included in more than one space\n\t\tif ( color.fn[ key ] ) {\n\t\t\treturn;\n\t\t}\n\t\tcolor.fn[ key ] = function( value ) {\n\t\t\tvar local, cur, match, fn,\n\t\t\t\tvtype = getType( value );\n\n\t\t\tif ( key === \"alpha\" ) {\n\t\t\t\tfn = this._hsla ? \"hsla\" : \"rgba\";\n\t\t\t} else {\n\t\t\t\tfn = spaceName;\n\t\t\t}\n\t\t\tlocal = this[ fn ]();\n\t\t\tcur = local[ prop.idx ];\n\n\t\t\tif ( vtype === \"undefined\" ) {\n\t\t\t\treturn cur;\n\t\t\t}\n\n\t\t\tif ( vtype === \"function\" ) {\n\t\t\t\tvalue = value.call( this, cur );\n\t\t\t\tvtype = getType( value );\n\t\t\t}\n\t\t\tif ( value == null && prop.empty ) {\n\t\t\t\treturn this;\n\t\t\t}\n\t\t\tif ( vtype === \"string\" ) {\n\t\t\t\tmatch = rplusequals.exec( value );\n\t\t\t\tif ( match ) {\n\t\t\t\t\tvalue = cur + parseFloat( match[ 2 ] ) * ( match[ 1 ] === \"+\" ? 1 : -1 );\n\t\t\t\t}\n\t\t\t}\n\t\t\tlocal[ prop.idx ] = value;\n\t\t\treturn this[ fn ]( local );\n\t\t};\n\t} );\n} );\n\n// add cssHook and .fx.step function for each named hook.\n// accept a space separated string of properties\ncolor.hook = function( hook ) {\n\tvar hooks = hook.split( \" \" );\n\teach( hooks, function( _i, hook ) {\n\t\tjQuery.cssHooks[ hook ] = {\n\t\t\tset: function( elem, value ) {\n\t\t\t\tvar parsed, curElem,\n\t\t\t\t\tbackgroundColor = \"\";\n\n\t\t\t\tif ( value !== \"transparent\" && ( getType( value ) !== \"string\" || ( parsed = stringParse( value ) ) ) ) {\n\t\t\t\t\tvalue = color( parsed || value );\n\t\t\t\t\tif ( !support.rgba && value._rgba[ 3 ] !== 1 ) {\n\t\t\t\t\t\tcurElem = hook === \"backgroundColor\" ? elem.parentNode : elem;\n\t\t\t\t\t\twhile (\n\t\t\t\t\t\t\t( backgroundColor === \"\" || backgroundColor === \"transparent\" ) &&\n\t\t\t\t\t\t\tcurElem && curElem.style\n\t\t\t\t\t\t) {\n\t\t\t\t\t\t\ttry {\n\t\t\t\t\t\t\t\tbackgroundColor = jQuery.css( curElem, \"backgroundColor\" );\n\t\t\t\t\t\t\t\tcurElem = curElem.parentNode;\n\t\t\t\t\t\t\t} catch ( e ) {\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tvalue = value.blend( backgroundColor && backgroundColor !== \"transparent\" ?\n\t\t\t\t\t\t\tbackgroundColor :\n\t\t\t\t\t\t\t\"_default\" );\n\t\t\t\t\t}\n\n\t\t\t\t\tvalue = value.toRgbaString();\n\t\t\t\t}\n\t\t\t\ttry {\n\t\t\t\t\telem.style[ hook ] = value;\n\t\t\t\t} catch ( e ) {\n\n\t\t\t\t\t// wrapped to prevent IE from throwing errors on \"invalid\" values like 'auto' or 'inherit'\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\t\tjQuery.fx.step[ hook ] = function( fx ) {\n\t\t\tif ( !fx.colorInit ) {\n\t\t\t\tfx.start = color( fx.elem, hook );\n\t\t\t\tfx.end = color( fx.end );\n\t\t\t\tfx.colorInit = true;\n\t\t\t}\n\t\t\tjQuery.cssHooks[ hook ].set( fx.elem, fx.start.transition( fx.end, fx.pos ) );\n\t\t};\n\t} );\n\n};\n\ncolor.hook( stepHooks );\n\njQuery.cssHooks.borderColor = {\n\texpand: function( value ) {\n\t\tvar expanded = {};\n\n\t\teach( [ \"Top\", \"Right\", \"Bottom\", \"Left\" ], function( _i, part ) {\n\t\t\texpanded[ \"border\" + part + \"Color\" ] = value;\n\t\t} );\n\t\treturn expanded;\n\t}\n};\n\n// Basic color names only.\n// Usage of any of the other color names requires adding yourself or including\n// jquery.color.svg-names.js.\ncolors = jQuery.Color.names = {\n\n\t// 4.1. Basic color keywords\n\taqua: \"#00ffff\",\n\tblack: \"#000000\",\n\tblue: \"#0000ff\",\n\tfuchsia: \"#ff00ff\",\n\tgray: \"#808080\",\n\tgreen: \"#008000\",\n\tlime: \"#00ff00\",\n\tmaroon: \"#800000\",\n\tnavy: \"#000080\",\n\tolive: \"#808000\",\n\tpurple: \"#800080\",\n\tred: \"#ff0000\",\n\tsilver: \"#c0c0c0\",\n\tteal: \"#008080\",\n\twhite: \"#ffffff\",\n\tyellow: \"#ffff00\",\n\n\t// 4.2.3. \"transparent\" color keyword\n\ttransparent: [ null, null, null, 0 ],\n\n\t_default: \"#ffffff\"\n};\n\n\n/*!\n * jQuery UI Effects 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Effects Core\n//>>group: Effects\n/* eslint-disable max-len */\n//>>description: Extends the internal jQuery effects. Includes morphing and easing. Required by all other effects.\n/* eslint-enable max-len */\n//>>docs: https://api.jqueryui.com/category/effects-core/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar dataSpace = \"ui-effects-\",\n\tdataSpaceStyle = \"ui-effects-style\",\n\tdataSpaceAnimated = \"ui-effects-animated\";\n\n$.effects = {\n\teffect: {}\n};\n\n/******************************************************************************/\n/****************************** CLASS ANIMATIONS ******************************/\n/******************************************************************************/\n( function() {\n\nvar classAnimationActions = [ \"add\", \"remove\", \"toggle\" ],\n\tshorthandStyles = {\n\t\tborder: 1,\n\t\tborderBottom: 1,\n\t\tborderColor: 1,\n\t\tborderLeft: 1,\n\t\tborderRight: 1,\n\t\tborderTop: 1,\n\t\tborderWidth: 1,\n\t\tmargin: 1,\n\t\tpadding: 1\n\t};\n\n$.each(\n\t[ \"borderLeftStyle\", \"borderRightStyle\", \"borderBottomStyle\", \"borderTopStyle\" ],\n\tfunction( _, prop ) {\n\t\t$.fx.step[ prop ] = function( fx ) {\n\t\t\tif ( fx.end !== \"none\" && !fx.setAttr || fx.pos === 1 && !fx.setAttr ) {\n\t\t\t\tjQuery.style( fx.elem, prop, fx.end );\n\t\t\t\tfx.setAttr = true;\n\t\t\t}\n\t\t};\n\t}\n);\n\nfunction camelCase( string ) {\n\treturn string.replace( /-([\\da-z])/gi, function( all, letter ) {\n\t\treturn letter.toUpperCase();\n\t} );\n}\n\nfunction getElementStyles( elem ) {\n\tvar key, len,\n\t\tstyle = elem.ownerDocument.defaultView ?\n\t\t\telem.ownerDocument.defaultView.getComputedStyle( elem, null ) :\n\t\t\telem.currentStyle,\n\t\tstyles = {};\n\n\tif ( style && style.length && style[ 0 ] && style[ style[ 0 ] ] ) {\n\t\tlen = style.length;\n\t\twhile ( len-- ) {\n\t\t\tkey = style[ len ];\n\t\t\tif ( typeof style[ key ] === \"string\" ) {\n\t\t\t\tstyles[ camelCase( key ) ] = style[ key ];\n\t\t\t}\n\t\t}\n\n\t// Support: Opera, IE <9\n\t} else {\n\t\tfor ( key in style ) {\n\t\t\tif ( typeof style[ key ] === \"string\" ) {\n\t\t\t\tstyles[ key ] = style[ key ];\n\t\t\t}\n\t\t}\n\t}\n\n\treturn styles;\n}\n\nfunction styleDifference( oldStyle, newStyle ) {\n\tvar diff = {},\n\t\tname, value;\n\n\tfor ( name in newStyle ) {\n\t\tvalue = newStyle[ name ];\n\t\tif ( oldStyle[ name ] !== value ) {\n\t\t\tif ( !shorthandStyles[ name ] ) {\n\t\t\t\tif ( $.fx.step[ name ] || !isNaN( parseFloat( value ) ) ) {\n\t\t\t\t\tdiff[ name ] = value;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn diff;\n}\n\n// Support: jQuery <1.8\nif ( !$.fn.addBack ) {\n\t$.fn.addBack = function( selector ) {\n\t\treturn this.add( selector == null ?\n\t\t\tthis.prevObject : this.prevObject.filter( selector )\n\t\t);\n\t};\n}\n\n$.effects.animateClass = function( value, duration, easing, callback ) {\n\tvar o = $.speed( duration, easing, callback );\n\n\treturn this.queue( function() {\n\t\tvar animated = $( this ),\n\t\t\tbaseClass = animated.attr( \"class\" ) || \"\",\n\t\t\tapplyClassChange,\n\t\t\tallAnimations = o.children ? animated.find( \"*\" ).addBack() : animated;\n\n\t\t// Map the animated objects to store the original styles.\n\t\tallAnimations = allAnimations.map( function() {\n\t\t\tvar el = $( this );\n\t\t\treturn {\n\t\t\t\tel: el,\n\t\t\t\tstart: getElementStyles( this )\n\t\t\t};\n\t\t} );\n\n\t\t// Apply class change\n\t\tapplyClassChange = function() {\n\t\t\t$.each( classAnimationActions, function( i, action ) {\n\t\t\t\tif ( value[ action ] ) {\n\t\t\t\t\tanimated[ action + \"Class\" ]( value[ action ] );\n\t\t\t\t}\n\t\t\t} );\n\t\t};\n\t\tapplyClassChange();\n\n\t\t// Map all animated objects again - calculate new styles and diff\n\t\tallAnimations = allAnimations.map( function() {\n\t\t\tthis.end = getElementStyles( this.el[ 0 ] );\n\t\t\tthis.diff = styleDifference( this.start, this.end );\n\t\t\treturn this;\n\t\t} );\n\n\t\t// Apply original class\n\t\tanimated.attr( \"class\", baseClass );\n\n\t\t// Map all animated objects again - this time collecting a promise\n\t\tallAnimations = allAnimations.map( function() {\n\t\t\tvar styleInfo = this,\n\t\t\t\tdfd = $.Deferred(),\n\t\t\t\topts = $.extend( {}, o, {\n\t\t\t\t\tqueue: false,\n\t\t\t\t\tcomplete: function() {\n\t\t\t\t\t\tdfd.resolve( styleInfo );\n\t\t\t\t\t}\n\t\t\t\t} );\n\n\t\t\tthis.el.animate( this.diff, opts );\n\t\t\treturn dfd.promise();\n\t\t} );\n\n\t\t// Once all animations have completed:\n\t\t$.when.apply( $, allAnimations.get() ).done( function() {\n\n\t\t\t// Set the final class\n\t\t\tapplyClassChange();\n\n\t\t\t// For each animated element,\n\t\t\t// clear all css properties that were animated\n\t\t\t$.each( arguments, function() {\n\t\t\t\tvar el = this.el;\n\t\t\t\t$.each( this.diff, function( key ) {\n\t\t\t\t\tel.css( key, \"\" );\n\t\t\t\t} );\n\t\t\t} );\n\n\t\t\t// This is guarnteed to be there if you use jQuery.speed()\n\t\t\t// it also handles dequeuing the next anim...\n\t\t\to.complete.call( animated[ 0 ] );\n\t\t} );\n\t} );\n};\n\n$.fn.extend( {\n\taddClass: ( function( orig ) {\n\t\treturn function( classNames, speed, easing, callback ) {\n\t\t\treturn speed ?\n\t\t\t\t$.effects.animateClass.call( this,\n\t\t\t\t\t{ add: classNames }, speed, easing, callback ) :\n\t\t\t\torig.apply( this, arguments );\n\t\t};\n\t} )( $.fn.addClass ),\n\n\tremoveClass: ( function( orig ) {\n\t\treturn function( classNames, speed, easing, callback ) {\n\t\t\treturn arguments.length > 1 ?\n\t\t\t\t$.effects.animateClass.call( this,\n\t\t\t\t\t{ remove: classNames }, speed, easing, callback ) :\n\t\t\t\torig.apply( this, arguments );\n\t\t};\n\t} )( $.fn.removeClass ),\n\n\ttoggleClass: ( function( orig ) {\n\t\treturn function( classNames, force, speed, easing, callback ) {\n\t\t\tif ( typeof force === \"boolean\" || force === undefined ) {\n\t\t\t\tif ( !speed ) {\n\n\t\t\t\t\t// Without speed parameter\n\t\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t\t} else {\n\t\t\t\t\treturn $.effects.animateClass.call( this,\n\t\t\t\t\t\t( force ? { add: classNames } : { remove: classNames } ),\n\t\t\t\t\t\tspeed, easing, callback );\n\t\t\t\t}\n\t\t\t} else {\n\n\t\t\t\t// Without force parameter\n\t\t\t\treturn $.effects.animateClass.call( this,\n\t\t\t\t\t{ toggle: classNames }, force, speed, easing );\n\t\t\t}\n\t\t};\n\t} )( $.fn.toggleClass ),\n\n\tswitchClass: function( remove, add, speed, easing, callback ) {\n\t\treturn $.effects.animateClass.call( this, {\n\t\t\tadd: add,\n\t\t\tremove: remove\n\t\t}, speed, easing, callback );\n\t}\n} );\n\n} )();\n\n/******************************************************************************/\n/*********************************** EFFECTS **********************************/\n/******************************************************************************/\n\n( function() {\n\nif ( $.expr && $.expr.pseudos && $.expr.pseudos.animated ) {\n\t$.expr.pseudos.animated = ( function( orig ) {\n\t\treturn function( elem ) {\n\t\t\treturn !!$( elem ).data( dataSpaceAnimated ) || orig( elem );\n\t\t};\n\t} )( $.expr.pseudos.animated );\n}\n\nif ( $.uiBackCompat !== false ) {\n\t$.extend( $.effects, {\n\n\t\t// Saves a set of properties in a data storage\n\t\tsave: function( element, set ) {\n\t\t\tvar i = 0, length = set.length;\n\t\t\tfor ( ; i < length; i++ ) {\n\t\t\t\tif ( set[ i ] !== null ) {\n\t\t\t\t\telement.data( dataSpace + set[ i ], element[ 0 ].style[ set[ i ] ] );\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\t// Restores a set of previously saved properties from a data storage\n\t\trestore: function( element, set ) {\n\t\t\tvar val, i = 0, length = set.length;\n\t\t\tfor ( ; i < length; i++ ) {\n\t\t\t\tif ( set[ i ] !== null ) {\n\t\t\t\t\tval = element.data( dataSpace + set[ i ] );\n\t\t\t\t\telement.css( set[ i ], val );\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tsetMode: function( el, mode ) {\n\t\t\tif ( mode === \"toggle\" ) {\n\t\t\t\tmode = el.is( \":hidden\" ) ? \"show\" : \"hide\";\n\t\t\t}\n\t\t\treturn mode;\n\t\t},\n\n\t\t// Wraps the element around a wrapper that copies position properties\n\t\tcreateWrapper: function( element ) {\n\n\t\t\t// If the element is already wrapped, return it\n\t\t\tif ( element.parent().is( \".ui-effects-wrapper\" ) ) {\n\t\t\t\treturn element.parent();\n\t\t\t}\n\n\t\t\t// Wrap the element\n\t\t\tvar props = {\n\t\t\t\t\twidth: element.outerWidth( true ),\n\t\t\t\t\theight: element.outerHeight( true ),\n\t\t\t\t\t\"float\": element.css( \"float\" )\n\t\t\t\t},\n\t\t\t\twrapper = $( \"

            \" )\n\t\t\t\t\t.addClass( \"ui-effects-wrapper\" )\n\t\t\t\t\t.css( {\n\t\t\t\t\t\tfontSize: \"100%\",\n\t\t\t\t\t\tbackground: \"transparent\",\n\t\t\t\t\t\tborder: \"none\",\n\t\t\t\t\t\tmargin: 0,\n\t\t\t\t\t\tpadding: 0\n\t\t\t\t\t} ),\n\n\t\t\t\t// Store the size in case width/height are defined in % - Fixes #5245\n\t\t\t\tsize = {\n\t\t\t\t\twidth: element.width(),\n\t\t\t\t\theight: element.height()\n\t\t\t\t},\n\t\t\t\tactive = document.activeElement;\n\n\t\t\t// Support: Firefox\n\t\t\t// Firefox incorrectly exposes anonymous content\n\t\t\t// https://bugzilla.mozilla.org/show_bug.cgi?id=561664\n\t\t\ttry {\n\t\t\t\t// eslint-disable-next-line no-unused-expressions\n\t\t\t\tactive.id;\n\t\t\t} catch ( e ) {\n\t\t\t\tactive = document.body;\n\t\t\t}\n\n\t\t\telement.wrap( wrapper );\n\n\t\t\t// Fixes #7595 - Elements lose focus when wrapped.\n\t\t\tif ( element[ 0 ] === active || $.contains( element[ 0 ], active ) ) {\n\t\t\t\t$( active ).trigger( \"focus\" );\n\t\t\t}\n\n\t\t\t// Hotfix for jQuery 1.4 since some change in wrap() seems to actually\n\t\t\t// lose the reference to the wrapped element\n\t\t\twrapper = element.parent();\n\n\t\t\t// Transfer positioning properties to the wrapper\n\t\t\tif ( element.css( \"position\" ) === \"static\" ) {\n\t\t\t\twrapper.css( { position: \"relative\" } );\n\t\t\t\telement.css( { position: \"relative\" } );\n\t\t\t} else {\n\t\t\t\t$.extend( props, {\n\t\t\t\t\tposition: element.css( \"position\" ),\n\t\t\t\t\tzIndex: element.css( \"z-index\" )\n\t\t\t\t} );\n\t\t\t\t$.each( [ \"top\", \"left\", \"bottom\", \"right\" ], function( i, pos ) {\n\t\t\t\t\tprops[ pos ] = element.css( pos );\n\t\t\t\t\tif ( isNaN( parseInt( props[ pos ], 10 ) ) ) {\n\t\t\t\t\t\tprops[ pos ] = \"auto\";\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t\telement.css( {\n\t\t\t\t\tposition: \"relative\",\n\t\t\t\t\ttop: 0,\n\t\t\t\t\tleft: 0,\n\t\t\t\t\tright: \"auto\",\n\t\t\t\t\tbottom: \"auto\"\n\t\t\t\t} );\n\t\t\t}\n\t\t\telement.css( size );\n\n\t\t\treturn wrapper.css( props ).show();\n\t\t},\n\n\t\tremoveWrapper: function( element ) {\n\t\t\tvar active = document.activeElement;\n\n\t\t\tif ( element.parent().is( \".ui-effects-wrapper\" ) ) {\n\t\t\t\telement.parent().replaceWith( element );\n\n\t\t\t\t// Fixes #7595 - Elements lose focus when wrapped.\n\t\t\t\tif ( element[ 0 ] === active || $.contains( element[ 0 ], active ) ) {\n\t\t\t\t\t$( active ).trigger( \"focus\" );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn element;\n\t\t}\n\t} );\n}\n\n$.extend( $.effects, {\n\tversion: \"1.13.3\",\n\n\tdefine: function( name, mode, effect ) {\n\t\tif ( !effect ) {\n\t\t\teffect = mode;\n\t\t\tmode = \"effect\";\n\t\t}\n\n\t\t$.effects.effect[ name ] = effect;\n\t\t$.effects.effect[ name ].mode = mode;\n\n\t\treturn effect;\n\t},\n\n\tscaledDimensions: function( element, percent, direction ) {\n\t\tif ( percent === 0 ) {\n\t\t\treturn {\n\t\t\t\theight: 0,\n\t\t\t\twidth: 0,\n\t\t\t\touterHeight: 0,\n\t\t\t\touterWidth: 0\n\t\t\t};\n\t\t}\n\n\t\tvar x = direction !== \"horizontal\" ? ( ( percent || 100 ) / 100 ) : 1,\n\t\t\ty = direction !== \"vertical\" ? ( ( percent || 100 ) / 100 ) : 1;\n\n\t\treturn {\n\t\t\theight: element.height() * y,\n\t\t\twidth: element.width() * x,\n\t\t\touterHeight: element.outerHeight() * y,\n\t\t\touterWidth: element.outerWidth() * x\n\t\t};\n\n\t},\n\n\tclipToBox: function( animation ) {\n\t\treturn {\n\t\t\twidth: animation.clip.right - animation.clip.left,\n\t\t\theight: animation.clip.bottom - animation.clip.top,\n\t\t\tleft: animation.clip.left,\n\t\t\ttop: animation.clip.top\n\t\t};\n\t},\n\n\t// Injects recently queued functions to be first in line (after \"inprogress\")\n\tunshift: function( element, queueLength, count ) {\n\t\tvar queue = element.queue();\n\n\t\tif ( queueLength > 1 ) {\n\t\t\tqueue.splice.apply( queue,\n\t\t\t\t[ 1, 0 ].concat( queue.splice( queueLength, count ) ) );\n\t\t}\n\t\telement.dequeue();\n\t},\n\n\tsaveStyle: function( element ) {\n\t\telement.data( dataSpaceStyle, element[ 0 ].style.cssText );\n\t},\n\n\trestoreStyle: function( element ) {\n\t\telement[ 0 ].style.cssText = element.data( dataSpaceStyle ) || \"\";\n\t\telement.removeData( dataSpaceStyle );\n\t},\n\n\tmode: function( element, mode ) {\n\t\tvar hidden = element.is( \":hidden\" );\n\n\t\tif ( mode === \"toggle\" ) {\n\t\t\tmode = hidden ? \"show\" : \"hide\";\n\t\t}\n\t\tif ( hidden ? mode === \"hide\" : mode === \"show\" ) {\n\t\t\tmode = \"none\";\n\t\t}\n\t\treturn mode;\n\t},\n\n\t// Translates a [top,left] array into a baseline value\n\tgetBaseline: function( origin, original ) {\n\t\tvar y, x;\n\n\t\tswitch ( origin[ 0 ] ) {\n\t\tcase \"top\":\n\t\t\ty = 0;\n\t\t\tbreak;\n\t\tcase \"middle\":\n\t\t\ty = 0.5;\n\t\t\tbreak;\n\t\tcase \"bottom\":\n\t\t\ty = 1;\n\t\t\tbreak;\n\t\tdefault:\n\t\t\ty = origin[ 0 ] / original.height;\n\t\t}\n\n\t\tswitch ( origin[ 1 ] ) {\n\t\tcase \"left\":\n\t\t\tx = 0;\n\t\t\tbreak;\n\t\tcase \"center\":\n\t\t\tx = 0.5;\n\t\t\tbreak;\n\t\tcase \"right\":\n\t\t\tx = 1;\n\t\t\tbreak;\n\t\tdefault:\n\t\t\tx = origin[ 1 ] / original.width;\n\t\t}\n\n\t\treturn {\n\t\t\tx: x,\n\t\t\ty: y\n\t\t};\n\t},\n\n\t// Creates a placeholder element so that the original element can be made absolute\n\tcreatePlaceholder: function( element ) {\n\t\tvar placeholder,\n\t\t\tcssPosition = element.css( \"position\" ),\n\t\t\tposition = element.position();\n\n\t\t// Lock in margins first to account for form elements, which\n\t\t// will change margin if you explicitly set height\n\t\t// see: https://jsfiddle.net/JZSMt/3/ https://bugs.webkit.org/show_bug.cgi?id=107380\n\t\t// Support: Safari\n\t\telement.css( {\n\t\t\tmarginTop: element.css( \"marginTop\" ),\n\t\t\tmarginBottom: element.css( \"marginBottom\" ),\n\t\t\tmarginLeft: element.css( \"marginLeft\" ),\n\t\t\tmarginRight: element.css( \"marginRight\" )\n\t\t} )\n\t\t.outerWidth( element.outerWidth() )\n\t\t.outerHeight( element.outerHeight() );\n\n\t\tif ( /^(static|relative)/.test( cssPosition ) ) {\n\t\t\tcssPosition = \"absolute\";\n\n\t\t\tplaceholder = $( \"<\" + element[ 0 ].nodeName + \">\" ).insertAfter( element ).css( {\n\n\t\t\t\t// Convert inline to inline block to account for inline elements\n\t\t\t\t// that turn to inline block based on content (like img)\n\t\t\t\tdisplay: /^(inline|ruby)/.test( element.css( \"display\" ) ) ?\n\t\t\t\t\t\"inline-block\" :\n\t\t\t\t\t\"block\",\n\t\t\t\tvisibility: \"hidden\",\n\n\t\t\t\t// Margins need to be set to account for margin collapse\n\t\t\t\tmarginTop: element.css( \"marginTop\" ),\n\t\t\t\tmarginBottom: element.css( \"marginBottom\" ),\n\t\t\t\tmarginLeft: element.css( \"marginLeft\" ),\n\t\t\t\tmarginRight: element.css( \"marginRight\" ),\n\t\t\t\t\"float\": element.css( \"float\" )\n\t\t\t} )\n\t\t\t.outerWidth( element.outerWidth() )\n\t\t\t.outerHeight( element.outerHeight() )\n\t\t\t.addClass( \"ui-effects-placeholder\" );\n\n\t\t\telement.data( dataSpace + \"placeholder\", placeholder );\n\t\t}\n\n\t\telement.css( {\n\t\t\tposition: cssPosition,\n\t\t\tleft: position.left,\n\t\t\ttop: position.top\n\t\t} );\n\n\t\treturn placeholder;\n\t},\n\n\tremovePlaceholder: function( element ) {\n\t\tvar dataKey = dataSpace + \"placeholder\",\n\t\t\t\tplaceholder = element.data( dataKey );\n\n\t\tif ( placeholder ) {\n\t\t\tplaceholder.remove();\n\t\t\telement.removeData( dataKey );\n\t\t}\n\t},\n\n\t// Removes a placeholder if it exists and restores\n\t// properties that were modified during placeholder creation\n\tcleanUp: function( element ) {\n\t\t$.effects.restoreStyle( element );\n\t\t$.effects.removePlaceholder( element );\n\t},\n\n\tsetTransition: function( element, list, factor, value ) {\n\t\tvalue = value || {};\n\t\t$.each( list, function( i, x ) {\n\t\t\tvar unit = element.cssUnit( x );\n\t\t\tif ( unit[ 0 ] > 0 ) {\n\t\t\t\tvalue[ x ] = unit[ 0 ] * factor + unit[ 1 ];\n\t\t\t}\n\t\t} );\n\t\treturn value;\n\t}\n} );\n\n// Return an effect options object for the given parameters:\nfunction _normalizeArguments( effect, options, speed, callback ) {\n\n\t// Allow passing all options as the first parameter\n\tif ( $.isPlainObject( effect ) ) {\n\t\toptions = effect;\n\t\teffect = effect.effect;\n\t}\n\n\t// Convert to an object\n\teffect = { effect: effect };\n\n\t// Catch (effect, null, ...)\n\tif ( options == null ) {\n\t\toptions = {};\n\t}\n\n\t// Catch (effect, callback)\n\tif ( typeof options === \"function\" ) {\n\t\tcallback = options;\n\t\tspeed = null;\n\t\toptions = {};\n\t}\n\n\t// Catch (effect, speed, ?)\n\tif ( typeof options === \"number\" || $.fx.speeds[ options ] ) {\n\t\tcallback = speed;\n\t\tspeed = options;\n\t\toptions = {};\n\t}\n\n\t// Catch (effect, options, callback)\n\tif ( typeof speed === \"function\" ) {\n\t\tcallback = speed;\n\t\tspeed = null;\n\t}\n\n\t// Add options to effect\n\tif ( options ) {\n\t\t$.extend( effect, options );\n\t}\n\n\tspeed = speed || options.duration;\n\teffect.duration = $.fx.off ? 0 :\n\t\ttypeof speed === \"number\" ? speed :\n\t\tspeed in $.fx.speeds ? $.fx.speeds[ speed ] :\n\t\t$.fx.speeds._default;\n\n\teffect.complete = callback || options.complete;\n\n\treturn effect;\n}\n\nfunction standardAnimationOption( option ) {\n\n\t// Valid standard speeds (nothing, number, named speed)\n\tif ( !option || typeof option === \"number\" || $.fx.speeds[ option ] ) {\n\t\treturn true;\n\t}\n\n\t// Invalid strings - treat as \"normal\" speed\n\tif ( typeof option === \"string\" && !$.effects.effect[ option ] ) {\n\t\treturn true;\n\t}\n\n\t// Complete callback\n\tif ( typeof option === \"function\" ) {\n\t\treturn true;\n\t}\n\n\t// Options hash (but not naming an effect)\n\tif ( typeof option === \"object\" && !option.effect ) {\n\t\treturn true;\n\t}\n\n\t// Didn't match any standard API\n\treturn false;\n}\n\n$.fn.extend( {\n\teffect: function( /* effect, options, speed, callback */ ) {\n\t\tvar args = _normalizeArguments.apply( this, arguments ),\n\t\t\teffectMethod = $.effects.effect[ args.effect ],\n\t\t\tdefaultMode = effectMethod.mode,\n\t\t\tqueue = args.queue,\n\t\t\tqueueName = queue || \"fx\",\n\t\t\tcomplete = args.complete,\n\t\t\tmode = args.mode,\n\t\t\tmodes = [],\n\t\t\tprefilter = function( next ) {\n\t\t\t\tvar el = $( this ),\n\t\t\t\t\tnormalizedMode = $.effects.mode( el, mode ) || defaultMode;\n\n\t\t\t\t// Sentinel for duck-punching the :animated pseudo-selector\n\t\t\t\tel.data( dataSpaceAnimated, true );\n\n\t\t\t\t// Save effect mode for later use,\n\t\t\t\t// we can't just call $.effects.mode again later,\n\t\t\t\t// as the .show() below destroys the initial state\n\t\t\t\tmodes.push( normalizedMode );\n\n\t\t\t\t// See $.uiBackCompat inside of run() for removal of defaultMode in 1.14\n\t\t\t\tif ( defaultMode && ( normalizedMode === \"show\" ||\n\t\t\t\t\t\t( normalizedMode === defaultMode && normalizedMode === \"hide\" ) ) ) {\n\t\t\t\t\tel.show();\n\t\t\t\t}\n\n\t\t\t\tif ( !defaultMode || normalizedMode !== \"none\" ) {\n\t\t\t\t\t$.effects.saveStyle( el );\n\t\t\t\t}\n\n\t\t\t\tif ( typeof next === \"function\" ) {\n\t\t\t\t\tnext();\n\t\t\t\t}\n\t\t\t};\n\n\t\tif ( $.fx.off || !effectMethod ) {\n\n\t\t\t// Delegate to the original method (e.g., .show()) if possible\n\t\t\tif ( mode ) {\n\t\t\t\treturn this[ mode ]( args.duration, complete );\n\t\t\t} else {\n\t\t\t\treturn this.each( function() {\n\t\t\t\t\tif ( complete ) {\n\t\t\t\t\t\tcomplete.call( this );\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t}\n\n\t\tfunction run( next ) {\n\t\t\tvar elem = $( this );\n\n\t\t\tfunction cleanup() {\n\t\t\t\telem.removeData( dataSpaceAnimated );\n\n\t\t\t\t$.effects.cleanUp( elem );\n\n\t\t\t\tif ( args.mode === \"hide\" ) {\n\t\t\t\t\telem.hide();\n\t\t\t\t}\n\n\t\t\t\tdone();\n\t\t\t}\n\n\t\t\tfunction done() {\n\t\t\t\tif ( typeof complete === \"function\" ) {\n\t\t\t\t\tcomplete.call( elem[ 0 ] );\n\t\t\t\t}\n\n\t\t\t\tif ( typeof next === \"function\" ) {\n\t\t\t\t\tnext();\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Override mode option on a per element basis,\n\t\t\t// as toggle can be either show or hide depending on element state\n\t\t\targs.mode = modes.shift();\n\n\t\t\tif ( $.uiBackCompat !== false && !defaultMode ) {\n\t\t\t\tif ( elem.is( \":hidden\" ) ? mode === \"hide\" : mode === \"show\" ) {\n\n\t\t\t\t\t// Call the core method to track \"olddisplay\" properly\n\t\t\t\t\telem[ mode ]();\n\t\t\t\t\tdone();\n\t\t\t\t} else {\n\t\t\t\t\teffectMethod.call( elem[ 0 ], args, done );\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tif ( args.mode === \"none\" ) {\n\n\t\t\t\t\t// Call the core method to track \"olddisplay\" properly\n\t\t\t\t\telem[ mode ]();\n\t\t\t\t\tdone();\n\t\t\t\t} else {\n\t\t\t\t\teffectMethod.call( elem[ 0 ], args, cleanup );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Run prefilter on all elements first to ensure that\n\t\t// any showing or hiding happens before placeholder creation,\n\t\t// which ensures that any layout changes are correctly captured.\n\t\treturn queue === false ?\n\t\t\tthis.each( prefilter ).each( run ) :\n\t\t\tthis.queue( queueName, prefilter ).queue( queueName, run );\n\t},\n\n\tshow: ( function( orig ) {\n\t\treturn function( option ) {\n\t\t\tif ( standardAnimationOption( option ) ) {\n\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t} else {\n\t\t\t\tvar args = _normalizeArguments.apply( this, arguments );\n\t\t\t\targs.mode = \"show\";\n\t\t\t\treturn this.effect.call( this, args );\n\t\t\t}\n\t\t};\n\t} )( $.fn.show ),\n\n\thide: ( function( orig ) {\n\t\treturn function( option ) {\n\t\t\tif ( standardAnimationOption( option ) ) {\n\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t} else {\n\t\t\t\tvar args = _normalizeArguments.apply( this, arguments );\n\t\t\t\targs.mode = \"hide\";\n\t\t\t\treturn this.effect.call( this, args );\n\t\t\t}\n\t\t};\n\t} )( $.fn.hide ),\n\n\ttoggle: ( function( orig ) {\n\t\treturn function( option ) {\n\t\t\tif ( standardAnimationOption( option ) || typeof option === \"boolean\" ) {\n\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t} else {\n\t\t\t\tvar args = _normalizeArguments.apply( this, arguments );\n\t\t\t\targs.mode = \"toggle\";\n\t\t\t\treturn this.effect.call( this, args );\n\t\t\t}\n\t\t};\n\t} )( $.fn.toggle ),\n\n\tcssUnit: function( key ) {\n\t\tvar style = this.css( key ),\n\t\t\tval = [];\n\n\t\t$.each( [ \"em\", \"px\", \"%\", \"pt\" ], function( i, unit ) {\n\t\t\tif ( style.indexOf( unit ) > 0 ) {\n\t\t\t\tval = [ parseFloat( style ), unit ];\n\t\t\t}\n\t\t} );\n\t\treturn val;\n\t},\n\n\tcssClip: function( clipObj ) {\n\t\tif ( clipObj ) {\n\t\t\treturn this.css( \"clip\", \"rect(\" + clipObj.top + \"px \" + clipObj.right + \"px \" +\n\t\t\t\tclipObj.bottom + \"px \" + clipObj.left + \"px)\" );\n\t\t}\n\t\treturn parseClip( this.css( \"clip\" ), this );\n\t},\n\n\ttransfer: function( options, done ) {\n\t\tvar element = $( this ),\n\t\t\ttarget = $( options.to ),\n\t\t\ttargetFixed = target.css( \"position\" ) === \"fixed\",\n\t\t\tbody = $( \"body\" ),\n\t\t\tfixTop = targetFixed ? body.scrollTop() : 0,\n\t\t\tfixLeft = targetFixed ? body.scrollLeft() : 0,\n\t\t\tendPosition = target.offset(),\n\t\t\tanimation = {\n\t\t\t\ttop: endPosition.top - fixTop,\n\t\t\t\tleft: endPosition.left - fixLeft,\n\t\t\t\theight: target.innerHeight(),\n\t\t\t\twidth: target.innerWidth()\n\t\t\t},\n\t\t\tstartPosition = element.offset(),\n\t\t\ttransfer = $( \"
            \" );\n\n\t\ttransfer\n\t\t\t.appendTo( \"body\" )\n\t\t\t.addClass( options.className )\n\t\t\t.css( {\n\t\t\t\ttop: startPosition.top - fixTop,\n\t\t\t\tleft: startPosition.left - fixLeft,\n\t\t\t\theight: element.innerHeight(),\n\t\t\t\twidth: element.innerWidth(),\n\t\t\t\tposition: targetFixed ? \"fixed\" : \"absolute\"\n\t\t\t} )\n\t\t\t.animate( animation, options.duration, options.easing, function() {\n\t\t\t\ttransfer.remove();\n\t\t\t\tif ( typeof done === \"function\" ) {\n\t\t\t\t\tdone();\n\t\t\t\t}\n\t\t\t} );\n\t}\n} );\n\nfunction parseClip( str, element ) {\n\t\tvar outerWidth = element.outerWidth(),\n\t\t\touterHeight = element.outerHeight(),\n\t\t\tclipRegex = /^rect\\((-?\\d*\\.?\\d*px|-?\\d+%|auto),?\\s*(-?\\d*\\.?\\d*px|-?\\d+%|auto),?\\s*(-?\\d*\\.?\\d*px|-?\\d+%|auto),?\\s*(-?\\d*\\.?\\d*px|-?\\d+%|auto)\\)$/,\n\t\t\tvalues = clipRegex.exec( str ) || [ \"\", 0, outerWidth, outerHeight, 0 ];\n\n\t\treturn {\n\t\t\ttop: parseFloat( values[ 1 ] ) || 0,\n\t\t\tright: values[ 2 ] === \"auto\" ? outerWidth : parseFloat( values[ 2 ] ),\n\t\t\tbottom: values[ 3 ] === \"auto\" ? outerHeight : parseFloat( values[ 3 ] ),\n\t\t\tleft: parseFloat( values[ 4 ] ) || 0\n\t\t};\n}\n\n$.fx.step.clip = function( fx ) {\n\tif ( !fx.clipInit ) {\n\t\tfx.start = $( fx.elem ).cssClip();\n\t\tif ( typeof fx.end === \"string\" ) {\n\t\t\tfx.end = parseClip( fx.end, fx.elem );\n\t\t}\n\t\tfx.clipInit = true;\n\t}\n\n\t$( fx.elem ).cssClip( {\n\t\ttop: fx.pos * ( fx.end.top - fx.start.top ) + fx.start.top,\n\t\tright: fx.pos * ( fx.end.right - fx.start.right ) + fx.start.right,\n\t\tbottom: fx.pos * ( fx.end.bottom - fx.start.bottom ) + fx.start.bottom,\n\t\tleft: fx.pos * ( fx.end.left - fx.start.left ) + fx.start.left\n\t} );\n};\n\n} )();\n\n/******************************************************************************/\n/*********************************** EASING ***********************************/\n/******************************************************************************/\n\n( function() {\n\n// Based on easing equations from Robert Penner (http://robertpenner.com/easing)\n\nvar baseEasings = {};\n\n$.each( [ \"Quad\", \"Cubic\", \"Quart\", \"Quint\", \"Expo\" ], function( i, name ) {\n\tbaseEasings[ name ] = function( p ) {\n\t\treturn Math.pow( p, i + 2 );\n\t};\n} );\n\n$.extend( baseEasings, {\n\tSine: function( p ) {\n\t\treturn 1 - Math.cos( p * Math.PI / 2 );\n\t},\n\tCirc: function( p ) {\n\t\treturn 1 - Math.sqrt( 1 - p * p );\n\t},\n\tElastic: function( p ) {\n\t\treturn p === 0 || p === 1 ? p :\n\t\t\t-Math.pow( 2, 8 * ( p - 1 ) ) * Math.sin( ( ( p - 1 ) * 80 - 7.5 ) * Math.PI / 15 );\n\t},\n\tBack: function( p ) {\n\t\treturn p * p * ( 3 * p - 2 );\n\t},\n\tBounce: function( p ) {\n\t\tvar pow2,\n\t\t\tbounce = 4;\n\n\t\twhile ( p < ( ( pow2 = Math.pow( 2, --bounce ) ) - 1 ) / 11 ) {}\n\t\treturn 1 / Math.pow( 4, 3 - bounce ) - 7.5625 * Math.pow( ( pow2 * 3 - 2 ) / 22 - p, 2 );\n\t}\n} );\n\n$.each( baseEasings, function( name, easeIn ) {\n\t$.easing[ \"easeIn\" + name ] = easeIn;\n\t$.easing[ \"easeOut\" + name ] = function( p ) {\n\t\treturn 1 - easeIn( 1 - p );\n\t};\n\t$.easing[ \"easeInOut\" + name ] = function( p ) {\n\t\treturn p < 0.5 ?\n\t\t\teaseIn( p * 2 ) / 2 :\n\t\t\t1 - easeIn( p * -2 + 2 ) / 2;\n\t};\n} );\n\n} )();\n\nvar effect = $.effects;\n\n\n/*!\n * jQuery UI Effects Blind 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Blind Effect\n//>>group: Effects\n//>>description: Blinds the element.\n//>>docs: https://api.jqueryui.com/blind-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectBlind = $.effects.define( \"blind\", \"hide\", function( options, done ) {\n\tvar map = {\n\t\t\tup: [ \"bottom\", \"top\" ],\n\t\t\tvertical: [ \"bottom\", \"top\" ],\n\t\t\tdown: [ \"top\", \"bottom\" ],\n\t\t\tleft: [ \"right\", \"left\" ],\n\t\t\thorizontal: [ \"right\", \"left\" ],\n\t\t\tright: [ \"left\", \"right\" ]\n\t\t},\n\t\telement = $( this ),\n\t\tdirection = options.direction || \"up\",\n\t\tstart = element.cssClip(),\n\t\tanimate = { clip: $.extend( {}, start ) },\n\t\tplaceholder = $.effects.createPlaceholder( element );\n\n\tanimate.clip[ map[ direction ][ 0 ] ] = animate.clip[ map[ direction ][ 1 ] ];\n\n\tif ( options.mode === \"show\" ) {\n\t\telement.cssClip( animate.clip );\n\t\tif ( placeholder ) {\n\t\t\tplaceholder.css( $.effects.clipToBox( animate ) );\n\t\t}\n\n\t\tanimate.clip = start;\n\t}\n\n\tif ( placeholder ) {\n\t\tplaceholder.animate( $.effects.clipToBox( animate ), options.duration, options.easing );\n\t}\n\n\telement.animate( animate, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Bounce 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Bounce Effect\n//>>group: Effects\n//>>description: Bounces an element horizontally or vertically n times.\n//>>docs: https://api.jqueryui.com/bounce-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectBounce = $.effects.define( \"bounce\", function( options, done ) {\n\tvar upAnim, downAnim, refValue,\n\t\telement = $( this ),\n\n\t\t// Defaults:\n\t\tmode = options.mode,\n\t\thide = mode === \"hide\",\n\t\tshow = mode === \"show\",\n\t\tdirection = options.direction || \"up\",\n\t\tdistance = options.distance,\n\t\ttimes = options.times || 5,\n\n\t\t// Number of internal animations\n\t\tanims = times * 2 + ( show || hide ? 1 : 0 ),\n\t\tspeed = options.duration / anims,\n\t\teasing = options.easing,\n\n\t\t// Utility:\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tmotion = ( direction === \"up\" || direction === \"left\" ),\n\t\ti = 0,\n\n\t\tqueuelen = element.queue().length;\n\n\t$.effects.createPlaceholder( element );\n\n\trefValue = element.css( ref );\n\n\t// Default distance for the BIGGEST bounce is the outer Distance / 3\n\tif ( !distance ) {\n\t\tdistance = element[ ref === \"top\" ? \"outerHeight\" : \"outerWidth\" ]() / 3;\n\t}\n\n\tif ( show ) {\n\t\tdownAnim = { opacity: 1 };\n\t\tdownAnim[ ref ] = refValue;\n\n\t\t// If we are showing, force opacity 0 and set the initial position\n\t\t// then do the \"first\" animation\n\t\telement\n\t\t\t.css( \"opacity\", 0 )\n\t\t\t.css( ref, motion ? -distance * 2 : distance * 2 )\n\t\t\t.animate( downAnim, speed, easing );\n\t}\n\n\t// Start at the smallest distance if we are hiding\n\tif ( hide ) {\n\t\tdistance = distance / Math.pow( 2, times - 1 );\n\t}\n\n\tdownAnim = {};\n\tdownAnim[ ref ] = refValue;\n\n\t// Bounces up/down/left/right then back to 0 -- times * 2 animations happen here\n\tfor ( ; i < times; i++ ) {\n\t\tupAnim = {};\n\t\tupAnim[ ref ] = ( motion ? \"-=\" : \"+=\" ) + distance;\n\n\t\telement\n\t\t\t.animate( upAnim, speed, easing )\n\t\t\t.animate( downAnim, speed, easing );\n\n\t\tdistance = hide ? distance * 2 : distance / 2;\n\t}\n\n\t// Last Bounce when Hiding\n\tif ( hide ) {\n\t\tupAnim = { opacity: 0 };\n\t\tupAnim[ ref ] = ( motion ? \"-=\" : \"+=\" ) + distance;\n\n\t\telement.animate( upAnim, speed, easing );\n\t}\n\n\telement.queue( done );\n\n\t$.effects.unshift( element, queuelen, anims + 1 );\n} );\n\n\n/*!\n * jQuery UI Effects Clip 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Clip Effect\n//>>group: Effects\n//>>description: Clips the element on and off like an old TV.\n//>>docs: https://api.jqueryui.com/clip-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectClip = $.effects.define( \"clip\", \"hide\", function( options, done ) {\n\tvar start,\n\t\tanimate = {},\n\t\telement = $( this ),\n\t\tdirection = options.direction || \"vertical\",\n\t\tboth = direction === \"both\",\n\t\thorizontal = both || direction === \"horizontal\",\n\t\tvertical = both || direction === \"vertical\";\n\n\tstart = element.cssClip();\n\tanimate.clip = {\n\t\ttop: vertical ? ( start.bottom - start.top ) / 2 : start.top,\n\t\tright: horizontal ? ( start.right - start.left ) / 2 : start.right,\n\t\tbottom: vertical ? ( start.bottom - start.top ) / 2 : start.bottom,\n\t\tleft: horizontal ? ( start.right - start.left ) / 2 : start.left\n\t};\n\n\t$.effects.createPlaceholder( element );\n\n\tif ( options.mode === \"show\" ) {\n\t\telement.cssClip( animate.clip );\n\t\tanimate.clip = start;\n\t}\n\n\telement.animate( animate, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n\n} );\n\n\n/*!\n * jQuery UI Effects Drop 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Drop Effect\n//>>group: Effects\n//>>description: Moves an element in one direction and hides it at the same time.\n//>>docs: https://api.jqueryui.com/drop-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectDrop = $.effects.define( \"drop\", \"hide\", function( options, done ) {\n\n\tvar distance,\n\t\telement = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\t\tdirection = options.direction || \"left\",\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tmotion = ( direction === \"up\" || direction === \"left\" ) ? \"-=\" : \"+=\",\n\t\toppositeMotion = ( motion === \"+=\" ) ? \"-=\" : \"+=\",\n\t\tanimation = {\n\t\t\topacity: 0\n\t\t};\n\n\t$.effects.createPlaceholder( element );\n\n\tdistance = options.distance ||\n\t\telement[ ref === \"top\" ? \"outerHeight\" : \"outerWidth\" ]( true ) / 2;\n\n\tanimation[ ref ] = motion + distance;\n\n\tif ( show ) {\n\t\telement.css( animation );\n\n\t\tanimation[ ref ] = oppositeMotion + distance;\n\t\tanimation.opacity = 1;\n\t}\n\n\t// Animate\n\telement.animate( animation, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Explode 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Explode Effect\n//>>group: Effects\n/* eslint-disable max-len */\n//>>description: Explodes an element in all directions into n pieces. Implodes an element to its original wholeness.\n/* eslint-enable max-len */\n//>>docs: https://api.jqueryui.com/explode-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectExplode = $.effects.define( \"explode\", \"hide\", function( options, done ) {\n\n\tvar i, j, left, top, mx, my,\n\t\trows = options.pieces ? Math.round( Math.sqrt( options.pieces ) ) : 3,\n\t\tcells = rows,\n\t\telement = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\n\t\t// Show and then visibility:hidden the element before calculating offset\n\t\toffset = element.show().css( \"visibility\", \"hidden\" ).offset(),\n\n\t\t// Width and height of a piece\n\t\twidth = Math.ceil( element.outerWidth() / cells ),\n\t\theight = Math.ceil( element.outerHeight() / rows ),\n\t\tpieces = [];\n\n\t// Children animate complete:\n\tfunction childComplete() {\n\t\tpieces.push( this );\n\t\tif ( pieces.length === rows * cells ) {\n\t\t\tanimComplete();\n\t\t}\n\t}\n\n\t// Clone the element for each row and cell.\n\tfor ( i = 0; i < rows; i++ ) { // ===>\n\t\ttop = offset.top + i * height;\n\t\tmy = i - ( rows - 1 ) / 2;\n\n\t\tfor ( j = 0; j < cells; j++ ) { // |||\n\t\t\tleft = offset.left + j * width;\n\t\t\tmx = j - ( cells - 1 ) / 2;\n\n\t\t\t// Create a clone of the now hidden main element that will be absolute positioned\n\t\t\t// within a wrapper div off the -left and -top equal to size of our pieces\n\t\t\telement\n\t\t\t\t.clone()\n\t\t\t\t.appendTo( \"body\" )\n\t\t\t\t.wrap( \"
            \" )\n\t\t\t\t.css( {\n\t\t\t\t\tposition: \"absolute\",\n\t\t\t\t\tvisibility: \"visible\",\n\t\t\t\t\tleft: -j * width,\n\t\t\t\t\ttop: -i * height\n\t\t\t\t} )\n\n\t\t\t\t// Select the wrapper - make it overflow: hidden and absolute positioned based on\n\t\t\t\t// where the original was located +left and +top equal to the size of pieces\n\t\t\t\t.parent()\n\t\t\t\t\t.addClass( \"ui-effects-explode\" )\n\t\t\t\t\t.css( {\n\t\t\t\t\t\tposition: \"absolute\",\n\t\t\t\t\t\toverflow: \"hidden\",\n\t\t\t\t\t\twidth: width,\n\t\t\t\t\t\theight: height,\n\t\t\t\t\t\tleft: left + ( show ? mx * width : 0 ),\n\t\t\t\t\t\ttop: top + ( show ? my * height : 0 ),\n\t\t\t\t\t\topacity: show ? 0 : 1\n\t\t\t\t\t} )\n\t\t\t\t\t.animate( {\n\t\t\t\t\t\tleft: left + ( show ? 0 : mx * width ),\n\t\t\t\t\t\ttop: top + ( show ? 0 : my * height ),\n\t\t\t\t\t\topacity: show ? 1 : 0\n\t\t\t\t\t}, options.duration || 500, options.easing, childComplete );\n\t\t}\n\t}\n\n\tfunction animComplete() {\n\t\telement.css( {\n\t\t\tvisibility: \"visible\"\n\t\t} );\n\t\t$( pieces ).remove();\n\t\tdone();\n\t}\n} );\n\n\n/*!\n * jQuery UI Effects Fade 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Fade Effect\n//>>group: Effects\n//>>description: Fades the element.\n//>>docs: https://api.jqueryui.com/fade-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectFade = $.effects.define( \"fade\", \"toggle\", function( options, done ) {\n\tvar show = options.mode === \"show\";\n\n\t$( this )\n\t\t.css( \"opacity\", show ? 0 : 1 )\n\t\t.animate( {\n\t\t\topacity: show ? 1 : 0\n\t\t}, {\n\t\t\tqueue: false,\n\t\t\tduration: options.duration,\n\t\t\teasing: options.easing,\n\t\t\tcomplete: done\n\t\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Fold 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Fold Effect\n//>>group: Effects\n//>>description: Folds an element first horizontally and then vertically.\n//>>docs: https://api.jqueryui.com/fold-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectFold = $.effects.define( \"fold\", \"hide\", function( options, done ) {\n\n\t// Create element\n\tvar element = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\t\thide = mode === \"hide\",\n\t\tsize = options.size || 15,\n\t\tpercent = /([0-9]+)%/.exec( size ),\n\t\thorizFirst = !!options.horizFirst,\n\t\tref = horizFirst ? [ \"right\", \"bottom\" ] : [ \"bottom\", \"right\" ],\n\t\tduration = options.duration / 2,\n\n\t\tplaceholder = $.effects.createPlaceholder( element ),\n\n\t\tstart = element.cssClip(),\n\t\tanimation1 = { clip: $.extend( {}, start ) },\n\t\tanimation2 = { clip: $.extend( {}, start ) },\n\n\t\tdistance = [ start[ ref[ 0 ] ], start[ ref[ 1 ] ] ],\n\n\t\tqueuelen = element.queue().length;\n\n\tif ( percent ) {\n\t\tsize = parseInt( percent[ 1 ], 10 ) / 100 * distance[ hide ? 0 : 1 ];\n\t}\n\tanimation1.clip[ ref[ 0 ] ] = size;\n\tanimation2.clip[ ref[ 0 ] ] = size;\n\tanimation2.clip[ ref[ 1 ] ] = 0;\n\n\tif ( show ) {\n\t\telement.cssClip( animation2.clip );\n\t\tif ( placeholder ) {\n\t\t\tplaceholder.css( $.effects.clipToBox( animation2 ) );\n\t\t}\n\n\t\tanimation2.clip = start;\n\t}\n\n\t// Animate\n\telement\n\t\t.queue( function( next ) {\n\t\t\tif ( placeholder ) {\n\t\t\t\tplaceholder\n\t\t\t\t\t.animate( $.effects.clipToBox( animation1 ), duration, options.easing )\n\t\t\t\t\t.animate( $.effects.clipToBox( animation2 ), duration, options.easing );\n\t\t\t}\n\n\t\t\tnext();\n\t\t} )\n\t\t.animate( animation1, duration, options.easing )\n\t\t.animate( animation2, duration, options.easing )\n\t\t.queue( done );\n\n\t$.effects.unshift( element, queuelen, 4 );\n} );\n\n\n/*!\n * jQuery UI Effects Highlight 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Highlight Effect\n//>>group: Effects\n//>>description: Highlights the background of an element in a defined color for a custom duration.\n//>>docs: https://api.jqueryui.com/highlight-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectHighlight = $.effects.define( \"highlight\", \"show\", function( options, done ) {\n\tvar element = $( this ),\n\t\tanimation = {\n\t\t\tbackgroundColor: element.css( \"backgroundColor\" )\n\t\t};\n\n\tif ( options.mode === \"hide\" ) {\n\t\tanimation.opacity = 0;\n\t}\n\n\t$.effects.saveStyle( element );\n\n\telement\n\t\t.css( {\n\t\t\tbackgroundImage: \"none\",\n\t\t\tbackgroundColor: options.color || \"#ffff99\"\n\t\t} )\n\t\t.animate( animation, {\n\t\t\tqueue: false,\n\t\t\tduration: options.duration,\n\t\t\teasing: options.easing,\n\t\t\tcomplete: done\n\t\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Size 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Size Effect\n//>>group: Effects\n//>>description: Resize an element to a specified width and height.\n//>>docs: https://api.jqueryui.com/size-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectSize = $.effects.define( \"size\", function( options, done ) {\n\n\t// Create element\n\tvar baseline, factor, temp,\n\t\telement = $( this ),\n\n\t\t// Copy for children\n\t\tcProps = [ \"fontSize\" ],\n\t\tvProps = [ \"borderTopWidth\", \"borderBottomWidth\", \"paddingTop\", \"paddingBottom\" ],\n\t\thProps = [ \"borderLeftWidth\", \"borderRightWidth\", \"paddingLeft\", \"paddingRight\" ],\n\n\t\t// Set options\n\t\tmode = options.mode,\n\t\trestore = mode !== \"effect\",\n\t\tscale = options.scale || \"both\",\n\t\torigin = options.origin || [ \"middle\", \"center\" ],\n\t\tposition = element.css( \"position\" ),\n\t\tpos = element.position(),\n\t\toriginal = $.effects.scaledDimensions( element ),\n\t\tfrom = options.from || original,\n\t\tto = options.to || $.effects.scaledDimensions( element, 0 );\n\n\t$.effects.createPlaceholder( element );\n\n\tif ( mode === \"show\" ) {\n\t\ttemp = from;\n\t\tfrom = to;\n\t\tto = temp;\n\t}\n\n\t// Set scaling factor\n\tfactor = {\n\t\tfrom: {\n\t\t\ty: from.height / original.height,\n\t\t\tx: from.width / original.width\n\t\t},\n\t\tto: {\n\t\t\ty: to.height / original.height,\n\t\t\tx: to.width / original.width\n\t\t}\n\t};\n\n\t// Scale the css box\n\tif ( scale === \"box\" || scale === \"both\" ) {\n\n\t\t// Vertical props scaling\n\t\tif ( factor.from.y !== factor.to.y ) {\n\t\t\tfrom = $.effects.setTransition( element, vProps, factor.from.y, from );\n\t\t\tto = $.effects.setTransition( element, vProps, factor.to.y, to );\n\t\t}\n\n\t\t// Horizontal props scaling\n\t\tif ( factor.from.x !== factor.to.x ) {\n\t\t\tfrom = $.effects.setTransition( element, hProps, factor.from.x, from );\n\t\t\tto = $.effects.setTransition( element, hProps, factor.to.x, to );\n\t\t}\n\t}\n\n\t// Scale the content\n\tif ( scale === \"content\" || scale === \"both\" ) {\n\n\t\t// Vertical props scaling\n\t\tif ( factor.from.y !== factor.to.y ) {\n\t\t\tfrom = $.effects.setTransition( element, cProps, factor.from.y, from );\n\t\t\tto = $.effects.setTransition( element, cProps, factor.to.y, to );\n\t\t}\n\t}\n\n\t// Adjust the position properties based on the provided origin points\n\tif ( origin ) {\n\t\tbaseline = $.effects.getBaseline( origin, original );\n\t\tfrom.top = ( original.outerHeight - from.outerHeight ) * baseline.y + pos.top;\n\t\tfrom.left = ( original.outerWidth - from.outerWidth ) * baseline.x + pos.left;\n\t\tto.top = ( original.outerHeight - to.outerHeight ) * baseline.y + pos.top;\n\t\tto.left = ( original.outerWidth - to.outerWidth ) * baseline.x + pos.left;\n\t}\n\tdelete from.outerHeight;\n\tdelete from.outerWidth;\n\telement.css( from );\n\n\t// Animate the children if desired\n\tif ( scale === \"content\" || scale === \"both\" ) {\n\n\t\tvProps = vProps.concat( [ \"marginTop\", \"marginBottom\" ] ).concat( cProps );\n\t\thProps = hProps.concat( [ \"marginLeft\", \"marginRight\" ] );\n\n\t\t// Only animate children with width attributes specified\n\t\t// TODO: is this right? should we include anything with css width specified as well\n\t\telement.find( \"*[width]\" ).each( function() {\n\t\t\tvar child = $( this ),\n\t\t\t\tchildOriginal = $.effects.scaledDimensions( child ),\n\t\t\t\tchildFrom = {\n\t\t\t\t\theight: childOriginal.height * factor.from.y,\n\t\t\t\t\twidth: childOriginal.width * factor.from.x,\n\t\t\t\t\touterHeight: childOriginal.outerHeight * factor.from.y,\n\t\t\t\t\touterWidth: childOriginal.outerWidth * factor.from.x\n\t\t\t\t},\n\t\t\t\tchildTo = {\n\t\t\t\t\theight: childOriginal.height * factor.to.y,\n\t\t\t\t\twidth: childOriginal.width * factor.to.x,\n\t\t\t\t\touterHeight: childOriginal.height * factor.to.y,\n\t\t\t\t\touterWidth: childOriginal.width * factor.to.x\n\t\t\t\t};\n\n\t\t\t// Vertical props scaling\n\t\t\tif ( factor.from.y !== factor.to.y ) {\n\t\t\t\tchildFrom = $.effects.setTransition( child, vProps, factor.from.y, childFrom );\n\t\t\t\tchildTo = $.effects.setTransition( child, vProps, factor.to.y, childTo );\n\t\t\t}\n\n\t\t\t// Horizontal props scaling\n\t\t\tif ( factor.from.x !== factor.to.x ) {\n\t\t\t\tchildFrom = $.effects.setTransition( child, hProps, factor.from.x, childFrom );\n\t\t\t\tchildTo = $.effects.setTransition( child, hProps, factor.to.x, childTo );\n\t\t\t}\n\n\t\t\tif ( restore ) {\n\t\t\t\t$.effects.saveStyle( child );\n\t\t\t}\n\n\t\t\t// Animate children\n\t\t\tchild.css( childFrom );\n\t\t\tchild.animate( childTo, options.duration, options.easing, function() {\n\n\t\t\t\t// Restore children\n\t\t\t\tif ( restore ) {\n\t\t\t\t\t$.effects.restoreStyle( child );\n\t\t\t\t}\n\t\t\t} );\n\t\t} );\n\t}\n\n\t// Animate\n\telement.animate( to, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: function() {\n\n\t\t\tvar offset = element.offset();\n\n\t\t\tif ( to.opacity === 0 ) {\n\t\t\t\telement.css( \"opacity\", from.opacity );\n\t\t\t}\n\n\t\t\tif ( !restore ) {\n\t\t\t\telement\n\t\t\t\t\t.css( \"position\", position === \"static\" ? \"relative\" : position )\n\t\t\t\t\t.offset( offset );\n\n\t\t\t\t// Need to save style here so that automatic style restoration\n\t\t\t\t// doesn't restore to the original styles from before the animation.\n\t\t\t\t$.effects.saveStyle( element );\n\t\t\t}\n\n\t\t\tdone();\n\t\t}\n\t} );\n\n} );\n\n\n/*!\n * jQuery UI Effects Scale 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Scale Effect\n//>>group: Effects\n//>>description: Grows or shrinks an element and its content.\n//>>docs: https://api.jqueryui.com/scale-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectScale = $.effects.define( \"scale\", function( options, done ) {\n\n\t// Create element\n\tvar el = $( this ),\n\t\tmode = options.mode,\n\t\tpercent = parseInt( options.percent, 10 ) ||\n\t\t\t( parseInt( options.percent, 10 ) === 0 ? 0 : ( mode !== \"effect\" ? 0 : 100 ) ),\n\n\t\tnewOptions = $.extend( true, {\n\t\t\tfrom: $.effects.scaledDimensions( el ),\n\t\t\tto: $.effects.scaledDimensions( el, percent, options.direction || \"both\" ),\n\t\t\torigin: options.origin || [ \"middle\", \"center\" ]\n\t\t}, options );\n\n\t// Fade option to support puff\n\tif ( options.fade ) {\n\t\tnewOptions.from.opacity = 1;\n\t\tnewOptions.to.opacity = 0;\n\t}\n\n\t$.effects.effect.size.call( this, newOptions, done );\n} );\n\n\n/*!\n * jQuery UI Effects Puff 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Puff Effect\n//>>group: Effects\n//>>description: Creates a puff effect by scaling the element up and hiding it at the same time.\n//>>docs: https://api.jqueryui.com/puff-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectPuff = $.effects.define( \"puff\", \"hide\", function( options, done ) {\n\tvar newOptions = $.extend( true, {}, options, {\n\t\tfade: true,\n\t\tpercent: parseInt( options.percent, 10 ) || 150\n\t} );\n\n\t$.effects.effect.scale.call( this, newOptions, done );\n} );\n\n\n/*!\n * jQuery UI Effects Pulsate 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Pulsate Effect\n//>>group: Effects\n//>>description: Pulsates an element n times by changing the opacity to zero and back.\n//>>docs: https://api.jqueryui.com/pulsate-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectPulsate = $.effects.define( \"pulsate\", \"show\", function( options, done ) {\n\tvar element = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\t\thide = mode === \"hide\",\n\t\tshowhide = show || hide,\n\n\t\t// Showing or hiding leaves off the \"last\" animation\n\t\tanims = ( ( options.times || 5 ) * 2 ) + ( showhide ? 1 : 0 ),\n\t\tduration = options.duration / anims,\n\t\tanimateTo = 0,\n\t\ti = 1,\n\t\tqueuelen = element.queue().length;\n\n\tif ( show || !element.is( \":visible\" ) ) {\n\t\telement.css( \"opacity\", 0 ).show();\n\t\tanimateTo = 1;\n\t}\n\n\t// Anims - 1 opacity \"toggles\"\n\tfor ( ; i < anims; i++ ) {\n\t\telement.animate( { opacity: animateTo }, duration, options.easing );\n\t\tanimateTo = 1 - animateTo;\n\t}\n\n\telement.animate( { opacity: animateTo }, duration, options.easing );\n\n\telement.queue( done );\n\n\t$.effects.unshift( element, queuelen, anims + 1 );\n} );\n\n\n/*!\n * jQuery UI Effects Shake 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Shake Effect\n//>>group: Effects\n//>>description: Shakes an element horizontally or vertically n times.\n//>>docs: https://api.jqueryui.com/shake-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectShake = $.effects.define( \"shake\", function( options, done ) {\n\n\tvar i = 1,\n\t\telement = $( this ),\n\t\tdirection = options.direction || \"left\",\n\t\tdistance = options.distance || 20,\n\t\ttimes = options.times || 3,\n\t\tanims = times * 2 + 1,\n\t\tspeed = Math.round( options.duration / anims ),\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tpositiveMotion = ( direction === \"up\" || direction === \"left\" ),\n\t\tanimation = {},\n\t\tanimation1 = {},\n\t\tanimation2 = {},\n\n\t\tqueuelen = element.queue().length;\n\n\t$.effects.createPlaceholder( element );\n\n\t// Animation\n\tanimation[ ref ] = ( positiveMotion ? \"-=\" : \"+=\" ) + distance;\n\tanimation1[ ref ] = ( positiveMotion ? \"+=\" : \"-=\" ) + distance * 2;\n\tanimation2[ ref ] = ( positiveMotion ? \"-=\" : \"+=\" ) + distance * 2;\n\n\t// Animate\n\telement.animate( animation, speed, options.easing );\n\n\t// Shakes\n\tfor ( ; i < times; i++ ) {\n\t\telement\n\t\t\t.animate( animation1, speed, options.easing )\n\t\t\t.animate( animation2, speed, options.easing );\n\t}\n\n\telement\n\t\t.animate( animation1, speed, options.easing )\n\t\t.animate( animation, speed / 2, options.easing )\n\t\t.queue( done );\n\n\t$.effects.unshift( element, queuelen, anims + 1 );\n} );\n\n\n/*!\n * jQuery UI Effects Slide 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Slide Effect\n//>>group: Effects\n//>>description: Slides an element in and out of the viewport.\n//>>docs: https://api.jqueryui.com/slide-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectSlide = $.effects.define( \"slide\", \"show\", function( options, done ) {\n\tvar startClip, startRef,\n\t\telement = $( this ),\n\t\tmap = {\n\t\t\tup: [ \"bottom\", \"top\" ],\n\t\t\tdown: [ \"top\", \"bottom\" ],\n\t\t\tleft: [ \"right\", \"left\" ],\n\t\t\tright: [ \"left\", \"right\" ]\n\t\t},\n\t\tmode = options.mode,\n\t\tdirection = options.direction || \"left\",\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tpositiveMotion = ( direction === \"up\" || direction === \"left\" ),\n\t\tdistance = options.distance ||\n\t\t\telement[ ref === \"top\" ? \"outerHeight\" : \"outerWidth\" ]( true ),\n\t\tanimation = {};\n\n\t$.effects.createPlaceholder( element );\n\n\tstartClip = element.cssClip();\n\tstartRef = element.position()[ ref ];\n\n\t// Define hide animation\n\tanimation[ ref ] = ( positiveMotion ? -1 : 1 ) * distance + startRef;\n\tanimation.clip = element.cssClip();\n\tanimation.clip[ map[ direction ][ 1 ] ] = animation.clip[ map[ direction ][ 0 ] ];\n\n\t// Reverse the animation if we're showing\n\tif ( mode === \"show\" ) {\n\t\telement.cssClip( animation.clip );\n\t\telement.css( ref, animation[ ref ] );\n\t\tanimation.clip = startClip;\n\t\tanimation[ ref ] = startRef;\n\t}\n\n\t// Actually animate\n\telement.animate( animation, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Transfer 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Transfer Effect\n//>>group: Effects\n//>>description: Displays a transfer effect from one element to another.\n//>>docs: https://api.jqueryui.com/transfer-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effect;\nif ( $.uiBackCompat !== false ) {\n\teffect = $.effects.define( \"transfer\", function( options, done ) {\n\t\t$( this ).transfer( options, done );\n\t} );\n}\nvar effectsEffectTransfer = effect;\n\n\n/*!\n * jQuery UI Focusable 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: :focusable Selector\n//>>group: Core\n//>>description: Selects elements which can be focused.\n//>>docs: https://api.jqueryui.com/focusable-selector/\n\n\n// Selectors\n$.ui.focusable = function( element, hasTabindex ) {\n\tvar map, mapName, img, focusableIfVisible, fieldset,\n\t\tnodeName = element.nodeName.toLowerCase();\n\n\tif ( \"area\" === nodeName ) {\n\t\tmap = element.parentNode;\n\t\tmapName = map.name;\n\t\tif ( !element.href || !mapName || map.nodeName.toLowerCase() !== \"map\" ) {\n\t\t\treturn false;\n\t\t}\n\t\timg = $( \"img[usemap='#\" + mapName + \"']\" );\n\t\treturn img.length > 0 && img.is( \":visible\" );\n\t}\n\n\tif ( /^(input|select|textarea|button|object)$/.test( nodeName ) ) {\n\t\tfocusableIfVisible = !element.disabled;\n\n\t\tif ( focusableIfVisible ) {\n\n\t\t\t// Form controls within a disabled fieldset are disabled.\n\t\t\t// However, controls within the fieldset's legend do not get disabled.\n\t\t\t// Since controls generally aren't placed inside legends, we skip\n\t\t\t// this portion of the check.\n\t\t\tfieldset = $( element ).closest( \"fieldset\" )[ 0 ];\n\t\t\tif ( fieldset ) {\n\t\t\t\tfocusableIfVisible = !fieldset.disabled;\n\t\t\t}\n\t\t}\n\t} else if ( \"a\" === nodeName ) {\n\t\tfocusableIfVisible = element.href || hasTabindex;\n\t} else {\n\t\tfocusableIfVisible = hasTabindex;\n\t}\n\n\treturn focusableIfVisible && $( element ).is( \":visible\" ) && visible( $( element ) );\n};\n\n// Support: IE 8 only\n// IE 8 doesn't resolve inherit to visible/hidden for computed values\nfunction visible( element ) {\n\tvar visibility = element.css( \"visibility\" );\n\twhile ( visibility === \"inherit\" ) {\n\t\telement = element.parent();\n\t\tvisibility = element.css( \"visibility\" );\n\t}\n\treturn visibility === \"visible\";\n}\n\n$.extend( $.expr.pseudos, {\n\tfocusable: function( element ) {\n\t\treturn $.ui.focusable( element, $.attr( element, \"tabindex\" ) != null );\n\t}\n} );\n\nvar focusable = $.ui.focusable;\n\n\n\n// Support: IE8 Only\n// IE8 does not support the form attribute and when it is supplied. It overwrites the form prop\n// with a string, so we need to find the proper form.\nvar form = $.fn._form = function() {\n\treturn typeof this[ 0 ].form === \"string\" ? this.closest( \"form\" ) : $( this[ 0 ].form );\n};\n\n\n/*!\n * jQuery UI Form Reset Mixin 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Form Reset Mixin\n//>>group: Core\n//>>description: Refresh input widgets when their form is reset\n//>>docs: https://api.jqueryui.com/form-reset-mixin/\n\n\nvar formResetMixin = $.ui.formResetMixin = {\n\t_formResetHandler: function() {\n\t\tvar form = $( this );\n\n\t\t// Wait for the form reset to actually happen before refreshing\n\t\tsetTimeout( function() {\n\t\t\tvar instances = form.data( \"ui-form-reset-instances\" );\n\t\t\t$.each( instances, function() {\n\t\t\t\tthis.refresh();\n\t\t\t} );\n\t\t} );\n\t},\n\n\t_bindFormResetHandler: function() {\n\t\tthis.form = this.element._form();\n\t\tif ( !this.form.length ) {\n\t\t\treturn;\n\t\t}\n\n\t\tvar instances = this.form.data( \"ui-form-reset-instances\" ) || [];\n\t\tif ( !instances.length ) {\n\n\t\t\t// We don't use _on() here because we use a single event handler per form\n\t\t\tthis.form.on( \"reset.ui-form-reset\", this._formResetHandler );\n\t\t}\n\t\tinstances.push( this );\n\t\tthis.form.data( \"ui-form-reset-instances\", instances );\n\t},\n\n\t_unbindFormResetHandler: function() {\n\t\tif ( !this.form.length ) {\n\t\t\treturn;\n\t\t}\n\n\t\tvar instances = this.form.data( \"ui-form-reset-instances\" );\n\t\tinstances.splice( $.inArray( this, instances ), 1 );\n\t\tif ( instances.length ) {\n\t\t\tthis.form.data( \"ui-form-reset-instances\", instances );\n\t\t} else {\n\t\t\tthis.form\n\t\t\t\t.removeData( \"ui-form-reset-instances\" )\n\t\t\t\t.off( \"reset.ui-form-reset\" );\n\t\t}\n\t}\n};\n\n\n/*!\n * jQuery UI Support for jQuery core 1.8.x and newer 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n */\n\n//>>label: jQuery 1.8+ Support\n//>>group: Core\n//>>description: Support version 1.8.x and newer of jQuery core\n\n\n// Support: jQuery 1.9.x or older\n// $.expr[ \":\" ] is deprecated.\nif ( !$.expr.pseudos ) {\n\t$.expr.pseudos = $.expr[ \":\" ];\n}\n\n// Support: jQuery 1.11.x or older\n// $.unique has been renamed to $.uniqueSort\nif ( !$.uniqueSort ) {\n\t$.uniqueSort = $.unique;\n}\n\n// Support: jQuery 2.2.x or older.\n// This method has been defined in jQuery 3.0.0.\n// Code from https://github.com/jquery/jquery/blob/e539bac79e666bba95bba86d690b4e609dca2286/src/selector/escapeSelector.js\nif ( !$.escapeSelector ) {\n\n\t// CSS string/identifier serialization\n\t// https://drafts.csswg.org/cssom/#common-serializing-idioms\n\tvar rcssescape = /([\\0-\\x1f\\x7f]|^-?\\d)|^-$|[^\\x80-\\uFFFF\\w-]/g;\n\n\tvar fcssescape = function( ch, asCodePoint ) {\n\t\tif ( asCodePoint ) {\n\n\t\t\t// U+0000 NULL becomes U+FFFD REPLACEMENT CHARACTER\n\t\t\tif ( ch === \"\\0\" ) {\n\t\t\t\treturn \"\\uFFFD\";\n\t\t\t}\n\n\t\t\t// Control characters and (dependent upon position) numbers get escaped as code points\n\t\t\treturn ch.slice( 0, -1 ) + \"\\\\\" + ch.charCodeAt( ch.length - 1 ).toString( 16 ) + \" \";\n\t\t}\n\n\t\t// Other potentially-special ASCII characters get backslash-escaped\n\t\treturn \"\\\\\" + ch;\n\t};\n\n\t$.escapeSelector = function( sel ) {\n\t\treturn ( sel + \"\" ).replace( rcssescape, fcssescape );\n\t};\n}\n\n// Support: jQuery 3.4.x or older\n// These methods have been defined in jQuery 3.5.0.\nif ( !$.fn.even || !$.fn.odd ) {\n\t$.fn.extend( {\n\t\teven: function() {\n\t\t\treturn this.filter( function( i ) {\n\t\t\t\treturn i % 2 === 0;\n\t\t\t} );\n\t\t},\n\t\todd: function() {\n\t\t\treturn this.filter( function( i ) {\n\t\t\t\treturn i % 2 === 1;\n\t\t\t} );\n\t\t}\n\t} );\n}\n\n;\n/*!\n * jQuery UI Keycode 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Keycode\n//>>group: Core\n//>>description: Provide keycodes as keynames\n//>>docs: https://api.jqueryui.com/jQuery.ui.keyCode/\n\n\nvar keycode = $.ui.keyCode = {\n\tBACKSPACE: 8,\n\tCOMMA: 188,\n\tDELETE: 46,\n\tDOWN: 40,\n\tEND: 35,\n\tENTER: 13,\n\tESCAPE: 27,\n\tHOME: 36,\n\tLEFT: 37,\n\tPAGE_DOWN: 34,\n\tPAGE_UP: 33,\n\tPERIOD: 190,\n\tRIGHT: 39,\n\tSPACE: 32,\n\tTAB: 9,\n\tUP: 38\n};\n\n\n/*!\n * jQuery UI Labels 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: labels\n//>>group: Core\n//>>description: Find all the labels associated with a given input\n//>>docs: https://api.jqueryui.com/labels/\n\n\nvar labels = $.fn.labels = function() {\n\tvar ancestor, selector, id, labels, ancestors;\n\n\tif ( !this.length ) {\n\t\treturn this.pushStack( [] );\n\t}\n\n\t// Check control.labels first\n\tif ( this[ 0 ].labels && this[ 0 ].labels.length ) {\n\t\treturn this.pushStack( this[ 0 ].labels );\n\t}\n\n\t// Support: IE <= 11, FF <= 37, Android <= 2.3 only\n\t// Above browsers do not support control.labels. Everything below is to support them\n\t// as well as document fragments. control.labels does not work on document fragments\n\tlabels = this.eq( 0 ).parents( \"label\" );\n\n\t// Look for the label based on the id\n\tid = this.attr( \"id\" );\n\tif ( id ) {\n\n\t\t// We don't search against the document in case the element\n\t\t// is disconnected from the DOM\n\t\tancestor = this.eq( 0 ).parents().last();\n\n\t\t// Get a full set of top level ancestors\n\t\tancestors = ancestor.add( ancestor.length ? ancestor.siblings() : this.siblings() );\n\n\t\t// Create a selector for the label based on the id\n\t\tselector = \"label[for='\" + $.escapeSelector( id ) + \"']\";\n\n\t\tlabels = labels.add( ancestors.find( selector ).addBack( selector ) );\n\n\t}\n\n\t// Return whatever we have found for labels\n\treturn this.pushStack( labels );\n};\n\n\n/*!\n * jQuery UI Scroll Parent 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: scrollParent\n//>>group: Core\n//>>description: Get the closest ancestor element that is scrollable.\n//>>docs: https://api.jqueryui.com/scrollParent/\n\n\nvar scrollParent = $.fn.scrollParent = function( includeHidden ) {\n\tvar position = this.css( \"position\" ),\n\t\texcludeStaticParent = position === \"absolute\",\n\t\toverflowRegex = includeHidden ? /(auto|scroll|hidden)/ : /(auto|scroll)/,\n\t\tscrollParent = this.parents().filter( function() {\n\t\t\tvar parent = $( this );\n\t\t\tif ( excludeStaticParent && parent.css( \"position\" ) === \"static\" ) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\treturn overflowRegex.test( parent.css( \"overflow\" ) + parent.css( \"overflow-y\" ) +\n\t\t\t\tparent.css( \"overflow-x\" ) );\n\t\t} ).eq( 0 );\n\n\treturn position === \"fixed\" || !scrollParent.length ?\n\t\t$( this[ 0 ].ownerDocument || document ) :\n\t\tscrollParent;\n};\n\n\n/*!\n * jQuery UI Tabbable 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: :tabbable Selector\n//>>group: Core\n//>>description: Selects elements which can be tabbed to.\n//>>docs: https://api.jqueryui.com/tabbable-selector/\n\n\nvar tabbable = $.extend( $.expr.pseudos, {\n\ttabbable: function( element ) {\n\t\tvar tabIndex = $.attr( element, \"tabindex\" ),\n\t\t\thasTabindex = tabIndex != null;\n\t\treturn ( !hasTabindex || tabIndex >= 0 ) && $.ui.focusable( element, hasTabindex );\n\t}\n} );\n\n\n/*!\n * jQuery UI Unique ID 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: uniqueId\n//>>group: Core\n//>>description: Functions to generate and remove uniqueId's\n//>>docs: https://api.jqueryui.com/uniqueId/\n\n\nvar uniqueId = $.fn.extend( {\n\tuniqueId: ( function() {\n\t\tvar uuid = 0;\n\n\t\treturn function() {\n\t\t\treturn this.each( function() {\n\t\t\t\tif ( !this.id ) {\n\t\t\t\t\tthis.id = \"ui-id-\" + ( ++uuid );\n\t\t\t\t}\n\t\t\t} );\n\t\t};\n\t} )(),\n\n\tremoveUniqueId: function() {\n\t\treturn this.each( function() {\n\t\t\tif ( /^ui-id-\\d+$/.test( this.id ) ) {\n\t\t\t\t$( this ).removeAttr( \"id\" );\n\t\t\t}\n\t\t} );\n\t}\n} );\n\n\n/*!\n * jQuery UI Accordion 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Accordion\n//>>group: Widgets\n/* eslint-disable max-len */\n//>>description: Displays collapsible content panels for presenting information in a limited amount of space.\n/* eslint-enable max-len */\n//>>docs: https://api.jqueryui.com/accordion/\n//>>demos: https://jqueryui.com/accordion/\n//>>css.structure: ../../themes/base/core.css\n//>>css.structure: ../../themes/base/accordion.css\n//>>css.theme: ../../themes/base/theme.css\n\n\nvar widgetsAccordion = $.widget( \"ui.accordion\", {\n\tversion: \"1.13.3\",\n\toptions: {\n\t\tactive: 0,\n\t\tanimate: {},\n\t\tclasses: {\n\t\t\t\"ui-accordion-header\": \"ui-corner-top\",\n\t\t\t\"ui-accordion-header-collapsed\": \"ui-corner-all\",\n\t\t\t\"ui-accordion-content\": \"ui-corner-bottom\"\n\t\t},\n\t\tcollapsible: false,\n\t\tevent: \"click\",\n\t\theader: function( elem ) {\n\t\t\treturn elem.find( \"> li > :first-child\" ).add( elem.find( \"> :not(li)\" ).even() );\n\t\t},\n\t\theightStyle: \"auto\",\n\t\ticons: {\n\t\t\tactiveHeader: \"ui-icon-triangle-1-s\",\n\t\t\theader: \"ui-icon-triangle-1-e\"\n\t\t},\n\n\t\t// Callbacks\n\t\tactivate: null,\n\t\tbeforeActivate: null\n\t},\n\n\thideProps: {\n\t\tborderTopWidth: \"hide\",\n\t\tborderBottomWidth: \"hide\",\n\t\tpaddingTop: \"hide\",\n\t\tpaddingBottom: \"hide\",\n\t\theight: \"hide\"\n\t},\n\n\tshowProps: {\n\t\tborderTopWidth: \"show\",\n\t\tborderBottomWidth: \"show\",\n\t\tpaddingTop: \"show\",\n\t\tpaddingBottom: \"show\",\n\t\theight: \"show\"\n\t},\n\n\t_create: function() {\n\t\tvar options = this.options;\n\n\t\tthis.prevShow = this.prevHide = $();\n\t\tthis._addClass( \"ui-accordion\", \"ui-widget ui-helper-reset\" );\n\t\tthis.element.attr( \"role\", \"tablist\" );\n\n\t\t// Don't allow collapsible: false and active: false / null\n\t\tif ( !options.collapsible && ( options.active === false || options.active == null ) ) {\n\t\t\toptions.active = 0;\n\t\t}\n\n\t\tthis._processPanels();\n\n\t\t// handle negative values\n\t\tif ( options.active < 0 ) {\n\t\t\toptions.active += this.headers.length;\n\t\t}\n\t\tthis._refresh();\n\t},\n\n\t_getCreateEventData: function() {\n\t\treturn {\n\t\t\theader: this.active,\n\t\t\tpanel: !this.active.length ? $() : this.active.next()\n\t\t};\n\t},\n\n\t_createIcons: function() {\n\t\tvar icon, children,\n\t\t\ticons = this.options.icons;\n\n\t\tif ( icons ) {\n\t\t\ticon = $( \"\" );\n\t\t\tthis._addClass( icon, \"ui-accordion-header-icon\", \"ui-icon \" + icons.header );\n\t\t\ticon.prependTo( this.headers );\n\t\t\tchildren = this.active.children( \".ui-accordion-header-icon\" );\n\t\t\tthis._removeClass( children, icons.header )\n\t\t\t\t._addClass( children, null, icons.activeHeader )\n\t\t\t\t._addClass( this.headers, \"ui-accordion-icons\" );\n\t\t}\n\t},\n\n\t_destroyIcons: function() {\n\t\tthis._removeClass( this.headers, \"ui-accordion-icons\" );\n\t\tthis.headers.children( \".ui-accordion-header-icon\" ).remove();\n\t},\n\n\t_destroy: function() {\n\t\tvar contents;\n\n\t\t// Clean up main element\n\t\tthis.element.removeAttr( \"role\" );\n\n\t\t// Clean up headers\n\t\tthis.headers\n\t\t\t.removeAttr( \"role aria-expanded aria-selected aria-controls tabIndex\" )\n\t\t\t.removeUniqueId();\n\n\t\tthis._destroyIcons();\n\n\t\t// Clean up content panels\n\t\tcontents = this.headers.next()\n\t\t\t.css( \"display\", \"\" )\n\t\t\t.removeAttr( \"role aria-hidden aria-labelledby\" )\n\t\t\t.removeUniqueId();\n\n\t\tif ( this.options.heightStyle !== \"content\" ) {\n\t\t\tcontents.css( \"height\", \"\" );\n\t\t}\n\t},\n\n\t_setOption: function( key, value ) {\n\t\tif ( key === \"active\" ) {\n\n\t\t\t// _activate() will handle invalid values and update this.options\n\t\t\tthis._activate( value );\n\t\t\treturn;\n\t\t}\n\n\t\tif ( key === \"event\" ) {\n\t\t\tif ( this.options.event ) {\n\t\t\t\tthis._off( this.headers, this.options.event );\n\t\t\t}\n\t\t\tthis._setupEvents( value );\n\t\t}\n\n\t\tthis._super( key, value );\n\n\t\t// Setting collapsible: false while collapsed; open first panel\n\t\tif ( key === \"collapsible\" && !value && this.options.active === false ) {\n\t\t\tthis._activate( 0 );\n\t\t}\n\n\t\tif ( key === \"icons\" ) {\n\t\t\tthis._destroyIcons();\n\t\t\tif ( value ) {\n\t\t\t\tthis._createIcons();\n\t\t\t}\n\t\t}\n\t},\n\n\t_setOptionDisabled: function( value ) {\n\t\tthis._super( value );\n\n\t\tthis.element.attr( \"aria-disabled\", value );\n\n\t\t// Support: IE8 Only\n\t\t// #5332 / #6059 - opacity doesn't cascade to positioned elements in IE\n\t\t// so we need to add the disabled class to the headers and panels\n\t\tthis._toggleClass( null, \"ui-state-disabled\", !!value );\n\t\tthis._toggleClass( this.headers.add( this.headers.next() ), null, \"ui-state-disabled\",\n\t\t\t!!value );\n\t},\n\n\t_keydown: function( event ) {\n\t\tif ( event.altKey || event.ctrlKey ) {\n\t\t\treturn;\n\t\t}\n\n\t\tvar keyCode = $.ui.keyCode,\n\t\t\tlength = this.headers.length,\n\t\t\tcurrentIndex = this.headers.index( event.target ),\n\t\t\ttoFocus = false;\n\n\t\tswitch ( event.keyCode ) {\n\t\tcase keyCode.RIGHT:\n\t\tcase keyCode.DOWN:\n\t\t\ttoFocus = this.headers[ ( currentIndex + 1 ) % length ];\n\t\t\tbreak;\n\t\tcase keyCode.LEFT:\n\t\tcase keyCode.UP:\n\t\t\ttoFocus = this.headers[ ( currentIndex - 1 + length ) % length ];\n\t\t\tbreak;\n\t\tcase keyCode.SPACE:\n\t\tcase keyCode.ENTER:\n\t\t\tthis._eventHandler( event );\n\t\t\tbreak;\n\t\tcase keyCode.HOME:\n\t\t\ttoFocus = this.headers[ 0 ];\n\t\t\tbreak;\n\t\tcase keyCode.END:\n\t\t\ttoFocus = this.headers[ length - 1 ];\n\t\t\tbreak;\n\t\t}\n\n\t\tif ( toFocus ) {\n\t\t\t$( event.target ).attr( \"tabIndex\", -1 );\n\t\t\t$( toFocus ).attr( \"tabIndex\", 0 );\n\t\t\t$( toFocus ).trigger( \"focus\" );\n\t\t\tevent.preventDefault();\n\t\t}\n\t},\n\n\t_panelKeyDown: function( event ) {\n\t\tif ( event.keyCode === $.ui.keyCode.UP && event.ctrlKey ) {\n\t\t\t$( event.currentTarget ).prev().trigger( \"focus\" );\n\t\t}\n\t},\n\n\trefresh: function() {\n\t\tvar options = this.options;\n\t\tthis._processPanels();\n\n\t\t// Was collapsed or no panel\n\t\tif ( ( options.active === false && options.collapsible === true ) ||\n\t\t\t\t!this.headers.length ) {\n\t\t\toptions.active = false;\n\t\t\tthis.active = $();\n\n\t\t// active false only when collapsible is true\n\t\t} else if ( options.active === false ) {\n\t\t\tthis._activate( 0 );\n\n\t\t// was active, but active panel is gone\n\t\t} else if ( this.active.length && !$.contains( this.element[ 0 ], this.active[ 0 ] ) ) {\n\n\t\t\t// all remaining panel are disabled\n\t\t\tif ( this.headers.length === this.headers.find( \".ui-state-disabled\" ).length ) {\n\t\t\t\toptions.active = false;\n\t\t\t\tthis.active = $();\n\n\t\t\t// activate previous panel\n\t\t\t} else {\n\t\t\t\tthis._activate( Math.max( 0, options.active - 1 ) );\n\t\t\t}\n\n\t\t// was active, active panel still exists\n\t\t} else {\n\n\t\t\t// make sure active index is correct\n\t\t\toptions.active = this.headers.index( this.active );\n\t\t}\n\n\t\tthis._destroyIcons();\n\n\t\tthis._refresh();\n\t},\n\n\t_processPanels: function() {\n\t\tvar prevHeaders = this.headers,\n\t\t\tprevPanels = this.panels;\n\n\t\tif ( typeof this.options.header === \"function\" ) {\n\t\t\tthis.headers = this.options.header( this.element );\n\t\t} else {\n\t\t\tthis.headers = this.element.find( this.options.header );\n\t\t}\n\t\tthis._addClass( this.headers, \"ui-accordion-header ui-accordion-header-collapsed\",\n\t\t\t\"ui-state-default\" );\n\n\t\tthis.panels = this.headers.next().filter( \":not(.ui-accordion-content-active)\" ).hide();\n\t\tthis._addClass( this.panels, \"ui-accordion-content\", \"ui-helper-reset ui-widget-content\" );\n\n\t\t// Avoid memory leaks (#10056)\n\t\tif ( prevPanels ) {\n\t\t\tthis._off( prevHeaders.not( this.headers ) );\n\t\t\tthis._off( prevPanels.not( this.panels ) );\n\t\t}\n\t},\n\n\t_refresh: function() {\n\t\tvar maxHeight,\n\t\t\toptions = this.options,\n\t\t\theightStyle = options.heightStyle,\n\t\t\tparent = this.element.parent();\n\n\t\tthis.active = this._findActive( options.active );\n\t\tthis._addClass( this.active, \"ui-accordion-header-active\", \"ui-state-active\" )\n\t\t\t._removeClass( this.active, \"ui-accordion-header-collapsed\" );\n\t\tthis._addClass( this.active.next(), \"ui-accordion-content-active\" );\n\t\tthis.active.next().show();\n\n\t\tthis.headers\n\t\t\t.attr( \"role\", \"tab\" )\n\t\t\t.each( function() {\n\t\t\t\tvar header = $( this ),\n\t\t\t\t\theaderId = header.uniqueId().attr( \"id\" ),\n\t\t\t\t\tpanel = header.next(),\n\t\t\t\t\tpanelId = panel.uniqueId().attr( \"id\" );\n\t\t\t\theader.attr( \"aria-controls\", panelId );\n\t\t\t\tpanel.attr( \"aria-labelledby\", headerId );\n\t\t\t} )\n\t\t\t.next()\n\t\t\t\t.attr( \"role\", \"tabpanel\" );\n\n\t\tthis.headers\n\t\t\t.not( this.active )\n\t\t\t\t.attr( {\n\t\t\t\t\t\"aria-selected\": \"false\",\n\t\t\t\t\t\"aria-expanded\": \"false\",\n\t\t\t\t\ttabIndex: -1\n\t\t\t\t} )\n\t\t\t\t.next()\n\t\t\t\t\t.attr( {\n\t\t\t\t\t\t\"aria-hidden\": \"true\"\n\t\t\t\t\t} )\n\t\t\t\t\t.hide();\n\n\t\t// Make sure at least one header is in the tab order\n\t\tif ( !this.active.length ) {\n\t\t\tthis.headers.eq( 0 ).attr( \"tabIndex\", 0 );\n\t\t} else {\n\t\t\tthis.active.attr( {\n\t\t\t\t\"aria-selected\": \"true\",\n\t\t\t\t\"aria-expanded\": \"true\",\n\t\t\t\ttabIndex: 0\n\t\t\t} )\n\t\t\t\t.next()\n\t\t\t\t\t.attr( {\n\t\t\t\t\t\t\"aria-hidden\": \"false\"\n\t\t\t\t\t} );\n\t\t}\n\n\t\tthis._createIcons();\n\n\t\tthis._setupEvents( options.event );\n\n\t\tif ( heightStyle === \"fill\" ) {\n\t\t\tmaxHeight = parent.height();\n\t\t\tthis.element.siblings( \":visible\" ).each( function() {\n\t\t\t\tvar elem = $( this ),\n\t\t\t\t\tposition = elem.css( \"position\" );\n\n\t\t\t\tif ( position === \"absolute\" || position === \"fixed\" ) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\tmaxHeight -= elem.outerHeight( true );\n\t\t\t} );\n\n\t\t\tthis.headers.each( function() {\n\t\t\t\tmaxHeight -= $( this ).outerHeight( true );\n\t\t\t} );\n\n\t\t\tthis.headers.next()\n\t\t\t\t.each( function() {\n\t\t\t\t\t$( this ).height( Math.max( 0, maxHeight -\n\t\t\t\t\t\t$( this ).innerHeight() + $( this ).height() ) );\n\t\t\t\t} )\n\t\t\t\t.css( \"overflow\", \"auto\" );\n\t\t} else if ( heightStyle === \"auto\" ) {\n\t\t\tmaxHeight = 0;\n\t\t\tthis.headers.next()\n\t\t\t\t.each( function() {\n\t\t\t\t\tvar isVisible = $( this ).is( \":visible\" );\n\t\t\t\t\tif ( !isVisible ) {\n\t\t\t\t\t\t$( this ).show();\n\t\t\t\t\t}\n\t\t\t\t\tmaxHeight = Math.max( maxHeight, $( this ).css( \"height\", \"\" ).height() );\n\t\t\t\t\tif ( !isVisible ) {\n\t\t\t\t\t\t$( this ).hide();\n\t\t\t\t\t}\n\t\t\t\t} )\n\t\t\t\t.height( maxHeight );\n\t\t}\n\t},\n\n\t_activate: function( index ) {\n\t\tvar active = this._findActive( index )[ 0 ];\n\n\t\t// Trying to activate the already active panel\n\t\tif ( active === this.active[ 0 ] ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Trying to collapse, simulate a click on the currently active header\n\t\tactive = active || this.active[ 0 ];\n\n\t\tthis._eventHandler( {\n\t\t\ttarget: active,\n\t\t\tcurrentTarget: active,\n\t\t\tpreventDefault: $.noop\n\t\t} );\n\t},\n\n\t_findActive: function( selector ) {\n\t\treturn typeof selector === \"number\" ? this.headers.eq( selector ) : $();\n\t},\n\n\t_setupEvents: function( event ) {\n\t\tvar events = {\n\t\t\tkeydown: \"_keydown\"\n\t\t};\n\t\tif ( event ) {\n\t\t\t$.each( event.split( \" \" ), function( index, eventName ) {\n\t\t\t\tevents[ eventName ] = \"_eventHandler\";\n\t\t\t} );\n\t\t}\n\n\t\tthis._off( this.headers.add( this.headers.next() ) );\n\t\tthis._on( this.headers, events );\n\t\tthis._on( this.headers.next(), { keydown: \"_panelKeyDown\" } );\n\t\tthis._hoverable( this.headers );\n\t\tthis._focusable( this.headers );\n\t},\n\n\t_eventHandler: function( event ) {\n\t\tvar activeChildren, clickedChildren,\n\t\t\toptions = this.options,\n\t\t\tactive = this.active,\n\t\t\tclicked = $( event.currentTarget ),\n\t\t\tclickedIsActive = clicked[ 0 ] === active[ 0 ],\n\t\t\tcollapsing = clickedIsActive && options.collapsible,\n\t\t\ttoShow = collapsing ? $() : clicked.next(),\n\t\t\ttoHide = active.next(),\n\t\t\teventData = {\n\t\t\t\toldHeader: active,\n\t\t\t\toldPanel: toHide,\n\t\t\t\tnewHeader: collapsing ? $() : clicked,\n\t\t\t\tnewPanel: toShow\n\t\t\t};\n\n\t\tevent.preventDefault();\n\n\t\tif (\n\n\t\t\t\t// click on active header, but not collapsible\n\t\t\t\t( clickedIsActive && !options.collapsible ) ||\n\n\t\t\t\t// allow canceling activation\n\t\t\t\t( this._trigger( \"beforeActivate\", event, eventData ) === false ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\toptions.active = collapsing ? false : this.headers.index( clicked );\n\n\t\t// When the call to ._toggle() comes after the class changes\n\t\t// it causes a very odd bug in IE 8 (see #6720)\n\t\tthis.active = clickedIsActive ? $() : clicked;\n\t\tthis._toggle( eventData );\n\n\t\t// Switch classes\n\t\t// corner classes on the previously active header stay after the animation\n\t\tthis._removeClass( active, \"ui-accordion-header-active\", \"ui-state-active\" );\n\t\tif ( options.icons ) {\n\t\t\tactiveChildren = active.children( \".ui-accordion-header-icon\" );\n\t\t\tthis._removeClass( activeChildren, null, options.icons.activeHeader )\n\t\t\t\t._addClass( activeChildren, null, options.icons.header );\n\t\t}\n\n\t\tif ( !clickedIsActive ) {\n\t\t\tthis._removeClass( clicked, \"ui-accordion-header-collapsed\" )\n\t\t\t\t._addClass( clicked, \"ui-accordion-header-active\", \"ui-state-active\" );\n\t\t\tif ( options.icons ) {\n\t\t\t\tclickedChildren = clicked.children( \".ui-accordion-header-icon\" );\n\t\t\t\tthis._removeClass( clickedChildren, null, options.icons.header )\n\t\t\t\t\t._addClass( clickedChildren, null, options.icons.activeHeader );\n\t\t\t}\n\n\t\t\tthis._addClass( clicked.next(), \"ui-accordion-content-active\" );\n\t\t}\n\t},\n\n\t_toggle: function( data ) {\n\t\tvar toShow = data.newPanel,\n\t\t\ttoHide = this.prevShow.length ? this.prevShow : data.oldPanel;\n\n\t\t// Handle activating a panel during the animation for another activation\n\t\tthis.prevShow.add( this.prevHide ).stop( true, true );\n\t\tthis.prevShow = toShow;\n\t\tthis.prevHide = toHide;\n\n\t\tif ( this.options.animate ) {\n\t\t\tthis._animate( toShow, toHide, data );\n\t\t} else {\n\t\t\ttoHide.hide();\n\t\t\ttoShow.show();\n\t\t\tthis._toggleComplete( data );\n\t\t}\n\n\t\ttoHide.attr( {\n\t\t\t\"aria-hidden\": \"true\"\n\t\t} );\n\t\ttoHide.prev().attr( {\n\t\t\t\"aria-selected\": \"false\",\n\t\t\t\"aria-expanded\": \"false\"\n\t\t} );\n\n\t\t// if we're switching panels, remove the old header from the tab order\n\t\t// if we're opening from collapsed state, remove the previous header from the tab order\n\t\t// if we're collapsing, then keep the collapsing header in the tab order\n\t\tif ( toShow.length && toHide.length ) {\n\t\t\ttoHide.prev().attr( {\n\t\t\t\t\"tabIndex\": -1,\n\t\t\t\t\"aria-expanded\": \"false\"\n\t\t\t} );\n\t\t} else if ( toShow.length ) {\n\t\t\tthis.headers.filter( function() {\n\t\t\t\treturn parseInt( $( this ).attr( \"tabIndex\" ), 10 ) === 0;\n\t\t\t} )\n\t\t\t\t.attr( \"tabIndex\", -1 );\n\t\t}\n\n\t\ttoShow\n\t\t\t.attr( \"aria-hidden\", \"false\" )\n\t\t\t.prev()\n\t\t\t\t.attr( {\n\t\t\t\t\t\"aria-selected\": \"true\",\n\t\t\t\t\t\"aria-expanded\": \"true\",\n\t\t\t\t\ttabIndex: 0\n\t\t\t\t} );\n\t},\n\n\t_animate: function( toShow, toHide, data ) {\n\t\tvar total, easing, duration,\n\t\t\tthat = this,\n\t\t\tadjust = 0,\n\t\t\tboxSizing = toShow.css( \"box-sizing\" ),\n\t\t\tdown = toShow.length &&\n\t\t\t\t( !toHide.length || ( toShow.index() < toHide.index() ) ),\n\t\t\tanimate = this.options.animate || {},\n\t\t\toptions = down && animate.down || animate,\n\t\t\tcomplete = function() {\n\t\t\t\tthat._toggleComplete( data );\n\t\t\t};\n\n\t\tif ( typeof options === \"number\" ) {\n\t\t\tduration = options;\n\t\t}\n\t\tif ( typeof options === \"string\" ) {\n\t\t\teasing = options;\n\t\t}\n\n\t\t// fall back from options to animation in case of partial down settings\n\t\teasing = easing || options.easing || animate.easing;\n\t\tduration = duration || options.duration || animate.duration;\n\n\t\tif ( !toHide.length ) {\n\t\t\treturn toShow.animate( this.showProps, duration, easing, complete );\n\t\t}\n\t\tif ( !toShow.length ) {\n\t\t\treturn toHide.animate( this.hideProps, duration, easing, complete );\n\t\t}\n\n\t\ttotal = toShow.show().outerHeight();\n\t\ttoHide.animate( this.hideProps, {\n\t\t\tduration: duration,\n\t\t\teasing: easing,\n\t\t\tstep: function( now, fx ) {\n\t\t\t\tfx.now = Math.round( now );\n\t\t\t}\n\t\t} );\n\t\ttoShow\n\t\t\t.hide()\n\t\t\t.animate( this.showProps, {\n\t\t\t\tduration: duration,\n\t\t\t\teasing: easing,\n\t\t\t\tcomplete: complete,\n\t\t\t\tstep: function( now, fx ) {\n\t\t\t\t\tfx.now = Math.round( now );\n\t\t\t\t\tif ( fx.prop !== \"height\" ) {\n\t\t\t\t\t\tif ( boxSizing === \"content-box\" ) {\n\t\t\t\t\t\t\tadjust += fx.now;\n\t\t\t\t\t\t}\n\t\t\t\t\t} else if ( that.options.heightStyle !== \"content\" ) {\n\t\t\t\t\t\tfx.now = Math.round( total - toHide.outerHeight() - adjust );\n\t\t\t\t\t\tadjust = 0;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} );\n\t},\n\n\t_toggleComplete: function( data ) {\n\t\tvar toHide = data.oldPanel,\n\t\t\tprev = toHide.prev();\n\n\t\tthis._removeClass( toHide, \"ui-accordion-content-active\" );\n\t\tthis._removeClass( prev, \"ui-accordion-header-active\" )\n\t\t\t._addClass( prev, \"ui-accordion-header-collapsed\" );\n\n\t\t// Work around for rendering bug in IE (#5421)\n\t\tif ( toHide.length ) {\n\t\t\ttoHide.parent()[ 0 ].className = toHide.parent()[ 0 ].className;\n\t\t}\n\t\tthis._trigger( \"activate\", null, data );\n\t}\n} );\n\n\n\nvar safeActiveElement = $.ui.safeActiveElement = function( document ) {\n\tvar activeElement;\n\n\t// Support: IE 9 only\n\t// IE9 throws an \"Unspecified error\" accessing document.activeElement from an ')\n\t\tthis.iframe.attr('id', iframeId)\n\t\tthis.iframe.hide()\n\n\t\tjoinChar = '&'\n\t\tif (src.indexOf('?') === -1) {\n\t\t\tjoinChar = '?'\n\t\t}\n\t\tthis.iframe.attr('src', src + joinChar + 'fallback=true&fallback_id=' + OCEventSource.iframeCount + '&' + dataStr)\n\t\t$('body').append(this.iframe)\n\t\tthis.useFallBack = true\n\t\tOCEventSource.iframeCount++\n\t}\n\t// add close listener\n\tthis.listen('__internal__', function(data) {\n\t\tif (data === 'close') {\n\t\t\tthis.close()\n\t\t}\n\t}.bind(this))\n}\nOCEventSource.fallBackSources = []\nOCEventSource.iframeCount = 0// number of fallback iframes\nOCEventSource.fallBackCallBack = function(id, type, data) {\n\tOCEventSource.fallBackSources[id].fallBackCallBack(type, data)\n}\nOCEventSource.prototype = {\n\ttypelessListeners: [],\n\tiframe: null,\n\tlisteners: {}, // only for fallback\n\tuseFallBack: false,\n\t/**\n\t * Fallback callback for browsers that don't have the\n\t * native EventSource object.\n\t *\n\t * Calls the registered listeners.\n\t *\n\t * @private\n\t * @param {String} type event type\n\t * @param {Object} data received data\n\t */\n\tfallBackCallBack: function(type, data) {\n\t\tvar i\n\t\t// ignore messages that might appear after closing\n\t\tif (this.closed) {\n\t\t\treturn\n\t\t}\n\t\tif (type) {\n\t\t\tif (typeof this.listeners.done !== 'undefined') {\n\t\t\t\tfor (i = 0; i < this.listeners[type].length; i++) {\n\t\t\t\t\tthis.listeners[type][i](data)\n\t\t\t\t}\n\t\t\t}\n\t\t} else {\n\t\t\tfor (i = 0; i < this.typelessListeners.length; i++) {\n\t\t\t\tthis.typelessListeners[i](data)\n\t\t\t}\n\t\t}\n\t},\n\tlastLength: 0, // for fallback\n\t/**\n\t * Listen to a given type of events.\n\t *\n\t * @param {String} type event type\n\t * @param {Function} callback event callback\n\t */\n\tlisten: function(type, callback) {\n\t\tif (callback && callback.call) {\n\n\t\t\tif (type) {\n\t\t\t\tif (this.useFallBack) {\n\t\t\t\t\tif (!this.listeners[type]) {\n\t\t\t\t\t\tthis.listeners[type] = []\n\t\t\t\t\t}\n\t\t\t\t\tthis.listeners[type].push(callback)\n\t\t\t\t} else {\n\t\t\t\t\tthis.source.addEventListener(type, function(e) {\n\t\t\t\t\t\tif (typeof e.data !== 'undefined') {\n\t\t\t\t\t\t\tcallback(JSON.parse(e.data))\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tcallback('')\n\t\t\t\t\t\t}\n\t\t\t\t\t}, false)\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tthis.typelessListeners.push(callback)\n\t\t\t}\n\t\t}\n\t},\n\t/**\n\t * Closes this event source.\n\t */\n\tclose: function() {\n\t\tthis.closed = true\n\t\tif (typeof this.source !== 'undefined') {\n\t\t\tthis.source.close()\n\t\t}\n\t}\n}\n\nexport default OCEventSource\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\n/** @typedef {import('jquery')} jQuery */\nimport $ from 'jquery'\n\nimport { menuSpeed } from './constants.js'\n\nexport let currentMenu = null\nexport let currentMenuToggle = null\n\n/**\n * For menu toggling\n *\n * @param {jQuery} $toggle the toggle element\n * @param {jQuery} $menuEl the menu container element\n * @param {Function | undefined} toggle callback invoked everytime the menu is opened\n * @param {boolean} headerMenu is this a top right header menu?\n * @return {void}\n */\nexport const registerMenu = function($toggle, $menuEl, toggle, headerMenu) {\n\t$menuEl.addClass('menu')\n\tconst isClickableElement = $toggle.prop('tagName') === 'A' || $toggle.prop('tagName') === 'BUTTON'\n\n\t// On link and button, the enter key trigger a click event\n\t// Only use the click to avoid two fired events\n\t$toggle.on(isClickableElement ? 'click.menu' : 'click.menu keyup.menu', function(event) {\n\t\t// prevent the link event (append anchor to URL)\n\t\tevent.preventDefault()\n\n\t\t// allow enter key as a trigger\n\t\tif (event.key && event.key !== 'Enter') {\n\t\t\treturn\n\t\t}\n\n\t\tif ($menuEl.is(currentMenu)) {\n\t\t\thideMenus()\n\t\t\treturn\n\t\t} else if (currentMenu) {\n\t\t\t// another menu was open?\n\t\t\t// close it\n\t\t\thideMenus()\n\t\t}\n\n\t\tif (headerMenu === true) {\n\t\t\t$menuEl.parent().addClass('openedMenu')\n\t\t}\n\n\t\t// Set menu to expanded\n\t\t$toggle.attr('aria-expanded', true)\n\n\t\t$menuEl.slideToggle(menuSpeed, toggle)\n\t\tcurrentMenu = $menuEl\n\t\tcurrentMenuToggle = $toggle\n\t})\n}\n\n/**\n * Unregister a previously registered menu\n *\n * @param {jQuery} $toggle the toggle element\n * @param {jQuery} $menuEl the menu container element\n */\nexport const unregisterMenu = ($toggle, $menuEl) => {\n\t// close menu if opened\n\tif ($menuEl.is(currentMenu)) {\n\t\thideMenus()\n\t}\n\t$toggle.off('click.menu').removeClass('menutoggle')\n\t$menuEl.removeClass('menu')\n}\n\n/**\n * Hides any open menus\n *\n * @param {Function} complete callback when the hiding animation is done\n */\nexport const hideMenus = function(complete) {\n\tif (currentMenu) {\n\t\tconst lastMenu = currentMenu\n\t\tcurrentMenu.trigger(new $.Event('beforeHide'))\n\t\tcurrentMenu.slideUp(menuSpeed, function() {\n\t\t\tlastMenu.trigger(new $.Event('afterHide'))\n\t\t\tif (complete) {\n\t\t\t\tcomplete.apply(this, arguments)\n\t\t\t}\n\t\t})\n\t}\n\n\t// Set menu to closed\n\t$('.menutoggle').attr('aria-expanded', false)\n\tif (currentMenuToggle) {\n\t\tcurrentMenuToggle.attr('aria-expanded', false)\n\t}\n\n\t$('.openedMenu').removeClass('openedMenu')\n\tcurrentMenu = null\n\tcurrentMenuToggle = null\n}\n\n/**\n * Shows a given element as menu\n *\n * @param {object} [$toggle] menu toggle\n * @param {object} $menuEl menu element\n * @param {Function} complete callback when the showing animation is done\n */\nexport const showMenu = ($toggle, $menuEl, complete) => {\n\tif ($menuEl.is(currentMenu)) {\n\t\treturn\n\t}\n\thideMenus()\n\tcurrentMenu = $menuEl\n\tcurrentMenuToggle = $toggle\n\t$menuEl.trigger(new $.Event('beforeShow'))\n\t$menuEl.show()\n\t$menuEl.trigger(new $.Event('afterShow'))\n\t// no animation\n\tif (_.isFunction(complete)) {\n\t\tcomplete()\n\t}\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const coreApps = ['', 'admin', 'log', 'core/search', 'core', '3rdparty']\nexport const menuSpeed = 50\nexport const PERMISSION_NONE = 0\nexport const PERMISSION_CREATE = 4\nexport const PERMISSION_READ = 1\nexport const PERMISSION_UPDATE = 2\nexport const PERMISSION_DELETE = 8\nexport const PERMISSION_SHARE = 16\nexport const PERMISSION_ALL = 31\nexport const TAG_FAVORITE = '_$!!$_'\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nconst isAdmin = !!window._oc_isadmin\n\n/**\n * Returns whether the current user is an administrator\n *\n * @return {boolean} true if the user is an admin, false otherwise\n * @since 9.0.0\n */\nexport const isUserAdmin = () => isAdmin\n","/**\n * SPDX-FileCopyrightText: 2017 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2014 ownCloud, Inc.\n * SPDX-FileCopyrightText: 2005-2010 Zend Technologies USA Inc. (http://www.zend.com)\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Handlebars from 'handlebars'\nimport {\n\tloadTranslations,\n\ttranslate,\n\ttranslatePlural,\n\tregister,\n\tunregister,\n} from '@nextcloud/l10n'\n\n/**\n * L10N namespace with localization functions.\n *\n * @namespace OC.L10n\n * @deprecated 26.0.0 use https://www.npmjs.com/package/@nextcloud/l10n\n */\nconst L10n = {\n\n\t/**\n\t * Load an app's translation bundle if not loaded already.\n\t *\n\t * @deprecated 26.0.0 use `loadTranslations` from https://www.npmjs.com/package/@nextcloud/l10n\n\t *\n\t * @param {string} appName name of the app\n\t * @param {Function} callback callback to be called when\n\t * the translations are loaded\n\t * @return {Promise} promise\n\t */\n\tload: loadTranslations,\n\n\t/**\n\t * Register an app's translation bundle.\n\t *\n\t * @deprecated 26.0.0 use `register` from https://www.npmjs.com/package/@nextcloud/l10\n\t *\n\t * @param {string} appName name of the app\n\t * @param {Record} bundle bundle\n\t */\n\tregister,\n\n\t/**\n\t * @private\n\t * @deprecated 26.0.0 use `unregister` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\t_unregister: unregister,\n\n\t/**\n\t * Translate a string\n\t *\n\t * @deprecated 26.0.0 use `translate` from https://www.npmjs.com/package/@nextcloud/l10n\n\t *\n\t * @param {string} app the id of the app for which to translate the string\n\t * @param {string} text the string to translate\n\t * @param {object} [vars] map of placeholder key to value\n\t * @param {number} [count] number to replace %n with\n\t * @param {Array} [options] options array\n\t * @param {boolean} [options.escape=true] enable/disable auto escape of placeholders (by default enabled)\n\t * @param {boolean} [options.sanitize=true] enable/disable sanitization (by default enabled)\n\t * @return {string}\n\t */\n\ttranslate,\n\n\t/**\n\t * Translate a plural string\n\t *\n\t * @deprecated 26.0.0 use `translatePlural` from https://www.npmjs.com/package/@nextcloud/l10n\n\t *\n\t * @param {string} app the id of the app for which to translate the string\n\t * @param {string} textSingular the string to translate for exactly one object\n\t * @param {string} textPlural the string to translate for n objects\n\t * @param {number} count number to determine whether to use singular or plural\n\t * @param {object} [vars] map of placeholder key to value\n\t * @param {Array} [options] options array\n\t * @param {boolean} [options.escape=true] enable/disable auto escape of placeholders (by default enabled)\n\t * @return {string} Translated string\n\t */\n\ttranslatePlural,\n}\n\nexport default L10n\n\nHandlebars.registerHelper('t', function(app, text) {\n\treturn translate(app, text)\n})\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport {\n\tgetRootUrl as realGetRootUrl,\n} from '@nextcloud/router'\n\n/**\n * Creates a relative url for remote use\n *\n * @param {string} service id\n * @return {string} the url\n */\nexport const linkToRemoteBase = service => {\n\treturn realGetRootUrl() + '/remote.php/' + service\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * A little class to manage a status field for a \"saving\" process.\n * It can be used to display a starting message (e.g. \"Saving...\") and then\n * replace it with a green success message or a red error message.\n *\n * @namespace OC.msg\n */\nexport default {\n\t/**\n\t * Displayes a \"Saving...\" message in the given message placeholder\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t */\n\tstartSaving(selector) {\n\t\tthis.startAction(selector, t('core', 'Saving …'))\n\t},\n\n\t/**\n\t * Displayes a custom message in the given message placeholder\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {string} message Plain text message to display (no HTML allowed)\n\t */\n\tstartAction(selector, message) {\n\t\t$(selector).text(message)\n\t\t\t.removeClass('success')\n\t\t\t.removeClass('error')\n\t\t\t.stop(true, true)\n\t\t\t.show()\n\t},\n\n\t/**\n\t * Displayes an success/error message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {object} response Response of the server\n\t * @param {object} response.data Data of the servers response\n\t * @param {string} response.data.message Plain text message to display (no HTML allowed)\n\t * @param {string} response.status is being used to decide whether the message\n\t * is displayed as an error/success\n\t */\n\tfinishedSaving(selector, response) {\n\t\tthis.finishedAction(selector, response)\n\t},\n\n\t/**\n\t * Displayes an success/error message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {object} response Response of the server\n\t * @param {object} response.data Data of the servers response\n\t * @param {string} response.data.message Plain text message to display (no HTML allowed)\n\t * @param {string} response.status is being used to decide whether the message\n\t * is displayed as an error/success\n\t */\n\tfinishedAction(selector, response) {\n\t\tif (response.status === 'success') {\n\t\t\tthis.finishedSuccess(selector, response.data.message)\n\t\t} else {\n\t\t\tthis.finishedError(selector, response.data.message)\n\t\t}\n\t},\n\n\t/**\n\t * Displayes an success message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {string} message Plain text success message to display (no HTML allowed)\n\t */\n\tfinishedSuccess(selector, message) {\n\t\t$(selector).text(message)\n\t\t\t.addClass('success')\n\t\t\t.removeClass('error')\n\t\t\t.stop(true, true)\n\t\t\t.delay(3000)\n\t\t\t.fadeOut(900)\n\t\t\t.show()\n\t},\n\n\t/**\n\t * Displayes an error message in the given selector\n\t *\n\t * @param {object} selector Placeholder to display the message in\n\t * @param {string} message Plain text error message to display (no HTML allowed)\n\t */\n\tfinishedError(selector, message) {\n\t\t$(selector).text(message)\n\t\t\t.addClass('error')\n\t\t\t.removeClass('success')\n\t\t\t.show()\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { confirmPassword, isPasswordConfirmationRequired } from '@nextcloud/password-confirmation'\nimport '@nextcloud/password-confirmation/dist/style.css'\n\n/**\n * @namespace OC.PasswordConfirmation\n */\nexport default {\n\n\trequiresPasswordConfirmation() {\n\t\treturn isPasswordConfirmationRequired()\n\t},\n\n\t/**\n\t * @param {Function} callback success callback function\n\t * @param {object} options options currently not used by confirmPassword\n\t * @param {Function} rejectCallback error callback function\n\t */\n\trequirePasswordConfirmation(callback, options, rejectCallback) {\n\t\tconfirmPassword().then(callback, rejectCallback)\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport default {\n\n\t/**\n\t * @type {Array.}\n\t */\n\t_plugins: {},\n\n\t/**\n\t * Register plugin\n\t *\n\t * @param {string} targetName app name / class name to hook into\n\t * @param {OC.Plugin} plugin plugin\n\t */\n\tregister(targetName, plugin) {\n\t\tlet plugins = this._plugins[targetName]\n\t\tif (!plugins) {\n\t\t\tplugins = this._plugins[targetName] = []\n\t\t}\n\t\tplugins.push(plugin)\n\t},\n\n\t/**\n\t * Returns all plugin registered to the given target\n\t * name / app name / class name.\n\t *\n\t * @param {string} targetName app name / class name to hook into\n\t * @return {Array.} array of plugins\n\t */\n\tgetPlugins(targetName) {\n\t\treturn this._plugins[targetName] || []\n\t},\n\n\t/**\n\t * Call attach() on all plugins registered to the given target name.\n\t *\n\t * @param {string} targetName app name / class name\n\t * @param {object} targetObject to be extended\n\t * @param {object} [options] options\n\t */\n\tattach(targetName, targetObject, options) {\n\t\tconst plugins = this.getPlugins(targetName)\n\t\tfor (let i = 0; i < plugins.length; i++) {\n\t\t\tif (plugins[i].attach) {\n\t\t\t\tplugins[i].attach(targetObject, options)\n\t\t\t}\n\t\t}\n\t},\n\n\t/**\n\t * Call detach() on all plugins registered to the given target name.\n\t *\n\t * @param {string} targetName app name / class name\n\t * @param {object} targetObject to be extended\n\t * @param {object} [options] options\n\t */\n\tdetach(targetName, targetObject, options) {\n\t\tconst plugins = this.getPlugins(targetName)\n\t\tfor (let i = 0; i < plugins.length; i++) {\n\t\t\tif (plugins[i].detach) {\n\t\t\t\tplugins[i].detach(targetObject, options)\n\t\t\t}\n\t\t}\n\t},\n\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const theme = window._theme || {}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\nimport OC from './index.js'\n\n/**\n * Utility class for the history API,\n * includes fallback to using the URL hash when\n * the browser doesn't support the history API.\n *\n * @namespace OC.Util.History\n */\nexport default {\n\n\t_handlers: [],\n\n\t/**\n\t * Push the current URL parameters to the history stack\n\t * and change the visible URL.\n\t * Note: this includes a workaround for IE8/IE9 that uses\n\t * the hash part instead of the search part.\n\t *\n\t * @param {object | string} params to append to the URL, can be either a string\n\t * or a map\n\t * @param {string} [url] URL to be used, otherwise the current URL will be used,\n\t * using the params as query string\n\t * @param {boolean} [replace] whether to replace instead of pushing\n\t */\n\t_pushState(params, url, replace) {\n\t\tlet strParams\n\t\tif (typeof (params) === 'string') {\n\t\t\tstrParams = params\n\t\t} else {\n\t\t\tstrParams = OC.buildQueryString(params)\n\t\t}\n\n\t\tif (window.history.pushState) {\n\t\t\turl = url || location.pathname + '?' + strParams\n\t\t\t// Workaround for bug with SVG and window.history.pushState on Firefox < 51\n\t\t\t// https://bugzilla.mozilla.org/show_bug.cgi?id=652991\n\t\t\tconst isFirefox = navigator.userAgent.toLowerCase().indexOf('firefox') > -1\n\t\t\tif (isFirefox && parseInt(navigator.userAgent.split('/').pop()) < 51) {\n\t\t\t\tconst patterns = document.querySelectorAll('[fill^=\"url(#\"], [stroke^=\"url(#\"], [filter^=\"url(#invert\"]')\n\t\t\t\tfor (let i = 0, ii = patterns.length, pattern; i < ii; i++) {\n\t\t\t\t\tpattern = patterns[i]\n\t\t\t\t\t// eslint-disable-next-line no-self-assign\n\t\t\t\t\tpattern.style.fill = pattern.style.fill\n\t\t\t\t\t// eslint-disable-next-line no-self-assign\n\t\t\t\t\tpattern.style.stroke = pattern.style.stroke\n\t\t\t\t\tpattern.removeAttribute('filter')\n\t\t\t\t\tpattern.setAttribute('filter', 'url(#invert)')\n\t\t\t\t}\n\t\t\t}\n\t\t\tif (replace) {\n\t\t\t\twindow.history.replaceState(params, '', url)\n\t\t\t} else {\n\t\t\t\twindow.history.pushState(params, '', url)\n\t\t\t}\n\t\t} else {\n\t\t\t// use URL hash for IE8\n\t\t\twindow.location.hash = '?' + strParams\n\t\t\t// inhibit next onhashchange that just added itself\n\t\t\t// to the event queue\n\t\t\tthis._cancelPop = true\n\t\t}\n\t},\n\n\t/**\n\t * Push the current URL parameters to the history stack\n\t * and change the visible URL.\n\t * Note: this includes a workaround for IE8/IE9 that uses\n\t * the hash part instead of the search part.\n\t *\n\t * @param {object | string} params to append to the URL, can be either a string or a map\n\t * @param {string} [url] URL to be used, otherwise the current URL will be used, using the params as query string\n\t */\n\tpushState(params, url) {\n\t\tthis._pushState(params, url, false)\n\t},\n\n\t/**\n\t * Push the current URL parameters to the history stack\n\t * and change the visible URL.\n\t * Note: this includes a workaround for IE8/IE9 that uses\n\t * the hash part instead of the search part.\n\t *\n\t * @param {object | string} params to append to the URL, can be either a string\n\t * or a map\n\t * @param {string} [url] URL to be used, otherwise the current URL will be used,\n\t * using the params as query string\n\t */\n\treplaceState(params, url) {\n\t\tthis._pushState(params, url, true)\n\t},\n\n\t/**\n\t * Add a popstate handler\n\t *\n\t * @param {Function} handler handler\n\t */\n\taddOnPopStateHandler(handler) {\n\t\tthis._handlers.push(handler)\n\t},\n\n\t/**\n\t * Parse a query string from the hash part of the URL.\n\t * (workaround for IE8 / IE9)\n\t *\n\t * @return {string}\n\t */\n\t_parseHashQuery() {\n\t\tconst hash = window.location.hash\n\t\tconst pos = hash.indexOf('?')\n\t\tif (pos >= 0) {\n\t\t\treturn hash.substr(pos + 1)\n\t\t}\n\t\tif (hash.length) {\n\t\t\t// remove hash sign\n\t\t\treturn hash.substr(1)\n\t\t}\n\t\treturn ''\n\t},\n\n\t_decodeQuery(query) {\n\t\treturn query.replace(/\\+/g, ' ')\n\t},\n\n\t/**\n\t * Parse the query/search part of the URL.\n\t * Also try and parse it from the URL hash (for IE8)\n\t *\n\t * @return {object} map of parameters\n\t */\n\tparseUrlQuery() {\n\t\tconst query = this._parseHashQuery()\n\t\tlet params\n\t\t// try and parse from URL hash first\n\t\tif (query) {\n\t\t\tparams = OC.parseQueryString(this._decodeQuery(query))\n\t\t}\n\t\t// else read from query attributes\n\t\tparams = _.extend(params || {}, OC.parseQueryString(this._decodeQuery(location.search)))\n\t\treturn params || {}\n\t},\n\n\t_onPopState(e) {\n\t\tif (this._cancelPop) {\n\t\t\tthis._cancelPop = false\n\t\t\treturn\n\t\t}\n\t\tlet params\n\t\tif (!this._handlers.length) {\n\t\t\treturn\n\t\t}\n\t\tparams = (e && e.state)\n\t\tif (_.isString(params)) {\n\t\t\tparams = OC.parseQueryString(params)\n\t\t} else if (!params) {\n\t\t\tparams = this.parseUrlQuery() || {}\n\t\t}\n\t\tfor (let i = 0; i < this._handlers.length; i++) {\n\t\t\tthis._handlers[i](params)\n\t\t}\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport moment from 'moment'\n\nimport History from './util-history.js'\nimport OC from './index.js'\nimport { formatFileSize as humanFileSize } from '@nextcloud/files'\n\n/**\n * @param {any} t -\n */\nfunction chunkify(t) {\n\t// Adapted from http://my.opera.com/GreyWyvern/blog/show.dml/1671288\n\tconst tz = []\n\tlet x = 0\n\tlet y = -1\n\tlet n = 0\n\tlet c\n\n\twhile (x < t.length) {\n\t\tc = t.charAt(x)\n\t\t// only include the dot in strings\n\t\tconst m = ((!n && c === '.') || (c >= '0' && c <= '9'))\n\t\tif (m !== n) {\n\t\t\t// next chunk\n\t\t\ty++\n\t\t\ttz[y] = ''\n\t\t\tn = m\n\t\t}\n\t\ttz[y] += c\n\t\tx++\n\t}\n\treturn tz\n}\n\n/**\n * Utility functions\n *\n * @namespace OC.Util\n */\nexport default {\n\n\tHistory,\n\n\t/**\n\t * @deprecated use https://nextcloud.github.io/nextcloud-files/functions/formatFileSize.html\n\t */\n\thumanFileSize,\n\n\t/**\n\t * Returns a file size in bytes from a humanly readable string\n\t * Makes 2kB to 2048.\n\t * Inspired by computerFileSize in helper.php\n\t *\n\t * @param {string} string file size in human-readable format\n\t * @return {number} or null if string could not be parsed\n\t *\n\t *\n\t */\n\tcomputerFileSize(string) {\n\t\tif (typeof string !== 'string') {\n\t\t\treturn null\n\t\t}\n\n\t\tconst s = string.toLowerCase().trim()\n\t\tlet bytes = null\n\n\t\tconst bytesArray = {\n\t\t\tb: 1,\n\t\t\tk: 1024,\n\t\t\tkb: 1024,\n\t\t\tmb: 1024 * 1024,\n\t\t\tm: 1024 * 1024,\n\t\t\tgb: 1024 * 1024 * 1024,\n\t\t\tg: 1024 * 1024 * 1024,\n\t\t\ttb: 1024 * 1024 * 1024 * 1024,\n\t\t\tt: 1024 * 1024 * 1024 * 1024,\n\t\t\tpb: 1024 * 1024 * 1024 * 1024 * 1024,\n\t\t\tp: 1024 * 1024 * 1024 * 1024 * 1024,\n\t\t}\n\n\t\tconst matches = s.match(/^[\\s+]?([0-9]*)(\\.([0-9]+))?( +)?([kmgtp]?b?)$/i)\n\t\tif (matches !== null) {\n\t\t\tbytes = parseFloat(s)\n\t\t\tif (!isFinite(bytes)) {\n\t\t\t\treturn null\n\t\t\t}\n\t\t} else {\n\t\t\treturn null\n\t\t}\n\t\tif (matches[5]) {\n\t\t\tbytes = bytes * bytesArray[matches[5]]\n\t\t}\n\n\t\tbytes = Math.round(bytes)\n\t\treturn bytes\n\t},\n\n\t/**\n\t * @param {string|number} timestamp timestamp\n\t * @param {string} format date format, see momentjs docs\n\t * @return {string} timestamp formatted as requested\n\t */\n\tformatDate(timestamp, format) {\n\t\tif (window.TESTING === undefined) {\n\t\t\tOC.debug && console.warn('OC.Util.formatDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment')\n\t\t}\n\t\tformat = format || 'LLL'\n\t\treturn moment(timestamp).format(format)\n\t},\n\n\t/**\n\t * @param {string|number} timestamp timestamp\n\t * @return {string} human readable difference from now\n\t */\n\trelativeModifiedDate(timestamp) {\n\t\tif (window.TESTING === undefined) {\n\t\t\tOC.debug && console.warn('OC.Util.relativeModifiedDate is deprecated and will be removed in Nextcloud 21. See @nextcloud/moment')\n\t\t}\n\t\tconst diff = moment().diff(moment(timestamp))\n\t\tif (diff >= 0 && diff < 45000) {\n\t\t\treturn t('core', 'seconds ago')\n\t\t}\n\t\treturn moment(timestamp).fromNow()\n\t},\n\n\t/**\n\t * Returns the width of a generic browser scrollbar\n\t *\n\t * @return {number} width of scrollbar\n\t */\n\tgetScrollBarWidth() {\n\t\tif (this._scrollBarWidth) {\n\t\t\treturn this._scrollBarWidth\n\t\t}\n\n\t\tconst inner = document.createElement('p')\n\t\tinner.style.width = '100%'\n\t\tinner.style.height = '200px'\n\n\t\tconst outer = document.createElement('div')\n\t\touter.style.position = 'absolute'\n\t\touter.style.top = '0px'\n\t\touter.style.left = '0px'\n\t\touter.style.visibility = 'hidden'\n\t\touter.style.width = '200px'\n\t\touter.style.height = '150px'\n\t\touter.style.overflow = 'hidden'\n\t\touter.appendChild(inner)\n\n\t\tdocument.body.appendChild(outer)\n\t\tconst w1 = inner.offsetWidth\n\t\touter.style.overflow = 'scroll'\n\t\tlet w2 = inner.offsetWidth\n\t\tif (w1 === w2) {\n\t\t\tw2 = outer.clientWidth\n\t\t}\n\n\t\tdocument.body.removeChild(outer)\n\n\t\tthis._scrollBarWidth = (w1 - w2)\n\n\t\treturn this._scrollBarWidth\n\t},\n\n\t/**\n\t * Remove the time component from a given date\n\t *\n\t * @param {Date} date date\n\t * @return {Date} date with stripped time\n\t */\n\tstripTime(date) {\n\t\t// FIXME: likely to break when crossing DST\n\t\t// would be better to use a library like momentJS\n\t\treturn new Date(date.getFullYear(), date.getMonth(), date.getDate())\n\t},\n\n\t/**\n\t * Compare two strings to provide a natural sort\n\t *\n\t * @param {string} a first string to compare\n\t * @param {string} b second string to compare\n\t * @return {number} -1 if b comes before a, 1 if a comes before b\n\t * or 0 if the strings are identical\n\t */\n\tnaturalSortCompare(a, b) {\n\t\tlet x\n\t\tconst aa = chunkify(a)\n\t\tconst bb = chunkify(b)\n\n\t\tfor (x = 0; aa[x] && bb[x]; x++) {\n\t\t\tif (aa[x] !== bb[x]) {\n\t\t\t\tconst aNum = Number(aa[x]); const bNum = Number(bb[x])\n\t\t\t\t// note: == is correct here\n\t\t\t\t/* eslint-disable-next-line */\n\t\t\t\tif (aNum == aa[x] && bNum == bb[x]) {\n\t\t\t\t\treturn aNum - bNum\n\t\t\t\t} else {\n\t\t\t\t\t// Note: This locale setting isn't supported by all browsers but for the ones\n\t\t\t\t\t// that do there will be more consistency between client-server sorting\n\t\t\t\t\treturn aa[x].localeCompare(bb[x], OC.getLanguage())\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn aa.length - bb.length\n\t},\n\n\t/**\n\t * Calls the callback in a given interval until it returns true\n\t *\n\t * @param {Function} callback function to call on success\n\t * @param {number} interval in milliseconds\n\t */\n\twaitFor(callback, interval) {\n\t\tconst internalCallback = function() {\n\t\t\tif (callback() !== true) {\n\t\t\t\tsetTimeout(internalCallback, interval)\n\t\t\t}\n\t\t}\n\n\t\tinternalCallback()\n\t},\n\n\t/**\n\t * Checks if a cookie with the given name is present and is set to the provided value.\n\t *\n\t * @param {string} name name of the cookie\n\t * @param {string} value value of the cookie\n\t * @return {boolean} true if the cookie with the given name has the given value\n\t */\n\tisCookieSetToValue(name, value) {\n\t\tconst cookies = document.cookie.split(';')\n\t\tfor (let i = 0; i < cookies.length; i++) {\n\t\t\tconst cookie = cookies[i].split('=')\n\t\t\tif (cookie[0].trim() === name && cookie[1].trim() === value) {\n\t\t\t\treturn true\n\t\t\t}\n\t\t}\n\t\treturn false\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nconst base = window._oc_debug\n\nexport const debug = base\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nlet webroot = window._oc_webroot\n\nif (typeof webroot === 'undefined') {\n\twebroot = location.pathname\n\tconst pos = webroot.indexOf('/index.php/')\n\tif (pos !== -1) {\n\t\twebroot = webroot.substr(0, pos)\n\t} else {\n\t\twebroot = webroot.substr(0, webroot.lastIndexOf('/'))\n\t}\n}\n\nexport default webroot\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { subscribe } from '@nextcloud/event-bus'\n\nimport {\n\tajaxConnectionLostHandler,\n\tprocessAjaxError,\n\tregisterXHRForErrorProcessing,\n} from './xhr-error.js'\nimport Apps from './apps.js'\nimport { AppConfig, appConfig } from './appconfig.js'\nimport appswebroots from './appswebroots.js'\nimport Backbone from './backbone.js'\nimport {\n\tbasename,\n\tdirname,\n\tencodePath,\n\tisSamePath,\n\tjoinPaths,\n} from '@nextcloud/paths'\nimport {\n\tbuild as buildQueryString,\n\tparse as parseQueryString,\n} from './query-string.js'\nimport Config from './config.js'\nimport {\n\tcoreApps,\n\tmenuSpeed,\n\tPERMISSION_ALL,\n\tPERMISSION_CREATE,\n\tPERMISSION_DELETE,\n\tPERMISSION_NONE,\n\tPERMISSION_READ,\n\tPERMISSION_SHARE,\n\tPERMISSION_UPDATE,\n\tTAG_FAVORITE,\n} from './constants.js'\nimport { currentUser, getCurrentUser } from './currentuser.js'\nimport Dialogs from './dialogs.js'\nimport EventSource from './eventsource.js'\nimport { get, set } from './get_set.js'\nimport { getCapabilities } from './capabilities.js'\nimport {\n\tgetHost,\n\tgetHostName,\n\tgetPort,\n\tgetProtocol,\n} from './host.js'\nimport {\n\tgetToken as getRequestToken,\n} from './requesttoken.js'\nimport {\n\thideMenus,\n\tregisterMenu,\n\tshowMenu,\n\tunregisterMenu,\n} from './menu.js'\nimport { isUserAdmin } from './admin.js'\nimport L10N from './l10n.js'\nimport {\n\tgetCanonicalLocale,\n\tgetLanguage,\n\tgetLocale,\n} from '@nextcloud/l10n'\n\nimport {\n\tgenerateUrl,\n\tgenerateFilePath,\n\tgenerateOcsUrl,\n\tgenerateRemoteUrl,\n\tgetRootUrl,\n\timagePath,\n\tlinkTo,\n} from '@nextcloud/router'\n\nimport {\n\tlinkToRemoteBase,\n} from './routing.js'\nimport msg from './msg.js'\nimport Notification from './notification.js'\nimport PasswordConfirmation from './password-confirmation.js'\nimport Plugins from './plugins.js'\nimport { theme } from './theme.js'\nimport Util from './util.js'\nimport { debug } from './debug.js'\nimport { redirect, reload } from './navigation.js'\nimport webroot from './webroot.js'\n\n/** @namespace OC */\nexport default {\n\t/*\n\t * Constants\n\t */\n\tcoreApps,\n\tmenuSpeed,\n\tPERMISSION_ALL,\n\tPERMISSION_CREATE,\n\tPERMISSION_DELETE,\n\tPERMISSION_NONE,\n\tPERMISSION_READ,\n\tPERMISSION_SHARE,\n\tPERMISSION_UPDATE,\n\tTAG_FAVORITE,\n\n\t/*\n\t * Deprecated helpers to be removed\n\t */\n\t/**\n\t * Check if a user file is allowed to be handled.\n\t *\n\t * @param {string} file to check\n\t * @return {boolean}\n\t * @deprecated 17.0.0\n\t */\n\tfileIsBlacklisted: file => !!(file.match(Config.blacklist_files_regex)),\n\tApps,\n\tAppConfig,\n\tappConfig,\n\tappswebroots,\n\tBackbone,\n\tconfig: Config,\n\t/**\n\t * Currently logged in user or null if none\n\t *\n\t * @type {string}\n\t * @deprecated use `getCurrentUser` from https://www.npmjs.com/package/@nextcloud/auth\n\t */\n\tcurrentUser,\n\tdialogs: Dialogs,\n\tEventSource,\n\t/**\n\t * Returns the currently logged in user or null if there is no logged in\n\t * user (public page mode)\n\t *\n\t * @since 9.0.0\n\t * @deprecated 19.0.0 use `getCurrentUser` from https://www.npmjs.com/package/@nextcloud/auth\n\t */\n\tgetCurrentUser,\n\tisUserAdmin,\n\tL10N,\n\n\t/**\n\t * Ajax error handlers\n\t *\n\t * @todo remove from here and keep internally -> requires new tests\n\t */\n\t_ajaxConnectionLostHandler: ajaxConnectionLostHandler,\n\t_processAjaxError: processAjaxError,\n\tregisterXHRForErrorProcessing,\n\n\t/**\n\t * Capabilities\n\t *\n\t * @type {Array}\n\t * @deprecated 20.0.0 use @nextcloud/capabilities instead\n\t */\n\tgetCapabilities,\n\n\t/*\n\t * Legacy menu helpers\n\t */\n\thideMenus,\n\tregisterMenu,\n\tshowMenu,\n\tunregisterMenu,\n\n\t/*\n\t * Path helpers\n\t */\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tbasename,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tencodePath,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tdirname,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tisSamePath,\n\t/**\n\t * @deprecated 18.0.0 use https://www.npmjs.com/package/@nextcloud/paths\n\t */\n\tjoinPaths,\n\n\t/**\n\t * Host (url) helpers\n\t */\n\tgetHost,\n\tgetHostName,\n\tgetPort,\n\tgetProtocol,\n\n\t/**\n\t * @deprecated 20.0.0 use `getCanonicalLocale` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\tgetCanonicalLocale,\n\t/**\n\t * @deprecated 26.0.0 use `getLocale` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\tgetLocale,\n\t/**\n\t * @deprecated 26.0.0 use `getLanguage` from https://www.npmjs.com/package/@nextcloud/l10n\n\t */\n\tgetLanguage,\n\n\t/**\n\t * Query string helpers\n\t */\n\tbuildQueryString,\n\tparseQueryString,\n\n\tmsg,\n\tNotification,\n\t/**\n\t * @deprecated 28.0.0 use methods from '@nextcloud/password-confirmation'\n\t */\n\tPasswordConfirmation,\n\tPlugins,\n\ttheme,\n\tUtil,\n\tdebug,\n\t/**\n\t * @deprecated 19.0.0 use `generateFilePath` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tfilePath: generateFilePath,\n\t/**\n\t * @deprecated 19.0.0 use `generateUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tgenerateUrl,\n\t/**\n\t * @deprecated 19.0.0 use https://lodash.com/docs#get\n\t */\n\tget: get(window),\n\t/**\n\t * @deprecated 19.0.0 use https://lodash.com/docs#set\n\t */\n\tset: set(window),\n\t/**\n\t * @deprecated 19.0.0 use `getRootUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tgetRootPath: getRootUrl,\n\t/**\n\t * @deprecated 19.0.0 use `imagePath` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\timagePath,\n\tredirect,\n\treload,\n\trequestToken: getRequestToken(),\n\t/**\n\t * @deprecated 19.0.0 use `linkTo` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tlinkTo,\n\t/**\n\t * @param {string} service service name\n\t * @param {number} version OCS API version\n\t * @return {string} OCS API base path\n\t * @deprecated 19.0.0 use `generateOcsUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tlinkToOCS: (service, version) => {\n\t\treturn generateOcsUrl(service, {}, {\n\t\t\tocsVersion: version || 1,\n\t\t}) + '/'\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `generateRemoteUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t */\n\tlinkToRemote: generateRemoteUrl,\n\tlinkToRemoteBase,\n\t/**\n\t * Relative path to Nextcloud root.\n\t * For example: \"/nextcloud\"\n\t *\n\t * @type {string}\n\t *\n\t * @deprecated 19.0.0 use `getRootUrl` from https://www.npmjs.com/package/@nextcloud/router\n\t * @see OC#getRootPath\n\t */\n\twebroot,\n}\n\n// Keep the request token prop in sync\nsubscribe('csrf-token-update', e => {\n\tOC.requestToken = e.token\n\n\t// Logging might help debug (Sentry) issues\n\tconsole.info('OC.requestToken changed', e.token)\n})\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getCapabilities as realGetCapabilities } from '@nextcloud/capabilities'\n\n/**\n * Returns the capabilities\n *\n * @return {Array} capabilities\n *\n * @since 14.0.0\n */\nexport const getCapabilities = () => {\n\tOC.debug && console.warn('OC.getCapabilities is deprecated and will be removed in Nextcloud 21. See @nextcloud/capabilities')\n\treturn realGetCapabilities()\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const getProtocol = () => window.location.protocol.split(':')[0]\n\n/**\n * Returns the host used to access this Nextcloud instance\n * Host is sometimes the same as the hostname but now always.\n *\n * Examples:\n * http://example.com => example.com\n * https://example.com => example.com\n * http://example.com:8080 => example.com:8080\n *\n * @return {string} host\n *\n * @since 8.2.0\n * @deprecated 17.0.0 use window.location.host directly\n */\nexport const getHost = () => window.location.host\n\n/**\n * Returns the hostname used to access this Nextcloud instance\n * The hostname is always stripped of the port\n *\n * @return {string} hostname\n * @since 9.0.0\n * @deprecated 17.0.0 use window.location.hostname directly\n */\nexport const getHostName = () => window.location.hostname\n\n/**\n * Returns the port number used to access this Nextcloud instance\n *\n * @return {number} port number\n *\n * @since 8.2.0\n * @deprecated 17.0.0 use window.location.port directly\n */\nexport const getPort = () => window.location.port\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const get = context => name => {\n\tconst namespaces = name.split('.')\n\tconst tail = namespaces.pop()\n\n\tfor (let i = 0; i < namespaces.length; i++) {\n\t\tcontext = context[namespaces[i]]\n\t\tif (!context) {\n\t\t\treturn false\n\t\t}\n\t}\n\treturn context[tail]\n}\n\n/**\n * Set a variable by name\n *\n * @param {string} context context\n * @return {Function} setter\n * @deprecated 19.0.0 use https://lodash.com/docs#set\n */\nexport const set = context => (name, value) => {\n\tconst namespaces = name.split('.')\n\tconst tail = namespaces.pop()\n\n\tfor (let i = 0; i < namespaces.length; i++) {\n\t\tif (!context[namespaces[i]]) {\n\t\t\tcontext[namespaces[i]] = {}\n\t\t}\n\t\tcontext = context[namespaces[i]]\n\t}\n\tcontext[tail] = value\n\treturn value\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nexport const redirect = targetURL => { window.location = targetURL }\n\n/**\n * Reloads the current page\n *\n * @deprecated 17.0.0 use window.location.reload directly\n */\nexport const reload = () => { window.location.reload() }\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\nimport { emit } from '@nextcloud/event-bus'\nimport { loadState } from '@nextcloud/initial-state'\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { generateUrl } from '@nextcloud/router'\n\nimport OC from './OC/index.js'\nimport { setToken as setRequestToken, getToken as getRequestToken } from './OC/requesttoken.js'\n\nlet config = null\n/**\n * The legacy jsunit tests overwrite OC.config before calling initCore\n * therefore we need to wait with assigning the config fallback until initCore calls initSessionHeartBeat\n */\nconst loadConfig = () => {\n\ttry {\n\t\tconfig = loadState('core', 'config')\n\t} catch (e) {\n\t\t// This fallback is just for our legacy jsunit tests since we have no way to mock loadState calls\n\t\tconfig = OC.config\n\t}\n}\n\n/**\n * session heartbeat (defaults to enabled)\n *\n * @return {boolean}\n */\nconst keepSessionAlive = () => {\n\treturn config.session_keepalive === undefined\n\t\t|| !!config.session_keepalive\n}\n\n/**\n * get interval in seconds\n *\n * @return {number}\n */\nconst getInterval = () => {\n\tlet interval = NaN\n\tif (config.session_lifetime) {\n\t\tinterval = Math.floor(config.session_lifetime / 2)\n\t}\n\n\t// minimum one minute, max 24 hours, default 15 minutes\n\treturn Math.min(\n\t\t24 * 3600,\n\t\tMath.max(\n\t\t\t60,\n\t\t\tisNaN(interval) ? 900 : interval,\n\t\t),\n\t)\n}\n\nconst getToken = async () => {\n\tconst url = generateUrl('/csrftoken')\n\n\t// Not using Axios here as Axios is not stubbable with the sinon fake server\n\t// see https://stackoverflow.com/questions/41516044/sinon-mocha-test-with-async-ajax-calls-didnt-return-promises\n\t// see js/tests/specs/coreSpec.js for the tests\n\tconst resp = await $.get(url)\n\n\treturn resp.token\n}\n\nconst poll = async () => {\n\ttry {\n\t\tconst token = await getToken()\n\t\tsetRequestToken(token)\n\t} catch (e) {\n\t\tconsole.error('session heartbeat failed', e)\n\t}\n}\n\nconst startPolling = () => {\n\tconst interval = setInterval(poll, getInterval() * 1000)\n\n\tconsole.info('session heartbeat polling started')\n\n\treturn interval\n}\n\nconst registerAutoLogout = () => {\n\tif (!config.auto_logout || !getCurrentUser()) {\n\t\treturn\n\t}\n\n\tlet lastActive = Date.now()\n\twindow.addEventListener('mousemove', e => {\n\t\tlastActive = Date.now()\n\t\tlocalStorage.setItem('lastActive', lastActive)\n\t})\n\n\twindow.addEventListener('touchstart', e => {\n\t\tlastActive = Date.now()\n\t\tlocalStorage.setItem('lastActive', lastActive)\n\t})\n\n\twindow.addEventListener('storage', e => {\n\t\tif (e.key !== 'lastActive') {\n\t\t\treturn\n\t\t}\n\t\tlastActive = e.newValue\n\t})\n\n\tlet intervalId = 0\n\tconst logoutCheck = () => {\n\t\tconst timeout = Date.now() - config.session_lifetime * 1000\n\t\tif (lastActive < timeout) {\n\t\t\tclearTimeout(intervalId)\n\t\t\tconsole.info('Inactivity timout reached, logging out')\n\t\t\tconst logoutUrl = generateUrl('/logout') + '?requesttoken=' + encodeURIComponent(getRequestToken())\n\t\t\twindow.location = logoutUrl\n\t\t}\n\t}\n\tintervalId = setInterval(logoutCheck, 1000)\n}\n\n/**\n * Calls the server periodically to ensure that session and CSRF\n * token doesn't expire\n */\nexport const initSessionHeartBeat = () => {\n\tloadConfig()\n\n\tregisterAutoLogout()\n\n\tif (!keepSessionAlive()) {\n\t\tconsole.info('session heartbeat disabled')\n\t\treturn\n\t}\n\tlet interval = startPolling()\n\n\twindow.addEventListener('online', async () => {\n\t\tconsole.info('browser is online again, resuming heartbeat')\n\t\tinterval = startPolling()\n\t\ttry {\n\t\t\tawait poll()\n\t\t\tconsole.info('session token successfully updated after resuming network')\n\n\t\t\t// Let apps know we're online and requests will have the new token\n\t\t\temit('networkOnline', {\n\t\t\t\tsuccess: true,\n\t\t\t})\n\t\t} catch (e) {\n\t\t\tconsole.error('could not update session token after resuming network', e)\n\n\t\t\t// Let apps know we're online but requests might have an outdated token\n\t\t\temit('networkOnline', {\n\t\t\t\tsuccess: false,\n\t\t\t})\n\t\t}\n\t})\n\twindow.addEventListener('offline', () => {\n\t\tconsole.info('browser is offline, stopping heartbeat')\n\n\t\t// Let apps know we're offline\n\t\temit('networkOffline', {})\n\n\t\tclearInterval(interval)\n\t\tconsole.info('session heartbeat polling stopped')\n\t})\n}\n","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcHeaderMenu',{staticClass:\"contactsmenu\",attrs:{\"id\":\"contactsmenu\",\"aria-label\":_vm.t('core', 'Search contacts')},on:{\"open\":_vm.handleOpen},scopedSlots:_vm._u([{key:\"trigger\",fn:function(){return [_c('Contacts',{staticClass:\"contactsmenu__trigger-icon\",attrs:{\"size\":20}})]},proxy:true}])},[_vm._v(\" \"),_c('div',{staticClass:\"contactsmenu__menu\"},[_c('div',{staticClass:\"contactsmenu__menu__input-wrapper\"},[_c('NcTextField',{ref:\"contactsMenuInput\",staticClass:\"contactsmenu__menu__search\",attrs:{\"id\":\"contactsmenu__menu__search\",\"value\":_vm.searchTerm,\"trailing-button-icon\":\"close\",\"label\":_vm.t('core', 'Search contacts'),\"trailing-button-label\":_vm.t('core','Reset search'),\"show-trailing-button\":_vm.searchTerm !== '',\"placeholder\":_vm.t('core', 'Search contacts …')},on:{\"update:value\":function($event){_vm.searchTerm=$event},\"input\":_vm.onInputDebounced,\"trailing-button-click\":_vm.onReset}})],1),_vm._v(\" \"),(_vm.error)?_c('NcEmptyContent',{attrs:{\"name\":_vm.t('core', 'Could not load your contacts')},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('Magnify')]},proxy:true}],null,false,931131664)}):(_vm.loadingText)?_c('NcEmptyContent',{attrs:{\"name\":_vm.loadingText},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('NcLoadingIcon')]},proxy:true}])}):(_vm.contacts.length === 0)?_c('NcEmptyContent',{attrs:{\"name\":_vm.t('core', 'No contacts found')},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('Magnify')]},proxy:true}])}):_c('div',{staticClass:\"contactsmenu__menu__content\"},[_c('div',{attrs:{\"id\":\"contactsmenu-contacts\"}},[_c('ul',_vm._l((_vm.contacts),function(contact){return _c('Contact',{key:contact.id,attrs:{\"contact\":contact}})}),1)]),_vm._v(\" \"),(_vm.contactsAppEnabled)?_c('div',{staticClass:\"contactsmenu__menu__content__footer\"},[_c('NcButton',{attrs:{\"type\":\"tertiary\",\"href\":_vm.contactsAppURL}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('core', 'Show all contacts'))+\"\\n\\t\\t\\t\\t\")])],1):(_vm.canInstallApp)?_c('div',{staticClass:\"contactsmenu__menu__content__footer\"},[_c('NcButton',{attrs:{\"type\":\"tertiary\",\"href\":_vm.contactsAppMgmtURL}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('core', 'Install the Contacts app'))+\"\\n\\t\\t\\t\\t\")])],1):_vm._e()])],1)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Contacts.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Contacts.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Contacts.vue?vue&type=template&id=10f997f1\"\nimport script from \"./Contacts.vue?vue&type=script&lang=js\"\nexport * from \"./Contacts.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon contacts-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M20,0H4V2H20V0M4,24H20V22H4V24M20,4H4A2,2 0 0,0 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V6A2,2 0 0,0 20,4M12,6.75A2.25,2.25 0 0,1 14.25,9A2.25,2.25 0 0,1 12,11.25A2.25,2.25 0 0,1 9.75,9A2.25,2.25 0 0,1 12,6.75M17,17H7V15.5C7,13.83 10.33,13 12,13C13.67,13 17,13.83 17,15.5V17Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=style&index=0&id=97ebdcaa&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&type=style&index=0&id=97ebdcaa&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./Contact.vue?vue&type=template&id=97ebdcaa&scoped=true\"\nimport script from \"./Contact.vue?vue&type=script&lang=js\"\nexport * from \"./Contact.vue?vue&type=script&lang=js\"\nimport style0 from \"./Contact.vue?vue&type=style&index=0&id=97ebdcaa&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"97ebdcaa\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('li',{staticClass:\"contact\"},[_c('NcAvatar',{staticClass:\"contact__avatar\",attrs:{\"size\":44,\"user\":_vm.contact.isUser ? _vm.contact.uid : undefined,\"is-no-user\":!_vm.contact.isUser,\"disable-menu\":true,\"display-name\":_vm.contact.avatarLabel,\"preloaded-user-status\":_vm.preloadedUserStatus}}),_vm._v(\" \"),_c('a',{staticClass:\"contact__body\",attrs:{\"href\":_vm.contact.profileUrl || _vm.contact.topAction?.hyperlink}},[_c('div',{staticClass:\"contact__body__full-name\"},[_vm._v(_vm._s(_vm.contact.fullName))]),_vm._v(\" \"),(_vm.contact.lastMessage)?_c('div',{staticClass:\"contact__body__last-message\"},[_vm._v(_vm._s(_vm.contact.lastMessage))]):_vm._e(),_vm._v(\" \"),(_vm.contact.statusMessage)?_c('div',{staticClass:\"contact__body__status-message\"},[_vm._v(_vm._s(_vm.contact.statusMessage))]):_c('div',{staticClass:\"contact__body__email-address\"},[_vm._v(_vm._s(_vm.contact.emailAddresses[0]))])]),_vm._v(\" \"),(_vm.actions.length)?_c('NcActions',{attrs:{\"inline\":_vm.contact.topAction ? 1 : 0}},[_vm._l((_vm.actions),function(action,idx){return [(action.hyperlink !== '#')?_c('NcActionLink',{key:idx,staticClass:\"other-actions\",attrs:{\"href\":action.hyperlink},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('img',{staticClass:\"contact__action__icon\",attrs:{\"aria-hidden\":\"true\",\"src\":action.icon}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(action.title)+\"\\n\\t\\t\\t\")]):_c('NcActionText',{key:idx,staticClass:\"other-actions\",scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('img',{staticClass:\"contact__action__icon\",attrs:{\"aria-hidden\":\"true\",\"src\":action.icon}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(action.title)+\"\\n\\t\\t\\t\")])]})],2):_vm._e()],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { getLoggerBuilder } from '@nextcloud/logger'\n\nconst getLogger = user => {\n\tif (user === null) {\n\t\treturn getLoggerBuilder()\n\t\t\t.setApp('core')\n\t\t\t.build()\n\t}\n\treturn getLoggerBuilder()\n\t\t.setApp('core')\n\t\t.setUid(user.uid)\n\t\t.build()\n}\n\nexport default getLogger(getCurrentUser())\n\nexport const unifiedSearchLogger = getLoggerBuilder()\n\t.setApp('unified-search')\n\t.detectUser()\n\t.build()\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport L10n from '../OC/l10n.js'\nimport OC from '../OC/index.js'\n\nexport default {\n\tdata() {\n\t\treturn {\n\t\t\tOC,\n\t\t}\n\t},\n\tmethods: {\n\t\tt: L10n.translate.bind(L10n),\n\t\tn: L10n.translatePlural.bind(L10n),\n\t},\n}\n","\n\n\n\n\n\n\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=script&lang=js\"","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=style&index=0&id=5cad18ba&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ContactsMenu.vue?vue&type=style&index=0&id=5cad18ba&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./ContactsMenu.vue?vue&type=template&id=5cad18ba&scoped=true\"\nimport script from \"./ContactsMenu.vue?vue&type=script&lang=js\"\nexport * from \"./ContactsMenu.vue?vue&type=script&lang=js\"\nimport style0 from \"./ContactsMenu.vue?vue&type=style&index=0&id=5cad18ba&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"5cad18ba\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('nav',{ref:\"appMenu\",staticClass:\"app-menu\",attrs:{\"aria-label\":_vm.t('core', 'Applications menu')}},[_c('ul',{staticClass:\"app-menu__list\",attrs:{\"aria-label\":_vm.t('core', 'Apps')}},_vm._l((_vm.mainAppList),function(app){return _c('AppMenuEntry',{key:app.id,attrs:{\"app\":app}})}),1),_vm._v(\" \"),_c('NcActions',{staticClass:\"app-menu__overflow\",attrs:{\"aria-label\":_vm.t('core', 'More apps')}},_vm._l((_vm.popoverAppList),function(app){return _c('NcActionLink',{key:app.id,staticClass:\"app-menu__overflow-entry\",attrs:{\"aria-current\":app.active ? 'page' : false,\"href\":app.href,\"icon\":app.icon}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(app.name)+\"\\n\\t\\t\")])}),1)],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Circle.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Circle.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Circle.vue?vue&type=template&id=cd98ea1e\"\nimport script from \"./Circle.vue?vue&type=script&lang=js\"\nexport * from \"./Circle.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon circle-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('span',{staticClass:\"app-menu-icon\",attrs:{\"role\":\"img\",\"aria-hidden\":_setup.ariaHidden,\"aria-label\":_setup.ariaLabel}},[_c('img',{staticClass:\"app-menu-icon__icon\",attrs:{\"src\":_vm.app.icon,\"alt\":\"\"}}),_vm._v(\" \"),(_vm.app.unread)?_c(_setup.IconDot,{staticClass:\"app-menu-icon__unread\",attrs:{\"size\":10}}):_vm._e()],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=style&index=0&id=e7078f90&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuIcon.vue?vue&type=style&index=0&id=e7078f90&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AppMenuIcon.vue?vue&type=template&id=e7078f90&scoped=true\"\nimport script from \"./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./AppMenuIcon.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./AppMenuIcon.vue?vue&type=style&index=0&id=e7078f90&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"e7078f90\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('li',{ref:\"containerElement\",staticClass:\"app-menu-entry\",class:{\n\t\t'app-menu-entry--active': _vm.app.active,\n\t\t'app-menu-entry--truncated': _setup.needsSpace,\n\t}},[_c('a',{staticClass:\"app-menu-entry__link\",attrs:{\"href\":_vm.app.href,\"title\":_vm.app.name,\"aria-current\":_vm.app.active ? 'page' : false,\"target\":_vm.app.target ? '_blank' : undefined,\"rel\":_vm.app.target ? 'noopener noreferrer' : undefined}},[_c(_setup.AppMenuIcon,{staticClass:\"app-menu-entry__icon\",attrs:{\"app\":_vm.app}}),_vm._v(\" \"),_c('span',{ref:\"labelElement\",staticClass:\"app-menu-entry__label\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.app.name)+\"\\n\\t\\t\")])],1)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=0&id=9736071a&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=0&id=9736071a&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=1&id=9736071a&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenuEntry.vue?vue&type=style&index=1&id=9736071a&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AppMenuEntry.vue?vue&type=template&id=9736071a&scoped=true\"\nimport script from \"./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./AppMenuEntry.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./AppMenuEntry.vue?vue&type=style&index=0&id=9736071a&prod&scoped=true&lang=scss\"\nimport style1 from \"./AppMenuEntry.vue?vue&type=style&index=1&id=9736071a&prod&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"9736071a\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=style&index=0&id=7661a89b&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AppMenu.vue?vue&type=style&index=0&id=7661a89b&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AppMenu.vue?vue&type=template&id=7661a89b&scoped=true\"\nimport script from \"./AppMenu.vue?vue&type=script&lang=ts\"\nexport * from \"./AppMenu.vue?vue&type=script&lang=ts\"\nimport style0 from \"./AppMenu.vue?vue&type=style&index=0&id=7661a89b&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"7661a89b\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcListItem',{attrs:{\"id\":_vm.profileEnabled ? undefined : _vm.id,\"anchor-id\":_vm.id,\"active\":_vm.active,\"compact\":\"\",\"href\":_vm.profileEnabled ? _vm.href : undefined,\"name\":_vm.displayName,\"target\":\"_self\"},scopedSlots:_vm._u([(_vm.profileEnabled)?{key:\"subname\",fn:function(){return [_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.name)+\"\\n\\t\")]},proxy:true}:null,(_vm.loading)?{key:\"indicator\",fn:function(){return [_c('NcLoadingIcon')]},proxy:true}:null],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./AccountMenuProfileEntry.vue?vue&type=template&id=348dadc6\"\nimport script from \"./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"\nexport * from \"./AccountMenuProfileEntry.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","\n\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=style&index=0&id=2e0a74a6&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenuEntry.vue?vue&type=style&index=0&id=2e0a74a6&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AccountMenuEntry.vue?vue&type=template&id=2e0a74a6&scoped=true\"\nimport script from \"./AccountMenuEntry.vue?vue&type=script&lang=js\"\nexport * from \"./AccountMenuEntry.vue?vue&type=script&lang=js\"\nimport style0 from \"./AccountMenuEntry.vue?vue&type=style&index=0&id=2e0a74a6&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"2e0a74a6\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcListItem',{staticClass:\"account-menu-entry\",attrs:{\"id\":_vm.href ? undefined : _vm.id,\"anchor-id\":_vm.id,\"active\":_vm.active,\"compact\":\"\",\"href\":_vm.href,\"name\":_vm.name,\"target\":\"_self\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('img',{staticClass:\"account-menu-entry__icon\",class:{ 'account-menu-entry__icon--active': _vm.active },attrs:{\"src\":_vm.iconSource,\"alt\":\"\"}})]},proxy:true},(_vm.loading)?{key:\"indicator\",fn:function(){return [_c('NcLoadingIcon')]},proxy:true}:null],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcHeaderMenu',{staticClass:\"account-menu\",attrs:{\"id\":\"user-menu\",\"is-nav\":\"\",\"aria-label\":_vm.t('core', 'Settings menu'),\"description\":_vm.avatarDescription},scopedSlots:_vm._u([{key:\"trigger\",fn:function(){return [_c('NcAvatar',{key:String(_vm.showUserStatus),staticClass:\"account-menu__avatar\",attrs:{\"disable-menu\":\"\",\"disable-tooltip\":\"\",\"show-user-status\":_vm.showUserStatus,\"user\":_vm.currentUserId,\"preloaded-user-status\":_vm.userStatus}})]},proxy:true}])},[_vm._v(\" \"),_c('ul',{staticClass:\"account-menu__list\"},[_c('AccountMenuProfileEntry',{attrs:{\"id\":_vm.profileEntry.id,\"name\":_vm.profileEntry.name,\"href\":_vm.profileEntry.href,\"active\":_vm.profileEntry.active}}),_vm._v(\" \"),_vm._l((_vm.otherEntries),function(entry){return _c('AccountMenuEntry',{key:entry.id,attrs:{\"id\":entry.id,\"name\":entry.name,\"href\":entry.href,\"active\":entry.active,\"icon\":entry.icon}})})],2)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * SPDX-FileCopyrightText: 2020 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { translate as t } from '@nextcloud/l10n'\n\n/**\n * Returns a list of all user-definable statuses\n *\n * @return {object[]}\n */\nconst getAllStatusOptions = () => {\n\treturn [{\n\t\ttype: 'online',\n\t\tlabel: t('user_status', 'Online'),\n\t}, {\n\t\ttype: 'away',\n\t\tlabel: t('user_status', 'Away'),\n\t}, {\n\t\ttype: 'dnd',\n\t\tlabel: t('user_status', 'Do not disturb'),\n\t\tsubline: t('user_status', 'Mute all notifications'),\n\t}, {\n\t\ttype: 'invisible',\n\t\tlabel: t('user_status', 'Invisible'),\n\t\tsubline: t('user_status', 'Appear offline'),\n\t}]\n}\n\nexport {\n\tgetAllStatusOptions,\n}\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=style&index=0&id=a886d77a&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../node_modules/css-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/sass-loader/dist/cjs.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AccountMenu.vue?vue&type=style&index=0&id=a886d77a&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AccountMenu.vue?vue&type=template&id=a886d77a&scoped=true\"\nimport script from \"./AccountMenu.vue?vue&type=script&lang=ts\"\nexport * from \"./AccountMenu.vue?vue&type=script&lang=ts\"\nimport style0 from \"./AccountMenu.vue?vue&type=style&index=0&id=a886d77a&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"a886d77a\",\n null\n \n)\n\nexport default component.exports","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { generateUrl, getRootUrl } from '@nextcloud/router'\n\n/**\n *\n * @param {string} url the URL to check\n * @return {boolean}\n */\nconst isRelativeUrl = (url) => {\n\treturn !url.startsWith('https://') && !url.startsWith('http://')\n}\n\n/**\n * @param {string} url The URL to check\n * @return {boolean} true if the URL points to this nextcloud instance\n */\nconst isNextcloudUrl = (url) => {\n\tconst nextcloudBaseUrl = window.location.protocol + '//' + window.location.host + getRootUrl()\n\t// if the URL is absolute and starts with the baseUrl+rootUrl\n\t// OR if the URL is relative and starts with rootUrl\n\treturn url.startsWith(nextcloudBaseUrl)\n\t\t|| (isRelativeUrl(url) && url.startsWith(getRootUrl()))\n}\n\n/**\n * Check if a user was logged in but is now logged-out.\n * If this is the case then the user will be forwarded to the login page.\n * @returns {Promise}\n */\nasync function checkLoginStatus() {\n\t// skip if no logged in user\n\tif (getCurrentUser() === null) {\n\t\treturn\n\t}\n\n\t// skip if already running\n\tif (checkLoginStatus.running === true) {\n\t\treturn\n\t}\n\n\t// only run one request in parallel\n\tcheckLoginStatus.running = true\n\n\ttry {\n\t\t// We need to check this as a 401 in the first place could also come from other reasons\n\t\tconst { status } = await window.fetch(generateUrl('/apps/files'))\n\t\tif (status === 401) {\n\t\t\tconsole.warn('User session was terminated, forwarding to login page.')\n\t\t\twindow.location = generateUrl('/login?redirect_url={url}', {\n\t\t\t\turl: window.location.pathname + window.location.search + window.location.hash,\n\t\t\t})\n\t\t}\n\t} catch (error) {\n\t\tconsole.warn('Could not check login-state')\n\t} finally {\n\t\tdelete checkLoginStatus.running\n\t}\n}\n\n/**\n * Intercept XMLHttpRequest and fetch API calls to add X-Requested-With header\n *\n * This is also done in @nextcloud/axios but not all requests pass through that\n */\nexport const interceptRequests = () => {\n\tXMLHttpRequest.prototype.open = (function(open) {\n\t\treturn function(method, url, async) {\n\t\t\topen.apply(this, arguments)\n\t\t\tif (isNextcloudUrl(url)) {\n\t\t\t\tif (!this.getResponseHeader('X-Requested-With')) {\n\t\t\t\t\tthis.setRequestHeader('X-Requested-With', 'XMLHttpRequest')\n\t\t\t\t}\n\t\t\t\tthis.addEventListener('loadend', function() {\n\t\t\t\t\tif (this.status === 401) {\n\t\t\t\t\t\tcheckLoginStatus()\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t}\n\t\t}\n\t})(XMLHttpRequest.prototype.open)\n\n\twindow.fetch = (function(fetch) {\n\t\treturn async (resource, options) => {\n\t\t\t// fetch allows the `input` to be either a Request object or any stringifyable value\n\t\t\tif (!isNextcloudUrl(resource.url ?? resource.toString())) {\n\t\t\t\treturn await fetch(resource, options)\n\t\t\t}\n\t\t\tif (!options) {\n\t\t\t\toptions = {}\n\t\t\t}\n\t\t\tif (!options.headers) {\n\t\t\t\toptions.headers = new Headers()\n\t\t\t}\n\n\t\t\tif (options.headers instanceof Headers && !options.headers.has('X-Requested-With')) {\n\t\t\t\toptions.headers.append('X-Requested-With', 'XMLHttpRequest')\n\t\t\t} else if (options.headers instanceof Object && !options.headers['X-Requested-With']) {\n\t\t\t\toptions.headers['X-Requested-With'] = 'XMLHttpRequest'\n\t\t\t}\n\n\t\t\tconst response = await fetch(resource, options)\n\t\t\tif (response.status === 401) {\n\t\t\t\tcheckLoginStatus()\n\t\t\t}\n\t\t\treturn response\n\t\t}\n\t})(window.fetch)\n}\n","/**\n * SPDX-FileCopyrightText: 2024 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { t } from '@nextcloud/l10n';\n/**\n *\n * @param text\n */\nfunction unsecuredCopyToClipboard(text) {\n const textArea = document.createElement('textarea');\n const textAreaContent = document.createTextNode(text);\n textArea.appendChild(textAreaContent);\n document.body.appendChild(textArea);\n textArea.focus({ preventScroll: true });\n textArea.select();\n try {\n // This is a fallback for browsers that do not support the Clipboard API\n // execCommand is deprecated, but it is the only way to copy text to the clipboard in some browsers\n document.execCommand('copy');\n }\n catch (err) {\n window.prompt(t('core', 'Clipboard not available, please copy manually'), text);\n console.error('[ERROR] core: files Unable to copy to clipboard', err);\n }\n document.body.removeChild(textArea);\n}\n/**\n *\n */\nfunction initFallbackClipboardAPI() {\n if (!window.navigator?.clipboard?.writeText) {\n console.info('[INFO] core: Clipboard API not available, using fallback');\n Object.defineProperty(window.navigator, 'clipboard', {\n value: {\n writeText: unsecuredCopyToClipboard,\n },\n writable: false,\n });\n }\n}\nexport { initFallbackClipboardAPI };\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* globals Snap */\nimport _ from 'underscore'\nimport $ from 'jquery'\nimport moment from 'moment'\n\nimport { initSessionHeartBeat } from './session-heartbeat.js'\nimport OC from './OC/index.js'\nimport { setUp as setUpContactsMenu } from './components/ContactsMenu.js'\nimport { setUp as setUpMainMenu } from './components/MainMenu.js'\nimport { setUp as setUpUserMenu } from './components/UserMenu.js'\nimport { interceptRequests } from './utils/xhr-request.js'\nimport { initFallbackClipboardAPI } from './utils/ClipboardFallback.ts'\n\n// keep in sync with core/css/variables.scss\nconst breakpointMobileWidth = 1024\n\nconst initLiveTimestamps = () => {\n\t// Update live timestamps every 30 seconds\n\tsetInterval(() => {\n\t\t$('.live-relative-timestamp').each(function() {\n\t\t\tconst timestamp = parseInt($(this).attr('data-timestamp'), 10)\n\t\t\t$(this).text(moment(timestamp).fromNow())\n\t\t})\n\t}, 30 * 1000)\n}\n\n/**\n * Moment doesn't have aliases for every locale and doesn't parse some locale IDs correctly so we need to alias them\n */\nconst localeAliases = {\n\tzh: 'zh-cn',\n\tzh_Hans: 'zh-cn',\n\tzh_Hans_CN: 'zh-cn',\n\tzh_Hans_HK: 'zh-cn',\n\tzh_Hans_MO: 'zh-cn',\n\tzh_Hans_SG: 'zh-cn',\n\tzh_Hant: 'zh-hk',\n\tzh_Hant_HK: 'zh-hk',\n\tzh_Hant_MO: 'zh-mo',\n\tzh_Hant_TW: 'zh-tw',\n}\nlet locale = OC.getLocale()\nif (Object.prototype.hasOwnProperty.call(localeAliases, locale)) {\n\tlocale = localeAliases[locale]\n}\n\n/**\n * Set users locale to moment.js as soon as possible\n */\nmoment.locale(locale)\n\n/**\n * Initializes core\n */\nexport const initCore = () => {\n\tinterceptRequests()\n\tinitFallbackClipboardAPI()\n\n\t$(window).on('unload.main', () => { OC._unloadCalled = true })\n\t$(window).on('beforeunload.main', () => {\n\t\t// super-trick thanks to http://stackoverflow.com/a/4651049\n\t\t// in case another handler displays a confirmation dialog (ex: navigating away\n\t\t// during an upload), there are two possible outcomes: user clicked \"ok\" or\n\t\t// \"cancel\"\n\n\t\t// first timeout handler is called after unload dialog is closed\n\t\tsetTimeout(() => {\n\t\t\tOC._userIsNavigatingAway = true\n\n\t\t\t// second timeout event is only called if user cancelled (Chrome),\n\t\t\t// but in other browsers it might still be triggered, so need to\n\t\t\t// set a higher delay...\n\t\t\tsetTimeout(() => {\n\t\t\t\tif (!OC._unloadCalled) {\n\t\t\t\t\tOC._userIsNavigatingAway = false\n\t\t\t\t}\n\t\t\t}, 10000)\n\t\t}, 1)\n\t})\n\t$(document).on('ajaxError.main', function(event, request, settings) {\n\t\tif (settings && settings.allowAuthErrors) {\n\t\t\treturn\n\t\t}\n\t\tOC._processAjaxError(request)\n\t})\n\n\tinitSessionHeartBeat()\n\n\tOC.registerMenu($('#expand'), $('#expanddiv'), false, true)\n\n\t// toggle for menus\n\t$(document).on('mouseup.closemenus', event => {\n\t\tconst $el = $(event.target)\n\t\tif ($el.closest('.menu').length || $el.closest('.menutoggle').length) {\n\t\t\t// don't close when clicking on the menu directly or a menu toggle\n\t\t\treturn false\n\t\t}\n\n\t\tOC.hideMenus()\n\t})\n\n\tsetUpMainMenu()\n\tsetUpUserMenu()\n\tsetUpContactsMenu()\n\n\t// just add snapper for logged in users\n\t// and if the app doesn't handle the nav slider itself\n\tif ($('#app-navigation').length && !$('html').hasClass('lte9')\n\t\t&& !$('#app-content').hasClass('no-snapper')) {\n\n\t\t// App sidebar on mobile\n\t\tconst snapper = new Snap({\n\t\t\telement: document.getElementById('app-content'),\n\t\t\tdisable: 'right',\n\t\t\tmaxPosition: 300, // $navigation-width\n\t\t\tminDragDistance: 100,\n\t\t})\n\n\t\t$('#app-content').prepend('
            ')\n\n\t\t// keep track whether snapper is currently animating, and\n\t\t// prevent to call open or close while that is the case\n\t\t// to avoid duplicating events (snap.js doesn't check this)\n\t\tlet animating = false\n\t\tsnapper.on('animating', () => {\n\t\t\t// we need this because the trigger button\n\t\t\t// is also implicitly wired to close by snapper\n\t\t\tanimating = true\n\t\t})\n\t\tsnapper.on('animated', () => {\n\t\t\tanimating = false\n\t\t})\n\t\tsnapper.on('start', () => {\n\t\t\t// we need this because dragging triggers that\n\t\t\tanimating = true\n\t\t})\n\t\tsnapper.on('end', () => {\n\t\t\t// we need this because dragging stop triggers that\n\t\t\tanimating = false\n\t\t})\n\t\tsnapper.on('open', () => {\n\t\t\t$appNavigation.attr('aria-hidden', 'false')\n\t\t})\n\t\tsnapper.on('close', () => {\n\t\t\t$appNavigation.attr('aria-hidden', 'true')\n\t\t})\n\n\t\t// These are necessary because calling open or close\n\t\t// on snapper during an animation makes it trigger an\n\t\t// unfinishable animation, which itself will continue\n\t\t// triggering animating events and cause high CPU load,\n\t\t//\n\t\t// Ref https://github.com/jakiestfu/Snap.js/issues/216\n\t\tconst oldSnapperOpen = snapper.open\n\t\tconst oldSnapperClose = snapper.close\n\t\tconst _snapperOpen = () => {\n\t\t\tif (animating || snapper.state().state !== 'closed') {\n\t\t\t\treturn\n\t\t\t}\n\t\t\toldSnapperOpen('left')\n\t\t}\n\n\t\tconst _snapperClose = () => {\n\t\t\tif (animating || snapper.state().state === 'closed') {\n\t\t\t\treturn\n\t\t\t}\n\t\t\toldSnapperClose()\n\t\t}\n\n\t\t// Needs to be deferred to properly catch in-between\n\t\t// events that snap.js is triggering after dragging.\n\t\t//\n\t\t// Skipped when running unit tests as we are not testing\n\t\t// the snap.js workarounds...\n\t\tif (!window.TESTING) {\n\t\t\tsnapper.open = () => {\n\t\t\t\t_.defer(_snapperOpen)\n\t\t\t}\n\t\t\tsnapper.close = () => {\n\t\t\t\t_.defer(_snapperClose)\n\t\t\t}\n\t\t}\n\n\t\t$('#app-navigation-toggle').click((e) => {\n\t\t\t// close is implicit in the button by snap.js\n\t\t\tif (snapper.state().state !== 'left') {\n\t\t\t\tsnapper.open()\n\t\t\t}\n\t\t})\n\t\t$('#app-navigation-toggle').keypress(e => {\n\t\t\tif (snapper.state().state === 'left') {\n\t\t\t\tsnapper.close()\n\t\t\t} else {\n\t\t\t\tsnapper.open()\n\t\t\t}\n\t\t})\n\n\t\t// close sidebar when switching navigation entry\n\t\tconst $appNavigation = $('#app-navigation')\n\t\t$appNavigation.attr('aria-hidden', 'true')\n\t\t$appNavigation.delegate('a, :button', 'click', event => {\n\t\t\tconst $target = $(event.target)\n\t\t\t// don't hide navigation when changing settings or adding things\n\t\t\tif ($target.is('.app-navigation-noclose')\n\t\t\t\t|| $target.closest('.app-navigation-noclose').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tif ($target.is('.app-navigation-entry-utils-menu-button')\n\t\t\t\t|| $target.closest('.app-navigation-entry-utils-menu-button').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tif ($target.is('.add-new')\n\t\t\t\t|| $target.closest('.add-new').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tif ($target.is('#app-settings')\n\t\t\t\t|| $target.closest('#app-settings').length) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\tsnapper.close()\n\t\t})\n\n\t\tlet navigationBarSlideGestureEnabled = false\n\t\tlet navigationBarSlideGestureAllowed = true\n\t\tlet navigationBarSlideGestureEnablePending = false\n\n\t\tOC.allowNavigationBarSlideGesture = () => {\n\t\t\tnavigationBarSlideGestureAllowed = true\n\n\t\t\tif (navigationBarSlideGestureEnablePending) {\n\t\t\t\tsnapper.enable()\n\n\t\t\t\tnavigationBarSlideGestureEnabled = true\n\t\t\t\tnavigationBarSlideGestureEnablePending = false\n\t\t\t}\n\t\t}\n\n\t\tOC.disallowNavigationBarSlideGesture = () => {\n\t\t\tnavigationBarSlideGestureAllowed = false\n\n\t\t\tif (navigationBarSlideGestureEnabled) {\n\t\t\t\tconst endCurrentDrag = true\n\t\t\t\tsnapper.disable(endCurrentDrag)\n\n\t\t\t\tnavigationBarSlideGestureEnabled = false\n\t\t\t\tnavigationBarSlideGestureEnablePending = true\n\t\t\t}\n\t\t}\n\n\t\tconst toggleSnapperOnSize = () => {\n\t\t\tif ($(window).width() > breakpointMobileWidth) {\n\t\t\t\t$appNavigation.attr('aria-hidden', 'false')\n\t\t\t\tsnapper.close()\n\t\t\t\tsnapper.disable()\n\n\t\t\t\tnavigationBarSlideGestureEnabled = false\n\t\t\t\tnavigationBarSlideGestureEnablePending = false\n\t\t\t} else if (navigationBarSlideGestureAllowed) {\n\t\t\t\tsnapper.enable()\n\n\t\t\t\tnavigationBarSlideGestureEnabled = true\n\t\t\t\tnavigationBarSlideGestureEnablePending = false\n\t\t\t} else {\n\t\t\t\tnavigationBarSlideGestureEnablePending = true\n\t\t\t}\n\t\t}\n\n\t\t$(window).resize(_.debounce(toggleSnapperOnSize, 250))\n\n\t\t// initial call\n\t\ttoggleSnapperOnSize()\n\n\t}\n\n\tinitLiveTimestamps()\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n'\nimport Vue from 'vue'\n\nimport AppMenu from './AppMenu.vue'\n\nexport const setUp = () => {\n\n\tVue.mixin({\n\t\tmethods: {\n\t\t\tt,\n\t\t\tn,\n\t\t},\n\t})\n\n\tconst container = document.getElementById('header-start__appmenu')\n\tif (!container) {\n\t\t// no container, possibly we're on a public page\n\t\treturn\n\t}\n\tconst AppMenuApp = Vue.extend(AppMenu)\n\tconst appMenu = new AppMenuApp({}).$mount(container)\n\n\tObject.assign(OC, {\n\t\tsetNavigationCounter(id, counter) {\n\t\t\tappMenu.setNavigationCounter(id, counter)\n\t\t},\n\t})\n\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Vue from 'vue'\n\nimport AccountMenu from '../views/AccountMenu.vue'\n\nexport const setUp = () => {\n\tconst mountPoint = document.getElementById('user-menu')\n\tif (mountPoint) {\n\t\t// eslint-disable-next-line no-new\n\t\tnew Vue({\n\t\t\tname: 'AccountMenuRoot',\n\t\t\tel: mountPoint,\n\t\t\trender: h => h(AccountMenu),\n\t\t})\n\t}\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Vue from 'vue'\n\nimport ContactsMenu from '../views/ContactsMenu.vue'\n\n/**\n * @todo move to contacts menu code https://github.com/orgs/nextcloud/projects/31#card-21213129\n */\nexport const setUp = () => {\n\tconst mountPoint = document.getElementById('contactsmenu')\n\tif (mountPoint) {\n\t\t// eslint-disable-next-line no-new\n\t\tnew Vue({\n\t\t\tname: 'ContactsMenuRoot',\n\t\t\tel: mountPoint,\n\t\t\trender: h => h(ContactsMenu),\n\t\t})\n\t}\n}\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./jquery-ui.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./jquery-ui.css\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./jquery-ui.theme.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./jquery-ui.theme.css\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./select2.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./select2.css\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../css-loader/dist/cjs.js!./strengthify.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../css-loader/dist/cjs.js!./strengthify.css\";\n export default content && content.locals ? content.locals : undefined;\n","/**\n * SPDX-FileCopyrightText: 2017 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/*\n * Detects links:\n * Either the http(s) protocol is given or two strings, basically limited to ascii with the last\n * word being at least one digit long,\n * followed by at least another character\n *\n * The downside: anything not ascii is excluded. Not sure how common it is in areas using different\n * alphabets… the upside: fake domains with similar looking characters won't be formatted as links\n *\n * This is a copy of the backend regex in IURLGenerator, make sure to adjust both when changing\n */\nconst urlRegex = /(\\s|^)(https?:\\/\\/)([-A-Z0-9+_.]+(?::[0-9]+)?(?:\\/[-A-Z0-9+&@#%?=~_|!:,.;()]*)*)(\\s|$)/ig\n\n/**\n * @param {any} content -\n */\nexport function plainToRich(content) {\n\treturn this.formatLinksRich(content)\n}\n\n/**\n * @param {any} content -\n */\nexport function richToPlain(content) {\n\treturn this.formatLinksPlain(content)\n}\n\n/**\n * @param {any} content -\n */\nexport function formatLinksRich(content) {\n\treturn content.replace(urlRegex, function(_, leadingSpace, protocol, url, trailingSpace) {\n\t\tlet linkText = url\n\t\tif (!protocol) {\n\t\t\tprotocol = 'https://'\n\t\t} else if (protocol === 'http://') {\n\t\t\tlinkText = protocol + url\n\t\t}\n\n\t\treturn leadingSpace + '' + linkText + '' + trailingSpace\n\t})\n}\n\n/**\n * @param {any} content -\n */\nexport function formatLinksPlain(content) {\n\tconst $content = $('
            ').html(content)\n\t$content.find('a').each(function() {\n\t\tconst $this = $(this)\n\t\t$this.html($this.attr('href'))\n\t})\n\treturn $content.html()\n}\n","/**\n * SPDX-FileCopyrightText: 2017 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport _ from 'underscore'\nimport $ from 'jquery'\nimport { generateOcsUrl } from '@nextcloud/router'\n\n/**\n * @param {any} options -\n */\nexport function query(options) {\n\toptions = options || {}\n\tconst dismissOptions = options.dismiss || {}\n\t$.ajax({\n\t\ttype: 'GET',\n\t\turl: options.url || generateOcsUrl('core/whatsnew?format=json'),\n\t\tsuccess: options.success || function(data, statusText, xhr) {\n\t\t\tonQuerySuccess(data, statusText, xhr, dismissOptions)\n\t\t},\n\t\terror: options.error || onQueryError,\n\t})\n}\n\n/**\n * @param {any} version -\n * @param {any} options -\n */\nexport function dismiss(version, options) {\n\toptions = options || {}\n\t$.ajax({\n\t\ttype: 'POST',\n\t\turl: options.url || generateOcsUrl('core/whatsnew'),\n\t\tdata: { version: encodeURIComponent(version) },\n\t\tsuccess: options.success || onDismissSuccess,\n\t\terror: options.error || onDismissError,\n\t})\n\t// remove element immediately\n\t$('.whatsNewPopover').remove()\n}\n\n/**\n * @param {any} data -\n * @param {any} statusText -\n * @param {any} xhr -\n * @param {any} dismissOptions -\n */\nfunction onQuerySuccess(data, statusText, xhr, dismissOptions) {\n\tconsole.debug('querying Whats New data was successful: ' + statusText)\n\tconsole.debug(data)\n\n\tif (xhr.status !== 200) {\n\t\treturn\n\t}\n\n\tlet item, menuItem, text, icon\n\n\tconst div = document.createElement('div')\n\tdiv.classList.add('popovermenu', 'open', 'whatsNewPopover', 'menu-left')\n\n\tconst list = document.createElement('ul')\n\n\t// header\n\titem = document.createElement('li')\n\tmenuItem = document.createElement('span')\n\tmenuItem.className = 'menuitem'\n\n\ttext = document.createElement('span')\n\ttext.innerText = t('core', 'New in') + ' ' + data.ocs.data.product\n\ttext.className = 'caption'\n\tmenuItem.appendChild(text)\n\n\ticon = document.createElement('span')\n\ticon.className = 'icon-close'\n\ticon.onclick = function() {\n\t\tdismiss(data.ocs.data.version, dismissOptions)\n\t}\n\tmenuItem.appendChild(icon)\n\n\titem.appendChild(menuItem)\n\tlist.appendChild(item)\n\n\t// Highlights\n\tfor (const i in data.ocs.data.whatsNew.regular) {\n\t\tconst whatsNewTextItem = data.ocs.data.whatsNew.regular[i]\n\t\titem = document.createElement('li')\n\n\t\tmenuItem = document.createElement('span')\n\t\tmenuItem.className = 'menuitem'\n\n\t\ticon = document.createElement('span')\n\t\ticon.className = 'icon-checkmark'\n\t\tmenuItem.appendChild(icon)\n\n\t\ttext = document.createElement('p')\n\t\ttext.innerHTML = _.escape(whatsNewTextItem)\n\t\tmenuItem.appendChild(text)\n\n\t\titem.appendChild(menuItem)\n\t\tlist.appendChild(item)\n\t}\n\n\t// Changelog URL\n\tif (!_.isUndefined(data.ocs.data.changelogURL)) {\n\t\titem = document.createElement('li')\n\n\t\tmenuItem = document.createElement('a')\n\t\tmenuItem.href = data.ocs.data.changelogURL\n\t\tmenuItem.rel = 'noreferrer noopener'\n\t\tmenuItem.target = '_blank'\n\n\t\ticon = document.createElement('span')\n\t\ticon.className = 'icon-link'\n\t\tmenuItem.appendChild(icon)\n\n\t\ttext = document.createElement('span')\n\t\ttext.innerText = t('core', 'View changelog')\n\t\tmenuItem.appendChild(text)\n\n\t\titem.appendChild(menuItem)\n\t\tlist.appendChild(item)\n\t}\n\n\tdiv.appendChild(list)\n\tdocument.body.appendChild(div)\n}\n\n/**\n * @param {any} x -\n * @param {any} t -\n * @param {any} e -\n */\nfunction onQueryError(x, t, e) {\n\tconsole.debug('querying Whats New Data resulted in an error: ' + t + e)\n\tconsole.debug(x)\n}\n\n/**\n * @param {any} data -\n */\nfunction onDismissSuccess(data) {\n\t// noop\n}\n\n/**\n * @param {any} data -\n */\nfunction onDismissError(data) {\n\tconsole.debug('dismissing Whats New data resulted in an error: ' + data)\n}\n","/**\n * SPDX-FileCopyrightText: 2022 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { loadState } from '@nextcloud/initial-state'\n\n/**\n * Set the page heading\n *\n * @param {string} heading page title from the history api\n * @since 27.0.0\n */\nexport function setPageHeading(heading) {\n\tconst headingEl = document.getElementById('page-heading-level-1')\n\tif (headingEl) {\n\t\theadingEl.textContent = heading\n\t}\n}\nexport default {\n\t/**\n\t * @return {boolean} Whether the user opted-out of shortcuts so that they should not be registered\n\t */\n\tdisableKeyboardShortcuts() {\n\t\treturn loadState('theming', 'shortcutsDisabled', false)\n\t},\n\tsetPageHeading,\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport escapeHTML from 'escape-html'\n\n/**\n * @typedef TypeDefinition\n * @function action This action is executed to let the user select a resource\n * @param {string} icon Contains the icon css class for the type\n * @function Object() { [native code] }\n */\n\n/**\n * @type {TypeDefinition[]}\n */\nconst types = {}\n\n/**\n * Those translations will be used by the vue component but they should be shipped with the server\n * FIXME: Those translations should be added to the library\n *\n * @return {Array}\n */\nexport const l10nProjects = () => {\n\treturn [\n\t\tt('core', 'Add to a project'),\n\t\tt('core', 'Show details'),\n\t\tt('core', 'Hide details'),\n\t\tt('core', 'Rename project'),\n\t\tt('core', 'Failed to rename the project'),\n\t\tt('core', 'Failed to create a project'),\n\t\tt('core', 'Failed to add the item to the project'),\n\t\tt('core', 'Connect items to a project to make them easier to find'),\n\t\tt('core', 'Type to search for existing projects'),\n\t]\n}\n\nexport default {\n\t/**\n\t *\n\t * @param {string} type type\n\t * @param {TypeDefinition} typeDefinition typeDefinition\n\t */\n\tregisterType(type, typeDefinition) {\n\t\ttypes[type] = typeDefinition\n\t},\n\ttrigger(type) {\n\t\treturn types[type].action()\n\t},\n\tgetTypes() {\n\t\treturn Object.keys(types)\n\t},\n\tgetIcon(type) {\n\t\treturn types[type].typeIconClass || ''\n\t},\n\tgetLabel(type) {\n\t\treturn escapeHTML(types[type].typeString || type)\n\t},\n\tgetLink(type, id) {\n\t\t/* TODO: Allow action to be executed instead of href as well */\n\t\treturn typeof types[type] !== 'undefined' ? types[type].link(id) : ''\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { generateFilePath } from '@nextcloud/router'\n\nconst loadedScripts = {}\nconst loadedStylesheets = {}\n/**\n * @namespace OCP\n * @class Loader\n */\nexport default {\n\n\t/**\n\t * Load a script asynchronously\n\t *\n\t * @param {string} app the app name\n\t * @param {string} file the script file name\n\t * @return {Promise}\n\t */\n\tloadScript(app, file) {\n\t\tconst key = app + file\n\t\tif (Object.prototype.hasOwnProperty.call(loadedScripts, key)) {\n\t\t\treturn Promise.resolve()\n\t\t}\n\t\tloadedScripts[key] = true\n\t\treturn new Promise(function(resolve, reject) {\n\t\t\tconst scriptPath = generateFilePath(app, 'js', file)\n\t\t\tconst script = document.createElement('script')\n\t\t\tscript.src = scriptPath\n\t\t\tscript.setAttribute('nonce', btoa(OC.requestToken))\n\t\t\tscript.onload = () => resolve()\n\t\t\tscript.onerror = () => reject(new Error(`Failed to load script from ${scriptPath}`))\n\t\t\tdocument.head.appendChild(script)\n\t\t})\n\t},\n\n\t/**\n\t * Load a stylesheet file asynchronously\n\t *\n\t * @param {string} app the app name\n\t * @param {string} file the script file name\n\t * @return {Promise}\n\t */\n\tloadStylesheet(app, file) {\n\t\tconst key = app + file\n\t\tif (Object.prototype.hasOwnProperty.call(loadedStylesheets, key)) {\n\t\t\treturn Promise.resolve()\n\t\t}\n\t\tloadedStylesheets[key] = true\n\t\treturn new Promise(function(resolve, reject) {\n\t\t\tconst stylePath = generateFilePath(app, 'css', file)\n\t\t\tconst link = document.createElement('link')\n\t\t\tlink.href = stylePath\n\t\t\tlink.type = 'text/css'\n\t\t\tlink.rel = 'stylesheet'\n\t\t\tlink.onload = () => resolve()\n\t\t\tlink.onerror = () => reject(new Error(`Failed to load stylesheet from ${stylePath}`))\n\t\t\tdocument.head.appendChild(link)\n\t\t})\n\t},\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport {\n\tshowError,\n\tshowInfo, showMessage,\n\tshowSuccess,\n\tshowWarning,\n} from '@nextcloud/dialogs'\n\n/** @typedef {import('toastify-js')} Toast */\n\nexport default {\n\t/**\n\t * @deprecated 19.0.0 use `showSuccess` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\tsuccess(text, options) {\n\t\treturn showSuccess(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showWarning` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\twarning(text, options) {\n\t\treturn showWarning(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showError` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\terror(text, options) {\n\t\treturn showError(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showInfo` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\tinfo(text, options) {\n\t\treturn showInfo(text, options)\n\t},\n\t/**\n\t * @deprecated 19.0.0 use `showMessage` from the `@nextcloud/dialogs` package instead\n\t *\n\t * @param {string} text the toast text\n\t * @param {object} options options\n\t * @return {Toast}\n\t */\n\tmessage(text, options) {\n\t\treturn showMessage(text, options)\n\t},\n\n}\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { loadState } from '@nextcloud/initial-state'\n\nimport * as AppConfig from './appconfig.js'\nimport * as Comments from './comments.js'\nimport * as WhatsNew from './whatsnew.js'\n\nimport Accessibility from './accessibility.js'\nimport Collaboration from './collaboration.js'\nimport Loader from './loader.js'\nimport Toast from './toast.js'\n\n/** @namespace OCP */\nexport default {\n\tAccessibility,\n\tAppConfig,\n\tCollaboration,\n\tComments,\n\tInitialState: {\n\t\t/**\n\t\t * @deprecated 18.0.0 add https://www.npmjs.com/package/@nextcloud/initial-state to your app\n\t\t */\n\t\tloadState,\n\t},\n\tLoader,\n\t/**\n\t * @deprecated 19.0.0 use the `@nextcloud/dialogs` package instead\n\t */\n\tToast,\n\tWhatsNew,\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable @nextcloud/no-deprecations */\nimport { initCore } from './init.js'\n\nimport _ from 'underscore'\nimport $ from 'jquery'\n// TODO: switch to `jquery-ui` package and import widgets and effects individually\n// `jquery-ui-dist` is used as a workaround for the issue of missing effects\nimport 'jquery-ui-dist/jquery-ui.js'\nimport 'jquery-ui-dist/jquery-ui.css'\nimport 'jquery-ui-dist/jquery-ui.theme.css'\n// END TODO\nimport Backbone from 'backbone'\nimport ClipboardJS from 'clipboard'\nimport { dav } from 'davclient.js'\nimport Handlebars from 'handlebars'\nimport md5 from 'blueimp-md5'\nimport moment from 'moment'\nimport 'select2'\nimport 'select2/select2.css'\nimport 'snap.js/dist/snap.js'\nimport 'strengthify'\nimport 'strengthify/strengthify.css'\n\nimport OC from './OC/index.js'\nimport OCP from './OCP/index.js'\nimport OCA from './OCA/index.js'\nimport { getToken as getRequestToken } from './OC/requesttoken.js'\n\nconst warnIfNotTesting = function() {\n\tif (window.TESTING === undefined) {\n\t\tOC.debug && console.warn.apply(console, arguments)\n\t}\n}\n\n/**\n * Mark a function as deprecated and automatically\n * warn if used!\n *\n * @param {Function} func the library to deprecate\n * @param {string} funcName the name of the library\n * @param {number} version the version this gets removed\n * @return {Function}\n */\nconst deprecate = (func, funcName, version) => {\n\tconst oldFunc = func\n\tconst newFunc = function() {\n\t\twarnIfNotTesting(`The ${funcName} library is deprecated! It will be removed in nextcloud ${version}.`)\n\t\treturn oldFunc.apply(this, arguments)\n\t}\n\tObject.assign(newFunc, oldFunc)\n\treturn newFunc\n}\n\nconst setDeprecatedProp = (global, cb, msg) => {\n\t(Array.isArray(global) ? global : [global]).forEach(global => {\n\t\tif (window[global] !== undefined) {\n\t\t\tdelete window[global]\n\t\t}\n\t\tObject.defineProperty(window, global, {\n\t\t\tget: () => {\n\t\t\t\tif (msg) {\n\t\t\t\t\twarnIfNotTesting(`${global} is deprecated: ${msg}`)\n\t\t\t\t} else {\n\t\t\t\t\twarnIfNotTesting(`${global} is deprecated`)\n\t\t\t\t}\n\n\t\t\t\treturn cb()\n\t\t\t},\n\t\t})\n\t})\n}\n\nwindow._ = _\nsetDeprecatedProp(['$', 'jQuery'], () => $, 'The global jQuery is deprecated. It will be removed in a later versions without another warning. Please ship your own.')\nsetDeprecatedProp('Backbone', () => Backbone, 'please ship your own, this will be removed in Nextcloud 20')\nsetDeprecatedProp(['Clipboard', 'ClipboardJS'], () => ClipboardJS, 'please ship your own, this will be removed in Nextcloud 20')\nwindow.dav = dav\nsetDeprecatedProp('Handlebars', () => Handlebars, 'please ship your own, this will be removed in Nextcloud 20')\n// Global md5 only required for: apps/files/js/file-upload.js\nsetDeprecatedProp('md5', () => md5, 'please ship your own, this will be removed in Nextcloud 20')\nsetDeprecatedProp('moment', () => moment, 'please ship your own, this will be removed in Nextcloud 20')\n\nwindow.OC = OC\nsetDeprecatedProp('initCore', () => initCore, 'this is an internal function')\nsetDeprecatedProp('oc_appswebroots', () => OC.appswebroots, 'use OC.appswebroots instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_config', () => OC.config, 'use OC.config instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_current_user', () => OC.getCurrentUser().uid, 'use OC.getCurrentUser().uid instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_debug', () => OC.debug, 'use OC.debug instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_defaults', () => OC.theme, 'use OC.theme instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_isadmin', OC.isUserAdmin, 'use OC.isUserAdmin() instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_requesttoken', () => getRequestToken(), 'use OC.requestToken instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('oc_webroot', () => OC.webroot, 'use OC.getRootPath() instead, this will be removed in Nextcloud 20')\nsetDeprecatedProp('OCDialogs', () => OC.dialogs, 'use OC.dialogs instead, this will be removed in Nextcloud 20')\nwindow.OCP = OCP\nwindow.OCA = OCA\n$.fn.select2 = deprecate($.fn.select2, 'select2', 19)\n\n/**\n * translate a string\n *\n * @param {string} app the id of the app for which to translate the string\n * @param {string} text the string to translate\n * @param [vars] map of placeholder key to value\n * @param {number} [count] number to replace %n with\n * @return {string}\n */\nwindow.t = _.bind(OC.L10N.translate, OC.L10N)\n\n/**\n * translate a string\n *\n * @param {string} app the id of the app for which to translate the string\n * @param {string} text_singular the string to translate for exactly one object\n * @param {string} text_plural the string to translate for n objects\n * @param {number} count number to determine whether to use singular or plural\n * @param [vars] map of placeholder key to value\n * @return {string} Translated string\n */\nwindow.n = _.bind(OC.L10N.translatePlural, OC.L10N)\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/**\n * Namespace for apps\n *\n * @namespace OCA\n */\nexport default { }\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { generateUrl } from '@nextcloud/router'\nimport $ from 'jquery'\n\n/**\n * This plugin inserts the right avatar for the user, depending on, whether a\n * custom avatar is uploaded - which it uses then - or not, and display a\n * placeholder with the first letter of the users name instead.\n * For this it queries the core_avatar_get route, thus this plugin is fit very\n * tightly for owncloud, and it may not work anywhere else.\n *\n * You may use this on any
            \n * Here I'm using
            as an example.\n *\n * There are 5 ways to call this:\n *\n * 1. $('.avatardiv').avatar('jdoe', 128);\n * This will make the div to jdoe's fitting avatar, with a size of 128px.\n *\n * 2. $('.avatardiv').avatar('jdoe');\n * This will make the div to jdoe's fitting avatar. If the div already has a\n * height, it will be used for the avatars size. Otherwise this plugin will\n * search for 'size' DOM data, to use for avatar size. If neither are available\n * it will default to 64px.\n *\n * 3. $('.avatardiv').avatar();\n * This will search the DOM for 'user' data, to use as the username. If there\n * is no username available it will default to a placeholder with the value of\n * \"?\". The size will be determined the same way, as the second example.\n *\n * 4. $('.avatardiv').avatar('jdoe', 128, true);\n * This will behave like the first example, except it will also append random\n * hashes to the custom avatar images, to force image reloading in IE8.\n *\n * 5. $('.avatardiv').avatar('jdoe', 128, undefined, true);\n * This will behave like the first example, but it will hide the avatardiv, if\n * it will display the default placeholder. undefined is the ie8fix from\n * example 4 and can be either true, or false/undefined, to be ignored.\n *\n * 6. $('.avatardiv').avatar('jdoe', 128, undefined, true, callback);\n * This will behave like the above example, but it will call the function\n * defined in callback after the avatar is placed into the DOM.\n *\n */\n\n$.fn.avatar = function(user, size, ie8fix, hidedefault, callback, displayname) {\n\tconst setAvatarForUnknownUser = function(target) {\n\t\ttarget.imageplaceholder('?')\n\t\ttarget.css('background-color', '#b9b9b9')\n\t}\n\n\tif (typeof (user) !== 'undefined') {\n\t\tuser = String(user)\n\t}\n\tif (typeof (displayname) !== 'undefined') {\n\t\tdisplayname = String(displayname)\n\t}\n\n\tif (typeof (size) === 'undefined') {\n\t\tif (this.height() > 0) {\n\t\t\tsize = this.height()\n\t\t} else if (this.data('size') > 0) {\n\t\t\tsize = this.data('size')\n\t\t} else {\n\t\t\tsize = 64\n\t\t}\n\t}\n\n\tthis.height(size)\n\tthis.width(size)\n\n\tif (typeof (user) === 'undefined') {\n\t\tif (typeof (this.data('user')) !== 'undefined') {\n\t\t\tuser = this.data('user')\n\t\t} else {\n\t\t\tsetAvatarForUnknownUser(this)\n\t\t\treturn\n\t\t}\n\t}\n\n\t// sanitize\n\tuser = String(user).replace(/\\//g, '')\n\n\tconst $div = this\n\tlet url\n\n\t// If this is our own avatar we have to use the version attribute\n\tif (user === getCurrentUser()?.uid) {\n\t\turl = generateUrl(\n\t\t\t'/avatar/{user}/{size}?v={version}',\n\t\t\t{\n\t\t\t\tuser,\n\t\t\t\tsize: Math.ceil(size * window.devicePixelRatio),\n\t\t\t\tversion: oc_userconfig.avatar.version,\n\t\t\t})\n\t} else {\n\t\turl = generateUrl(\n\t\t\t'/avatar/{user}/{size}',\n\t\t\t{\n\t\t\t\tuser,\n\t\t\t\tsize: Math.ceil(size * window.devicePixelRatio),\n\t\t\t})\n\t}\n\n\tconst img = new Image()\n\n\t// If the new image loads successfully set it.\n\timg.onload = function() {\n\t\t$div.clearimageplaceholder()\n\t\t$div.append(img)\n\n\t\tif (typeof callback === 'function') {\n\t\t\tcallback()\n\t\t}\n\t}\n\t// Fallback when avatar loading fails:\n\t// Use old placeholder when a displayname attribute is defined,\n\t// otherwise show the unknown user placeholder.\n\timg.onerror = function() {\n\t\t$div.clearimageplaceholder()\n\t\tif (typeof (displayname) !== 'undefined') {\n\t\t\t$div.imageplaceholder(user, displayname)\n\t\t} else {\n\t\t\tsetAvatarForUnknownUser($div)\n\t\t}\n\n\t\tif (typeof callback === 'function') {\n\t\t\tcallback()\n\t\t}\n\t}\n\n\tif (size < 32) {\n\t\t$div.addClass('icon-loading-small')\n\t} else {\n\t\t$div.addClass('icon-loading')\n\t}\n\timg.width = size\n\timg.height = size\n\timg.src = url\n\timg.alt = ''\n}\n","/**\n * SPDX-FileCopyrightText: 2022 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/**\n * Return whether the DOM event is an accessible mouse or keyboard element activation\n *\n * @param {Event} event DOM event\n *\n * @return {boolean}\n */\nexport const isA11yActivation = (event) => {\n\tif (event.type === 'click') {\n\t\treturn true\n\t}\n\tif (event.type === 'keydown' && event.key === 'Enter') {\n\t\treturn true\n\t}\n\treturn false\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\nimport { generateUrl } from '@nextcloud/router'\nimport { isA11yActivation } from '../Util/a11y.js'\n\nconst LIST = ''\n\t+ ''\n\nconst entryTemplate = require('./contactsmenu/jquery_entry.handlebars')\n\n$.fn.contactsMenu = function(shareWith, shareType, appendTo) {\n\t// 0 - user, 4 - email, 6 - remote\n\tconst allowedTypes = [0, 4, 6]\n\tif (allowedTypes.indexOf(shareType) === -1) {\n\t\treturn\n\t}\n\n\tconst $div = this\n\tappendTo.append(LIST)\n\tconst $list = appendTo.find('div.contactsmenu-popover')\n\n\t$div.on('click keydown', function(event) {\n\t\tif (!isA11yActivation(event)) {\n\t\t\treturn\n\t\t}\n\n\t\tif (!$list.hasClass('hidden')) {\n\t\t\t$list.addClass('hidden')\n\t\t\t$list.hide()\n\t\t\treturn\n\t\t}\n\n\t\t$list.removeClass('hidden')\n\t\t$list.show()\n\n\t\tif ($list.hasClass('loaded')) {\n\t\t\treturn\n\t\t}\n\n\t\t$list.addClass('loaded')\n\t\t$.ajax(generateUrl('/contactsmenu/findOne'), {\n\t\t\tmethod: 'POST',\n\t\t\tdata: {\n\t\t\t\tshareType,\n\t\t\t\tshareWith,\n\t\t\t},\n\t\t}).then(function(data) {\n\t\t\t$list.find('ul').find('li').addClass('hidden')\n\n\t\t\tlet actions\n\t\t\tif (!data.topAction) {\n\t\t\t\tactions = [{\n\t\t\t\t\thyperlink: '#',\n\t\t\t\t\ttitle: t('core', 'No action available'),\n\t\t\t\t}]\n\t\t\t} else {\n\t\t\t\tactions = [data.topAction].concat(data.actions)\n\t\t\t}\n\n\t\t\tactions.forEach(function(action) {\n\t\t\t\t$list.find('ul').append(entryTemplate(action))\n\t\t\t})\n\n\t\t\t$div.trigger('load')\n\t\t}, function(jqXHR) {\n\t\t\t$list.find('ul').find('li').addClass('hidden')\n\n\t\t\tlet title\n\t\t\tif (jqXHR.status === 404) {\n\t\t\t\ttitle = t('core', 'No action available')\n\t\t\t} else {\n\t\t\t\ttitle = t('core', 'Error fetching contact actions')\n\t\t\t}\n\n\t\t\t$list.find('ul').append(entryTemplate({\n\t\t\t\thyperlink: '#',\n\t\t\t\ttitle,\n\t\t\t}))\n\n\t\t\t$div.trigger('loaderror', jqXHR)\n\t\t})\n\t})\n\n\t$(document).click(function(event) {\n\t\tconst clickedList = ($list.has(event.target).length > 0)\n\t\tlet clickedTarget = ($div.has(event.target).length > 0)\n\n\t\t$div.each(function() {\n\t\t\tif ($(this).is(event.target)) {\n\t\t\t\tclickedTarget = true\n\t\t\t}\n\t\t})\n\n\t\tif (clickedList || clickedTarget) {\n\t\t\treturn\n\t\t}\n\n\t\t$list.addClass('hidden')\n\t\t$list.hide()\n\t})\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * check if an element exists.\n * allows you to write if ($('#myid').exists()) to increase readability\n *\n * @see {@link http://stackoverflow.com/questions/31044/is-there-an-exists-function-for-jquery}\n * @return {boolean}\n */\n$.fn.exists = function() {\n\treturn this.length > 0\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * Filter jQuery selector by attribute value\n *\n * @param {string} attrName attribute name\n * @param {string} attrValue attribute value\n * @return {void}\n */\n$.fn.filterAttr = function(attrName, attrValue) {\n\treturn this.filter(function() {\n\t\treturn $(this).attr(attrName) === attrValue\n\t})\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\nimport { createFocusTrap } from 'focus-trap'\nimport { isA11yActivation } from '../Util/a11y.js'\n\n$.widget('oc.ocdialog', {\n\toptions: {\n\t\twidth: 'auto',\n\t\theight: 'auto',\n\t\tcloseButton: true,\n\t\tcloseOnEscape: true,\n\t\tcloseCallback: null,\n\t\tmodal: false,\n\t},\n\t_create() {\n\t\tconst self = this\n\n\t\tthis.originalCss = {\n\t\t\tdisplay: this.element[0].style.display,\n\t\t\twidth: this.element[0].style.width,\n\t\t\theight: this.element[0].style.height,\n\t\t}\n\n\t\tthis.originalTitle = this.element.attr('title')\n\t\tthis.options.title = this.options.title || this.originalTitle\n\n\t\tthis.$dialog = $('
            ')\n\t\t\t.attr({\n\t\t\t\t// Setting tabIndex makes the div focusable\n\t\t\t\ttabIndex: -1,\n\t\t\t\trole: 'dialog',\n\t\t\t\t'aria-modal': true,\n\t\t\t})\n\t\t\t.insertBefore(this.element)\n\t\tthis.$dialog.append(this.element.detach())\n\t\tthis.element.removeAttr('title').addClass('oc-dialog-content').appendTo(this.$dialog)\n\n\t\t// Activate the primary button on enter if there is a single input\n\t\tif (self.element.find('input').length === 1) {\n\t\t\tconst $input = self.element.find('input')\n\t\t\t$input.on('keydown', function(event) {\n\t\t\t\tif (isA11yActivation(event)) {\n\t\t\t\t\tif (self.$buttonrow) {\n\t\t\t\t\t\tconst $button = self.$buttonrow.find('button.primary')\n\t\t\t\t\t\tif ($button && !$button.prop('disabled')) {\n\t\t\t\t\t\t\t$button.click()\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\t\t}\n\n\t\tthis.$dialog.css({\n\t\t\tdisplay: 'inline-block',\n\t\t\tposition: 'fixed',\n\t\t})\n\n\t\tthis.enterCallback = null\n\n\t\t$(document).on('keydown keyup', function(event) {\n\t\t\tif (\n\t\t\t\tevent.target !== self.$dialog.get(0)\n\t\t\t\t&& self.$dialog.find($(event.target)).length === 0\n\t\t\t) {\n\t\t\t\treturn\n\t\t\t}\n\t\t\t// Escape\n\t\t\tif (\n\t\t\t\tevent.keyCode === 27\n\t\t\t\t&& event.type === 'keydown'\n\t\t\t\t&& self.options.closeOnEscape\n\t\t\t) {\n\t\t\t\tevent.stopImmediatePropagation()\n\t\t\t\tself.close()\n\t\t\t\treturn false\n\t\t\t}\n\t\t\t// Enter\n\t\t\tif (event.keyCode === 13) {\n\t\t\t\tevent.stopImmediatePropagation()\n\t\t\t\tif (self.enterCallback !== null) {\n\t\t\t\t\tself.enterCallback()\n\t\t\t\t\tevent.preventDefault()\n\t\t\t\t\treturn false\n\t\t\t\t}\n\t\t\t\tif (event.type === 'keyup') {\n\t\t\t\t\tevent.preventDefault()\n\t\t\t\t\treturn false\n\t\t\t\t}\n\t\t\t\treturn false\n\t\t\t}\n\t\t})\n\n\t\tthis._setOptions(this.options)\n\t\tthis._createOverlay()\n\t\tthis._useFocusTrap()\n\t},\n\t_init() {\n\t\tthis._trigger('open')\n\t},\n\t_setOption(key, value) {\n\t\tconst self = this\n\t\tswitch (key) {\n\t\tcase 'title':\n\t\t\tif (this.$title) {\n\t\t\t\tthis.$title.text(value)\n\t\t\t} else {\n\t\t\t\tconst $title = $('

            '\n\t\t\t\t\t\t+ value\n\t\t\t\t\t\t+ '

            ')\n\t\t\t\tthis.$title = $title.prependTo(this.$dialog)\n\t\t\t}\n\t\t\tthis._setSizes()\n\t\t\tbreak\n\t\tcase 'buttons':\n\t\t\tif (this.$buttonrow) {\n\t\t\t\tthis.$buttonrow.empty()\n\t\t\t} else {\n\t\t\t\tconst $buttonrow = $('
            ')\n\t\t\t\tthis.$buttonrow = $buttonrow.appendTo(this.$dialog)\n\t\t\t}\n\t\t\tif (value.length === 1) {\n\t\t\t\tthis.$buttonrow.addClass('onebutton')\n\t\t\t} else if (value.length === 2) {\n\t\t\t\tthis.$buttonrow.addClass('twobuttons')\n\t\t\t} else if (value.length === 3) {\n\t\t\t\tthis.$buttonrow.addClass('threebuttons')\n\t\t\t}\n\t\t\t$.each(value, function(idx, val) {\n\t\t\t\tconst $button = $('')\n\t\t\t\t$closeButton.attr('aria-label', t('core', 'Close \"{dialogTitle}\" dialog', { dialogTitle: this.$title || this.options.title }))\n\t\t\t\tthis.$dialog.prepend($closeButton)\n\t\t\t\t$closeButton.on('click keydown', function(event) {\n\t\t\t\t\tif (isA11yActivation(event)) {\n\t\t\t\t\t\tself.options.closeCallback && self.options.closeCallback()\n\t\t\t\t\t\tself.close()\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t} else {\n\t\t\t\tthis.$dialog.find('.oc-dialog-close').remove()\n\t\t\t}\n\t\t\tbreak\n\t\tcase 'width':\n\t\t\tthis.$dialog.css('width', value)\n\t\t\tbreak\n\t\tcase 'height':\n\t\t\tthis.$dialog.css('height', value)\n\t\t\tbreak\n\t\tcase 'close':\n\t\t\tthis.closeCB = value\n\t\t\tbreak\n\t\t}\n\t\t// this._super(key, value);\n\t\t$.Widget.prototype._setOption.apply(this, arguments)\n\t},\n\t_setOptions(options) {\n\t\t// this._super(options);\n\t\t$.Widget.prototype._setOptions.apply(this, arguments)\n\t},\n\t_setSizes() {\n\t\tlet lessHeight = 0\n\t\tif (this.$title) {\n\t\t\tlessHeight += this.$title.outerHeight(true)\n\t\t}\n\t\tif (this.$buttonrow) {\n\t\t\tlessHeight += this.$buttonrow.outerHeight(true)\n\t\t}\n\t\tthis.element.css({\n\t\t\theight: 'calc(100% - ' + lessHeight + 'px)',\n\t\t})\n\t},\n\t_createOverlay() {\n\t\tif (!this.options.modal) {\n\t\t\treturn\n\t\t}\n\n\t\tconst self = this\n\t\tlet contentDiv = $('#content')\n\t\tif (contentDiv.length === 0) {\n\t\t\t// nextcloud-vue compatibility\n\t\t\tcontentDiv = $('.content')\n\t\t}\n\t\tthis.overlay = $('
            ')\n\t\t\t.addClass('oc-dialog-dim')\n\t\t\t.insertBefore(this.$dialog)\n\t\tthis.overlay.on('click keydown keyup', function(event) {\n\t\t\tif (event.target !== self.$dialog.get(0) && self.$dialog.find($(event.target)).length === 0) {\n\t\t\t\tevent.preventDefault()\n\t\t\t\tevent.stopPropagation()\n\n\t\t\t}\n\t\t})\n\t},\n\t_destroyOverlay() {\n\t\tif (!this.options.modal) {\n\t\t\treturn\n\t\t}\n\n\t\tif (this.overlay) {\n\t\t\tthis.overlay.off('click keydown keyup')\n\t\t\tthis.overlay.remove()\n\t\t\tthis.overlay = null\n\t\t}\n\t},\n\t_useFocusTrap() {\n\t\t// Create global stack if undefined\n\t\tObject.assign(window, { _nc_focus_trap: window._nc_focus_trap || [] })\n\n\t\tconst dialogElement = this.$dialog[0]\n\t\tthis.focusTrap = createFocusTrap(dialogElement, {\n\t\t\tallowOutsideClick: true,\n\t\t\ttrapStack: window._nc_focus_trap,\n\t\t\tfallbackFocus: dialogElement,\n\t\t})\n\n\t\tthis.focusTrap.activate()\n\t},\n\t_clearFocusTrap() {\n\t\tthis.focusTrap?.deactivate()\n\t\tthis.focusTrap = null\n\t},\n\twidget() {\n\t\treturn this.$dialog\n\t},\n\tsetEnterCallback(callback) {\n\t\tthis.enterCallback = callback\n\t},\n\tunsetEnterCallback() {\n\t\tthis.enterCallback = null\n\t},\n\tclose() {\n\t\tthis._clearFocusTrap()\n\t\tthis._destroyOverlay()\n\t\tconst self = this\n\t\t// Ugly hack to catch remaining keyup events.\n\t\tsetTimeout(function() {\n\t\t\tself._trigger('close', self)\n\t\t}, 200)\n\n\t\tself.$dialog.remove()\n\t\tthis.destroy()\n\t},\n\tdestroy() {\n\t\tif (this.$title) {\n\t\t\tthis.$title.remove()\n\t\t}\n\t\tif (this.$buttonrow) {\n\t\t\tthis.$buttonrow.remove()\n\t\t}\n\n\t\tif (this.originalTitle) {\n\t\t\tthis.element.attr('title', this.originalTitle)\n\t\t}\n\t\tthis.element.removeClass('oc-dialog-content')\n\t\t\t.css(this.originalCss).detach().insertBefore(this.$dialog)\n\t\tthis.$dialog.remove()\n\t},\n})\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\nimport escapeHTML from 'escape-html'\n\n/**\n * jQuery plugin for micro templates\n *\n * Strings are automatically escaped, but that can be disabled by setting\n * escapeFunction to null.\n *\n * Usage examples:\n *\n * var htmlStr = '

            Bake, uncovered, until the {greasystuff} is melted and the {pasta} is heated through, about {min} minutes.

            '\n * $(htmlStr).octemplate({greasystuff: 'cheese', pasta: 'macaroni', min: 10});\n *\n * var htmlStr = '

            Welcome back {user}

            ';\n * $(htmlStr).octemplate({user: 'John Q. Public'}, {escapeFunction: null});\n *\n * Be aware that the target string must be wrapped in an HTML element for the\n * plugin to work. The following won't work:\n *\n * var textStr = 'Welcome back {user}';\n * $(textStr).octemplate({user: 'John Q. Public'});\n *\n * For anything larger than one-liners, you can use a simple $.get() ajax\n * request to get the template, or you can embed them it the page using the\n * text/template type:\n *\n * \n *\n * var $tmpl = $('#contactListItemTemplate');\n * var contacts = // fetched in some ajax call\n *\n * $.each(contacts, function(idx, contact) {\n * $contactList.append(\n * $tmpl.octemplate({\n * id: contact.getId(),\n * name: contact.getDisplayName(),\n * email: contact.getPreferredEmail(),\n * phone: contact.getPreferredPhone(),\n * });\n * );\n * });\n */\n/**\n * Object Template\n * Inspired by micro templating done by e.g. underscore.js\n */\nconst Template = {\n\tinit(vars, options, elem) {\n\t\t// Mix in the passed in options with the default options\n\t\tthis.vars = vars\n\t\tthis.options = $.extend({}, this.options, options)\n\n\t\tthis.elem = elem\n\t\tconst self = this\n\n\t\tif (typeof this.options.escapeFunction === 'function') {\n\t\t\tconst keys = Object.keys(this.vars)\n\t\t\tfor (let key = 0; key < keys.length; key++) {\n\t\t\t\tif (typeof this.vars[keys[key]] === 'string') {\n\t\t\t\t\tthis.vars[keys[key]] = self.options.escapeFunction(this.vars[keys[key]])\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tconst _html = this._build(this.vars)\n\t\treturn $(_html)\n\t},\n\t// From stackoverflow.com/questions/1408289/best-way-to-do-variable-interpolation-in-javascript\n\t_build(o) {\n\t\tconst data = this.elem.attr('type') === 'text/template' ? this.elem.html() : this.elem.get(0).outerHTML\n\t\ttry {\n\t\t\treturn data.replace(/{([^{}]*)}/g,\n\t\t\t\tfunction(a, b) {\n\t\t\t\t\tconst r = o[b]\n\t\t\t\t\treturn typeof r === 'string' || typeof r === 'number' ? r : a\n\t\t\t\t},\n\t\t\t)\n\t\t} catch (e) {\n\t\t\tconsole.error(e, 'data:', data)\n\t\t}\n\t},\n\toptions: {\n\t\tescapeFunction: escapeHTML,\n\t},\n}\n\n$.fn.octemplate = function(vars, options) {\n\tvars = vars || {}\n\tif (this.length) {\n\t\tconst _template = Object.create(Template)\n\t\treturn _template.init(vars, options, this)\n\t}\n}\n","/**\n * SPDX-FileCopyrightText: 2016-2024 Nextcloud GmbH and Nextcloud contributors\n * SPDX-FileCopyrightText: 2013-2016 ownCloud, Inc.\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/* eslint-disable */\nimport $ from 'jquery'\nimport md5 from 'blueimp-md5'\n\n/*\n * Adds a background color to the element called on and adds the first character\n * of the passed in string. This string is also the seed for the generation of\n * the background color.\n *\n * You have following HTML:\n *\n *
            \n *\n * And call this from Javascript:\n *\n * $('#albumart').imageplaceholder('The Album Title');\n *\n * Which will result in:\n *\n *
            T
            \n *\n * You may also call it like this, to have a different background, than the seed:\n *\n * $('#albumart').imageplaceholder('The Album Title', 'Album Title');\n *\n * Resulting in:\n *\n *
            A
            \n *\n */\n\n/*\n* Alternatively, you can use the prototype function to convert your string to rgb colors:\n*\n* \"a6741a86aded5611a8e46ce16f2ad646\".toRgb()\n*\n* Will return the rgb parameters within the following object:\n*\n* Color {r: 208, g: 158, b: 109}\n*\n*/\n\nconst toRgb = (s) => {\n\t// Normalize hash\n\tvar hash = s.toLowerCase()\n\n\t// Already a md5 hash?\n\tif (hash.match(/^([0-9a-f]{4}-?){8}$/) === null) {\n\t\thash = md5(hash)\n\t}\n\n\thash = hash.replace(/[^0-9a-f]/g, '')\n\n\tfunction Color(r, g, b) {\n\t\tthis.r = r\n\t\tthis.g = g\n\t\tthis.b = b\n\t}\n\n\tfunction stepCalc(steps, ends) {\n\t\tvar step = new Array(3)\n\t\tstep[0] = (ends[1].r - ends[0].r) / steps\n\t\tstep[1] = (ends[1].g - ends[0].g) / steps\n\t\tstep[2] = (ends[1].b - ends[0].b) / steps\n\t\treturn step\n\t}\n\n\tfunction mixPalette(steps, color1, color2) {\n\t\tvar palette = []\n\t\tpalette.push(color1)\n\t\tvar step = stepCalc(steps, [color1, color2])\n\t\tfor (var i = 1; i < steps; i++) {\n\t\t\tvar r = parseInt(color1.r + (step[0] * i))\n\t\t\tvar g = parseInt(color1.g + (step[1] * i))\n\t\t\tvar b = parseInt(color1.b + (step[2] * i))\n\t\t\tpalette.push(new Color(r, g, b))\n\t\t}\n\t\treturn palette\n\t}\n\n\tconst red = new Color(182, 70, 157);\n\tconst yellow = new Color(221, 203, 85);\n\tconst blue = new Color(0, 130, 201); // Nextcloud blue\n\t// Number of steps to go from a color to another\n\t// 3 colors * 6 will result in 18 generated colors\n\tconst steps = 6;\n\n\tconst palette1 = mixPalette(steps, red, yellow);\n\tconst palette2 = mixPalette(steps, yellow, blue);\n\tconst palette3 = mixPalette(steps, blue, red);\n\n\tconst finalPalette = palette1.concat(palette2).concat(palette3);\n\n\t// Convert a string to an integer evenly\n\tfunction hashToInt(hash, maximum) {\n\t\tvar finalInt = 0\n\t\tvar result = []\n\n\t\t// Splitting evenly the string\n\t\tfor (var i = 0; i < hash.length; i++) {\n\t\t\t// chars in md5 goes up to f, hex:16\n\t\t\tresult.push(parseInt(hash.charAt(i), 16) % 16)\n\t\t}\n\t\t// Adds up all results\n\t\tfor (var j in result) {\n\t\t\tfinalInt += result[j]\n\t\t}\n\t\t// chars in md5 goes up to f, hex:16\n\t\t// make sure we're always using int in our operation\n\t\treturn parseInt(parseInt(finalInt) % maximum)\n\t}\n\n\treturn finalPalette[hashToInt(hash, steps * 3)]\n}\n\nString.prototype.toRgb = function() {\n\tOC.debug && console.warn('String.prototype.toRgb is deprecated! It will be removed in Nextcloud 22.')\n\n\treturn toRgb(this)\n}\n\n$.fn.imageplaceholder = function(seed, text, size) {\n\ttext = text || seed\n\n\t// Compute the hash\n\tvar rgb = toRgb(seed)\n\tthis.css('background-color', 'rgb(' + rgb.r + ', ' + rgb.g + ', ' + rgb.b + ')')\n\n\t// Placeholders are square\n\tvar height = this.height() || size || 32\n\tthis.height(height)\n\tthis.width(height)\n\n\t// CSS rules\n\tthis.css('color', '#fff')\n\tthis.css('font-weight', 'normal')\n\tthis.css('text-align', 'center')\n\n\t// calculate the height\n\tthis.css('line-height', height + 'px')\n\tthis.css('font-size', (height * 0.55) + 'px')\n\n\tif (seed !== null && seed.length) {\n\t\tvar placeholderText = text.replace(/\\s+/g, ' ').trim().split(' ', 2).map((word) => word[0].toUpperCase()).join('')\n\t\tthis.html(placeholderText);\n\t}\n}\n\n$.fn.clearimageplaceholder = function() {\n\tthis.css('background-color', '')\n\tthis.css('color', '')\n\tthis.css('font-weight', '')\n\tthis.css('text-align', '')\n\tthis.css('line-height', '')\n\tthis.css('font-size', '')\n\tthis.html('')\n\tthis.removeClass('icon-loading')\n\tthis.removeClass('icon-loading-small')\n}\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\nimport { getToken } from '../OC/requesttoken.js'\n\n$(document).on('ajaxSend', function(elm, xhr, settings) {\n\tif (settings.crossDomain === false) {\n\t\txhr.setRequestHeader('requesttoken', getToken())\n\t\txhr.setRequestHeader('OCS-APIREQUEST', 'true')\n\t}\n})\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n/**\n * select a range in an input field\n *\n * @see {@link http://stackoverflow.com/questions/499126/jquery-set-cursor-position-in-text-area}\n * @param {number} start start selection from\n * @param {number} end number of char from start\n * @return {void}\n */\n$.fn.selectRange = function(start, end) {\n\treturn this.each(function() {\n\t\tif (this.setSelectionRange) {\n\t\t\tthis.focus()\n\t\t\tthis.setSelectionRange(start, end)\n\t\t} else if (this.createTextRange) {\n\t\t\tconst range = this.createTextRange()\n\t\t\trange.collapse(true)\n\t\t\trange.moveEnd('character', end)\n\t\t\trange.moveStart('character', start)\n\t\t\trange.select()\n\t\t}\n\t})\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/** @typedef {import('jquery')} jQuery */\nimport $ from 'jquery'\n\n/**\n * @name Show Password\n * @description\n * @version 1.3.0\n * @requires jQuery 1.5\n *\n * @author Jan Jarfalk \n * author-website http://www.unwrongest.com\n *\n * special-thanks Michel Gratton\n *\n * @license MIT\n */\n$.fn.extend({\n\tshowPassword(c) {\n\n\t\t// Setup callback object\n\t\tconst callback = { fn: null, args: {} }\n\t\tcallback.fn = c\n\n\t\t// Clones passwords and turn the clones into text inputs\n\t\tconst cloneElement = function(element) {\n\n\t\t\tconst $element = $(element)\n\n\t\t\tconst $clone = $('')\n\n\t\t\t// Name added for JQuery Validation compatibility\n\t\t\t// Element name is required to avoid script warning.\n\t\t\t$clone.attr({\n\t\t\t\ttype: 'text',\n\t\t\t\tclass: $element.attr('class'),\n\t\t\t\tstyle: $element.attr('style'),\n\t\t\t\tsize: $element.attr('size'),\n\t\t\t\tname: $element.attr('name') + '-clone',\n\t\t\t\ttabindex: $element.attr('tabindex'),\n\t\t\t\tautocomplete: 'off',\n\t\t\t})\n\n\t\t\tif ($element.attr('placeholder') !== undefined) {\n\t\t\t\t$clone.attr('placeholder', $element.attr('placeholder'))\n\t\t\t}\n\n\t\t\treturn $clone\n\n\t\t}\n\n\t\t// Transfers values between two elements\n\t\tconst update = function(a, b) {\n\t\t\tb.val(a.val())\n\t\t}\n\n\t\t// Shows a or b depending on checkbox\n\t\tconst setState = function(checkbox, a, b) {\n\n\t\t\tif (checkbox.is(':checked')) {\n\t\t\t\tupdate(a, b)\n\t\t\t\tb.show()\n\t\t\t\ta.hide()\n\t\t\t} else {\n\t\t\t\tupdate(b, a)\n\t\t\t\tb.hide()\n\t\t\t\ta.show()\n\t\t\t}\n\n\t\t}\n\n\t\treturn this.each(function() {\n\n\t\t\tconst $input = $(this)\n\t\t\tconst $checkbox = $($input.data('typetoggle'))\n\n\t\t\t// Create clone\n\t\t\tconst $clone = cloneElement($input)\n\t\t\t$clone.insertAfter($input)\n\n\t\t\t// Set callback arguments\n\t\t\tif (callback.fn) {\n\t\t\t\tcallback.args.input = $input\n\t\t\t\tcallback.args.checkbox = $checkbox\n\t\t\t\tcallback.args.clone = $clone\n\t\t\t}\n\n\t\t\t$checkbox.bind('click', function() {\n\t\t\t\tsetState($checkbox, $input, $clone)\n\t\t\t})\n\n\t\t\t$input.bind('keyup', function() {\n\t\t\t\tupdate($input, $clone)\n\t\t\t})\n\n\t\t\t$clone.bind('keyup', function() {\n\t\t\t\tupdate($clone, $input)\n\n\t\t\t\t// Added for JQuery Validation compatibility\n\t\t\t\t// This will trigger validation if it's ON for keyup event\n\t\t\t\t$input.trigger('keyup')\n\n\t\t\t})\n\n\t\t\t// Added for JQuery Validation compatibility\n\t\t\t// This will trigger validation if it's ON for blur event\n\t\t\t$clone.bind('blur', function() {\n\t\t\t\t$input.trigger('focusout')\n\t\t\t})\n\n\t\t\tsetState($checkbox, $input, $clone)\n\n\t\t\t// set type of password field clone (type=text) to password right on submit\n\t\t\t// to prevent browser save the value of this field\n\t\t\t$clone.closest('form').submit(function(e) {\n\t\t\t\t// .prop has to be used, because .attr throws\n\t\t\t\t// an error while changing a type of an input\n\t\t\t\t// element\n\t\t\t\t$clone.prop('type', 'password')\n\t\t\t})\n\n\t\t\tif (callback.fn) {\n\t\t\t\tcallback.fn(callback.args)\n\t\t\t}\n\n\t\t})\n\t},\n})\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\n// Set autocomplete width the same as the related input\n// See http://stackoverflow.com/a/11845718\n$.ui.autocomplete.prototype._resizeMenu = function() {\n\tconst ul = this.menu.element\n\tul.outerWidth(this.element.outerWidth())\n}\n","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery-ui-fixes.scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery-ui-fixes.scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery.ocdialog.scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/sass-loader/dist/cjs.js!./jquery.ocdialog.scss\";\n export default content && content.locals ? content.locals : undefined;\n","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport $ from 'jquery'\n\nimport './avatar.js'\nimport './contactsmenu.js'\nimport './exists.js'\nimport './filterattr.js'\nimport './ocdialog.js'\nimport './octemplate.js'\nimport './placeholder.js'\nimport './requesttoken.js'\nimport './selectrange.js'\nimport './showpassword.js'\nimport './ui-fixes.js'\n\nimport './css/jquery-ui-fixes.scss'\nimport './css/jquery.ocdialog.scss'\n\n/**\n * Disable automatic evaluation of responses for $.ajax() functions (and its\n * higher-level alternatives like $.get() and $.post()).\n *\n * If a response to a $.ajax() request returns a content type of \"application/javascript\"\n * JQuery would previously execute the response body. This is a pretty unexpected\n * behaviour and can result in a bypass of our Content-Security-Policy as well as\n * multiple unexpected XSS vectors.\n */\n$.ajaxSetup({\n\tcontents: {\n\t\tscript: false,\n\t},\n})\n\n/**\n * Disable execution of eval in jQuery. We do require an allowed eval CSP\n * configuration at the moment for handlebars et al. But for jQuery there is\n * not much of a reason to execute JavaScript directly via eval.\n *\n * This thus mitigates some unexpected XSS vectors.\n */\n$.globalEval = function() {\n}\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport 'core-js/stable/index.js'\nimport 'regenerator-runtime/runtime.js'\n\n// If you remove the line below, tests won't pass\n// eslint-disable-next-line no-unused-vars\nimport OC from './OC/index.js'\n\nimport './globals.js'\nimport './jquery/index.js'\nimport { initCore } from './init.js'\nimport { registerAppsSlideToggle } from './OC/apps.js'\nimport { getCSPNonce } from '@nextcloud/auth'\nimport { generateUrl } from '@nextcloud/router'\nimport Axios from '@nextcloud/axios'\n\n// eslint-disable-next-line camelcase\n__webpack_nonce__ = getCSPNonce()\n\nwindow.addEventListener('DOMContentLoaded', function() {\n\tinitCore()\n\tregisterAppsSlideToggle()\n\n\t// fallback to hashchange when no history support\n\tif (window.history.pushState) {\n\t\twindow.onpopstate = _.bind(OC.Util.History._onPopState, OC.Util.History)\n\t} else {\n\t\twindow.onhashchange = _.bind(OC.Util.History._onPopState, OC.Util.History)\n\t}\n})\n\n// Fix error \"CSRF check failed\"\ndocument.addEventListener('DOMContentLoaded', function() {\n\tconst form = document.getElementById('password-input-form')\n\tif (form) {\n\t\tform.addEventListener('submit', async function(event) {\n\t\t\tevent.preventDefault()\n\t\t\tconst requestToken = document.getElementById('requesttoken')\n\t\t\tif (requestToken) {\n\t\t\t\tconst url = generateUrl('/csrftoken')\n\t\t\t\tconst resp = await Axios.get(url)\n\t\t\t\trequestToken.value = resp.data.token\n\t\t\t}\n\t\t\tform.submit()\n\t\t})\n\t}\n})\n","// Backbone.js 1.6.0\n\n// (c) 2010-2024 Jeremy Ashkenas and DocumentCloud\n// Backbone may be freely distributed under the MIT license.\n// For all details and documentation:\n// http://backbonejs.org\n\n(function(factory) {\n\n // Establish the root object, `window` (`self`) in the browser, or `global` on the server.\n // We use `self` instead of `window` for `WebWorker` support.\n var root = typeof self == 'object' && self.self === self && self ||\n typeof global == 'object' && global.global === global && global;\n\n // Set up Backbone appropriately for the environment. Start with AMD.\n if (typeof define === 'function' && define.amd) {\n define(['underscore', 'jquery', 'exports'], function(_, $, exports) {\n // Export global even in AMD case in case this script is loaded with\n // others that may still expect a global Backbone.\n root.Backbone = factory(root, exports, _, $);\n });\n\n // Next for Node.js or CommonJS. jQuery may not be needed as a module.\n } else if (typeof exports !== 'undefined') {\n var _ = require('underscore'), $;\n try { $ = require('jquery'); } catch (e) {}\n factory(root, exports, _, $);\n\n // Finally, as a browser global.\n } else {\n root.Backbone = factory(root, {}, root._, root.jQuery || root.Zepto || root.ender || root.$);\n }\n\n})(function(root, Backbone, _, $) {\n\n // Initial Setup\n // -------------\n\n // Save the previous value of the `Backbone` variable, so that it can be\n // restored later on, if `noConflict` is used.\n var previousBackbone = root.Backbone;\n\n // Create a local reference to a common array method we'll want to use later.\n var slice = Array.prototype.slice;\n\n // Current version of the library. Keep in sync with `package.json`.\n Backbone.VERSION = '1.6.0';\n\n // For Backbone's purposes, jQuery, Zepto, Ender, or My Library (kidding) owns\n // the `$` variable.\n Backbone.$ = $;\n\n // Runs Backbone.js in *noConflict* mode, returning the `Backbone` variable\n // to its previous owner. Returns a reference to this Backbone object.\n Backbone.noConflict = function() {\n root.Backbone = previousBackbone;\n return this;\n };\n\n // Turn on `emulateHTTP` to support legacy HTTP servers. Setting this option\n // will fake `\"PATCH\"`, `\"PUT\"` and `\"DELETE\"` requests via the `_method` parameter and\n // set a `X-Http-Method-Override` header.\n Backbone.emulateHTTP = false;\n\n // Turn on `emulateJSON` to support legacy servers that can't deal with direct\n // `application/json` requests ... this will encode the body as\n // `application/x-www-form-urlencoded` instead and will send the model in a\n // form param named `model`.\n Backbone.emulateJSON = false;\n\n // Backbone.Events\n // ---------------\n\n // A module that can be mixed in to *any object* in order to provide it with\n // a custom event channel. You may bind a callback to an event with `on` or\n // remove with `off`; `trigger`-ing an event fires all callbacks in\n // succession.\n //\n // var object = {};\n // _.extend(object, Backbone.Events);\n // object.on('expand', function(){ alert('expanded'); });\n // object.trigger('expand');\n //\n var Events = Backbone.Events = {};\n\n // Regular expression used to split event strings.\n var eventSplitter = /\\s+/;\n\n // A private global variable to share between listeners and listenees.\n var _listening;\n\n // Iterates over the standard `event, callback` (as well as the fancy multiple\n // space-separated events `\"change blur\", callback` and jQuery-style event\n // maps `{event: callback}`).\n var eventsApi = function(iteratee, events, name, callback, opts) {\n var i = 0, names;\n if (name && typeof name === 'object') {\n // Handle event maps.\n if (callback !== void 0 && 'context' in opts && opts.context === void 0) opts.context = callback;\n for (names = _.keys(name); i < names.length ; i++) {\n events = eventsApi(iteratee, events, names[i], name[names[i]], opts);\n }\n } else if (name && eventSplitter.test(name)) {\n // Handle space-separated event names by delegating them individually.\n for (names = name.split(eventSplitter); i < names.length; i++) {\n events = iteratee(events, names[i], callback, opts);\n }\n } else {\n // Finally, standard events.\n events = iteratee(events, name, callback, opts);\n }\n return events;\n };\n\n // Bind an event to a `callback` function. Passing `\"all\"` will bind\n // the callback to all events fired.\n Events.on = function(name, callback, context) {\n this._events = eventsApi(onApi, this._events || {}, name, callback, {\n context: context,\n ctx: this,\n listening: _listening\n });\n\n if (_listening) {\n var listeners = this._listeners || (this._listeners = {});\n listeners[_listening.id] = _listening;\n // Allow the listening to use a counter, instead of tracking\n // callbacks for library interop\n _listening.interop = false;\n }\n\n return this;\n };\n\n // Inversion-of-control versions of `on`. Tell *this* object to listen to\n // an event in another object... keeping track of what it's listening to\n // for easier unbinding later.\n Events.listenTo = function(obj, name, callback) {\n if (!obj) return this;\n var id = obj._listenId || (obj._listenId = _.uniqueId('l'));\n var listeningTo = this._listeningTo || (this._listeningTo = {});\n var listening = _listening = listeningTo[id];\n\n // This object is not listening to any other events on `obj` yet.\n // Setup the necessary references to track the listening callbacks.\n if (!listening) {\n this._listenId || (this._listenId = _.uniqueId('l'));\n listening = _listening = listeningTo[id] = new Listening(this, obj);\n }\n\n // Bind callbacks on obj.\n var error = tryCatchOn(obj, name, callback, this);\n _listening = void 0;\n\n if (error) throw error;\n // If the target obj is not Backbone.Events, track events manually.\n if (listening.interop) listening.on(name, callback);\n\n return this;\n };\n\n // The reducing API that adds a callback to the `events` object.\n var onApi = function(events, name, callback, options) {\n if (callback) {\n var handlers = events[name] || (events[name] = []);\n var context = options.context, ctx = options.ctx, listening = options.listening;\n if (listening) listening.count++;\n\n handlers.push({callback: callback, context: context, ctx: context || ctx, listening: listening});\n }\n return events;\n };\n\n // An try-catch guarded #on function, to prevent poisoning the global\n // `_listening` variable.\n var tryCatchOn = function(obj, name, callback, context) {\n try {\n obj.on(name, callback, context);\n } catch (e) {\n return e;\n }\n };\n\n // Remove one or many callbacks. If `context` is null, removes all\n // callbacks with that function. If `callback` is null, removes all\n // callbacks for the event. If `name` is null, removes all bound\n // callbacks for all events.\n Events.off = function(name, callback, context) {\n if (!this._events) return this;\n this._events = eventsApi(offApi, this._events, name, callback, {\n context: context,\n listeners: this._listeners\n });\n\n return this;\n };\n\n // Tell this object to stop listening to either specific events ... or\n // to every object it's currently listening to.\n Events.stopListening = function(obj, name, callback) {\n var listeningTo = this._listeningTo;\n if (!listeningTo) return this;\n\n var ids = obj ? [obj._listenId] : _.keys(listeningTo);\n for (var i = 0; i < ids.length; i++) {\n var listening = listeningTo[ids[i]];\n\n // If listening doesn't exist, this object is not currently\n // listening to obj. Break out early.\n if (!listening) break;\n\n listening.obj.off(name, callback, this);\n if (listening.interop) listening.off(name, callback);\n }\n if (_.isEmpty(listeningTo)) this._listeningTo = void 0;\n\n return this;\n };\n\n // The reducing API that removes a callback from the `events` object.\n var offApi = function(events, name, callback, options) {\n if (!events) return;\n\n var context = options.context, listeners = options.listeners;\n var i = 0, names;\n\n // Delete all event listeners and \"drop\" events.\n if (!name && !context && !callback) {\n for (names = _.keys(listeners); i < names.length; i++) {\n listeners[names[i]].cleanup();\n }\n return;\n }\n\n names = name ? [name] : _.keys(events);\n for (; i < names.length; i++) {\n name = names[i];\n var handlers = events[name];\n\n // Bail out if there are no events stored.\n if (!handlers) break;\n\n // Find any remaining events.\n var remaining = [];\n for (var j = 0; j < handlers.length; j++) {\n var handler = handlers[j];\n if (\n callback && callback !== handler.callback &&\n callback !== handler.callback._callback ||\n context && context !== handler.context\n ) {\n remaining.push(handler);\n } else {\n var listening = handler.listening;\n if (listening) listening.off(name, callback);\n }\n }\n\n // Replace events if there are any remaining. Otherwise, clean up.\n if (remaining.length) {\n events[name] = remaining;\n } else {\n delete events[name];\n }\n }\n\n return events;\n };\n\n // Bind an event to only be triggered a single time. After the first time\n // the callback is invoked, its listener will be removed. If multiple events\n // are passed in using the space-separated syntax, the handler will fire\n // once for each event, not once for a combination of all events.\n Events.once = function(name, callback, context) {\n // Map the event into a `{event: once}` object.\n var events = eventsApi(onceMap, {}, name, callback, this.off.bind(this));\n if (typeof name === 'string' && context == null) callback = void 0;\n return this.on(events, callback, context);\n };\n\n // Inversion-of-control versions of `once`.\n Events.listenToOnce = function(obj, name, callback) {\n // Map the event into a `{event: once}` object.\n var events = eventsApi(onceMap, {}, name, callback, this.stopListening.bind(this, obj));\n return this.listenTo(obj, events);\n };\n\n // Reduces the event callbacks into a map of `{event: onceWrapper}`.\n // `offer` unbinds the `onceWrapper` after it has been called.\n var onceMap = function(map, name, callback, offer) {\n if (callback) {\n var once = map[name] = _.once(function() {\n offer(name, once);\n callback.apply(this, arguments);\n });\n once._callback = callback;\n }\n return map;\n };\n\n // Trigger one or many events, firing all bound callbacks. Callbacks are\n // passed the same arguments as `trigger` is, apart from the event name\n // (unless you're listening on `\"all\"`, which will cause your callback to\n // receive the true name of the event as the first argument).\n Events.trigger = function(name) {\n if (!this._events) return this;\n\n var length = Math.max(0, arguments.length - 1);\n var args = Array(length);\n for (var i = 0; i < length; i++) args[i] = arguments[i + 1];\n\n eventsApi(triggerApi, this._events, name, void 0, args);\n return this;\n };\n\n // Handles triggering the appropriate event callbacks.\n var triggerApi = function(objEvents, name, callback, args) {\n if (objEvents) {\n var events = objEvents[name];\n var allEvents = objEvents.all;\n if (events && allEvents) allEvents = allEvents.slice();\n if (events) triggerEvents(events, args);\n if (allEvents) triggerEvents(allEvents, [name].concat(args));\n }\n return objEvents;\n };\n\n // A difficult-to-believe, but optimized internal dispatch function for\n // triggering events. Tries to keep the usual cases speedy (most internal\n // Backbone events have 3 arguments).\n var triggerEvents = function(events, args) {\n var ev, i = -1, l = events.length, a1 = args[0], a2 = args[1], a3 = args[2];\n switch (args.length) {\n case 0: while (++i < l) (ev = events[i]).callback.call(ev.ctx); return;\n case 1: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1); return;\n case 2: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1, a2); return;\n case 3: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1, a2, a3); return;\n default: while (++i < l) (ev = events[i]).callback.apply(ev.ctx, args); return;\n }\n };\n\n // A listening class that tracks and cleans up memory bindings\n // when all callbacks have been offed.\n var Listening = function(listener, obj) {\n this.id = listener._listenId;\n this.listener = listener;\n this.obj = obj;\n this.interop = true;\n this.count = 0;\n this._events = void 0;\n };\n\n Listening.prototype.on = Events.on;\n\n // Offs a callback (or several).\n // Uses an optimized counter if the listenee uses Backbone.Events.\n // Otherwise, falls back to manual tracking to support events\n // library interop.\n Listening.prototype.off = function(name, callback) {\n var cleanup;\n if (this.interop) {\n this._events = eventsApi(offApi, this._events, name, callback, {\n context: void 0,\n listeners: void 0\n });\n cleanup = !this._events;\n } else {\n this.count--;\n cleanup = this.count === 0;\n }\n if (cleanup) this.cleanup();\n };\n\n // Cleans up memory bindings between the listener and the listenee.\n Listening.prototype.cleanup = function() {\n delete this.listener._listeningTo[this.obj._listenId];\n if (!this.interop) delete this.obj._listeners[this.id];\n };\n\n // Aliases for backwards compatibility.\n Events.bind = Events.on;\n Events.unbind = Events.off;\n\n // Allow the `Backbone` object to serve as a global event bus, for folks who\n // want global \"pubsub\" in a convenient place.\n _.extend(Backbone, Events);\n\n // Backbone.Model\n // --------------\n\n // Backbone **Models** are the basic data object in the framework --\n // frequently representing a row in a table in a database on your server.\n // A discrete chunk of data and a bunch of useful, related methods for\n // performing computations and transformations on that data.\n\n // Create a new model with the specified attributes. A client id (`cid`)\n // is automatically generated and assigned for you.\n var Model = Backbone.Model = function(attributes, options) {\n var attrs = attributes || {};\n options || (options = {});\n this.preinitialize.apply(this, arguments);\n this.cid = _.uniqueId(this.cidPrefix);\n this.attributes = {};\n if (options.collection) this.collection = options.collection;\n if (options.parse) attrs = this.parse(attrs, options) || {};\n var defaults = _.result(this, 'defaults');\n\n // Just _.defaults would work fine, but the additional _.extends\n // is in there for historical reasons. See #3843.\n attrs = _.defaults(_.extend({}, defaults, attrs), defaults);\n\n this.set(attrs, options);\n this.changed = {};\n this.initialize.apply(this, arguments);\n };\n\n // Attach all inheritable methods to the Model prototype.\n _.extend(Model.prototype, Events, {\n\n // A hash of attributes whose current and previous value differ.\n changed: null,\n\n // The value returned during the last failed validation.\n validationError: null,\n\n // The default name for the JSON `id` attribute is `\"id\"`. MongoDB and\n // CouchDB users may want to set this to `\"_id\"`.\n idAttribute: 'id',\n\n // The prefix is used to create the client id which is used to identify models locally.\n // You may want to override this if you're experiencing name clashes with model ids.\n cidPrefix: 'c',\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the Model.\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // Return a copy of the model's `attributes` object.\n toJSON: function(options) {\n return _.clone(this.attributes);\n },\n\n // Proxy `Backbone.sync` by default -- but override this if you need\n // custom syncing semantics for *this* particular model.\n sync: function() {\n return Backbone.sync.apply(this, arguments);\n },\n\n // Get the value of an attribute.\n get: function(attr) {\n return this.attributes[attr];\n },\n\n // Get the HTML-escaped value of an attribute.\n escape: function(attr) {\n return _.escape(this.get(attr));\n },\n\n // Returns `true` if the attribute contains a value that is not null\n // or undefined.\n has: function(attr) {\n return this.get(attr) != null;\n },\n\n // Special-cased proxy to underscore's `_.matches` method.\n matches: function(attrs) {\n return !!_.iteratee(attrs, this)(this.attributes);\n },\n\n // Set a hash of model attributes on the object, firing `\"change\"`. This is\n // the core primitive operation of a model, updating the data and notifying\n // anyone who needs to know about the change in state. The heart of the beast.\n set: function(key, val, options) {\n if (key == null) return this;\n\n // Handle both `\"key\", value` and `{key: value}` -style arguments.\n var attrs;\n if (typeof key === 'object') {\n attrs = key;\n options = val;\n } else {\n (attrs = {})[key] = val;\n }\n\n options || (options = {});\n\n // Run validation.\n if (!this._validate(attrs, options)) return false;\n\n // Extract attributes and options.\n var unset = options.unset;\n var silent = options.silent;\n var changes = [];\n var changing = this._changing;\n this._changing = true;\n\n if (!changing) {\n this._previousAttributes = _.clone(this.attributes);\n this.changed = {};\n }\n\n var current = this.attributes;\n var changed = this.changed;\n var prev = this._previousAttributes;\n\n // For each `set` attribute, update or delete the current value.\n for (var attr in attrs) {\n val = attrs[attr];\n if (!_.isEqual(current[attr], val)) changes.push(attr);\n if (!_.isEqual(prev[attr], val)) {\n changed[attr] = val;\n } else {\n delete changed[attr];\n }\n unset ? delete current[attr] : current[attr] = val;\n }\n\n // Update the `id`.\n if (this.idAttribute in attrs) {\n var prevId = this.id;\n this.id = this.get(this.idAttribute);\n this.trigger('changeId', this, prevId, options);\n }\n\n // Trigger all relevant attribute changes.\n if (!silent) {\n if (changes.length) this._pending = options;\n for (var i = 0; i < changes.length; i++) {\n this.trigger('change:' + changes[i], this, current[changes[i]], options);\n }\n }\n\n // You might be wondering why there's a `while` loop here. Changes can\n // be recursively nested within `\"change\"` events.\n if (changing) return this;\n if (!silent) {\n while (this._pending) {\n options = this._pending;\n this._pending = false;\n this.trigger('change', this, options);\n }\n }\n this._pending = false;\n this._changing = false;\n return this;\n },\n\n // Remove an attribute from the model, firing `\"change\"`. `unset` is a noop\n // if the attribute doesn't exist.\n unset: function(attr, options) {\n return this.set(attr, void 0, _.extend({}, options, {unset: true}));\n },\n\n // Clear all attributes on the model, firing `\"change\"`.\n clear: function(options) {\n var attrs = {};\n for (var key in this.attributes) attrs[key] = void 0;\n return this.set(attrs, _.extend({}, options, {unset: true}));\n },\n\n // Determine if the model has changed since the last `\"change\"` event.\n // If you specify an attribute name, determine if that attribute has changed.\n hasChanged: function(attr) {\n if (attr == null) return !_.isEmpty(this.changed);\n return _.has(this.changed, attr);\n },\n\n // Return an object containing all the attributes that have changed, or\n // false if there are no changed attributes. Useful for determining what\n // parts of a view need to be updated and/or what attributes need to be\n // persisted to the server. Unset attributes will be set to undefined.\n // You can also pass an attributes object to diff against the model,\n // determining if there *would be* a change.\n changedAttributes: function(diff) {\n if (!diff) return this.hasChanged() ? _.clone(this.changed) : false;\n var old = this._changing ? this._previousAttributes : this.attributes;\n var changed = {};\n var hasChanged;\n for (var attr in diff) {\n var val = diff[attr];\n if (_.isEqual(old[attr], val)) continue;\n changed[attr] = val;\n hasChanged = true;\n }\n return hasChanged ? changed : false;\n },\n\n // Get the previous value of an attribute, recorded at the time the last\n // `\"change\"` event was fired.\n previous: function(attr) {\n if (attr == null || !this._previousAttributes) return null;\n return this._previousAttributes[attr];\n },\n\n // Get all of the attributes of the model at the time of the previous\n // `\"change\"` event.\n previousAttributes: function() {\n return _.clone(this._previousAttributes);\n },\n\n // Fetch the model from the server, merging the response with the model's\n // local attributes. Any changed attributes will trigger a \"change\" event.\n fetch: function(options) {\n options = _.extend({parse: true}, options);\n var model = this;\n var success = options.success;\n options.success = function(resp) {\n var serverAttrs = options.parse ? model.parse(resp, options) : resp;\n if (!model.set(serverAttrs, options)) return false;\n if (success) success.call(options.context, model, resp, options);\n model.trigger('sync', model, resp, options);\n };\n wrapError(this, options);\n return this.sync('read', this, options);\n },\n\n // Set a hash of model attributes, and sync the model to the server.\n // If the server returns an attributes hash that differs, the model's\n // state will be `set` again.\n save: function(key, val, options) {\n // Handle both `\"key\", value` and `{key: value}` -style arguments.\n var attrs;\n if (key == null || typeof key === 'object') {\n attrs = key;\n options = val;\n } else {\n (attrs = {})[key] = val;\n }\n\n options = _.extend({validate: true, parse: true}, options);\n var wait = options.wait;\n\n // If we're not waiting and attributes exist, save acts as\n // `set(attr).save(null, opts)` with validation. Otherwise, check if\n // the model will be valid when the attributes, if any, are set.\n if (attrs && !wait) {\n if (!this.set(attrs, options)) return false;\n } else if (!this._validate(attrs, options)) {\n return false;\n }\n\n // After a successful server-side save, the client is (optionally)\n // updated with the server-side state.\n var model = this;\n var success = options.success;\n var attributes = this.attributes;\n options.success = function(resp) {\n // Ensure attributes are restored during synchronous saves.\n model.attributes = attributes;\n var serverAttrs = options.parse ? model.parse(resp, options) : resp;\n if (wait) serverAttrs = _.extend({}, attrs, serverAttrs);\n if (serverAttrs && !model.set(serverAttrs, options)) return false;\n if (success) success.call(options.context, model, resp, options);\n model.trigger('sync', model, resp, options);\n };\n wrapError(this, options);\n\n // Set temporary attributes if `{wait: true}` to properly find new ids.\n if (attrs && wait) this.attributes = _.extend({}, attributes, attrs);\n\n var method = this.isNew() ? 'create' : options.patch ? 'patch' : 'update';\n if (method === 'patch' && !options.attrs) options.attrs = attrs;\n var xhr = this.sync(method, this, options);\n\n // Restore attributes.\n this.attributes = attributes;\n\n return xhr;\n },\n\n // Destroy this model on the server if it was already persisted.\n // Optimistically removes the model from its collection, if it has one.\n // If `wait: true` is passed, waits for the server to respond before removal.\n destroy: function(options) {\n options = options ? _.clone(options) : {};\n var model = this;\n var success = options.success;\n var wait = options.wait;\n\n var destroy = function() {\n model.stopListening();\n model.trigger('destroy', model, model.collection, options);\n };\n\n options.success = function(resp) {\n if (wait) destroy();\n if (success) success.call(options.context, model, resp, options);\n if (!model.isNew()) model.trigger('sync', model, resp, options);\n };\n\n var xhr = false;\n if (this.isNew()) {\n _.defer(options.success);\n } else {\n wrapError(this, options);\n xhr = this.sync('delete', this, options);\n }\n if (!wait) destroy();\n return xhr;\n },\n\n // Default URL for the model's representation on the server -- if you're\n // using Backbone's restful methods, override this to change the endpoint\n // that will be called.\n url: function() {\n var base =\n _.result(this, 'urlRoot') ||\n _.result(this.collection, 'url') ||\n urlError();\n if (this.isNew()) return base;\n var id = this.get(this.idAttribute);\n return base.replace(/[^\\/]$/, '$&/') + encodeURIComponent(id);\n },\n\n // **parse** converts a response into the hash of attributes to be `set` on\n // the model. The default implementation is just to pass the response along.\n parse: function(resp, options) {\n return resp;\n },\n\n // Create a new model with identical attributes to this one.\n clone: function() {\n return new this.constructor(this.attributes);\n },\n\n // A model is new if it has never been saved to the server, and lacks an id.\n isNew: function() {\n return !this.has(this.idAttribute);\n },\n\n // Check if the model is currently in a valid state.\n isValid: function(options) {\n return this._validate({}, _.extend({}, options, {validate: true}));\n },\n\n // Run validation against the next complete set of model attributes,\n // returning `true` if all is well. Otherwise, fire an `\"invalid\"` event.\n _validate: function(attrs, options) {\n if (!options.validate || !this.validate) return true;\n attrs = _.extend({}, this.attributes, attrs);\n var error = this.validationError = this.validate(attrs, options) || null;\n if (!error) return true;\n this.trigger('invalid', this, error, _.extend(options, {validationError: error}));\n return false;\n }\n\n });\n\n // Backbone.Collection\n // -------------------\n\n // If models tend to represent a single row of data, a Backbone Collection is\n // more analogous to a table full of data ... or a small slice or page of that\n // table, or a collection of rows that belong together for a particular reason\n // -- all of the messages in this particular folder, all of the documents\n // belonging to this particular author, and so on. Collections maintain\n // indexes of their models, both in order, and for lookup by `id`.\n\n // Create a new **Collection**, perhaps to contain a specific type of `model`.\n // If a `comparator` is specified, the Collection will maintain\n // its models in sort order, as they're added and removed.\n var Collection = Backbone.Collection = function(models, options) {\n options || (options = {});\n this.preinitialize.apply(this, arguments);\n if (options.model) this.model = options.model;\n if (options.comparator !== void 0) this.comparator = options.comparator;\n this._reset();\n this.initialize.apply(this, arguments);\n if (models) this.reset(models, _.extend({silent: true}, options));\n };\n\n // Default options for `Collection#set`.\n var setOptions = {add: true, remove: true, merge: true};\n var addOptions = {add: true, remove: false};\n\n // Splices `insert` into `array` at index `at`.\n var splice = function(array, insert, at) {\n at = Math.min(Math.max(at, 0), array.length);\n var tail = Array(array.length - at);\n var length = insert.length;\n var i;\n for (i = 0; i < tail.length; i++) tail[i] = array[i + at];\n for (i = 0; i < length; i++) array[i + at] = insert[i];\n for (i = 0; i < tail.length; i++) array[i + length + at] = tail[i];\n };\n\n // Define the Collection's inheritable methods.\n _.extend(Collection.prototype, Events, {\n\n // The default model for a collection is just a **Backbone.Model**.\n // This should be overridden in most cases.\n model: Model,\n\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the Collection.\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // The JSON representation of a Collection is an array of the\n // models' attributes.\n toJSON: function(options) {\n return this.map(function(model) { return model.toJSON(options); });\n },\n\n // Proxy `Backbone.sync` by default.\n sync: function() {\n return Backbone.sync.apply(this, arguments);\n },\n\n // Add a model, or list of models to the set. `models` may be Backbone\n // Models or raw JavaScript objects to be converted to Models, or any\n // combination of the two.\n add: function(models, options) {\n return this.set(models, _.extend({merge: false}, options, addOptions));\n },\n\n // Remove a model, or a list of models from the set.\n remove: function(models, options) {\n options = _.extend({}, options);\n var singular = !_.isArray(models);\n models = singular ? [models] : models.slice();\n var removed = this._removeModels(models, options);\n if (!options.silent && removed.length) {\n options.changes = {added: [], merged: [], removed: removed};\n this.trigger('update', this, options);\n }\n return singular ? removed[0] : removed;\n },\n\n // Update a collection by `set`-ing a new list of models, adding new ones,\n // removing models that are no longer present, and merging models that\n // already exist in the collection, as necessary. Similar to **Model#set**,\n // the core operation for updating the data contained by the collection.\n set: function(models, options) {\n if (models == null) return;\n\n options = _.extend({}, setOptions, options);\n if (options.parse && !this._isModel(models)) {\n models = this.parse(models, options) || [];\n }\n\n var singular = !_.isArray(models);\n models = singular ? [models] : models.slice();\n\n var at = options.at;\n if (at != null) at = +at;\n if (at > this.length) at = this.length;\n if (at < 0) at += this.length + 1;\n\n var set = [];\n var toAdd = [];\n var toMerge = [];\n var toRemove = [];\n var modelMap = {};\n\n var add = options.add;\n var merge = options.merge;\n var remove = options.remove;\n\n var sort = false;\n var sortable = this.comparator && at == null && options.sort !== false;\n var sortAttr = _.isString(this.comparator) ? this.comparator : null;\n\n // Turn bare objects into model references, and prevent invalid models\n // from being added.\n var model, i;\n for (i = 0; i < models.length; i++) {\n model = models[i];\n\n // If a duplicate is found, prevent it from being added and\n // optionally merge it into the existing model.\n var existing = this.get(model);\n if (existing) {\n if (merge && model !== existing) {\n var attrs = this._isModel(model) ? model.attributes : model;\n if (options.parse) attrs = existing.parse(attrs, options);\n existing.set(attrs, options);\n toMerge.push(existing);\n if (sortable && !sort) sort = existing.hasChanged(sortAttr);\n }\n if (!modelMap[existing.cid]) {\n modelMap[existing.cid] = true;\n set.push(existing);\n }\n models[i] = existing;\n\n // If this is a new, valid model, push it to the `toAdd` list.\n } else if (add) {\n model = models[i] = this._prepareModel(model, options);\n if (model) {\n toAdd.push(model);\n this._addReference(model, options);\n modelMap[model.cid] = true;\n set.push(model);\n }\n }\n }\n\n // Remove stale models.\n if (remove) {\n for (i = 0; i < this.length; i++) {\n model = this.models[i];\n if (!modelMap[model.cid]) toRemove.push(model);\n }\n if (toRemove.length) this._removeModels(toRemove, options);\n }\n\n // See if sorting is needed, update `length` and splice in new models.\n var orderChanged = false;\n var replace = !sortable && add && remove;\n if (set.length && replace) {\n orderChanged = this.length !== set.length || _.some(this.models, function(m, index) {\n return m !== set[index];\n });\n this.models.length = 0;\n splice(this.models, set, 0);\n this.length = this.models.length;\n } else if (toAdd.length) {\n if (sortable) sort = true;\n splice(this.models, toAdd, at == null ? this.length : at);\n this.length = this.models.length;\n }\n\n // Silently sort the collection if appropriate.\n if (sort) this.sort({silent: true});\n\n // Unless silenced, it's time to fire all appropriate add/sort/update events.\n if (!options.silent) {\n for (i = 0; i < toAdd.length; i++) {\n if (at != null) options.index = at + i;\n model = toAdd[i];\n model.trigger('add', model, this, options);\n }\n if (sort || orderChanged) this.trigger('sort', this, options);\n if (toAdd.length || toRemove.length || toMerge.length) {\n options.changes = {\n added: toAdd,\n removed: toRemove,\n merged: toMerge\n };\n this.trigger('update', this, options);\n }\n }\n\n // Return the added (or merged) model (or models).\n return singular ? models[0] : models;\n },\n\n // When you have more items than you want to add or remove individually,\n // you can reset the entire set with a new list of models, without firing\n // any granular `add` or `remove` events. Fires `reset` when finished.\n // Useful for bulk operations and optimizations.\n reset: function(models, options) {\n options = options ? _.clone(options) : {};\n for (var i = 0; i < this.models.length; i++) {\n this._removeReference(this.models[i], options);\n }\n options.previousModels = this.models;\n this._reset();\n models = this.add(models, _.extend({silent: true}, options));\n if (!options.silent) this.trigger('reset', this, options);\n return models;\n },\n\n // Add a model to the end of the collection.\n push: function(model, options) {\n return this.add(model, _.extend({at: this.length}, options));\n },\n\n // Remove a model from the end of the collection.\n pop: function(options) {\n var model = this.at(this.length - 1);\n return this.remove(model, options);\n },\n\n // Add a model to the beginning of the collection.\n unshift: function(model, options) {\n return this.add(model, _.extend({at: 0}, options));\n },\n\n // Remove a model from the beginning of the collection.\n shift: function(options) {\n var model = this.at(0);\n return this.remove(model, options);\n },\n\n // Slice out a sub-array of models from the collection.\n slice: function() {\n return slice.apply(this.models, arguments);\n },\n\n // Get a model from the set by id, cid, model object with id or cid\n // properties, or an attributes object that is transformed through modelId.\n get: function(obj) {\n if (obj == null) return void 0;\n return this._byId[obj] ||\n this._byId[this.modelId(this._isModel(obj) ? obj.attributes : obj, obj.idAttribute)] ||\n obj.cid && this._byId[obj.cid];\n },\n\n // Returns `true` if the model is in the collection.\n has: function(obj) {\n return this.get(obj) != null;\n },\n\n // Get the model at the given index.\n at: function(index) {\n if (index < 0) index += this.length;\n return this.models[index];\n },\n\n // Return models with matching attributes. Useful for simple cases of\n // `filter`.\n where: function(attrs, first) {\n return this[first ? 'find' : 'filter'](attrs);\n },\n\n // Return the first model with matching attributes. Useful for simple cases\n // of `find`.\n findWhere: function(attrs) {\n return this.where(attrs, true);\n },\n\n // Force the collection to re-sort itself. You don't need to call this under\n // normal circumstances, as the set will maintain sort order as each item\n // is added.\n sort: function(options) {\n var comparator = this.comparator;\n if (!comparator) throw new Error('Cannot sort a set without a comparator');\n options || (options = {});\n\n var length = comparator.length;\n if (_.isFunction(comparator)) comparator = comparator.bind(this);\n\n // Run sort based on type of `comparator`.\n if (length === 1 || _.isString(comparator)) {\n this.models = this.sortBy(comparator);\n } else {\n this.models.sort(comparator);\n }\n if (!options.silent) this.trigger('sort', this, options);\n return this;\n },\n\n // Pluck an attribute from each model in the collection.\n pluck: function(attr) {\n return this.map(attr + '');\n },\n\n // Fetch the default set of models for this collection, resetting the\n // collection when they arrive. If `reset: true` is passed, the response\n // data will be passed through the `reset` method instead of `set`.\n fetch: function(options) {\n options = _.extend({parse: true}, options);\n var success = options.success;\n var collection = this;\n options.success = function(resp) {\n var method = options.reset ? 'reset' : 'set';\n collection[method](resp, options);\n if (success) success.call(options.context, collection, resp, options);\n collection.trigger('sync', collection, resp, options);\n };\n wrapError(this, options);\n return this.sync('read', this, options);\n },\n\n // Create a new instance of a model in this collection. Add the model to the\n // collection immediately, unless `wait: true` is passed, in which case we\n // wait for the server to agree.\n create: function(model, options) {\n options = options ? _.clone(options) : {};\n var wait = options.wait;\n model = this._prepareModel(model, options);\n if (!model) return false;\n if (!wait) this.add(model, options);\n var collection = this;\n var success = options.success;\n options.success = function(m, resp, callbackOpts) {\n if (wait) {\n m.off('error', collection._forwardPristineError, collection);\n collection.add(m, callbackOpts);\n }\n if (success) success.call(callbackOpts.context, m, resp, callbackOpts);\n };\n // In case of wait:true, our collection is not listening to any\n // of the model's events yet, so it will not forward the error\n // event. In this special case, we need to listen for it\n // separately and handle the event just once.\n // (The reason we don't need to do this for the sync event is\n // in the success handler above: we add the model first, which\n // causes the collection to listen, and then invoke the callback\n // that triggers the event.)\n if (wait) {\n model.once('error', this._forwardPristineError, this);\n }\n model.save(null, options);\n return model;\n },\n\n // **parse** converts a response into a list of models to be added to the\n // collection. The default implementation is just to pass it through.\n parse: function(resp, options) {\n return resp;\n },\n\n // Create a new collection with an identical list of models as this one.\n clone: function() {\n return new this.constructor(this.models, {\n model: this.model,\n comparator: this.comparator\n });\n },\n\n // Define how to uniquely identify models in the collection.\n modelId: function(attrs, idAttribute) {\n return attrs[idAttribute || this.model.prototype.idAttribute || 'id'];\n },\n\n // Get an iterator of all models in this collection.\n values: function() {\n return new CollectionIterator(this, ITERATOR_VALUES);\n },\n\n // Get an iterator of all model IDs in this collection.\n keys: function() {\n return new CollectionIterator(this, ITERATOR_KEYS);\n },\n\n // Get an iterator of all [ID, model] tuples in this collection.\n entries: function() {\n return new CollectionIterator(this, ITERATOR_KEYSVALUES);\n },\n\n // Private method to reset all internal state. Called when the collection\n // is first initialized or reset.\n _reset: function() {\n this.length = 0;\n this.models = [];\n this._byId = {};\n },\n\n // Prepare a hash of attributes (or other model) to be added to this\n // collection.\n _prepareModel: function(attrs, options) {\n if (this._isModel(attrs)) {\n if (!attrs.collection) attrs.collection = this;\n return attrs;\n }\n options = options ? _.clone(options) : {};\n options.collection = this;\n\n var model;\n if (this.model.prototype) {\n model = new this.model(attrs, options);\n } else {\n // ES class methods didn't have prototype\n model = this.model(attrs, options);\n }\n\n if (!model.validationError) return model;\n this.trigger('invalid', this, model.validationError, options);\n return false;\n },\n\n // Internal method called by both remove and set.\n _removeModels: function(models, options) {\n var removed = [];\n for (var i = 0; i < models.length; i++) {\n var model = this.get(models[i]);\n if (!model) continue;\n\n var index = this.indexOf(model);\n this.models.splice(index, 1);\n this.length--;\n\n // Remove references before triggering 'remove' event to prevent an\n // infinite loop. #3693\n delete this._byId[model.cid];\n var id = this.modelId(model.attributes, model.idAttribute);\n if (id != null) delete this._byId[id];\n\n if (!options.silent) {\n options.index = index;\n model.trigger('remove', model, this, options);\n }\n\n removed.push(model);\n this._removeReference(model, options);\n }\n if (models.length > 0 && !options.silent) delete options.index;\n return removed;\n },\n\n // Method for checking whether an object should be considered a model for\n // the purposes of adding to the collection.\n _isModel: function(model) {\n return model instanceof Model;\n },\n\n // Internal method to create a model's ties to a collection.\n _addReference: function(model, options) {\n this._byId[model.cid] = model;\n var id = this.modelId(model.attributes, model.idAttribute);\n if (id != null) this._byId[id] = model;\n model.on('all', this._onModelEvent, this);\n },\n\n // Internal method to sever a model's ties to a collection.\n _removeReference: function(model, options) {\n delete this._byId[model.cid];\n var id = this.modelId(model.attributes, model.idAttribute);\n if (id != null) delete this._byId[id];\n if (this === model.collection) delete model.collection;\n model.off('all', this._onModelEvent, this);\n },\n\n // Internal method called every time a model in the set fires an event.\n // Sets need to update their indexes when models change ids. All other\n // events simply proxy through. \"add\" and \"remove\" events that originate\n // in other collections are ignored.\n _onModelEvent: function(event, model, collection, options) {\n if (model) {\n if ((event === 'add' || event === 'remove') && collection !== this) return;\n if (event === 'destroy') this.remove(model, options);\n if (event === 'changeId') {\n var prevId = this.modelId(model.previousAttributes(), model.idAttribute);\n var id = this.modelId(model.attributes, model.idAttribute);\n if (prevId != null) delete this._byId[prevId];\n if (id != null) this._byId[id] = model;\n }\n }\n this.trigger.apply(this, arguments);\n },\n\n // Internal callback method used in `create`. It serves as a\n // stand-in for the `_onModelEvent` method, which is not yet bound\n // during the `wait` period of the `create` call. We still want to\n // forward any `'error'` event at the end of the `wait` period,\n // hence a customized callback.\n _forwardPristineError: function(model, collection, options) {\n // Prevent double forward if the model was already in the\n // collection before the call to `create`.\n if (this.has(model)) return;\n this._onModelEvent('error', model, collection, options);\n }\n });\n\n // Defining an @@iterator method implements JavaScript's Iterable protocol.\n // In modern ES2015 browsers, this value is found at Symbol.iterator.\n /* global Symbol */\n var $$iterator = typeof Symbol === 'function' && Symbol.iterator;\n if ($$iterator) {\n Collection.prototype[$$iterator] = Collection.prototype.values;\n }\n\n // CollectionIterator\n // ------------------\n\n // A CollectionIterator implements JavaScript's Iterator protocol, allowing the\n // use of `for of` loops in modern browsers and interoperation between\n // Backbone.Collection and other JavaScript functions and third-party libraries\n // which can operate on Iterables.\n var CollectionIterator = function(collection, kind) {\n this._collection = collection;\n this._kind = kind;\n this._index = 0;\n };\n\n // This \"enum\" defines the three possible kinds of values which can be emitted\n // by a CollectionIterator that correspond to the values(), keys() and entries()\n // methods on Collection, respectively.\n var ITERATOR_VALUES = 1;\n var ITERATOR_KEYS = 2;\n var ITERATOR_KEYSVALUES = 3;\n\n // All Iterators should themselves be Iterable.\n if ($$iterator) {\n CollectionIterator.prototype[$$iterator] = function() {\n return this;\n };\n }\n\n CollectionIterator.prototype.next = function() {\n if (this._collection) {\n\n // Only continue iterating if the iterated collection is long enough.\n if (this._index < this._collection.length) {\n var model = this._collection.at(this._index);\n this._index++;\n\n // Construct a value depending on what kind of values should be iterated.\n var value;\n if (this._kind === ITERATOR_VALUES) {\n value = model;\n } else {\n var id = this._collection.modelId(model.attributes, model.idAttribute);\n if (this._kind === ITERATOR_KEYS) {\n value = id;\n } else { // ITERATOR_KEYSVALUES\n value = [id, model];\n }\n }\n return {value: value, done: false};\n }\n\n // Once exhausted, remove the reference to the collection so future\n // calls to the next method always return done.\n this._collection = void 0;\n }\n\n return {value: void 0, done: true};\n };\n\n // Backbone.View\n // -------------\n\n // Backbone Views are almost more convention than they are actual code. A View\n // is simply a JavaScript object that represents a logical chunk of UI in the\n // DOM. This might be a single item, an entire list, a sidebar or panel, or\n // even the surrounding frame which wraps your whole app. Defining a chunk of\n // UI as a **View** allows you to define your DOM events declaratively, without\n // having to worry about render order ... and makes it easy for the view to\n // react to specific changes in the state of your models.\n\n // Creating a Backbone.View creates its initial element outside of the DOM,\n // if an existing element is not provided...\n var View = Backbone.View = function(options) {\n this.cid = _.uniqueId('view');\n this.preinitialize.apply(this, arguments);\n _.extend(this, _.pick(options, viewOptions));\n this._ensureElement();\n this.initialize.apply(this, arguments);\n };\n\n // Cached regex to split keys for `delegate`.\n var delegateEventSplitter = /^(\\S+)\\s*(.*)$/;\n\n // List of view options to be set as properties.\n var viewOptions = ['model', 'collection', 'el', 'id', 'attributes', 'className', 'tagName', 'events'];\n\n // Set up all inheritable **Backbone.View** properties and methods.\n _.extend(View.prototype, Events, {\n\n // The default `tagName` of a View's element is `\"div\"`.\n tagName: 'div',\n\n // jQuery delegate for element lookup, scoped to DOM elements within the\n // current view. This should be preferred to global lookups where possible.\n $: function(selector) {\n return this.$el.find(selector);\n },\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the View\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // **render** is the core function that your view should override, in order\n // to populate its element (`this.el`), with the appropriate HTML. The\n // convention is for **render** to always return `this`.\n render: function() {\n return this;\n },\n\n // Remove this view by taking the element out of the DOM, and removing any\n // applicable Backbone.Events listeners.\n remove: function() {\n this._removeElement();\n this.stopListening();\n return this;\n },\n\n // Remove this view's element from the document and all event listeners\n // attached to it. Exposed for subclasses using an alternative DOM\n // manipulation API.\n _removeElement: function() {\n this.$el.remove();\n },\n\n // Change the view's element (`this.el` property) and re-delegate the\n // view's events on the new element.\n setElement: function(element) {\n this.undelegateEvents();\n this._setElement(element);\n this.delegateEvents();\n return this;\n },\n\n // Creates the `this.el` and `this.$el` references for this view using the\n // given `el`. `el` can be a CSS selector or an HTML string, a jQuery\n // context or an element. Subclasses can override this to utilize an\n // alternative DOM manipulation API and are only required to set the\n // `this.el` property.\n _setElement: function(el) {\n this.$el = el instanceof Backbone.$ ? el : Backbone.$(el);\n this.el = this.$el[0];\n },\n\n // Set callbacks, where `this.events` is a hash of\n //\n // *{\"event selector\": \"callback\"}*\n //\n // {\n // 'mousedown .title': 'edit',\n // 'click .button': 'save',\n // 'click .open': function(e) { ... }\n // }\n //\n // pairs. Callbacks will be bound to the view, with `this` set properly.\n // Uses event delegation for efficiency.\n // Omitting the selector binds the event to `this.el`.\n delegateEvents: function(events) {\n events || (events = _.result(this, 'events'));\n if (!events) return this;\n this.undelegateEvents();\n for (var key in events) {\n var method = events[key];\n if (!_.isFunction(method)) method = this[method];\n if (!method) continue;\n var match = key.match(delegateEventSplitter);\n this.delegate(match[1], match[2], method.bind(this));\n }\n return this;\n },\n\n // Add a single event listener to the view's element (or a child element\n // using `selector`). This only works for delegate-able events: not `focus`,\n // `blur`, and not `change`, `submit`, and `reset` in Internet Explorer.\n delegate: function(eventName, selector, listener) {\n this.$el.on(eventName + '.delegateEvents' + this.cid, selector, listener);\n return this;\n },\n\n // Clears all callbacks previously bound to the view by `delegateEvents`.\n // You usually don't need to use this, but may wish to if you have multiple\n // Backbone views attached to the same DOM element.\n undelegateEvents: function() {\n if (this.$el) this.$el.off('.delegateEvents' + this.cid);\n return this;\n },\n\n // A finer-grained `undelegateEvents` for removing a single delegated event.\n // `selector` and `listener` are both optional.\n undelegate: function(eventName, selector, listener) {\n this.$el.off(eventName + '.delegateEvents' + this.cid, selector, listener);\n return this;\n },\n\n // Produces a DOM element to be assigned to your view. Exposed for\n // subclasses using an alternative DOM manipulation API.\n _createElement: function(tagName) {\n return document.createElement(tagName);\n },\n\n // Ensure that the View has a DOM element to render into.\n // If `this.el` is a string, pass it through `$()`, take the first\n // matching element, and re-assign it to `el`. Otherwise, create\n // an element from the `id`, `className` and `tagName` properties.\n _ensureElement: function() {\n if (!this.el) {\n var attrs = _.extend({}, _.result(this, 'attributes'));\n if (this.id) attrs.id = _.result(this, 'id');\n if (this.className) attrs['class'] = _.result(this, 'className');\n this.setElement(this._createElement(_.result(this, 'tagName')));\n this._setAttributes(attrs);\n } else {\n this.setElement(_.result(this, 'el'));\n }\n },\n\n // Set attributes from a hash on this view's element. Exposed for\n // subclasses using an alternative DOM manipulation API.\n _setAttributes: function(attributes) {\n this.$el.attr(attributes);\n }\n\n });\n\n // Proxy Backbone class methods to Underscore functions, wrapping the model's\n // `attributes` object or collection's `models` array behind the scenes.\n //\n // collection.filter(function(model) { return model.get('age') > 10 });\n // collection.each(this.addView);\n //\n // `Function#apply` can be slow so we use the method's arg count, if we know it.\n var addMethod = function(base, length, method, attribute) {\n switch (length) {\n case 1: return function() {\n return base[method](this[attribute]);\n };\n case 2: return function(value) {\n return base[method](this[attribute], value);\n };\n case 3: return function(iteratee, context) {\n return base[method](this[attribute], cb(iteratee, this), context);\n };\n case 4: return function(iteratee, defaultVal, context) {\n return base[method](this[attribute], cb(iteratee, this), defaultVal, context);\n };\n default: return function() {\n var args = slice.call(arguments);\n args.unshift(this[attribute]);\n return base[method].apply(base, args);\n };\n }\n };\n\n var addUnderscoreMethods = function(Class, base, methods, attribute) {\n _.each(methods, function(length, method) {\n if (base[method]) Class.prototype[method] = addMethod(base, length, method, attribute);\n });\n };\n\n // Support `collection.sortBy('attr')` and `collection.findWhere({id: 1})`.\n var cb = function(iteratee, instance) {\n if (_.isFunction(iteratee)) return iteratee;\n if (_.isObject(iteratee) && !instance._isModel(iteratee)) return modelMatcher(iteratee);\n if (_.isString(iteratee)) return function(model) { return model.get(iteratee); };\n return iteratee;\n };\n var modelMatcher = function(attrs) {\n var matcher = _.matches(attrs);\n return function(model) {\n return matcher(model.attributes);\n };\n };\n\n // Underscore methods that we want to implement on the Collection.\n // 90% of the core usefulness of Backbone Collections is actually implemented\n // right here:\n var collectionMethods = {forEach: 3, each: 3, map: 3, collect: 3, reduce: 0,\n foldl: 0, inject: 0, reduceRight: 0, foldr: 0, find: 3, detect: 3, filter: 3,\n select: 3, reject: 3, every: 3, all: 3, some: 3, any: 3, include: 3, includes: 3,\n contains: 3, invoke: 0, max: 3, min: 3, toArray: 1, size: 1, first: 3,\n head: 3, take: 3, initial: 3, rest: 3, tail: 3, drop: 3, last: 3,\n without: 0, difference: 0, indexOf: 3, shuffle: 1, lastIndexOf: 3,\n isEmpty: 1, chain: 1, sample: 3, partition: 3, groupBy: 3, countBy: 3,\n sortBy: 3, indexBy: 3, findIndex: 3, findLastIndex: 3};\n\n\n // Underscore methods that we want to implement on the Model, mapped to the\n // number of arguments they take.\n var modelMethods = {keys: 1, values: 1, pairs: 1, invert: 1, pick: 0,\n omit: 0, chain: 1, isEmpty: 1};\n\n // Mix in each Underscore method as a proxy to `Collection#models`.\n\n _.each([\n [Collection, collectionMethods, 'models'],\n [Model, modelMethods, 'attributes']\n ], function(config) {\n var Base = config[0],\n methods = config[1],\n attribute = config[2];\n\n Base.mixin = function(obj) {\n var mappings = _.reduce(_.functions(obj), function(memo, name) {\n memo[name] = 0;\n return memo;\n }, {});\n addUnderscoreMethods(Base, obj, mappings, attribute);\n };\n\n addUnderscoreMethods(Base, _, methods, attribute);\n });\n\n // Backbone.sync\n // -------------\n\n // Override this function to change the manner in which Backbone persists\n // models to the server. You will be passed the type of request, and the\n // model in question. By default, makes a RESTful Ajax request\n // to the model's `url()`. Some possible customizations could be:\n //\n // * Use `setTimeout` to batch rapid-fire updates into a single request.\n // * Send up the models as XML instead of JSON.\n // * Persist models via WebSockets instead of Ajax.\n //\n // Turn on `Backbone.emulateHTTP` in order to send `PUT` and `DELETE` requests\n // as `POST`, with a `_method` parameter containing the true HTTP method,\n // as well as all requests with the body as `application/x-www-form-urlencoded`\n // instead of `application/json` with the model in a param named `model`.\n // Useful when interfacing with server-side languages like **PHP** that make\n // it difficult to read the body of `PUT` requests.\n Backbone.sync = function(method, model, options) {\n var type = methodMap[method];\n\n // Default options, unless specified.\n _.defaults(options || (options = {}), {\n emulateHTTP: Backbone.emulateHTTP,\n emulateJSON: Backbone.emulateJSON\n });\n\n // Default JSON-request options.\n var params = {type: type, dataType: 'json'};\n\n // Ensure that we have a URL.\n if (!options.url) {\n params.url = _.result(model, 'url') || urlError();\n }\n\n // Ensure that we have the appropriate request data.\n if (options.data == null && model && (method === 'create' || method === 'update' || method === 'patch')) {\n params.contentType = 'application/json';\n params.data = JSON.stringify(options.attrs || model.toJSON(options));\n }\n\n // For older servers, emulate JSON by encoding the request into an HTML-form.\n if (options.emulateJSON) {\n params.contentType = 'application/x-www-form-urlencoded';\n params.data = params.data ? {model: params.data} : {};\n }\n\n // For older servers, emulate HTTP by mimicking the HTTP method with `_method`\n // And an `X-HTTP-Method-Override` header.\n if (options.emulateHTTP && (type === 'PUT' || type === 'DELETE' || type === 'PATCH')) {\n params.type = 'POST';\n if (options.emulateJSON) params.data._method = type;\n var beforeSend = options.beforeSend;\n options.beforeSend = function(xhr) {\n xhr.setRequestHeader('X-HTTP-Method-Override', type);\n if (beforeSend) return beforeSend.apply(this, arguments);\n };\n }\n\n // Don't process data on a non-GET request.\n if (params.type !== 'GET' && !options.emulateJSON) {\n params.processData = false;\n }\n\n // Pass along `textStatus` and `errorThrown` from jQuery.\n var error = options.error;\n options.error = function(xhr, textStatus, errorThrown) {\n options.textStatus = textStatus;\n options.errorThrown = errorThrown;\n if (error) error.call(options.context, xhr, textStatus, errorThrown);\n };\n\n // Make the request, allowing the user to override any Ajax options.\n var xhr = options.xhr = Backbone.ajax(_.extend(params, options));\n model.trigger('request', model, xhr, options);\n return xhr;\n };\n\n // Map from CRUD to HTTP for our default `Backbone.sync` implementation.\n var methodMap = {\n 'create': 'POST',\n 'update': 'PUT',\n 'patch': 'PATCH',\n 'delete': 'DELETE',\n 'read': 'GET'\n };\n\n // Set the default implementation of `Backbone.ajax` to proxy through to `$`.\n // Override this if you'd like to use a different library.\n Backbone.ajax = function() {\n return Backbone.$.ajax.apply(Backbone.$, arguments);\n };\n\n // Backbone.Router\n // ---------------\n\n // Routers map faux-URLs to actions, and fire events when routes are\n // matched. Creating a new one sets its `routes` hash, if not set statically.\n var Router = Backbone.Router = function(options) {\n options || (options = {});\n this.preinitialize.apply(this, arguments);\n if (options.routes) this.routes = options.routes;\n this._bindRoutes();\n this.initialize.apply(this, arguments);\n };\n\n // Cached regular expressions for matching named param parts and splatted\n // parts of route strings.\n var optionalParam = /\\((.*?)\\)/g;\n var namedParam = /(\\(\\?)?:\\w+/g;\n var splatParam = /\\*\\w+/g;\n var escapeRegExp = /[\\-{}\\[\\]+?.,\\\\\\^$|#\\s]/g;\n\n // Set up all inheritable **Backbone.Router** properties and methods.\n _.extend(Router.prototype, Events, {\n\n // preinitialize is an empty function by default. You can override it with a function\n // or object. preinitialize will run before any instantiation logic is run in the Router.\n preinitialize: function(){},\n\n // Initialize is an empty function by default. Override it with your own\n // initialization logic.\n initialize: function(){},\n\n // Manually bind a single named route to a callback. For example:\n //\n // this.route('search/:query/p:num', 'search', function(query, num) {\n // ...\n // });\n //\n route: function(route, name, callback) {\n if (!_.isRegExp(route)) route = this._routeToRegExp(route);\n if (_.isFunction(name)) {\n callback = name;\n name = '';\n }\n if (!callback) callback = this[name];\n var router = this;\n Backbone.history.route(route, function(fragment) {\n var args = router._extractParameters(route, fragment);\n if (router.execute(callback, args, name) !== false) {\n router.trigger.apply(router, ['route:' + name].concat(args));\n router.trigger('route', name, args);\n Backbone.history.trigger('route', router, name, args);\n }\n });\n return this;\n },\n\n // Execute a route handler with the provided parameters. This is an\n // excellent place to do pre-route setup or post-route cleanup.\n execute: function(callback, args, name) {\n if (callback) callback.apply(this, args);\n },\n\n // Simple proxy to `Backbone.history` to save a fragment into the history.\n navigate: function(fragment, options) {\n Backbone.history.navigate(fragment, options);\n return this;\n },\n\n // Bind all defined routes to `Backbone.history`. We have to reverse the\n // order of the routes here to support behavior where the most general\n // routes can be defined at the bottom of the route map.\n _bindRoutes: function() {\n if (!this.routes) return;\n this.routes = _.result(this, 'routes');\n var route, routes = _.keys(this.routes);\n while ((route = routes.pop()) != null) {\n this.route(route, this.routes[route]);\n }\n },\n\n // Convert a route string into a regular expression, suitable for matching\n // against the current location hash.\n _routeToRegExp: function(route) {\n route = route.replace(escapeRegExp, '\\\\$&')\n .replace(optionalParam, '(?:$1)?')\n .replace(namedParam, function(match, optional) {\n return optional ? match : '([^/?]+)';\n })\n .replace(splatParam, '([^?]*?)');\n return new RegExp('^' + route + '(?:\\\\?([\\\\s\\\\S]*))?$');\n },\n\n // Given a route, and a URL fragment that it matches, return the array of\n // extracted decoded parameters. Empty or unmatched parameters will be\n // treated as `null` to normalize cross-browser behavior.\n _extractParameters: function(route, fragment) {\n var params = route.exec(fragment).slice(1);\n return _.map(params, function(param, i) {\n // Don't decode the search params.\n if (i === params.length - 1) return param || null;\n return param ? decodeURIComponent(param) : null;\n });\n }\n\n });\n\n // Backbone.History\n // ----------------\n\n // Handles cross-browser history management, based on either\n // [pushState](http://diveintohtml5.info/history.html) and real URLs, or\n // [onhashchange](https://developer.mozilla.org/en-US/docs/DOM/window.onhashchange)\n // and URL fragments. If the browser supports neither (old IE, natch),\n // falls back to polling.\n var History = Backbone.History = function() {\n this.handlers = [];\n this.checkUrl = this.checkUrl.bind(this);\n\n // Ensure that `History` can be used outside of the browser.\n if (typeof window !== 'undefined') {\n this.location = window.location;\n this.history = window.history;\n }\n };\n\n // Cached regex for stripping a leading hash/slash and trailing space.\n var routeStripper = /^[#\\/]|\\s+$/g;\n\n // Cached regex for stripping leading and trailing slashes.\n var rootStripper = /^\\/+|\\/+$/g;\n\n // Cached regex for stripping urls of hash.\n var pathStripper = /#.*$/;\n\n // Has the history handling already been started?\n History.started = false;\n\n // Set up all inheritable **Backbone.History** properties and methods.\n _.extend(History.prototype, Events, {\n\n // The default interval to poll for hash changes, if necessary, is\n // twenty times a second.\n interval: 50,\n\n // Are we at the app root?\n atRoot: function() {\n var path = this.location.pathname.replace(/[^\\/]$/, '$&/');\n return path === this.root && !this.getSearch();\n },\n\n // Does the pathname match the root?\n matchRoot: function() {\n var path = this.decodeFragment(this.location.pathname);\n var rootPath = path.slice(0, this.root.length - 1) + '/';\n return rootPath === this.root;\n },\n\n // Unicode characters in `location.pathname` are percent encoded so they're\n // decoded for comparison. `%25` should not be decoded since it may be part\n // of an encoded parameter.\n decodeFragment: function(fragment) {\n return decodeURI(fragment.replace(/%25/g, '%2525'));\n },\n\n // In IE6, the hash fragment and search params are incorrect if the\n // fragment contains `?`.\n getSearch: function() {\n var match = this.location.href.replace(/#.*/, '').match(/\\?.+/);\n return match ? match[0] : '';\n },\n\n // Gets the true hash value. Cannot use location.hash directly due to bug\n // in Firefox where location.hash will always be decoded.\n getHash: function(window) {\n var match = (window || this).location.href.match(/#(.*)$/);\n return match ? match[1] : '';\n },\n\n // Get the pathname and search params, without the root.\n getPath: function() {\n var path = this.decodeFragment(\n this.location.pathname + this.getSearch()\n ).slice(this.root.length - 1);\n return path.charAt(0) === '/' ? path.slice(1) : path;\n },\n\n // Get the cross-browser normalized URL fragment from the path or hash.\n getFragment: function(fragment) {\n if (fragment == null) {\n if (this._usePushState || !this._wantsHashChange) {\n fragment = this.getPath();\n } else {\n fragment = this.getHash();\n }\n }\n return fragment.replace(routeStripper, '');\n },\n\n // Start the hash change handling, returning `true` if the current URL matches\n // an existing route, and `false` otherwise.\n start: function(options) {\n if (History.started) throw new Error('Backbone.history has already been started');\n History.started = true;\n\n // Figure out the initial configuration. Do we need an iframe?\n // Is pushState desired ... is it available?\n this.options = _.extend({root: '/'}, this.options, options);\n this.root = this.options.root;\n this._trailingSlash = this.options.trailingSlash;\n this._wantsHashChange = this.options.hashChange !== false;\n this._hasHashChange = 'onhashchange' in window && (document.documentMode === void 0 || document.documentMode > 7);\n this._useHashChange = this._wantsHashChange && this._hasHashChange;\n this._wantsPushState = !!this.options.pushState;\n this._hasPushState = !!(this.history && this.history.pushState);\n this._usePushState = this._wantsPushState && this._hasPushState;\n this.fragment = this.getFragment();\n\n // Normalize root to always include a leading and trailing slash.\n this.root = ('/' + this.root + '/').replace(rootStripper, '/');\n\n // Transition from hashChange to pushState or vice versa if both are\n // requested.\n if (this._wantsHashChange && this._wantsPushState) {\n\n // If we've started off with a route from a `pushState`-enabled\n // browser, but we're currently in a browser that doesn't support it...\n if (!this._hasPushState && !this.atRoot()) {\n var rootPath = this.root.slice(0, -1) || '/';\n this.location.replace(rootPath + '#' + this.getPath());\n // Return immediately as browser will do redirect to new url\n return true;\n\n // Or if we've started out with a hash-based route, but we're currently\n // in a browser where it could be `pushState`-based instead...\n } else if (this._hasPushState && this.atRoot()) {\n this.navigate(this.getHash(), {replace: true});\n }\n\n }\n\n // Proxy an iframe to handle location events if the browser doesn't\n // support the `hashchange` event, HTML5 history, or the user wants\n // `hashChange` but not `pushState`.\n if (!this._hasHashChange && this._wantsHashChange && !this._usePushState) {\n this.iframe = document.createElement('iframe');\n this.iframe.src = 'javascript:0';\n this.iframe.style.display = 'none';\n this.iframe.tabIndex = -1;\n var body = document.body;\n // Using `appendChild` will throw on IE < 9 if the document is not ready.\n var iWindow = body.insertBefore(this.iframe, body.firstChild).contentWindow;\n iWindow.document.open();\n iWindow.document.close();\n iWindow.location.hash = '#' + this.fragment;\n }\n\n // Add a cross-platform `addEventListener` shim for older browsers.\n var addEventListener = window.addEventListener || function(eventName, listener) {\n return attachEvent('on' + eventName, listener);\n };\n\n // Depending on whether we're using pushState or hashes, and whether\n // 'onhashchange' is supported, determine how we check the URL state.\n if (this._usePushState) {\n addEventListener('popstate', this.checkUrl, false);\n } else if (this._useHashChange && !this.iframe) {\n addEventListener('hashchange', this.checkUrl, false);\n } else if (this._wantsHashChange) {\n this._checkUrlInterval = setInterval(this.checkUrl, this.interval);\n }\n\n if (!this.options.silent) return this.loadUrl();\n },\n\n // Disable Backbone.history, perhaps temporarily. Not useful in a real app,\n // but possibly useful for unit testing Routers.\n stop: function() {\n // Add a cross-platform `removeEventListener` shim for older browsers.\n var removeEventListener = window.removeEventListener || function(eventName, listener) {\n return detachEvent('on' + eventName, listener);\n };\n\n // Remove window listeners.\n if (this._usePushState) {\n removeEventListener('popstate', this.checkUrl, false);\n } else if (this._useHashChange && !this.iframe) {\n removeEventListener('hashchange', this.checkUrl, false);\n }\n\n // Clean up the iframe if necessary.\n if (this.iframe) {\n document.body.removeChild(this.iframe);\n this.iframe = null;\n }\n\n // Some environments will throw when clearing an undefined interval.\n if (this._checkUrlInterval) clearInterval(this._checkUrlInterval);\n History.started = false;\n },\n\n // Add a route to be tested when the fragment changes. Routes added later\n // may override previous routes.\n route: function(route, callback) {\n this.handlers.unshift({route: route, callback: callback});\n },\n\n // Checks the current URL to see if it has changed, and if it has,\n // calls `loadUrl`, normalizing across the hidden iframe.\n checkUrl: function(e) {\n var current = this.getFragment();\n\n // If the user pressed the back button, the iframe's hash will have\n // changed and we should use that for comparison.\n if (current === this.fragment && this.iframe) {\n current = this.getHash(this.iframe.contentWindow);\n }\n\n if (current === this.fragment) {\n if (!this.matchRoot()) return this.notfound();\n return false;\n }\n if (this.iframe) this.navigate(current);\n this.loadUrl();\n },\n\n // Attempt to load the current URL fragment. If a route succeeds with a\n // match, returns `true`. If no defined routes matches the fragment,\n // returns `false`.\n loadUrl: function(fragment) {\n // If the root doesn't match, no routes can match either.\n if (!this.matchRoot()) return this.notfound();\n fragment = this.fragment = this.getFragment(fragment);\n return _.some(this.handlers, function(handler) {\n if (handler.route.test(fragment)) {\n handler.callback(fragment);\n return true;\n }\n }) || this.notfound();\n },\n\n // When no route could be matched, this method is called internally to\n // trigger the `'notfound'` event. It returns `false` so that it can be used\n // in tail position.\n notfound: function() {\n this.trigger('notfound');\n return false;\n },\n\n // Save a fragment into the hash history, or replace the URL state if the\n // 'replace' option is passed. You are responsible for properly URL-encoding\n // the fragment in advance.\n //\n // The options object can contain `trigger: true` if you wish to have the\n // route callback be fired (not usually desirable), or `replace: true`, if\n // you wish to modify the current URL without adding an entry to the history.\n navigate: function(fragment, options) {\n if (!History.started) return false;\n if (!options || options === true) options = {trigger: !!options};\n\n // Normalize the fragment.\n fragment = this.getFragment(fragment || '');\n\n // Strip trailing slash on the root unless _trailingSlash is true\n var rootPath = this.root;\n if (!this._trailingSlash && (fragment === '' || fragment.charAt(0) === '?')) {\n rootPath = rootPath.slice(0, -1) || '/';\n }\n var url = rootPath + fragment;\n\n // Strip the fragment of the query and hash for matching.\n fragment = fragment.replace(pathStripper, '');\n\n // Decode for matching.\n var decodedFragment = this.decodeFragment(fragment);\n\n if (this.fragment === decodedFragment) return;\n this.fragment = decodedFragment;\n\n // If pushState is available, we use it to set the fragment as a real URL.\n if (this._usePushState) {\n this.history[options.replace ? 'replaceState' : 'pushState']({}, document.title, url);\n\n // If hash changes haven't been explicitly disabled, update the hash\n // fragment to store history.\n } else if (this._wantsHashChange) {\n this._updateHash(this.location, fragment, options.replace);\n if (this.iframe && fragment !== this.getHash(this.iframe.contentWindow)) {\n var iWindow = this.iframe.contentWindow;\n\n // Opening and closing the iframe tricks IE7 and earlier to push a\n // history entry on hash-tag change. When replace is true, we don't\n // want this.\n if (!options.replace) {\n iWindow.document.open();\n iWindow.document.close();\n }\n\n this._updateHash(iWindow.location, fragment, options.replace);\n }\n\n // If you've told us that you explicitly don't want fallback hashchange-\n // based history, then `navigate` becomes a page refresh.\n } else {\n return this.location.assign(url);\n }\n if (options.trigger) return this.loadUrl(fragment);\n },\n\n // Update the hash location, either replacing the current entry, or adding\n // a new one to the browser history.\n _updateHash: function(location, fragment, replace) {\n if (replace) {\n var href = location.href.replace(/(javascript:|#).*$/, '');\n location.replace(href + '#' + fragment);\n } else {\n // Some browsers require that `hash` contains a leading #.\n location.hash = '#' + fragment;\n }\n }\n\n });\n\n // Create the default Backbone.history.\n Backbone.history = new History;\n\n // Helpers\n // -------\n\n // Helper function to correctly set up the prototype chain for subclasses.\n // Similar to `goog.inherits`, but uses a hash of prototype properties and\n // class properties to be extended.\n var extend = function(protoProps, staticProps) {\n var parent = this;\n var child;\n\n // The constructor function for the new subclass is either defined by you\n // (the \"constructor\" property in your `extend` definition), or defaulted\n // by us to simply call the parent constructor.\n if (protoProps && _.has(protoProps, 'constructor')) {\n child = protoProps.constructor;\n } else {\n child = function(){ return parent.apply(this, arguments); };\n }\n\n // Add static properties to the constructor function, if supplied.\n _.extend(child, parent, staticProps);\n\n // Set the prototype chain to inherit from `parent`, without calling\n // `parent`'s constructor function and add the prototype properties.\n child.prototype = _.create(parent.prototype, protoProps);\n child.prototype.constructor = child;\n\n // Set a convenience property in case the parent's prototype is needed\n // later.\n child.__super__ = parent.prototype;\n\n return child;\n };\n\n // Set up inheritance for the model, collection, router, view and history.\n Model.extend = Collection.extend = Router.extend = View.extend = History.extend = extend;\n\n // Throw an error when a URL is needed, and none is supplied.\n var urlError = function() {\n throw new Error('A \"url\" property or function must be specified');\n };\n\n // Wrap an optional error callback with a fallback error event.\n var wrapError = function(model, options) {\n var error = options.error;\n options.error = function(resp) {\n if (error) error.call(options.context, model, resp, options);\n model.trigger('error', model, resp, options);\n };\n };\n\n // Provide useful information when things go wrong. This method is not meant\n // to be used directly; it merely provides the necessary introspection for the\n // external `debugInfo` function.\n Backbone._debug = function() {\n return {root: root, _: _};\n };\n\n return Backbone;\n});\n","/*\n * JavaScript MD5\n * https://github.com/blueimp/JavaScript-MD5\n *\n * Copyright 2011, Sebastian Tschan\n * https://blueimp.net\n *\n * Licensed under the MIT license:\n * https://opensource.org/licenses/MIT\n *\n * Based on\n * A JavaScript implementation of the RSA Data Security, Inc. MD5 Message\n * Digest Algorithm, as defined in RFC 1321.\n * Version 2.2 Copyright (C) Paul Johnston 1999 - 2009\n * Other contributors: Greg Holt, Andrew Kepert, Ydnar, Lostinet\n * Distributed under the BSD License\n * See http://pajhome.org.uk/crypt/md5 for more info.\n */\n\n/* global define */\n\n/* eslint-disable strict */\n\n;(function ($) {\n 'use strict'\n\n /**\n * Add integers, wrapping at 2^32.\n * This uses 16-bit operations internally to work around bugs in interpreters.\n *\n * @param {number} x First integer\n * @param {number} y Second integer\n * @returns {number} Sum\n */\n function safeAdd(x, y) {\n var lsw = (x & 0xffff) + (y & 0xffff)\n var msw = (x >> 16) + (y >> 16) + (lsw >> 16)\n return (msw << 16) | (lsw & 0xffff)\n }\n\n /**\n * Bitwise rotate a 32-bit number to the left.\n *\n * @param {number} num 32-bit number\n * @param {number} cnt Rotation count\n * @returns {number} Rotated number\n */\n function bitRotateLeft(num, cnt) {\n return (num << cnt) | (num >>> (32 - cnt))\n }\n\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} q q\n * @param {number} a a\n * @param {number} b b\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5cmn(q, a, b, x, s, t) {\n return safeAdd(bitRotateLeft(safeAdd(safeAdd(a, q), safeAdd(x, t)), s), b)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5ff(a, b, c, d, x, s, t) {\n return md5cmn((b & c) | (~b & d), a, b, x, s, t)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5gg(a, b, c, d, x, s, t) {\n return md5cmn((b & d) | (c & ~d), a, b, x, s, t)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5hh(a, b, c, d, x, s, t) {\n return md5cmn(b ^ c ^ d, a, b, x, s, t)\n }\n /**\n * Basic operation the algorithm uses.\n *\n * @param {number} a a\n * @param {number} b b\n * @param {number} c c\n * @param {number} d d\n * @param {number} x x\n * @param {number} s s\n * @param {number} t t\n * @returns {number} Result\n */\n function md5ii(a, b, c, d, x, s, t) {\n return md5cmn(c ^ (b | ~d), a, b, x, s, t)\n }\n\n /**\n * Calculate the MD5 of an array of little-endian words, and a bit length.\n *\n * @param {Array} x Array of little-endian words\n * @param {number} len Bit length\n * @returns {Array} MD5 Array\n */\n function binlMD5(x, len) {\n /* append padding */\n x[len >> 5] |= 0x80 << len % 32\n x[(((len + 64) >>> 9) << 4) + 14] = len\n\n var i\n var olda\n var oldb\n var oldc\n var oldd\n var a = 1732584193\n var b = -271733879\n var c = -1732584194\n var d = 271733878\n\n for (i = 0; i < x.length; i += 16) {\n olda = a\n oldb = b\n oldc = c\n oldd = d\n\n a = md5ff(a, b, c, d, x[i], 7, -680876936)\n d = md5ff(d, a, b, c, x[i + 1], 12, -389564586)\n c = md5ff(c, d, a, b, x[i + 2], 17, 606105819)\n b = md5ff(b, c, d, a, x[i + 3], 22, -1044525330)\n a = md5ff(a, b, c, d, x[i + 4], 7, -176418897)\n d = md5ff(d, a, b, c, x[i + 5], 12, 1200080426)\n c = md5ff(c, d, a, b, x[i + 6], 17, -1473231341)\n b = md5ff(b, c, d, a, x[i + 7], 22, -45705983)\n a = md5ff(a, b, c, d, x[i + 8], 7, 1770035416)\n d = md5ff(d, a, b, c, x[i + 9], 12, -1958414417)\n c = md5ff(c, d, a, b, x[i + 10], 17, -42063)\n b = md5ff(b, c, d, a, x[i + 11], 22, -1990404162)\n a = md5ff(a, b, c, d, x[i + 12], 7, 1804603682)\n d = md5ff(d, a, b, c, x[i + 13], 12, -40341101)\n c = md5ff(c, d, a, b, x[i + 14], 17, -1502002290)\n b = md5ff(b, c, d, a, x[i + 15], 22, 1236535329)\n\n a = md5gg(a, b, c, d, x[i + 1], 5, -165796510)\n d = md5gg(d, a, b, c, x[i + 6], 9, -1069501632)\n c = md5gg(c, d, a, b, x[i + 11], 14, 643717713)\n b = md5gg(b, c, d, a, x[i], 20, -373897302)\n a = md5gg(a, b, c, d, x[i + 5], 5, -701558691)\n d = md5gg(d, a, b, c, x[i + 10], 9, 38016083)\n c = md5gg(c, d, a, b, x[i + 15], 14, -660478335)\n b = md5gg(b, c, d, a, x[i + 4], 20, -405537848)\n a = md5gg(a, b, c, d, x[i + 9], 5, 568446438)\n d = md5gg(d, a, b, c, x[i + 14], 9, -1019803690)\n c = md5gg(c, d, a, b, x[i + 3], 14, -187363961)\n b = md5gg(b, c, d, a, x[i + 8], 20, 1163531501)\n a = md5gg(a, b, c, d, x[i + 13], 5, -1444681467)\n d = md5gg(d, a, b, c, x[i + 2], 9, -51403784)\n c = md5gg(c, d, a, b, x[i + 7], 14, 1735328473)\n b = md5gg(b, c, d, a, x[i + 12], 20, -1926607734)\n\n a = md5hh(a, b, c, d, x[i + 5], 4, -378558)\n d = md5hh(d, a, b, c, x[i + 8], 11, -2022574463)\n c = md5hh(c, d, a, b, x[i + 11], 16, 1839030562)\n b = md5hh(b, c, d, a, x[i + 14], 23, -35309556)\n a = md5hh(a, b, c, d, x[i + 1], 4, -1530992060)\n d = md5hh(d, a, b, c, x[i + 4], 11, 1272893353)\n c = md5hh(c, d, a, b, x[i + 7], 16, -155497632)\n b = md5hh(b, c, d, a, x[i + 10], 23, -1094730640)\n a = md5hh(a, b, c, d, x[i + 13], 4, 681279174)\n d = md5hh(d, a, b, c, x[i], 11, -358537222)\n c = md5hh(c, d, a, b, x[i + 3], 16, -722521979)\n b = md5hh(b, c, d, a, x[i + 6], 23, 76029189)\n a = md5hh(a, b, c, d, x[i + 9], 4, -640364487)\n d = md5hh(d, a, b, c, x[i + 12], 11, -421815835)\n c = md5hh(c, d, a, b, x[i + 15], 16, 530742520)\n b = md5hh(b, c, d, a, x[i + 2], 23, -995338651)\n\n a = md5ii(a, b, c, d, x[i], 6, -198630844)\n d = md5ii(d, a, b, c, x[i + 7], 10, 1126891415)\n c = md5ii(c, d, a, b, x[i + 14], 15, -1416354905)\n b = md5ii(b, c, d, a, x[i + 5], 21, -57434055)\n a = md5ii(a, b, c, d, x[i + 12], 6, 1700485571)\n d = md5ii(d, a, b, c, x[i + 3], 10, -1894986606)\n c = md5ii(c, d, a, b, x[i + 10], 15, -1051523)\n b = md5ii(b, c, d, a, x[i + 1], 21, -2054922799)\n a = md5ii(a, b, c, d, x[i + 8], 6, 1873313359)\n d = md5ii(d, a, b, c, x[i + 15], 10, -30611744)\n c = md5ii(c, d, a, b, x[i + 6], 15, -1560198380)\n b = md5ii(b, c, d, a, x[i + 13], 21, 1309151649)\n a = md5ii(a, b, c, d, x[i + 4], 6, -145523070)\n d = md5ii(d, a, b, c, x[i + 11], 10, -1120210379)\n c = md5ii(c, d, a, b, x[i + 2], 15, 718787259)\n b = md5ii(b, c, d, a, x[i + 9], 21, -343485551)\n\n a = safeAdd(a, olda)\n b = safeAdd(b, oldb)\n c = safeAdd(c, oldc)\n d = safeAdd(d, oldd)\n }\n return [a, b, c, d]\n }\n\n /**\n * Convert an array of little-endian words to a string\n *\n * @param {Array} input MD5 Array\n * @returns {string} MD5 string\n */\n function binl2rstr(input) {\n var i\n var output = ''\n var length32 = input.length * 32\n for (i = 0; i < length32; i += 8) {\n output += String.fromCharCode((input[i >> 5] >>> i % 32) & 0xff)\n }\n return output\n }\n\n /**\n * Convert a raw string to an array of little-endian words\n * Characters >255 have their high-byte silently ignored.\n *\n * @param {string} input Raw input string\n * @returns {Array} Array of little-endian words\n */\n function rstr2binl(input) {\n var i\n var output = []\n output[(input.length >> 2) - 1] = undefined\n for (i = 0; i < output.length; i += 1) {\n output[i] = 0\n }\n var length8 = input.length * 8\n for (i = 0; i < length8; i += 8) {\n output[i >> 5] |= (input.charCodeAt(i / 8) & 0xff) << i % 32\n }\n return output\n }\n\n /**\n * Calculate the MD5 of a raw string\n *\n * @param {string} s Input string\n * @returns {string} Raw MD5 string\n */\n function rstrMD5(s) {\n return binl2rstr(binlMD5(rstr2binl(s), s.length * 8))\n }\n\n /**\n * Calculates the HMAC-MD5 of a key and some data (raw strings)\n *\n * @param {string} key HMAC key\n * @param {string} data Raw input string\n * @returns {string} Raw MD5 string\n */\n function rstrHMACMD5(key, data) {\n var i\n var bkey = rstr2binl(key)\n var ipad = []\n var opad = []\n var hash\n ipad[15] = opad[15] = undefined\n if (bkey.length > 16) {\n bkey = binlMD5(bkey, key.length * 8)\n }\n for (i = 0; i < 16; i += 1) {\n ipad[i] = bkey[i] ^ 0x36363636\n opad[i] = bkey[i] ^ 0x5c5c5c5c\n }\n hash = binlMD5(ipad.concat(rstr2binl(data)), 512 + data.length * 8)\n return binl2rstr(binlMD5(opad.concat(hash), 512 + 128))\n }\n\n /**\n * Convert a raw string to a hex string\n *\n * @param {string} input Raw input string\n * @returns {string} Hex encoded string\n */\n function rstr2hex(input) {\n var hexTab = '0123456789abcdef'\n var output = ''\n var x\n var i\n for (i = 0; i < input.length; i += 1) {\n x = input.charCodeAt(i)\n output += hexTab.charAt((x >>> 4) & 0x0f) + hexTab.charAt(x & 0x0f)\n }\n return output\n }\n\n /**\n * Encode a string as UTF-8\n *\n * @param {string} input Input string\n * @returns {string} UTF8 string\n */\n function str2rstrUTF8(input) {\n return unescape(encodeURIComponent(input))\n }\n\n /**\n * Encodes input string as raw MD5 string\n *\n * @param {string} s Input string\n * @returns {string} Raw MD5 string\n */\n function rawMD5(s) {\n return rstrMD5(str2rstrUTF8(s))\n }\n /**\n * Encodes input string as Hex encoded string\n *\n * @param {string} s Input string\n * @returns {string} Hex encoded string\n */\n function hexMD5(s) {\n return rstr2hex(rawMD5(s))\n }\n /**\n * Calculates the raw HMAC-MD5 for the given key and data\n *\n * @param {string} k HMAC key\n * @param {string} d Input string\n * @returns {string} Raw MD5 string\n */\n function rawHMACMD5(k, d) {\n return rstrHMACMD5(str2rstrUTF8(k), str2rstrUTF8(d))\n }\n /**\n * Calculates the Hex encoded HMAC-MD5 for the given key and data\n *\n * @param {string} k HMAC key\n * @param {string} d Input string\n * @returns {string} Raw MD5 string\n */\n function hexHMACMD5(k, d) {\n return rstr2hex(rawHMACMD5(k, d))\n }\n\n /**\n * Calculates MD5 value for a given string.\n * If a key is provided, calculates the HMAC-MD5 value.\n * Returns a Hex encoded string unless the raw argument is given.\n *\n * @param {string} string Input string\n * @param {string} [key] HMAC key\n * @param {boolean} [raw] Raw output switch\n * @returns {string} MD5 output\n */\n function md5(string, key, raw) {\n if (!key) {\n if (!raw) {\n return hexMD5(string)\n }\n return rawMD5(string)\n }\n if (!raw) {\n return hexHMACMD5(key, string)\n }\n return rawHMACMD5(key, string)\n }\n\n if (typeof define === 'function' && define.amd) {\n define(function () {\n return md5\n })\n } else if (typeof module === 'object' && module.exports) {\n module.exports = md5\n } else {\n $.md5 = md5\n }\n})(this)\n","/*!\n * clipboard.js v2.0.11\n * https://clipboardjs.com/\n *\n * Licensed MIT © Zeno Rocha\n */\n(function webpackUniversalModuleDefinition(root, factory) {\n\tif(typeof exports === 'object' && typeof module === 'object')\n\t\tmodule.exports = factory();\n\telse if(typeof define === 'function' && define.amd)\n\t\tdefine([], factory);\n\telse if(typeof exports === 'object')\n\t\texports[\"ClipboardJS\"] = factory();\n\telse\n\t\troot[\"ClipboardJS\"] = factory();\n})(this, function() {\nreturn /******/ (function() { // webpackBootstrap\n/******/ \tvar __webpack_modules__ = ({\n\n/***/ 686:\n/***/ (function(__unused_webpack_module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n\n// EXPORTS\n__webpack_require__.d(__webpack_exports__, {\n \"default\": function() { return /* binding */ clipboard; }\n});\n\n// EXTERNAL MODULE: ./node_modules/tiny-emitter/index.js\nvar tiny_emitter = __webpack_require__(279);\nvar tiny_emitter_default = /*#__PURE__*/__webpack_require__.n(tiny_emitter);\n// EXTERNAL MODULE: ./node_modules/good-listener/src/listen.js\nvar listen = __webpack_require__(370);\nvar listen_default = /*#__PURE__*/__webpack_require__.n(listen);\n// EXTERNAL MODULE: ./node_modules/select/src/select.js\nvar src_select = __webpack_require__(817);\nvar select_default = /*#__PURE__*/__webpack_require__.n(src_select);\n;// CONCATENATED MODULE: ./src/common/command.js\n/**\n * Executes a given operation type.\n * @param {String} type\n * @return {Boolean}\n */\nfunction command(type) {\n try {\n return document.execCommand(type);\n } catch (err) {\n return false;\n }\n}\n;// CONCATENATED MODULE: ./src/actions/cut.js\n\n\n/**\n * Cut action wrapper.\n * @param {String|HTMLElement} target\n * @return {String}\n */\n\nvar ClipboardActionCut = function ClipboardActionCut(target) {\n var selectedText = select_default()(target);\n command('cut');\n return selectedText;\n};\n\n/* harmony default export */ var actions_cut = (ClipboardActionCut);\n;// CONCATENATED MODULE: ./src/common/create-fake-element.js\n/**\n * Creates a fake textarea element with a value.\n * @param {String} value\n * @return {HTMLElement}\n */\nfunction createFakeElement(value) {\n var isRTL = document.documentElement.getAttribute('dir') === 'rtl';\n var fakeElement = document.createElement('textarea'); // Prevent zooming on iOS\n\n fakeElement.style.fontSize = '12pt'; // Reset box model\n\n fakeElement.style.border = '0';\n fakeElement.style.padding = '0';\n fakeElement.style.margin = '0'; // Move element out of screen horizontally\n\n fakeElement.style.position = 'absolute';\n fakeElement.style[isRTL ? 'right' : 'left'] = '-9999px'; // Move element to the same position vertically\n\n var yPosition = window.pageYOffset || document.documentElement.scrollTop;\n fakeElement.style.top = \"\".concat(yPosition, \"px\");\n fakeElement.setAttribute('readonly', '');\n fakeElement.value = value;\n return fakeElement;\n}\n;// CONCATENATED MODULE: ./src/actions/copy.js\n\n\n\n/**\n * Create fake copy action wrapper using a fake element.\n * @param {String} target\n * @param {Object} options\n * @return {String}\n */\n\nvar fakeCopyAction = function fakeCopyAction(value, options) {\n var fakeElement = createFakeElement(value);\n options.container.appendChild(fakeElement);\n var selectedText = select_default()(fakeElement);\n command('copy');\n fakeElement.remove();\n return selectedText;\n};\n/**\n * Copy action wrapper.\n * @param {String|HTMLElement} target\n * @param {Object} options\n * @return {String}\n */\n\n\nvar ClipboardActionCopy = function ClipboardActionCopy(target) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {\n container: document.body\n };\n var selectedText = '';\n\n if (typeof target === 'string') {\n selectedText = fakeCopyAction(target, options);\n } else if (target instanceof HTMLInputElement && !['text', 'search', 'url', 'tel', 'password'].includes(target === null || target === void 0 ? void 0 : target.type)) {\n // If input type doesn't support `setSelectionRange`. Simulate it. https://developer.mozilla.org/en-US/docs/Web/API/HTMLInputElement/setSelectionRange\n selectedText = fakeCopyAction(target.value, options);\n } else {\n selectedText = select_default()(target);\n command('copy');\n }\n\n return selectedText;\n};\n\n/* harmony default export */ var actions_copy = (ClipboardActionCopy);\n;// CONCATENATED MODULE: ./src/actions/default.js\nfunction _typeof(obj) { \"@babel/helpers - typeof\"; if (typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }; } return _typeof(obj); }\n\n\n\n/**\n * Inner function which performs selection from either `text` or `target`\n * properties and then executes copy or cut operations.\n * @param {Object} options\n */\n\nvar ClipboardActionDefault = function ClipboardActionDefault() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n // Defines base properties passed from constructor.\n var _options$action = options.action,\n action = _options$action === void 0 ? 'copy' : _options$action,\n container = options.container,\n target = options.target,\n text = options.text; // Sets the `action` to be performed which can be either 'copy' or 'cut'.\n\n if (action !== 'copy' && action !== 'cut') {\n throw new Error('Invalid \"action\" value, use either \"copy\" or \"cut\"');\n } // Sets the `target` property using an element that will be have its content copied.\n\n\n if (target !== undefined) {\n if (target && _typeof(target) === 'object' && target.nodeType === 1) {\n if (action === 'copy' && target.hasAttribute('disabled')) {\n throw new Error('Invalid \"target\" attribute. Please use \"readonly\" instead of \"disabled\" attribute');\n }\n\n if (action === 'cut' && (target.hasAttribute('readonly') || target.hasAttribute('disabled'))) {\n throw new Error('Invalid \"target\" attribute. You can\\'t cut text from elements with \"readonly\" or \"disabled\" attributes');\n }\n } else {\n throw new Error('Invalid \"target\" value, use a valid Element');\n }\n } // Define selection strategy based on `text` property.\n\n\n if (text) {\n return actions_copy(text, {\n container: container\n });\n } // Defines which selection strategy based on `target` property.\n\n\n if (target) {\n return action === 'cut' ? actions_cut(target) : actions_copy(target, {\n container: container\n });\n }\n};\n\n/* harmony default export */ var actions_default = (ClipboardActionDefault);\n;// CONCATENATED MODULE: ./src/clipboard.js\nfunction clipboard_typeof(obj) { \"@babel/helpers - typeof\"; if (typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\") { clipboard_typeof = function _typeof(obj) { return typeof obj; }; } else { clipboard_typeof = function _typeof(obj) { return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }; } return clipboard_typeof(obj); }\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }\n\nfunction _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\nfunction _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\nfunction _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\nfunction _possibleConstructorReturn(self, call) { if (call && (clipboard_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } return _assertThisInitialized(self); }\n\nfunction _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\nfunction _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Date.prototype.toString.call(Reflect.construct(Date, [], function () {})); return true; } catch (e) { return false; } }\n\nfunction _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\n\n\n\n\n\n/**\n * Helper function to retrieve attribute value.\n * @param {String} suffix\n * @param {Element} element\n */\n\nfunction getAttributeValue(suffix, element) {\n var attribute = \"data-clipboard-\".concat(suffix);\n\n if (!element.hasAttribute(attribute)) {\n return;\n }\n\n return element.getAttribute(attribute);\n}\n/**\n * Base class which takes one or more elements, adds event listeners to them,\n * and instantiates a new `ClipboardAction` on each click.\n */\n\n\nvar Clipboard = /*#__PURE__*/function (_Emitter) {\n _inherits(Clipboard, _Emitter);\n\n var _super = _createSuper(Clipboard);\n\n /**\n * @param {String|HTMLElement|HTMLCollection|NodeList} trigger\n * @param {Object} options\n */\n function Clipboard(trigger, options) {\n var _this;\n\n _classCallCheck(this, Clipboard);\n\n _this = _super.call(this);\n\n _this.resolveOptions(options);\n\n _this.listenClick(trigger);\n\n return _this;\n }\n /**\n * Defines if attributes would be resolved using internal setter functions\n * or custom functions that were passed in the constructor.\n * @param {Object} options\n */\n\n\n _createClass(Clipboard, [{\n key: \"resolveOptions\",\n value: function resolveOptions() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n this.action = typeof options.action === 'function' ? options.action : this.defaultAction;\n this.target = typeof options.target === 'function' ? options.target : this.defaultTarget;\n this.text = typeof options.text === 'function' ? options.text : this.defaultText;\n this.container = clipboard_typeof(options.container) === 'object' ? options.container : document.body;\n }\n /**\n * Adds a click event listener to the passed trigger.\n * @param {String|HTMLElement|HTMLCollection|NodeList} trigger\n */\n\n }, {\n key: \"listenClick\",\n value: function listenClick(trigger) {\n var _this2 = this;\n\n this.listener = listen_default()(trigger, 'click', function (e) {\n return _this2.onClick(e);\n });\n }\n /**\n * Defines a new `ClipboardAction` on each click event.\n * @param {Event} e\n */\n\n }, {\n key: \"onClick\",\n value: function onClick(e) {\n var trigger = e.delegateTarget || e.currentTarget;\n var action = this.action(trigger) || 'copy';\n var text = actions_default({\n action: action,\n container: this.container,\n target: this.target(trigger),\n text: this.text(trigger)\n }); // Fires an event based on the copy operation result.\n\n this.emit(text ? 'success' : 'error', {\n action: action,\n text: text,\n trigger: trigger,\n clearSelection: function clearSelection() {\n if (trigger) {\n trigger.focus();\n }\n\n window.getSelection().removeAllRanges();\n }\n });\n }\n /**\n * Default `action` lookup function.\n * @param {Element} trigger\n */\n\n }, {\n key: \"defaultAction\",\n value: function defaultAction(trigger) {\n return getAttributeValue('action', trigger);\n }\n /**\n * Default `target` lookup function.\n * @param {Element} trigger\n */\n\n }, {\n key: \"defaultTarget\",\n value: function defaultTarget(trigger) {\n var selector = getAttributeValue('target', trigger);\n\n if (selector) {\n return document.querySelector(selector);\n }\n }\n /**\n * Allow fire programmatically a copy action\n * @param {String|HTMLElement} target\n * @param {Object} options\n * @returns Text copied.\n */\n\n }, {\n key: \"defaultText\",\n\n /**\n * Default `text` lookup function.\n * @param {Element} trigger\n */\n value: function defaultText(trigger) {\n return getAttributeValue('text', trigger);\n }\n /**\n * Destroy lifecycle.\n */\n\n }, {\n key: \"destroy\",\n value: function destroy() {\n this.listener.destroy();\n }\n }], [{\n key: \"copy\",\n value: function copy(target) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {\n container: document.body\n };\n return actions_copy(target, options);\n }\n /**\n * Allow fire programmatically a cut action\n * @param {String|HTMLElement} target\n * @returns Text cutted.\n */\n\n }, {\n key: \"cut\",\n value: function cut(target) {\n return actions_cut(target);\n }\n /**\n * Returns the support of the given action, or all actions if no action is\n * given.\n * @param {String} [action]\n */\n\n }, {\n key: \"isSupported\",\n value: function isSupported() {\n var action = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : ['copy', 'cut'];\n var actions = typeof action === 'string' ? [action] : action;\n var support = !!document.queryCommandSupported;\n actions.forEach(function (action) {\n support = support && !!document.queryCommandSupported(action);\n });\n return support;\n }\n }]);\n\n return Clipboard;\n}((tiny_emitter_default()));\n\n/* harmony default export */ var clipboard = (Clipboard);\n\n/***/ }),\n\n/***/ 828:\n/***/ (function(module) {\n\nvar DOCUMENT_NODE_TYPE = 9;\n\n/**\n * A polyfill for Element.matches()\n */\nif (typeof Element !== 'undefined' && !Element.prototype.matches) {\n var proto = Element.prototype;\n\n proto.matches = proto.matchesSelector ||\n proto.mozMatchesSelector ||\n proto.msMatchesSelector ||\n proto.oMatchesSelector ||\n proto.webkitMatchesSelector;\n}\n\n/**\n * Finds the closest parent that matches a selector.\n *\n * @param {Element} element\n * @param {String} selector\n * @return {Function}\n */\nfunction closest (element, selector) {\n while (element && element.nodeType !== DOCUMENT_NODE_TYPE) {\n if (typeof element.matches === 'function' &&\n element.matches(selector)) {\n return element;\n }\n element = element.parentNode;\n }\n}\n\nmodule.exports = closest;\n\n\n/***/ }),\n\n/***/ 438:\n/***/ (function(module, __unused_webpack_exports, __webpack_require__) {\n\nvar closest = __webpack_require__(828);\n\n/**\n * Delegates event to a selector.\n *\n * @param {Element} element\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @param {Boolean} useCapture\n * @return {Object}\n */\nfunction _delegate(element, selector, type, callback, useCapture) {\n var listenerFn = listener.apply(this, arguments);\n\n element.addEventListener(type, listenerFn, useCapture);\n\n return {\n destroy: function() {\n element.removeEventListener(type, listenerFn, useCapture);\n }\n }\n}\n\n/**\n * Delegates event to a selector.\n *\n * @param {Element|String|Array} [elements]\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @param {Boolean} useCapture\n * @return {Object}\n */\nfunction delegate(elements, selector, type, callback, useCapture) {\n // Handle the regular Element usage\n if (typeof elements.addEventListener === 'function') {\n return _delegate.apply(null, arguments);\n }\n\n // Handle Element-less usage, it defaults to global delegation\n if (typeof type === 'function') {\n // Use `document` as the first parameter, then apply arguments\n // This is a short way to .unshift `arguments` without running into deoptimizations\n return _delegate.bind(null, document).apply(null, arguments);\n }\n\n // Handle Selector-based usage\n if (typeof elements === 'string') {\n elements = document.querySelectorAll(elements);\n }\n\n // Handle Array-like based usage\n return Array.prototype.map.call(elements, function (element) {\n return _delegate(element, selector, type, callback, useCapture);\n });\n}\n\n/**\n * Finds closest match and invokes callback.\n *\n * @param {Element} element\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @return {Function}\n */\nfunction listener(element, selector, type, callback) {\n return function(e) {\n e.delegateTarget = closest(e.target, selector);\n\n if (e.delegateTarget) {\n callback.call(element, e);\n }\n }\n}\n\nmodule.exports = delegate;\n\n\n/***/ }),\n\n/***/ 879:\n/***/ (function(__unused_webpack_module, exports) {\n\n/**\n * Check if argument is a HTML element.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.node = function(value) {\n return value !== undefined\n && value instanceof HTMLElement\n && value.nodeType === 1;\n};\n\n/**\n * Check if argument is a list of HTML elements.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.nodeList = function(value) {\n var type = Object.prototype.toString.call(value);\n\n return value !== undefined\n && (type === '[object NodeList]' || type === '[object HTMLCollection]')\n && ('length' in value)\n && (value.length === 0 || exports.node(value[0]));\n};\n\n/**\n * Check if argument is a string.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.string = function(value) {\n return typeof value === 'string'\n || value instanceof String;\n};\n\n/**\n * Check if argument is a function.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.fn = function(value) {\n var type = Object.prototype.toString.call(value);\n\n return type === '[object Function]';\n};\n\n\n/***/ }),\n\n/***/ 370:\n/***/ (function(module, __unused_webpack_exports, __webpack_require__) {\n\nvar is = __webpack_require__(879);\nvar delegate = __webpack_require__(438);\n\n/**\n * Validates all params and calls the right\n * listener function based on its target type.\n *\n * @param {String|HTMLElement|HTMLCollection|NodeList} target\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listen(target, type, callback) {\n if (!target && !type && !callback) {\n throw new Error('Missing required arguments');\n }\n\n if (!is.string(type)) {\n throw new TypeError('Second argument must be a String');\n }\n\n if (!is.fn(callback)) {\n throw new TypeError('Third argument must be a Function');\n }\n\n if (is.node(target)) {\n return listenNode(target, type, callback);\n }\n else if (is.nodeList(target)) {\n return listenNodeList(target, type, callback);\n }\n else if (is.string(target)) {\n return listenSelector(target, type, callback);\n }\n else {\n throw new TypeError('First argument must be a String, HTMLElement, HTMLCollection, or NodeList');\n }\n}\n\n/**\n * Adds an event listener to a HTML element\n * and returns a remove listener function.\n *\n * @param {HTMLElement} node\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenNode(node, type, callback) {\n node.addEventListener(type, callback);\n\n return {\n destroy: function() {\n node.removeEventListener(type, callback);\n }\n }\n}\n\n/**\n * Add an event listener to a list of HTML elements\n * and returns a remove listener function.\n *\n * @param {NodeList|HTMLCollection} nodeList\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenNodeList(nodeList, type, callback) {\n Array.prototype.forEach.call(nodeList, function(node) {\n node.addEventListener(type, callback);\n });\n\n return {\n destroy: function() {\n Array.prototype.forEach.call(nodeList, function(node) {\n node.removeEventListener(type, callback);\n });\n }\n }\n}\n\n/**\n * Add an event listener to a selector\n * and returns a remove listener function.\n *\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenSelector(selector, type, callback) {\n return delegate(document.body, selector, type, callback);\n}\n\nmodule.exports = listen;\n\n\n/***/ }),\n\n/***/ 817:\n/***/ (function(module) {\n\nfunction select(element) {\n var selectedText;\n\n if (element.nodeName === 'SELECT') {\n element.focus();\n\n selectedText = element.value;\n }\n else if (element.nodeName === 'INPUT' || element.nodeName === 'TEXTAREA') {\n var isReadOnly = element.hasAttribute('readonly');\n\n if (!isReadOnly) {\n element.setAttribute('readonly', '');\n }\n\n element.select();\n element.setSelectionRange(0, element.value.length);\n\n if (!isReadOnly) {\n element.removeAttribute('readonly');\n }\n\n selectedText = element.value;\n }\n else {\n if (element.hasAttribute('contenteditable')) {\n element.focus();\n }\n\n var selection = window.getSelection();\n var range = document.createRange();\n\n range.selectNodeContents(element);\n selection.removeAllRanges();\n selection.addRange(range);\n\n selectedText = selection.toString();\n }\n\n return selectedText;\n}\n\nmodule.exports = select;\n\n\n/***/ }),\n\n/***/ 279:\n/***/ (function(module) {\n\nfunction E () {\n // Keep this empty so it's easier to inherit from\n // (via https://github.com/lipsmack from https://github.com/scottcorgan/tiny-emitter/issues/3)\n}\n\nE.prototype = {\n on: function (name, callback, ctx) {\n var e = this.e || (this.e = {});\n\n (e[name] || (e[name] = [])).push({\n fn: callback,\n ctx: ctx\n });\n\n return this;\n },\n\n once: function (name, callback, ctx) {\n var self = this;\n function listener () {\n self.off(name, listener);\n callback.apply(ctx, arguments);\n };\n\n listener._ = callback\n return this.on(name, listener, ctx);\n },\n\n emit: function (name) {\n var data = [].slice.call(arguments, 1);\n var evtArr = ((this.e || (this.e = {}))[name] || []).slice();\n var i = 0;\n var len = evtArr.length;\n\n for (i; i < len; i++) {\n evtArr[i].fn.apply(evtArr[i].ctx, data);\n }\n\n return this;\n },\n\n off: function (name, callback) {\n var e = this.e || (this.e = {});\n var evts = e[name];\n var liveEvents = [];\n\n if (evts && callback) {\n for (var i = 0, len = evts.length; i < len; i++) {\n if (evts[i].fn !== callback && evts[i].fn._ !== callback)\n liveEvents.push(evts[i]);\n }\n }\n\n // Remove event from queue to prevent memory leak\n // Suggested by https://github.com/lazd\n // Ref: https://github.com/scottcorgan/tiny-emitter/commit/c6ebfaa9bc973b33d110a84a307742b7cf94c953#commitcomment-5024910\n\n (liveEvents.length)\n ? e[name] = liveEvents\n : delete e[name];\n\n return this;\n }\n};\n\nmodule.exports = E;\nmodule.exports.TinyEmitter = E;\n\n\n/***/ })\n\n/******/ \t});\n/************************************************************************/\n/******/ \t// The module cache\n/******/ \tvar __webpack_module_cache__ = {};\n/******/ \t\n/******/ \t// The require function\n/******/ \tfunction __webpack_require__(moduleId) {\n/******/ \t\t// Check if module is in cache\n/******/ \t\tif(__webpack_module_cache__[moduleId]) {\n/******/ \t\t\treturn __webpack_module_cache__[moduleId].exports;\n/******/ \t\t}\n/******/ \t\t// Create a new module (and put it into the cache)\n/******/ \t\tvar module = __webpack_module_cache__[moduleId] = {\n/******/ \t\t\t// no module.id needed\n/******/ \t\t\t// no module.loaded needed\n/******/ \t\t\texports: {}\n/******/ \t\t};\n/******/ \t\n/******/ \t\t// Execute the module function\n/******/ \t\t__webpack_modules__[moduleId](module, module.exports, __webpack_require__);\n/******/ \t\n/******/ \t\t// Return the exports of the module\n/******/ \t\treturn module.exports;\n/******/ \t}\n/******/ \t\n/************************************************************************/\n/******/ \t/* webpack/runtime/compat get default export */\n/******/ \t!function() {\n/******/ \t\t// getDefaultExport function for compatibility with non-harmony modules\n/******/ \t\t__webpack_require__.n = function(module) {\n/******/ \t\t\tvar getter = module && module.__esModule ?\n/******/ \t\t\t\tfunction() { return module['default']; } :\n/******/ \t\t\t\tfunction() { return module; };\n/******/ \t\t\t__webpack_require__.d(getter, { a: getter });\n/******/ \t\t\treturn getter;\n/******/ \t\t};\n/******/ \t}();\n/******/ \t\n/******/ \t/* webpack/runtime/define property getters */\n/******/ \t!function() {\n/******/ \t\t// define getter functions for harmony exports\n/******/ \t\t__webpack_require__.d = function(exports, definition) {\n/******/ \t\t\tfor(var key in definition) {\n/******/ \t\t\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n/******/ \t\t\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n/******/ \t\t\t\t}\n/******/ \t\t\t}\n/******/ \t\t};\n/******/ \t}();\n/******/ \t\n/******/ \t/* webpack/runtime/hasOwnProperty shorthand */\n/******/ \t!function() {\n/******/ \t\t__webpack_require__.o = function(obj, prop) { return Object.prototype.hasOwnProperty.call(obj, prop); }\n/******/ \t}();\n/******/ \t\n/************************************************************************/\n/******/ \t// module exports must be returned from runtime so entry inlining is disabled\n/******/ \t// startup\n/******/ \t// Load entry module and return exports\n/******/ \treturn __webpack_require__(686);\n/******/ })()\n.default;\n});","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw==\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"images/ui-icons_444444_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_3___ = new URL(\"images/ui-icons_555555_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_4___ = new URL(\"images/ui-icons_ffffff_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_5___ = new URL(\"images/ui-icons_777620_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_6___ = new URL(\"images/ui-icons_cc0000_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_7___ = new URL(\"images/ui-icons_777777_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\nvar ___CSS_LOADER_URL_REPLACEMENT_3___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_3___);\nvar ___CSS_LOADER_URL_REPLACEMENT_4___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_4___);\nvar ___CSS_LOADER_URL_REPLACEMENT_5___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_5___);\nvar ___CSS_LOADER_URL_REPLACEMENT_6___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_6___);\nvar ___CSS_LOADER_URL_REPLACEMENT_7___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_7___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n/* Layout helpers\n----------------------------------*/\n.ui-helper-hidden {\n\tdisplay: none;\n}\n.ui-helper-hidden-accessible {\n\tborder: 0;\n\tclip: rect(0 0 0 0);\n\theight: 1px;\n\tmargin: -1px;\n\toverflow: hidden;\n\tpadding: 0;\n\tposition: absolute;\n\twidth: 1px;\n}\n.ui-helper-reset {\n\tmargin: 0;\n\tpadding: 0;\n\tborder: 0;\n\toutline: 0;\n\tline-height: 1.3;\n\ttext-decoration: none;\n\tfont-size: 100%;\n\tlist-style: none;\n}\n.ui-helper-clearfix:before,\n.ui-helper-clearfix:after {\n\tcontent: \"\";\n\tdisplay: table;\n\tborder-collapse: collapse;\n}\n.ui-helper-clearfix:after {\n\tclear: both;\n}\n.ui-helper-zfix {\n\twidth: 100%;\n\theight: 100%;\n\ttop: 0;\n\tleft: 0;\n\tposition: absolute;\n\topacity: 0;\n\t-ms-filter: \"alpha(opacity=0)\"; /* support: IE8 */\n}\n\n.ui-front {\n\tz-index: 100;\n}\n\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-disabled {\n\tcursor: default !important;\n\tpointer-events: none;\n}\n\n\n/* Icons\n----------------------------------*/\n.ui-icon {\n\tdisplay: inline-block;\n\tvertical-align: middle;\n\tmargin-top: -.25em;\n\tposition: relative;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n}\n\n.ui-widget-icon-block {\n\tleft: 50%;\n\tmargin-left: -8px;\n\tdisplay: block;\n}\n\n/* Misc visuals\n----------------------------------*/\n\n/* Overlays */\n.ui-widget-overlay {\n\tposition: fixed;\n\ttop: 0;\n\tleft: 0;\n\twidth: 100%;\n\theight: 100%;\n}\n.ui-accordion .ui-accordion-header {\n\tdisplay: block;\n\tcursor: pointer;\n\tposition: relative;\n\tmargin: 2px 0 0 0;\n\tpadding: .5em .5em .5em .7em;\n\tfont-size: 100%;\n}\n.ui-accordion .ui-accordion-content {\n\tpadding: 1em 2.2em;\n\tborder-top: 0;\n\toverflow: auto;\n}\n.ui-autocomplete {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tcursor: default;\n}\n.ui-menu {\n\tlist-style: none;\n\tpadding: 0;\n\tmargin: 0;\n\tdisplay: block;\n\toutline: 0;\n}\n.ui-menu .ui-menu {\n\tposition: absolute;\n}\n.ui-menu .ui-menu-item {\n\tmargin: 0;\n\tcursor: pointer;\n\t/* support: IE10, see #8844 */\n\tlist-style-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n}\n.ui-menu .ui-menu-item-wrapper {\n\tposition: relative;\n\tpadding: 3px 1em 3px .4em;\n}\n.ui-menu .ui-menu-divider {\n\tmargin: 5px 0;\n\theight: 0;\n\tfont-size: 0;\n\tline-height: 0;\n\tborder-width: 1px 0 0 0;\n}\n.ui-menu .ui-state-focus,\n.ui-menu .ui-state-active {\n\tmargin: -1px;\n}\n\n/* icon support */\n.ui-menu-icons {\n\tposition: relative;\n}\n.ui-menu-icons .ui-menu-item-wrapper {\n\tpadding-left: 2em;\n}\n\n/* left-aligned */\n.ui-menu .ui-icon {\n\tposition: absolute;\n\ttop: 0;\n\tbottom: 0;\n\tleft: .2em;\n\tmargin: auto 0;\n}\n\n/* right-aligned */\n.ui-menu .ui-menu-icon {\n\tleft: auto;\n\tright: 0;\n}\n.ui-button {\n\tpadding: .4em 1em;\n\tdisplay: inline-block;\n\tposition: relative;\n\tline-height: normal;\n\tmargin-right: .1em;\n\tcursor: pointer;\n\tvertical-align: middle;\n\ttext-align: center;\n\t-webkit-user-select: none;\n\t-moz-user-select: none;\n\t-ms-user-select: none;\n\tuser-select: none;\n\n\t/* Support: IE <= 11 */\n\toverflow: visible;\n}\n\n.ui-button,\n.ui-button:link,\n.ui-button:visited,\n.ui-button:hover,\n.ui-button:active {\n\ttext-decoration: none;\n}\n\n/* to make room for the icon, a width needs to be set here */\n.ui-button-icon-only {\n\twidth: 2em;\n\tbox-sizing: border-box;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n}\n\n/* no icon support for input elements */\ninput.ui-button.ui-button-icon-only {\n\ttext-indent: 0;\n}\n\n/* button icon element(s) */\n.ui-button-icon-only .ui-icon {\n\tposition: absolute;\n\ttop: 50%;\n\tleft: 50%;\n\tmargin-top: -8px;\n\tmargin-left: -8px;\n}\n\n.ui-button.ui-icon-notext .ui-icon {\n\tpadding: 0;\n\twidth: 2.1em;\n\theight: 2.1em;\n\ttext-indent: -9999px;\n\twhite-space: nowrap;\n\n}\n\ninput.ui-button.ui-icon-notext .ui-icon {\n\twidth: auto;\n\theight: auto;\n\ttext-indent: 0;\n\twhite-space: normal;\n\tpadding: .4em 1em;\n}\n\n/* workarounds */\n/* Support: Firefox 5 - 40 */\ninput.ui-button::-moz-focus-inner,\nbutton.ui-button::-moz-focus-inner {\n\tborder: 0;\n\tpadding: 0;\n}\n.ui-controlgroup {\n\tvertical-align: middle;\n\tdisplay: inline-block;\n}\n.ui-controlgroup > .ui-controlgroup-item {\n\tfloat: left;\n\tmargin-left: 0;\n\tmargin-right: 0;\n}\n.ui-controlgroup > .ui-controlgroup-item:focus,\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\n\tz-index: 9999;\n}\n.ui-controlgroup-vertical > .ui-controlgroup-item {\n\tdisplay: block;\n\tfloat: none;\n\twidth: 100%;\n\tmargin-top: 0;\n\tmargin-bottom: 0;\n\ttext-align: left;\n}\n.ui-controlgroup-vertical .ui-controlgroup-item {\n\tbox-sizing: border-box;\n}\n.ui-controlgroup .ui-controlgroup-label {\n\tpadding: .4em 1em;\n}\n.ui-controlgroup .ui-controlgroup-label span {\n\tfont-size: 80%;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-left: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\n\tborder-top: none;\n}\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\n\tborder-right: none;\n}\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\n\tborder-bottom: none;\n}\n\n/* Spinner specific style fixes */\n.ui-controlgroup-vertical .ui-spinner-input {\n\n\t/* Support: IE8 only, Android < 4.4 only */\n\twidth: 75%;\n\twidth: calc( 100% - 2.4em );\n}\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\n\tborder-top-style: solid;\n}\n\n.ui-checkboxradio-label .ui-icon-background {\n\tbox-shadow: inset 1px 1px 1px #ccc;\n\tborder-radius: .12em;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label .ui-icon-background {\n\twidth: 16px;\n\theight: 16px;\n\tborder-radius: 1em;\n\toverflow: visible;\n\tborder: none;\n}\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\n\tbackground-image: none;\n\twidth: 8px;\n\theight: 8px;\n\tborder-width: 4px;\n\tborder-style: solid;\n}\n.ui-checkboxradio-disabled {\n\tpointer-events: none;\n}\n.ui-datepicker {\n\twidth: 17em;\n\tpadding: .2em .2em 0;\n\tdisplay: none;\n}\n.ui-datepicker .ui-datepicker-header {\n\tposition: relative;\n\tpadding: .2em 0;\n}\n.ui-datepicker .ui-datepicker-prev,\n.ui-datepicker .ui-datepicker-next {\n\tposition: absolute;\n\ttop: 2px;\n\twidth: 1.8em;\n\theight: 1.8em;\n}\n.ui-datepicker .ui-datepicker-prev-hover,\n.ui-datepicker .ui-datepicker-next-hover {\n\ttop: 1px;\n}\n.ui-datepicker .ui-datepicker-prev {\n\tleft: 2px;\n}\n.ui-datepicker .ui-datepicker-next {\n\tright: 2px;\n}\n.ui-datepicker .ui-datepicker-prev-hover {\n\tleft: 1px;\n}\n.ui-datepicker .ui-datepicker-next-hover {\n\tright: 1px;\n}\n.ui-datepicker .ui-datepicker-prev span,\n.ui-datepicker .ui-datepicker-next span {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 50%;\n\tmargin-left: -8px;\n\ttop: 50%;\n\tmargin-top: -8px;\n}\n.ui-datepicker .ui-datepicker-title {\n\tmargin: 0 2.3em;\n\tline-height: 1.8em;\n\ttext-align: center;\n}\n.ui-datepicker .ui-datepicker-title select {\n\tfont-size: 1em;\n\tmargin: 1px 0;\n}\n.ui-datepicker select.ui-datepicker-month,\n.ui-datepicker select.ui-datepicker-year {\n\twidth: 45%;\n}\n.ui-datepicker table {\n\twidth: 100%;\n\tfont-size: .9em;\n\tborder-collapse: collapse;\n\tmargin: 0 0 .4em;\n}\n.ui-datepicker th {\n\tpadding: .7em .3em;\n\ttext-align: center;\n\tfont-weight: bold;\n\tborder: 0;\n}\n.ui-datepicker td {\n\tborder: 0;\n\tpadding: 1px;\n}\n.ui-datepicker td span,\n.ui-datepicker td a {\n\tdisplay: block;\n\tpadding: .2em;\n\ttext-align: right;\n\ttext-decoration: none;\n}\n.ui-datepicker .ui-datepicker-buttonpane {\n\tbackground-image: none;\n\tmargin: .7em 0 0 0;\n\tpadding: 0 .2em;\n\tborder-left: 0;\n\tborder-right: 0;\n\tborder-bottom: 0;\n}\n.ui-datepicker .ui-datepicker-buttonpane button {\n\tfloat: right;\n\tmargin: .5em .2em .4em;\n\tcursor: pointer;\n\tpadding: .2em .6em .3em .6em;\n\twidth: auto;\n\toverflow: visible;\n}\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\n\tfloat: left;\n}\n\n/* with multiple calendars */\n.ui-datepicker.ui-datepicker-multi {\n\twidth: auto;\n}\n.ui-datepicker-multi .ui-datepicker-group {\n\tfloat: left;\n}\n.ui-datepicker-multi .ui-datepicker-group table {\n\twidth: 95%;\n\tmargin: 0 auto .4em;\n}\n.ui-datepicker-multi-2 .ui-datepicker-group {\n\twidth: 50%;\n}\n.ui-datepicker-multi-3 .ui-datepicker-group {\n\twidth: 33.3%;\n}\n.ui-datepicker-multi-4 .ui-datepicker-group {\n\twidth: 25%;\n}\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-left-width: 0;\n}\n.ui-datepicker-multi .ui-datepicker-buttonpane {\n\tclear: left;\n}\n.ui-datepicker-row-break {\n\tclear: both;\n\twidth: 100%;\n\tfont-size: 0;\n}\n\n/* RTL support */\n.ui-datepicker-rtl {\n\tdirection: rtl;\n}\n.ui-datepicker-rtl .ui-datepicker-prev {\n\tright: 2px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next {\n\tleft: 2px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\n\tright: 1px;\n\tleft: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-next:hover {\n\tleft: 1px;\n\tright: auto;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\n\tclear: right;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\n\tfloat: left;\n}\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\n.ui-datepicker-rtl .ui-datepicker-group {\n\tfloat: right;\n}\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\n\tborder-right-width: 0;\n\tborder-left-width: 1px;\n}\n\n/* Icons */\n.ui-datepicker .ui-icon {\n\tdisplay: block;\n\ttext-indent: -99999px;\n\toverflow: hidden;\n\tbackground-repeat: no-repeat;\n\tleft: .5em;\n\ttop: .3em;\n}\n.ui-dialog {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tpadding: .2em;\n\toutline: 0;\n}\n.ui-dialog .ui-dialog-titlebar {\n\tpadding: .4em 1em;\n\tposition: relative;\n}\n.ui-dialog .ui-dialog-title {\n\tfloat: left;\n\tmargin: .1em 0;\n\twhite-space: nowrap;\n\twidth: 90%;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-dialog .ui-dialog-titlebar-close {\n\tposition: absolute;\n\tright: .3em;\n\ttop: 50%;\n\twidth: 20px;\n\tmargin: -10px 0 0 0;\n\tpadding: 1px;\n\theight: 20px;\n}\n.ui-dialog .ui-dialog-content {\n\tposition: relative;\n\tborder: 0;\n\tpadding: .5em 1em;\n\tbackground: none;\n\toverflow: auto;\n}\n.ui-dialog .ui-dialog-buttonpane {\n\ttext-align: left;\n\tborder-width: 1px 0 0 0;\n\tbackground-image: none;\n\tmargin-top: .5em;\n\tpadding: .3em 1em .5em .4em;\n}\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\n\tfloat: right;\n}\n.ui-dialog .ui-dialog-buttonpane button {\n\tmargin: .5em .4em .5em 0;\n\tcursor: pointer;\n}\n.ui-dialog .ui-resizable-n {\n\theight: 2px;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-e {\n\twidth: 2px;\n\tright: 0;\n}\n.ui-dialog .ui-resizable-s {\n\theight: 2px;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-w {\n\twidth: 2px;\n\tleft: 0;\n}\n.ui-dialog .ui-resizable-se,\n.ui-dialog .ui-resizable-sw,\n.ui-dialog .ui-resizable-ne,\n.ui-dialog .ui-resizable-nw {\n\twidth: 7px;\n\theight: 7px;\n}\n.ui-dialog .ui-resizable-se {\n\tright: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-sw {\n\tleft: 0;\n\tbottom: 0;\n}\n.ui-dialog .ui-resizable-ne {\n\tright: 0;\n\ttop: 0;\n}\n.ui-dialog .ui-resizable-nw {\n\tleft: 0;\n\ttop: 0;\n}\n.ui-draggable .ui-dialog-titlebar {\n\tcursor: move;\n}\n.ui-draggable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable {\n\tposition: relative;\n}\n.ui-resizable-handle {\n\tposition: absolute;\n\tfont-size: 0.1px;\n\tdisplay: block;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-resizable-disabled .ui-resizable-handle,\n.ui-resizable-autohide .ui-resizable-handle {\n\tdisplay: none;\n}\n.ui-resizable-n {\n\tcursor: n-resize;\n\theight: 7px;\n\twidth: 100%;\n\ttop: -5px;\n\tleft: 0;\n}\n.ui-resizable-s {\n\tcursor: s-resize;\n\theight: 7px;\n\twidth: 100%;\n\tbottom: -5px;\n\tleft: 0;\n}\n.ui-resizable-e {\n\tcursor: e-resize;\n\twidth: 7px;\n\tright: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-w {\n\tcursor: w-resize;\n\twidth: 7px;\n\tleft: -5px;\n\ttop: 0;\n\theight: 100%;\n}\n.ui-resizable-se {\n\tcursor: se-resize;\n\twidth: 12px;\n\theight: 12px;\n\tright: 1px;\n\tbottom: 1px;\n}\n.ui-resizable-sw {\n\tcursor: sw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\tbottom: -5px;\n}\n.ui-resizable-nw {\n\tcursor: nw-resize;\n\twidth: 9px;\n\theight: 9px;\n\tleft: -5px;\n\ttop: -5px;\n}\n.ui-resizable-ne {\n\tcursor: ne-resize;\n\twidth: 9px;\n\theight: 9px;\n\tright: -5px;\n\ttop: -5px;\n}\n.ui-progressbar {\n\theight: 2em;\n\ttext-align: left;\n\toverflow: hidden;\n}\n.ui-progressbar .ui-progressbar-value {\n\tmargin: -1px;\n\theight: 100%;\n}\n.ui-progressbar .ui-progressbar-overlay {\n\tbackground: url(${___CSS_LOADER_URL_REPLACEMENT_1___});\n\theight: 100%;\n\t-ms-filter: \"alpha(opacity=25)\"; /* support: IE8 */\n\topacity: 0.25;\n}\n.ui-progressbar-indeterminate .ui-progressbar-value {\n\tbackground-image: none;\n}\n.ui-selectable {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-selectable-helper {\n\tposition: absolute;\n\tz-index: 100;\n\tborder: 1px dotted black;\n}\n.ui-selectmenu-menu {\n\tpadding: 0;\n\tmargin: 0;\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\tdisplay: none;\n}\n.ui-selectmenu-menu .ui-menu {\n\toverflow: auto;\n\toverflow-x: hidden;\n\tpadding-bottom: 1px;\n}\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\n\tfont-size: 1em;\n\tfont-weight: bold;\n\tline-height: 1.5;\n\tpadding: 2px 0.4em;\n\tmargin: 0.5em 0 0 0;\n\theight: auto;\n\tborder: 0;\n}\n.ui-selectmenu-open {\n\tdisplay: block;\n}\n.ui-selectmenu-text {\n\tdisplay: block;\n\tmargin-right: 20px;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n}\n.ui-selectmenu-button.ui-button {\n\ttext-align: left;\n\twhite-space: nowrap;\n\twidth: 14em;\n}\n.ui-selectmenu-icon.ui-icon {\n\tfloat: right;\n\tmargin-top: 0;\n}\n.ui-slider {\n\tposition: relative;\n\ttext-align: left;\n}\n.ui-slider .ui-slider-handle {\n\tposition: absolute;\n\tz-index: 2;\n\twidth: 1.2em;\n\theight: 1.2em;\n\tcursor: pointer;\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-slider .ui-slider-range {\n\tposition: absolute;\n\tz-index: 1;\n\tfont-size: .7em;\n\tdisplay: block;\n\tborder: 0;\n\tbackground-position: 0 0;\n}\n\n/* support: IE8 - See #6727 */\n.ui-slider.ui-state-disabled .ui-slider-handle,\n.ui-slider.ui-state-disabled .ui-slider-range {\n\tfilter: inherit;\n}\n\n.ui-slider-horizontal {\n\theight: .8em;\n}\n.ui-slider-horizontal .ui-slider-handle {\n\ttop: -.3em;\n\tmargin-left: -.6em;\n}\n.ui-slider-horizontal .ui-slider-range {\n\ttop: 0;\n\theight: 100%;\n}\n.ui-slider-horizontal .ui-slider-range-min {\n\tleft: 0;\n}\n.ui-slider-horizontal .ui-slider-range-max {\n\tright: 0;\n}\n\n.ui-slider-vertical {\n\twidth: .8em;\n\theight: 100px;\n}\n.ui-slider-vertical .ui-slider-handle {\n\tleft: -.3em;\n\tmargin-left: 0;\n\tmargin-bottom: -.6em;\n}\n.ui-slider-vertical .ui-slider-range {\n\tleft: 0;\n\twidth: 100%;\n}\n.ui-slider-vertical .ui-slider-range-min {\n\tbottom: 0;\n}\n.ui-slider-vertical .ui-slider-range-max {\n\ttop: 0;\n}\n.ui-sortable-handle {\n\t-ms-touch-action: none;\n\ttouch-action: none;\n}\n.ui-spinner {\n\tposition: relative;\n\tdisplay: inline-block;\n\toverflow: hidden;\n\tpadding: 0;\n\tvertical-align: middle;\n}\n.ui-spinner-input {\n\tborder: none;\n\tbackground: none;\n\tcolor: inherit;\n\tpadding: .222em 0;\n\tmargin: .2em 0;\n\tvertical-align: middle;\n\tmargin-left: .4em;\n\tmargin-right: 2em;\n}\n.ui-spinner-button {\n\twidth: 1.6em;\n\theight: 50%;\n\tfont-size: .5em;\n\tpadding: 0;\n\tmargin: 0;\n\ttext-align: center;\n\tposition: absolute;\n\tcursor: default;\n\tdisplay: block;\n\toverflow: hidden;\n\tright: 0;\n}\n/* more specificity required here to override default borders */\n.ui-spinner a.ui-spinner-button {\n\tborder-top-style: none;\n\tborder-bottom-style: none;\n\tborder-right-style: none;\n}\n.ui-spinner-up {\n\ttop: 0;\n}\n.ui-spinner-down {\n\tbottom: 0;\n}\n.ui-tabs {\n\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as \"fixed\") */\n\tpadding: .2em;\n}\n.ui-tabs .ui-tabs-nav {\n\tmargin: 0;\n\tpadding: .2em .2em 0;\n}\n.ui-tabs .ui-tabs-nav li {\n\tlist-style: none;\n\tfloat: left;\n\tposition: relative;\n\ttop: 0;\n\tmargin: 1px .2em 0 0;\n\tborder-bottom-width: 0;\n\tpadding: 0;\n\twhite-space: nowrap;\n}\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\n\tfloat: left;\n\tpadding: .5em 1em;\n\ttext-decoration: none;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\n\tmargin-bottom: -1px;\n\tpadding-bottom: 1px;\n}\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\n\tcursor: text;\n}\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\n\tcursor: pointer;\n}\n.ui-tabs .ui-tabs-panel {\n\tdisplay: block;\n\tborder-width: 0;\n\tpadding: 1em 1.4em;\n\tbackground: none;\n}\n.ui-tooltip {\n\tpadding: 8px;\n\tposition: absolute;\n\tz-index: 9999;\n\tmax-width: 300px;\n}\nbody .ui-tooltip {\n\tborder-width: 2px;\n}\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: \"alpha(opacity=70)\"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_3___});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_4___});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_5___});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_6___});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_7___});\n}\n\n/* positioning */\n/* Three classes needed to override \\`.ui-button:hover .ui-icon\\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: \"alpha(opacity=.3)\"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/jquery-ui-dist/jquery-ui.css\"],\"names\":[],\"mappings\":\"AAAA;;;;oEAIoE;;AAEpE;mCACmC;AACnC;CACC,aAAa;AACd;AACA;CACC,SAAS;CACT,mBAAmB;CACnB,WAAW;CACX,YAAY;CACZ,gBAAgB;CAChB,UAAU;CACV,kBAAkB;CAClB,UAAU;AACX;AACA;CACC,SAAS;CACT,UAAU;CACV,SAAS;CACT,UAAU;CACV,gBAAgB;CAChB,qBAAqB;CACrB,eAAe;CACf,gBAAgB;AACjB;AACA;;CAEC,WAAW;CACX,cAAc;CACd,yBAAyB;AAC1B;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,YAAY;CACZ,MAAM;CACN,OAAO;CACP,kBAAkB;CAClB,UAAU;CACV,8BAA8B,EAAE,iBAAiB;AAClD;;AAEA;CACC,YAAY;AACb;;;AAGA;mCACmC;AACnC;CACC,0BAA0B;CAC1B,oBAAoB;AACrB;;;AAGA;mCACmC;AACnC;CACC,qBAAqB;CACrB,sBAAsB;CACtB,kBAAkB;CAClB,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;AAC7B;;AAEA;CACC,SAAS;CACT,iBAAiB;CACjB,cAAc;AACf;;AAEA;mCACmC;;AAEnC,aAAa;AACb;CACC,eAAe;CACf,MAAM;CACN,OAAO;CACP,WAAW;CACX,YAAY;AACb;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,iBAAiB;CACjB,4BAA4B;CAC5B,eAAe;AAChB;AACA;CACC,kBAAkB;CAClB,aAAa;CACb,cAAc;AACf;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,eAAe;AAChB;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,SAAS;CACT,cAAc;CACd,UAAU;AACX;AACA;CACC,kBAAkB;AACnB;AACA;CACC,SAAS;CACT,eAAe;CACf,6BAA6B;CAC7B,yDAAuG;AACxG;AACA;CACC,kBAAkB;CAClB,yBAAyB;AAC1B;AACA;CACC,aAAa;CACb,SAAS;CACT,YAAY;CACZ,cAAc;CACd,uBAAuB;AACxB;AACA;;CAEC,YAAY;AACb;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;AACnB;AACA;CACC,iBAAiB;AAClB;;AAEA,iBAAiB;AACjB;CACC,kBAAkB;CAClB,MAAM;CACN,SAAS;CACT,UAAU;CACV,cAAc;AACf;;AAEA,kBAAkB;AAClB;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,iBAAiB;CACjB,qBAAqB;CACrB,kBAAkB;CAClB,mBAAmB;CACnB,kBAAkB;CAClB,eAAe;CACf,sBAAsB;CACtB,kBAAkB;CAClB,yBAAyB;CACzB,sBAAsB;CACtB,qBAAqB;CACrB,iBAAiB;;CAEjB,sBAAsB;CACtB,iBAAiB;AAClB;;AAEA;;;;;CAKC,qBAAqB;AACtB;;AAEA,4DAA4D;AAC5D;CACC,UAAU;CACV,sBAAsB;CACtB,oBAAoB;CACpB,mBAAmB;AACpB;;AAEA,uCAAuC;AACvC;CACC,cAAc;AACf;;AAEA,2BAA2B;AAC3B;CACC,kBAAkB;CAClB,QAAQ;CACR,SAAS;CACT,gBAAgB;CAChB,iBAAiB;AAClB;;AAEA;CACC,UAAU;CACV,YAAY;CACZ,aAAa;CACb,oBAAoB;CACpB,mBAAmB;;AAEpB;;AAEA;CACC,WAAW;CACX,YAAY;CACZ,cAAc;CACd,mBAAmB;CACnB,iBAAiB;AAClB;;AAEA,gBAAgB;AAChB,4BAA4B;AAC5B;;CAEC,SAAS;CACT,UAAU;AACX;AACA;CACC,sBAAsB;CACtB,qBAAqB;AACtB;AACA;CACC,WAAW;CACX,cAAc;CACd,eAAe;AAChB;AACA;;CAEC,aAAa;AACd;AACA;CACC,cAAc;CACd,WAAW;CACX,WAAW;CACX,aAAa;CACb,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;AACA;CACC,iBAAiB;AAClB;AACA;CACC,gBAAgB;AACjB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,mBAAmB;AACpB;;AAEA,iCAAiC;AACjC;;CAEC,0CAA0C;CAC1C,UAAU;CACV,2BAA2B;AAC5B;AACA;CACC,uBAAuB;AACxB;;AAEA;CACC,kCAAkC;CAClC,oBAAoB;CACpB,YAAY;AACb;AACA;CACC,WAAW;CACX,YAAY;CACZ,kBAAkB;CAClB,iBAAiB;CACjB,YAAY;AACb;AACA;;CAEC,sBAAsB;CACtB,UAAU;CACV,WAAW;CACX,iBAAiB;CACjB,mBAAmB;AACpB;AACA;CACC,oBAAoB;AACrB;AACA;CACC,WAAW;CACX,oBAAoB;CACpB,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,eAAe;AAChB;AACA;;CAEC,kBAAkB;CAClB,QAAQ;CACR,YAAY;CACZ,aAAa;AACd;AACA;;CAEC,QAAQ;AACT;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;CACC,SAAS;AACV;AACA;CACC,UAAU;AACX;AACA;;CAEC,cAAc;CACd,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,QAAQ;CACR,gBAAgB;AACjB;AACA;CACC,eAAe;CACf,kBAAkB;CAClB,kBAAkB;AACnB;AACA;CACC,cAAc;CACd,aAAa;AACd;AACA;;CAEC,UAAU;AACX;AACA;CACC,WAAW;CACX,eAAe;CACf,yBAAyB;CACzB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,kBAAkB;CAClB,iBAAiB;CACjB,SAAS;AACV;AACA;CACC,SAAS;CACT,YAAY;AACb;AACA;;CAEC,cAAc;CACd,aAAa;CACb,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,sBAAsB;CACtB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,eAAe;CACf,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,sBAAsB;CACtB,eAAe;CACf,4BAA4B;CAC5B,WAAW;CACX,iBAAiB;AAClB;AACA;CACC,WAAW;AACZ;;AAEA,4BAA4B;AAC5B;CACC,WAAW;AACZ;AACA;CACC,WAAW;AACZ;AACA;CACC,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,UAAU;AACX;AACA;CACC,YAAY;AACb;AACA;CACC,UAAU;AACX;AACA;;CAEC,oBAAoB;AACrB;AACA;CACC,WAAW;AACZ;AACA;CACC,WAAW;CACX,WAAW;CACX,YAAY;AACb;;AAEA,gBAAgB;AAChB;CACC,cAAc;AACf;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,UAAU;CACV,UAAU;AACX;AACA;CACC,SAAS;CACT,WAAW;AACZ;AACA;CACC,YAAY;AACb;AACA;CACC,WAAW;AACZ;AACA;;CAEC,YAAY;AACb;AACA;;CAEC,qBAAqB;CACrB,sBAAsB;AACvB;;AAEA,UAAU;AACV;CACC,cAAc;CACd,qBAAqB;CACrB,gBAAgB;CAChB,4BAA4B;CAC5B,UAAU;CACV,SAAS;AACV;AACA;CACC,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;CACb,UAAU;AACX;AACA;CACC,iBAAiB;CACjB,kBAAkB;AACnB;AACA;CACC,WAAW;CACX,cAAc;CACd,mBAAmB;CACnB,UAAU;CACV,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,kBAAkB;CAClB,WAAW;CACX,QAAQ;CACR,WAAW;CACX,mBAAmB;CACnB,YAAY;CACZ,YAAY;AACb;AACA;CACC,kBAAkB;CAClB,SAAS;CACT,iBAAiB;CACjB,gBAAgB;CAChB,cAAc;AACf;AACA;CACC,gBAAgB;CAChB,uBAAuB;CACvB,sBAAsB;CACtB,gBAAgB;CAChB,2BAA2B;AAC5B;AACA;CACC,YAAY;AACb;AACA;CACC,wBAAwB;CACxB,eAAe;AAChB;AACA;CACC,WAAW;CACX,MAAM;AACP;AACA;CACC,UAAU;CACV,QAAQ;AACT;AACA;CACC,WAAW;CACX,SAAS;AACV;AACA;CACC,UAAU;CACV,OAAO;AACR;AACA;;;;CAIC,UAAU;CACV,WAAW;AACZ;AACA;CACC,QAAQ;CACR,SAAS;AACV;AACA;CACC,OAAO;CACP,SAAS;AACV;AACA;CACC,QAAQ;CACR,MAAM;AACP;AACA;CACC,OAAO;CACP,MAAM;AACP;AACA;CACC,YAAY;AACb;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,gBAAgB;CAChB,cAAc;CACd,sBAAsB;CACtB,kBAAkB;AACnB;AACA;;CAEC,aAAa;AACd;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,SAAS;CACT,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,WAAW;CACX,YAAY;CACZ,OAAO;AACR;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,WAAW;CACX,MAAM;CACN,YAAY;AACb;AACA;CACC,gBAAgB;CAChB,UAAU;CACV,UAAU;CACV,MAAM;CACN,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,WAAW;CACX,YAAY;CACZ,UAAU;CACV,WAAW;AACZ;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,YAAY;AACb;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,UAAU;CACV,SAAS;AACV;AACA;CACC,iBAAiB;CACjB,UAAU;CACV,WAAW;CACX,WAAW;CACX,SAAS;AACV;AACA;CACC,WAAW;CACX,gBAAgB;CAChB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,YAAY;AACb;AACA;CACC,mDAAyzE;CACzzE,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,aAAa;AACd;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,YAAY;CACZ,wBAAwB;AACzB;AACA;CACC,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,MAAM;CACN,OAAO;CACP,aAAa;AACd;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,mBAAmB;AACpB;AACA;CACC,cAAc;CACd,iBAAiB;CACjB,gBAAgB;CAChB,kBAAkB;CAClB,mBAAmB;CACnB,YAAY;CACZ,SAAS;AACV;AACA;CACC,cAAc;AACf;AACA;CACC,cAAc;CACd,kBAAkB;CAClB,gBAAgB;CAChB,uBAAuB;AACxB;AACA;CACC,gBAAgB;CAChB,mBAAmB;CACnB,WAAW;AACZ;AACA;CACC,YAAY;CACZ,aAAa;AACd;AACA;CACC,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,YAAY;CACZ,aAAa;CACb,eAAe;CACf,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,UAAU;CACV,eAAe;CACf,cAAc;CACd,SAAS;CACT,wBAAwB;AACzB;;AAEA,6BAA6B;AAC7B;;CAEC,eAAe;AAChB;;AAEA;CACC,YAAY;AACb;AACA;CACC,UAAU;CACV,kBAAkB;AACnB;AACA;CACC,MAAM;CACN,YAAY;AACb;AACA;CACC,OAAO;AACR;AACA;CACC,QAAQ;AACT;;AAEA;CACC,WAAW;CACX,aAAa;AACd;AACA;CACC,WAAW;CACX,cAAc;CACd,oBAAoB;AACrB;AACA;CACC,OAAO;CACP,WAAW;AACZ;AACA;CACC,SAAS;AACV;AACA;CACC,MAAM;AACP;AACA;CACC,sBAAsB;CACtB,kBAAkB;AACnB;AACA;CACC,kBAAkB;CAClB,qBAAqB;CACrB,gBAAgB;CAChB,UAAU;CACV,sBAAsB;AACvB;AACA;CACC,YAAY;CACZ,gBAAgB;CAChB,cAAc;CACd,iBAAiB;CACjB,cAAc;CACd,sBAAsB;CACtB,iBAAiB;CACjB,iBAAiB;AAClB;AACA;CACC,YAAY;CACZ,WAAW;CACX,eAAe;CACf,UAAU;CACV,SAAS;CACT,kBAAkB;CAClB,kBAAkB;CAClB,eAAe;CACf,cAAc;CACd,gBAAgB;CAChB,QAAQ;AACT;AACA,+DAA+D;AAC/D;CACC,sBAAsB;CACtB,yBAAyB;CACzB,wBAAwB;AACzB;AACA;CACC,MAAM;AACP;AACA;CACC,SAAS;AACV;AACA;CACC,kBAAkB,CAAC,uIAAuI;CAC1J,aAAa;AACd;AACA;CACC,SAAS;CACT,oBAAoB;AACrB;AACA;CACC,gBAAgB;CAChB,WAAW;CACX,kBAAkB;CAClB,MAAM;CACN,oBAAoB;CACpB,sBAAsB;CACtB,UAAU;CACV,mBAAmB;AACpB;AACA;CACC,WAAW;CACX,iBAAiB;CACjB,qBAAqB;AACtB;AACA;CACC,mBAAmB;CACnB,mBAAmB;AACpB;AACA;;;CAGC,YAAY;AACb;AACA;CACC,eAAe;AAChB;AACA;CACC,cAAc;CACd,eAAe;CACf,kBAAkB;CAClB,gBAAgB;AACjB;AACA;CACC,YAAY;CACZ,kBAAkB;CAClB,aAAa;CACb,gBAAgB;AACjB;AACA;CACC,iBAAiB;AAClB;;AAEA;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC\",\"sourcesContent\":[\"/*! jQuery UI - v1.13.3 - 2024-04-26\\n* https://jqueryui.com\\n* Includes: core.css, accordion.css, autocomplete.css, menu.css, button.css, controlgroup.css, checkboxradio.css, datepicker.css, dialog.css, draggable.css, resizable.css, progressbar.css, selectable.css, selectmenu.css, slider.css, sortable.css, spinner.css, tabs.css, tooltip.css, theme.css\\n* To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\\n\\n/* Layout helpers\\n----------------------------------*/\\n.ui-helper-hidden {\\n\\tdisplay: none;\\n}\\n.ui-helper-hidden-accessible {\\n\\tborder: 0;\\n\\tclip: rect(0 0 0 0);\\n\\theight: 1px;\\n\\tmargin: -1px;\\n\\toverflow: hidden;\\n\\tpadding: 0;\\n\\tposition: absolute;\\n\\twidth: 1px;\\n}\\n.ui-helper-reset {\\n\\tmargin: 0;\\n\\tpadding: 0;\\n\\tborder: 0;\\n\\toutline: 0;\\n\\tline-height: 1.3;\\n\\ttext-decoration: none;\\n\\tfont-size: 100%;\\n\\tlist-style: none;\\n}\\n.ui-helper-clearfix:before,\\n.ui-helper-clearfix:after {\\n\\tcontent: \\\"\\\";\\n\\tdisplay: table;\\n\\tborder-collapse: collapse;\\n}\\n.ui-helper-clearfix:after {\\n\\tclear: both;\\n}\\n.ui-helper-zfix {\\n\\twidth: 100%;\\n\\theight: 100%;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tposition: absolute;\\n\\topacity: 0;\\n\\t-ms-filter: \\\"alpha(opacity=0)\\\"; /* support: IE8 */\\n}\\n\\n.ui-front {\\n\\tz-index: 100;\\n}\\n\\n\\n/* Interaction Cues\\n----------------------------------*/\\n.ui-state-disabled {\\n\\tcursor: default !important;\\n\\tpointer-events: none;\\n}\\n\\n\\n/* Icons\\n----------------------------------*/\\n.ui-icon {\\n\\tdisplay: inline-block;\\n\\tvertical-align: middle;\\n\\tmargin-top: -.25em;\\n\\tposition: relative;\\n\\ttext-indent: -99999px;\\n\\toverflow: hidden;\\n\\tbackground-repeat: no-repeat;\\n}\\n\\n.ui-widget-icon-block {\\n\\tleft: 50%;\\n\\tmargin-left: -8px;\\n\\tdisplay: block;\\n}\\n\\n/* Misc visuals\\n----------------------------------*/\\n\\n/* Overlays */\\n.ui-widget-overlay {\\n\\tposition: fixed;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\twidth: 100%;\\n\\theight: 100%;\\n}\\n.ui-accordion .ui-accordion-header {\\n\\tdisplay: block;\\n\\tcursor: pointer;\\n\\tposition: relative;\\n\\tmargin: 2px 0 0 0;\\n\\tpadding: .5em .5em .5em .7em;\\n\\tfont-size: 100%;\\n}\\n.ui-accordion .ui-accordion-content {\\n\\tpadding: 1em 2.2em;\\n\\tborder-top: 0;\\n\\toverflow: auto;\\n}\\n.ui-autocomplete {\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tcursor: default;\\n}\\n.ui-menu {\\n\\tlist-style: none;\\n\\tpadding: 0;\\n\\tmargin: 0;\\n\\tdisplay: block;\\n\\toutline: 0;\\n}\\n.ui-menu .ui-menu {\\n\\tposition: absolute;\\n}\\n.ui-menu .ui-menu-item {\\n\\tmargin: 0;\\n\\tcursor: pointer;\\n\\t/* support: IE10, see #8844 */\\n\\tlist-style-image: url(\\\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\\\");\\n}\\n.ui-menu .ui-menu-item-wrapper {\\n\\tposition: relative;\\n\\tpadding: 3px 1em 3px .4em;\\n}\\n.ui-menu .ui-menu-divider {\\n\\tmargin: 5px 0;\\n\\theight: 0;\\n\\tfont-size: 0;\\n\\tline-height: 0;\\n\\tborder-width: 1px 0 0 0;\\n}\\n.ui-menu .ui-state-focus,\\n.ui-menu .ui-state-active {\\n\\tmargin: -1px;\\n}\\n\\n/* icon support */\\n.ui-menu-icons {\\n\\tposition: relative;\\n}\\n.ui-menu-icons .ui-menu-item-wrapper {\\n\\tpadding-left: 2em;\\n}\\n\\n/* left-aligned */\\n.ui-menu .ui-icon {\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tbottom: 0;\\n\\tleft: .2em;\\n\\tmargin: auto 0;\\n}\\n\\n/* right-aligned */\\n.ui-menu .ui-menu-icon {\\n\\tleft: auto;\\n\\tright: 0;\\n}\\n.ui-button {\\n\\tpadding: .4em 1em;\\n\\tdisplay: inline-block;\\n\\tposition: relative;\\n\\tline-height: normal;\\n\\tmargin-right: .1em;\\n\\tcursor: pointer;\\n\\tvertical-align: middle;\\n\\ttext-align: center;\\n\\t-webkit-user-select: none;\\n\\t-moz-user-select: none;\\n\\t-ms-user-select: none;\\n\\tuser-select: none;\\n\\n\\t/* Support: IE <= 11 */\\n\\toverflow: visible;\\n}\\n\\n.ui-button,\\n.ui-button:link,\\n.ui-button:visited,\\n.ui-button:hover,\\n.ui-button:active {\\n\\ttext-decoration: none;\\n}\\n\\n/* to make room for the icon, a width needs to be set here */\\n.ui-button-icon-only {\\n\\twidth: 2em;\\n\\tbox-sizing: border-box;\\n\\ttext-indent: -9999px;\\n\\twhite-space: nowrap;\\n}\\n\\n/* no icon support for input elements */\\ninput.ui-button.ui-button-icon-only {\\n\\ttext-indent: 0;\\n}\\n\\n/* button icon element(s) */\\n.ui-button-icon-only .ui-icon {\\n\\tposition: absolute;\\n\\ttop: 50%;\\n\\tleft: 50%;\\n\\tmargin-top: -8px;\\n\\tmargin-left: -8px;\\n}\\n\\n.ui-button.ui-icon-notext .ui-icon {\\n\\tpadding: 0;\\n\\twidth: 2.1em;\\n\\theight: 2.1em;\\n\\ttext-indent: -9999px;\\n\\twhite-space: nowrap;\\n\\n}\\n\\ninput.ui-button.ui-icon-notext .ui-icon {\\n\\twidth: auto;\\n\\theight: auto;\\n\\ttext-indent: 0;\\n\\twhite-space: normal;\\n\\tpadding: .4em 1em;\\n}\\n\\n/* workarounds */\\n/* Support: Firefox 5 - 40 */\\ninput.ui-button::-moz-focus-inner,\\nbutton.ui-button::-moz-focus-inner {\\n\\tborder: 0;\\n\\tpadding: 0;\\n}\\n.ui-controlgroup {\\n\\tvertical-align: middle;\\n\\tdisplay: inline-block;\\n}\\n.ui-controlgroup > .ui-controlgroup-item {\\n\\tfloat: left;\\n\\tmargin-left: 0;\\n\\tmargin-right: 0;\\n}\\n.ui-controlgroup > .ui-controlgroup-item:focus,\\n.ui-controlgroup > .ui-controlgroup-item.ui-visual-focus {\\n\\tz-index: 9999;\\n}\\n.ui-controlgroup-vertical > .ui-controlgroup-item {\\n\\tdisplay: block;\\n\\tfloat: none;\\n\\twidth: 100%;\\n\\tmargin-top: 0;\\n\\tmargin-bottom: 0;\\n\\ttext-align: left;\\n}\\n.ui-controlgroup-vertical .ui-controlgroup-item {\\n\\tbox-sizing: border-box;\\n}\\n.ui-controlgroup .ui-controlgroup-label {\\n\\tpadding: .4em 1em;\\n}\\n.ui-controlgroup .ui-controlgroup-label span {\\n\\tfont-size: 80%;\\n}\\n.ui-controlgroup-horizontal .ui-controlgroup-label + .ui-controlgroup-item {\\n\\tborder-left: none;\\n}\\n.ui-controlgroup-vertical .ui-controlgroup-label + .ui-controlgroup-item {\\n\\tborder-top: none;\\n}\\n.ui-controlgroup-horizontal .ui-controlgroup-label.ui-widget-content {\\n\\tborder-right: none;\\n}\\n.ui-controlgroup-vertical .ui-controlgroup-label.ui-widget-content {\\n\\tborder-bottom: none;\\n}\\n\\n/* Spinner specific style fixes */\\n.ui-controlgroup-vertical .ui-spinner-input {\\n\\n\\t/* Support: IE8 only, Android < 4.4 only */\\n\\twidth: 75%;\\n\\twidth: calc( 100% - 2.4em );\\n}\\n.ui-controlgroup-vertical .ui-spinner .ui-spinner-up {\\n\\tborder-top-style: solid;\\n}\\n\\n.ui-checkboxradio-label .ui-icon-background {\\n\\tbox-shadow: inset 1px 1px 1px #ccc;\\n\\tborder-radius: .12em;\\n\\tborder: none;\\n}\\n.ui-checkboxradio-radio-label .ui-icon-background {\\n\\twidth: 16px;\\n\\theight: 16px;\\n\\tborder-radius: 1em;\\n\\toverflow: visible;\\n\\tborder: none;\\n}\\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked .ui-icon,\\n.ui-checkboxradio-radio-label.ui-checkboxradio-checked:hover .ui-icon {\\n\\tbackground-image: none;\\n\\twidth: 8px;\\n\\theight: 8px;\\n\\tborder-width: 4px;\\n\\tborder-style: solid;\\n}\\n.ui-checkboxradio-disabled {\\n\\tpointer-events: none;\\n}\\n.ui-datepicker {\\n\\twidth: 17em;\\n\\tpadding: .2em .2em 0;\\n\\tdisplay: none;\\n}\\n.ui-datepicker .ui-datepicker-header {\\n\\tposition: relative;\\n\\tpadding: .2em 0;\\n}\\n.ui-datepicker .ui-datepicker-prev,\\n.ui-datepicker .ui-datepicker-next {\\n\\tposition: absolute;\\n\\ttop: 2px;\\n\\twidth: 1.8em;\\n\\theight: 1.8em;\\n}\\n.ui-datepicker .ui-datepicker-prev-hover,\\n.ui-datepicker .ui-datepicker-next-hover {\\n\\ttop: 1px;\\n}\\n.ui-datepicker .ui-datepicker-prev {\\n\\tleft: 2px;\\n}\\n.ui-datepicker .ui-datepicker-next {\\n\\tright: 2px;\\n}\\n.ui-datepicker .ui-datepicker-prev-hover {\\n\\tleft: 1px;\\n}\\n.ui-datepicker .ui-datepicker-next-hover {\\n\\tright: 1px;\\n}\\n.ui-datepicker .ui-datepicker-prev span,\\n.ui-datepicker .ui-datepicker-next span {\\n\\tdisplay: block;\\n\\tposition: absolute;\\n\\tleft: 50%;\\n\\tmargin-left: -8px;\\n\\ttop: 50%;\\n\\tmargin-top: -8px;\\n}\\n.ui-datepicker .ui-datepicker-title {\\n\\tmargin: 0 2.3em;\\n\\tline-height: 1.8em;\\n\\ttext-align: center;\\n}\\n.ui-datepicker .ui-datepicker-title select {\\n\\tfont-size: 1em;\\n\\tmargin: 1px 0;\\n}\\n.ui-datepicker select.ui-datepicker-month,\\n.ui-datepicker select.ui-datepicker-year {\\n\\twidth: 45%;\\n}\\n.ui-datepicker table {\\n\\twidth: 100%;\\n\\tfont-size: .9em;\\n\\tborder-collapse: collapse;\\n\\tmargin: 0 0 .4em;\\n}\\n.ui-datepicker th {\\n\\tpadding: .7em .3em;\\n\\ttext-align: center;\\n\\tfont-weight: bold;\\n\\tborder: 0;\\n}\\n.ui-datepicker td {\\n\\tborder: 0;\\n\\tpadding: 1px;\\n}\\n.ui-datepicker td span,\\n.ui-datepicker td a {\\n\\tdisplay: block;\\n\\tpadding: .2em;\\n\\ttext-align: right;\\n\\ttext-decoration: none;\\n}\\n.ui-datepicker .ui-datepicker-buttonpane {\\n\\tbackground-image: none;\\n\\tmargin: .7em 0 0 0;\\n\\tpadding: 0 .2em;\\n\\tborder-left: 0;\\n\\tborder-right: 0;\\n\\tborder-bottom: 0;\\n}\\n.ui-datepicker .ui-datepicker-buttonpane button {\\n\\tfloat: right;\\n\\tmargin: .5em .2em .4em;\\n\\tcursor: pointer;\\n\\tpadding: .2em .6em .3em .6em;\\n\\twidth: auto;\\n\\toverflow: visible;\\n}\\n.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {\\n\\tfloat: left;\\n}\\n\\n/* with multiple calendars */\\n.ui-datepicker.ui-datepicker-multi {\\n\\twidth: auto;\\n}\\n.ui-datepicker-multi .ui-datepicker-group {\\n\\tfloat: left;\\n}\\n.ui-datepicker-multi .ui-datepicker-group table {\\n\\twidth: 95%;\\n\\tmargin: 0 auto .4em;\\n}\\n.ui-datepicker-multi-2 .ui-datepicker-group {\\n\\twidth: 50%;\\n}\\n.ui-datepicker-multi-3 .ui-datepicker-group {\\n\\twidth: 33.3%;\\n}\\n.ui-datepicker-multi-4 .ui-datepicker-group {\\n\\twidth: 25%;\\n}\\n.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,\\n.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {\\n\\tborder-left-width: 0;\\n}\\n.ui-datepicker-multi .ui-datepicker-buttonpane {\\n\\tclear: left;\\n}\\n.ui-datepicker-row-break {\\n\\tclear: both;\\n\\twidth: 100%;\\n\\tfont-size: 0;\\n}\\n\\n/* RTL support */\\n.ui-datepicker-rtl {\\n\\tdirection: rtl;\\n}\\n.ui-datepicker-rtl .ui-datepicker-prev {\\n\\tright: 2px;\\n\\tleft: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-next {\\n\\tleft: 2px;\\n\\tright: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-prev:hover {\\n\\tright: 1px;\\n\\tleft: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-next:hover {\\n\\tleft: 1px;\\n\\tright: auto;\\n}\\n.ui-datepicker-rtl .ui-datepicker-buttonpane {\\n\\tclear: right;\\n}\\n.ui-datepicker-rtl .ui-datepicker-buttonpane button {\\n\\tfloat: left;\\n}\\n.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,\\n.ui-datepicker-rtl .ui-datepicker-group {\\n\\tfloat: right;\\n}\\n.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,\\n.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {\\n\\tborder-right-width: 0;\\n\\tborder-left-width: 1px;\\n}\\n\\n/* Icons */\\n.ui-datepicker .ui-icon {\\n\\tdisplay: block;\\n\\ttext-indent: -99999px;\\n\\toverflow: hidden;\\n\\tbackground-repeat: no-repeat;\\n\\tleft: .5em;\\n\\ttop: .3em;\\n}\\n.ui-dialog {\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tpadding: .2em;\\n\\toutline: 0;\\n}\\n.ui-dialog .ui-dialog-titlebar {\\n\\tpadding: .4em 1em;\\n\\tposition: relative;\\n}\\n.ui-dialog .ui-dialog-title {\\n\\tfloat: left;\\n\\tmargin: .1em 0;\\n\\twhite-space: nowrap;\\n\\twidth: 90%;\\n\\toverflow: hidden;\\n\\ttext-overflow: ellipsis;\\n}\\n.ui-dialog .ui-dialog-titlebar-close {\\n\\tposition: absolute;\\n\\tright: .3em;\\n\\ttop: 50%;\\n\\twidth: 20px;\\n\\tmargin: -10px 0 0 0;\\n\\tpadding: 1px;\\n\\theight: 20px;\\n}\\n.ui-dialog .ui-dialog-content {\\n\\tposition: relative;\\n\\tborder: 0;\\n\\tpadding: .5em 1em;\\n\\tbackground: none;\\n\\toverflow: auto;\\n}\\n.ui-dialog .ui-dialog-buttonpane {\\n\\ttext-align: left;\\n\\tborder-width: 1px 0 0 0;\\n\\tbackground-image: none;\\n\\tmargin-top: .5em;\\n\\tpadding: .3em 1em .5em .4em;\\n}\\n.ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset {\\n\\tfloat: right;\\n}\\n.ui-dialog .ui-dialog-buttonpane button {\\n\\tmargin: .5em .4em .5em 0;\\n\\tcursor: pointer;\\n}\\n.ui-dialog .ui-resizable-n {\\n\\theight: 2px;\\n\\ttop: 0;\\n}\\n.ui-dialog .ui-resizable-e {\\n\\twidth: 2px;\\n\\tright: 0;\\n}\\n.ui-dialog .ui-resizable-s {\\n\\theight: 2px;\\n\\tbottom: 0;\\n}\\n.ui-dialog .ui-resizable-w {\\n\\twidth: 2px;\\n\\tleft: 0;\\n}\\n.ui-dialog .ui-resizable-se,\\n.ui-dialog .ui-resizable-sw,\\n.ui-dialog .ui-resizable-ne,\\n.ui-dialog .ui-resizable-nw {\\n\\twidth: 7px;\\n\\theight: 7px;\\n}\\n.ui-dialog .ui-resizable-se {\\n\\tright: 0;\\n\\tbottom: 0;\\n}\\n.ui-dialog .ui-resizable-sw {\\n\\tleft: 0;\\n\\tbottom: 0;\\n}\\n.ui-dialog .ui-resizable-ne {\\n\\tright: 0;\\n\\ttop: 0;\\n}\\n.ui-dialog .ui-resizable-nw {\\n\\tleft: 0;\\n\\ttop: 0;\\n}\\n.ui-draggable .ui-dialog-titlebar {\\n\\tcursor: move;\\n}\\n.ui-draggable-handle {\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-resizable {\\n\\tposition: relative;\\n}\\n.ui-resizable-handle {\\n\\tposition: absolute;\\n\\tfont-size: 0.1px;\\n\\tdisplay: block;\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-resizable-disabled .ui-resizable-handle,\\n.ui-resizable-autohide .ui-resizable-handle {\\n\\tdisplay: none;\\n}\\n.ui-resizable-n {\\n\\tcursor: n-resize;\\n\\theight: 7px;\\n\\twidth: 100%;\\n\\ttop: -5px;\\n\\tleft: 0;\\n}\\n.ui-resizable-s {\\n\\tcursor: s-resize;\\n\\theight: 7px;\\n\\twidth: 100%;\\n\\tbottom: -5px;\\n\\tleft: 0;\\n}\\n.ui-resizable-e {\\n\\tcursor: e-resize;\\n\\twidth: 7px;\\n\\tright: -5px;\\n\\ttop: 0;\\n\\theight: 100%;\\n}\\n.ui-resizable-w {\\n\\tcursor: w-resize;\\n\\twidth: 7px;\\n\\tleft: -5px;\\n\\ttop: 0;\\n\\theight: 100%;\\n}\\n.ui-resizable-se {\\n\\tcursor: se-resize;\\n\\twidth: 12px;\\n\\theight: 12px;\\n\\tright: 1px;\\n\\tbottom: 1px;\\n}\\n.ui-resizable-sw {\\n\\tcursor: sw-resize;\\n\\twidth: 9px;\\n\\theight: 9px;\\n\\tleft: -5px;\\n\\tbottom: -5px;\\n}\\n.ui-resizable-nw {\\n\\tcursor: nw-resize;\\n\\twidth: 9px;\\n\\theight: 9px;\\n\\tleft: -5px;\\n\\ttop: -5px;\\n}\\n.ui-resizable-ne {\\n\\tcursor: ne-resize;\\n\\twidth: 9px;\\n\\theight: 9px;\\n\\tright: -5px;\\n\\ttop: -5px;\\n}\\n.ui-progressbar {\\n\\theight: 2em;\\n\\ttext-align: left;\\n\\toverflow: hidden;\\n}\\n.ui-progressbar .ui-progressbar-value {\\n\\tmargin: -1px;\\n\\theight: 100%;\\n}\\n.ui-progressbar .ui-progressbar-overlay {\\n\\tbackground: url(\\\"data:image/gif;base64,R0lGODlhKAAoAIABAAAAAP///yH/C05FVFNDQVBFMi4wAwEAAAAh+QQJAQABACwAAAAAKAAoAAACkYwNqXrdC52DS06a7MFZI+4FHBCKoDeWKXqymPqGqxvJrXZbMx7Ttc+w9XgU2FB3lOyQRWET2IFGiU9m1frDVpxZZc6bfHwv4c1YXP6k1Vdy292Fb6UkuvFtXpvWSzA+HycXJHUXiGYIiMg2R6W459gnWGfHNdjIqDWVqemH2ekpObkpOlppWUqZiqr6edqqWQAAIfkECQEAAQAsAAAAACgAKAAAApSMgZnGfaqcg1E2uuzDmmHUBR8Qil95hiPKqWn3aqtLsS18y7G1SzNeowWBENtQd+T1JktP05nzPTdJZlR6vUxNWWjV+vUWhWNkWFwxl9VpZRedYcflIOLafaa28XdsH/ynlcc1uPVDZxQIR0K25+cICCmoqCe5mGhZOfeYSUh5yJcJyrkZWWpaR8doJ2o4NYq62lAAACH5BAkBAAEALAAAAAAoACgAAAKVDI4Yy22ZnINRNqosw0Bv7i1gyHUkFj7oSaWlu3ovC8GxNso5fluz3qLVhBVeT/Lz7ZTHyxL5dDalQWPVOsQWtRnuwXaFTj9jVVh8pma9JjZ4zYSj5ZOyma7uuolffh+IR5aW97cHuBUXKGKXlKjn+DiHWMcYJah4N0lYCMlJOXipGRr5qdgoSTrqWSq6WFl2ypoaUAAAIfkECQEAAQAsAAAAACgAKAAAApaEb6HLgd/iO7FNWtcFWe+ufODGjRfoiJ2akShbueb0wtI50zm02pbvwfWEMWBQ1zKGlLIhskiEPm9R6vRXxV4ZzWT2yHOGpWMyorblKlNp8HmHEb/lCXjcW7bmtXP8Xt229OVWR1fod2eWqNfHuMjXCPkIGNileOiImVmCOEmoSfn3yXlJWmoHGhqp6ilYuWYpmTqKUgAAIfkECQEAAQAsAAAAACgAKAAAApiEH6kb58biQ3FNWtMFWW3eNVcojuFGfqnZqSebuS06w5V80/X02pKe8zFwP6EFWOT1lDFk8rGERh1TTNOocQ61Hm4Xm2VexUHpzjymViHrFbiELsefVrn6XKfnt2Q9G/+Xdie499XHd2g4h7ioOGhXGJboGAnXSBnoBwKYyfioubZJ2Hn0RuRZaflZOil56Zp6iioKSXpUAAAh+QQJAQABACwAAAAAKAAoAAACkoQRqRvnxuI7kU1a1UU5bd5tnSeOZXhmn5lWK3qNTWvRdQxP8qvaC+/yaYQzXO7BMvaUEmJRd3TsiMAgswmNYrSgZdYrTX6tSHGZO73ezuAw2uxuQ+BbeZfMxsexY35+/Qe4J1inV0g4x3WHuMhIl2jXOKT2Q+VU5fgoSUI52VfZyfkJGkha6jmY+aaYdirq+lQAACH5BAkBAAEALAAAAAAoACgAAAKWBIKpYe0L3YNKToqswUlvznigd4wiR4KhZrKt9Upqip61i9E3vMvxRdHlbEFiEXfk9YARYxOZZD6VQ2pUunBmtRXo1Lf8hMVVcNl8JafV38aM2/Fu5V16Bn63r6xt97j09+MXSFi4BniGFae3hzbH9+hYBzkpuUh5aZmHuanZOZgIuvbGiNeomCnaxxap2upaCZsq+1kAACH5BAkBAAEALAAAAAAoACgAAAKXjI8By5zf4kOxTVrXNVlv1X0d8IGZGKLnNpYtm8Lr9cqVeuOSvfOW79D9aDHizNhDJidFZhNydEahOaDH6nomtJjp1tutKoNWkvA6JqfRVLHU/QUfau9l2x7G54d1fl995xcIGAdXqMfBNadoYrhH+Mg2KBlpVpbluCiXmMnZ2Sh4GBqJ+ckIOqqJ6LmKSllZmsoq6wpQAAAh+QQJAQABACwAAAAAKAAoAAAClYx/oLvoxuJDkU1a1YUZbJ59nSd2ZXhWqbRa2/gF8Gu2DY3iqs7yrq+xBYEkYvFSM8aSSObE+ZgRl1BHFZNr7pRCavZ5BW2142hY3AN/zWtsmf12p9XxxFl2lpLn1rseztfXZjdIWIf2s5dItwjYKBgo9yg5pHgzJXTEeGlZuenpyPmpGQoKOWkYmSpaSnqKileI2FAAACH5BAkBAAEALAAAAAAoACgAAAKVjB+gu+jG4kORTVrVhRlsnn2dJ3ZleFaptFrb+CXmO9OozeL5VfP99HvAWhpiUdcwkpBH3825AwYdU8xTqlLGhtCosArKMpvfa1mMRae9VvWZfeB2XfPkeLmm18lUcBj+p5dnN8jXZ3YIGEhYuOUn45aoCDkp16hl5IjYJvjWKcnoGQpqyPlpOhr3aElaqrq56Bq7VAAAOw==\\\");\\n\\theight: 100%;\\n\\t-ms-filter: \\\"alpha(opacity=25)\\\"; /* support: IE8 */\\n\\topacity: 0.25;\\n}\\n.ui-progressbar-indeterminate .ui-progressbar-value {\\n\\tbackground-image: none;\\n}\\n.ui-selectable {\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-selectable-helper {\\n\\tposition: absolute;\\n\\tz-index: 100;\\n\\tborder: 1px dotted black;\\n}\\n.ui-selectmenu-menu {\\n\\tpadding: 0;\\n\\tmargin: 0;\\n\\tposition: absolute;\\n\\ttop: 0;\\n\\tleft: 0;\\n\\tdisplay: none;\\n}\\n.ui-selectmenu-menu .ui-menu {\\n\\toverflow: auto;\\n\\toverflow-x: hidden;\\n\\tpadding-bottom: 1px;\\n}\\n.ui-selectmenu-menu .ui-menu .ui-selectmenu-optgroup {\\n\\tfont-size: 1em;\\n\\tfont-weight: bold;\\n\\tline-height: 1.5;\\n\\tpadding: 2px 0.4em;\\n\\tmargin: 0.5em 0 0 0;\\n\\theight: auto;\\n\\tborder: 0;\\n}\\n.ui-selectmenu-open {\\n\\tdisplay: block;\\n}\\n.ui-selectmenu-text {\\n\\tdisplay: block;\\n\\tmargin-right: 20px;\\n\\toverflow: hidden;\\n\\ttext-overflow: ellipsis;\\n}\\n.ui-selectmenu-button.ui-button {\\n\\ttext-align: left;\\n\\twhite-space: nowrap;\\n\\twidth: 14em;\\n}\\n.ui-selectmenu-icon.ui-icon {\\n\\tfloat: right;\\n\\tmargin-top: 0;\\n}\\n.ui-slider {\\n\\tposition: relative;\\n\\ttext-align: left;\\n}\\n.ui-slider .ui-slider-handle {\\n\\tposition: absolute;\\n\\tz-index: 2;\\n\\twidth: 1.2em;\\n\\theight: 1.2em;\\n\\tcursor: pointer;\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-slider .ui-slider-range {\\n\\tposition: absolute;\\n\\tz-index: 1;\\n\\tfont-size: .7em;\\n\\tdisplay: block;\\n\\tborder: 0;\\n\\tbackground-position: 0 0;\\n}\\n\\n/* support: IE8 - See #6727 */\\n.ui-slider.ui-state-disabled .ui-slider-handle,\\n.ui-slider.ui-state-disabled .ui-slider-range {\\n\\tfilter: inherit;\\n}\\n\\n.ui-slider-horizontal {\\n\\theight: .8em;\\n}\\n.ui-slider-horizontal .ui-slider-handle {\\n\\ttop: -.3em;\\n\\tmargin-left: -.6em;\\n}\\n.ui-slider-horizontal .ui-slider-range {\\n\\ttop: 0;\\n\\theight: 100%;\\n}\\n.ui-slider-horizontal .ui-slider-range-min {\\n\\tleft: 0;\\n}\\n.ui-slider-horizontal .ui-slider-range-max {\\n\\tright: 0;\\n}\\n\\n.ui-slider-vertical {\\n\\twidth: .8em;\\n\\theight: 100px;\\n}\\n.ui-slider-vertical .ui-slider-handle {\\n\\tleft: -.3em;\\n\\tmargin-left: 0;\\n\\tmargin-bottom: -.6em;\\n}\\n.ui-slider-vertical .ui-slider-range {\\n\\tleft: 0;\\n\\twidth: 100%;\\n}\\n.ui-slider-vertical .ui-slider-range-min {\\n\\tbottom: 0;\\n}\\n.ui-slider-vertical .ui-slider-range-max {\\n\\ttop: 0;\\n}\\n.ui-sortable-handle {\\n\\t-ms-touch-action: none;\\n\\ttouch-action: none;\\n}\\n.ui-spinner {\\n\\tposition: relative;\\n\\tdisplay: inline-block;\\n\\toverflow: hidden;\\n\\tpadding: 0;\\n\\tvertical-align: middle;\\n}\\n.ui-spinner-input {\\n\\tborder: none;\\n\\tbackground: none;\\n\\tcolor: inherit;\\n\\tpadding: .222em 0;\\n\\tmargin: .2em 0;\\n\\tvertical-align: middle;\\n\\tmargin-left: .4em;\\n\\tmargin-right: 2em;\\n}\\n.ui-spinner-button {\\n\\twidth: 1.6em;\\n\\theight: 50%;\\n\\tfont-size: .5em;\\n\\tpadding: 0;\\n\\tmargin: 0;\\n\\ttext-align: center;\\n\\tposition: absolute;\\n\\tcursor: default;\\n\\tdisplay: block;\\n\\toverflow: hidden;\\n\\tright: 0;\\n}\\n/* more specificity required here to override default borders */\\n.ui-spinner a.ui-spinner-button {\\n\\tborder-top-style: none;\\n\\tborder-bottom-style: none;\\n\\tborder-right-style: none;\\n}\\n.ui-spinner-up {\\n\\ttop: 0;\\n}\\n.ui-spinner-down {\\n\\tbottom: 0;\\n}\\n.ui-tabs {\\n\\tposition: relative;/* position: relative prevents IE scroll bug (element with position: relative inside container with overflow: auto appear as \\\"fixed\\\") */\\n\\tpadding: .2em;\\n}\\n.ui-tabs .ui-tabs-nav {\\n\\tmargin: 0;\\n\\tpadding: .2em .2em 0;\\n}\\n.ui-tabs .ui-tabs-nav li {\\n\\tlist-style: none;\\n\\tfloat: left;\\n\\tposition: relative;\\n\\ttop: 0;\\n\\tmargin: 1px .2em 0 0;\\n\\tborder-bottom-width: 0;\\n\\tpadding: 0;\\n\\twhite-space: nowrap;\\n}\\n.ui-tabs .ui-tabs-nav .ui-tabs-anchor {\\n\\tfloat: left;\\n\\tpadding: .5em 1em;\\n\\ttext-decoration: none;\\n}\\n.ui-tabs .ui-tabs-nav li.ui-tabs-active {\\n\\tmargin-bottom: -1px;\\n\\tpadding-bottom: 1px;\\n}\\n.ui-tabs .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor,\\n.ui-tabs .ui-tabs-nav li.ui-state-disabled .ui-tabs-anchor,\\n.ui-tabs .ui-tabs-nav li.ui-tabs-loading .ui-tabs-anchor {\\n\\tcursor: text;\\n}\\n.ui-tabs-collapsible .ui-tabs-nav li.ui-tabs-active .ui-tabs-anchor {\\n\\tcursor: pointer;\\n}\\n.ui-tabs .ui-tabs-panel {\\n\\tdisplay: block;\\n\\tborder-width: 0;\\n\\tpadding: 1em 1.4em;\\n\\tbackground: none;\\n}\\n.ui-tooltip {\\n\\tpadding: 8px;\\n\\tposition: absolute;\\n\\tz-index: 9999;\\n\\tmax-width: 300px;\\n}\\nbody .ui-tooltip {\\n\\tborder-width: 2px;\\n}\\n\\n/* Component containers\\n----------------------------------*/\\n.ui-widget {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget .ui-widget {\\n\\tfont-size: 1em;\\n}\\n.ui-widget input,\\n.ui-widget select,\\n.ui-widget textarea,\\n.ui-widget button {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget.ui-widget-content {\\n\\tborder: 1px solid #c5c5c5;\\n}\\n.ui-widget-content {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #ffffff;\\n\\tcolor: #333333;\\n}\\n.ui-widget-content a {\\n\\tcolor: #333333;\\n}\\n.ui-widget-header {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #e9e9e9;\\n\\tcolor: #333333;\\n\\tfont-weight: bold;\\n}\\n.ui-widget-header a {\\n\\tcolor: #333333;\\n}\\n\\n/* Interaction states\\n----------------------------------*/\\n.ui-state-default,\\n.ui-widget-content .ui-state-default,\\n.ui-widget-header .ui-state-default,\\n.ui-button,\\n\\n/* We use html here because we need a greater specificity to make sure disabled\\nworks properly when clicked or hovered */\\nhtml .ui-button.ui-state-disabled:hover,\\nhtml .ui-button.ui-state-disabled:active {\\n\\tborder: 1px solid #c5c5c5;\\n\\tbackground: #f6f6f6;\\n\\tfont-weight: normal;\\n\\tcolor: #454545;\\n}\\n.ui-state-default a,\\n.ui-state-default a:link,\\n.ui-state-default a:visited,\\na.ui-button,\\na:link.ui-button,\\na:visited.ui-button,\\n.ui-button {\\n\\tcolor: #454545;\\n\\ttext-decoration: none;\\n}\\n.ui-state-hover,\\n.ui-widget-content .ui-state-hover,\\n.ui-widget-header .ui-state-hover,\\n.ui-state-focus,\\n.ui-widget-content .ui-state-focus,\\n.ui-widget-header .ui-state-focus,\\n.ui-button:hover,\\n.ui-button:focus {\\n\\tborder: 1px solid #cccccc;\\n\\tbackground: #ededed;\\n\\tfont-weight: normal;\\n\\tcolor: #2b2b2b;\\n}\\n.ui-state-hover a,\\n.ui-state-hover a:hover,\\n.ui-state-hover a:link,\\n.ui-state-hover a:visited,\\n.ui-state-focus a,\\n.ui-state-focus a:hover,\\n.ui-state-focus a:link,\\n.ui-state-focus a:visited,\\na.ui-button:hover,\\na.ui-button:focus {\\n\\tcolor: #2b2b2b;\\n\\ttext-decoration: none;\\n}\\n\\n.ui-visual-focus {\\n\\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\\n}\\n.ui-state-active,\\n.ui-widget-content .ui-state-active,\\n.ui-widget-header .ui-state-active,\\na.ui-button:active,\\n.ui-button:active,\\n.ui-button.ui-state-active:hover {\\n\\tborder: 1px solid #003eff;\\n\\tbackground: #007fff;\\n\\tfont-weight: normal;\\n\\tcolor: #ffffff;\\n}\\n.ui-icon-background,\\n.ui-state-active .ui-icon-background {\\n\\tborder: #003eff;\\n\\tbackground-color: #ffffff;\\n}\\n.ui-state-active a,\\n.ui-state-active a:link,\\n.ui-state-active a:visited {\\n\\tcolor: #ffffff;\\n\\ttext-decoration: none;\\n}\\n\\n/* Interaction Cues\\n----------------------------------*/\\n.ui-state-highlight,\\n.ui-widget-content .ui-state-highlight,\\n.ui-widget-header .ui-state-highlight {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n\\tcolor: #777620;\\n}\\n.ui-state-checked {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n}\\n.ui-state-highlight a,\\n.ui-widget-content .ui-state-highlight a,\\n.ui-widget-header .ui-state-highlight a {\\n\\tcolor: #777620;\\n}\\n.ui-state-error,\\n.ui-widget-content .ui-state-error,\\n.ui-widget-header .ui-state-error {\\n\\tborder: 1px solid #f1a899;\\n\\tbackground: #fddfdf;\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error a,\\n.ui-widget-content .ui-state-error a,\\n.ui-widget-header .ui-state-error a {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error-text,\\n.ui-widget-content .ui-state-error-text,\\n.ui-widget-header .ui-state-error-text {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-priority-primary,\\n.ui-widget-content .ui-priority-primary,\\n.ui-widget-header .ui-priority-primary {\\n\\tfont-weight: bold;\\n}\\n.ui-priority-secondary,\\n.ui-widget-content .ui-priority-secondary,\\n.ui-widget-header .ui-priority-secondary {\\n\\topacity: .7;\\n\\t-ms-filter: \\\"alpha(opacity=70)\\\"; /* support: IE8 */\\n\\tfont-weight: normal;\\n}\\n.ui-state-disabled,\\n.ui-widget-content .ui-state-disabled,\\n.ui-widget-header .ui-state-disabled {\\n\\topacity: .35;\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 */\\n\\tbackground-image: none;\\n}\\n.ui-state-disabled .ui-icon {\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 - See #6059 */\\n}\\n\\n/* Icons\\n----------------------------------*/\\n\\n/* states and images */\\n.ui-icon {\\n\\twidth: 16px;\\n\\theight: 16px;\\n}\\n.ui-icon,\\n.ui-widget-content .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-widget-header .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-state-hover .ui-icon,\\n.ui-state-focus .ui-icon,\\n.ui-button:hover .ui-icon,\\n.ui-button:focus .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_555555_256x240.png\\\");\\n}\\n.ui-state-active .ui-icon,\\n.ui-button:active .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_ffffff_256x240.png\\\");\\n}\\n.ui-state-highlight .ui-icon,\\n.ui-button .ui-state-highlight.ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777620_256x240.png\\\");\\n}\\n.ui-state-error .ui-icon,\\n.ui-state-error-text .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_cc0000_256x240.png\\\");\\n}\\n.ui-button .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777777_256x240.png\\\");\\n}\\n\\n/* positioning */\\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\\n\\tbackground-image: none;\\n}\\n.ui-icon-caret-1-n { background-position: 0 0; }\\n.ui-icon-caret-1-ne { background-position: -16px 0; }\\n.ui-icon-caret-1-e { background-position: -32px 0; }\\n.ui-icon-caret-1-se { background-position: -48px 0; }\\n.ui-icon-caret-1-s { background-position: -65px 0; }\\n.ui-icon-caret-1-sw { background-position: -80px 0; }\\n.ui-icon-caret-1-w { background-position: -96px 0; }\\n.ui-icon-caret-1-nw { background-position: -112px 0; }\\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\\n.ui-icon-arrow-4 { background-position: 0 -80px; }\\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\\n.ui-icon-extlink { background-position: -32px -80px; }\\n.ui-icon-newwin { background-position: -48px -80px; }\\n.ui-icon-refresh { background-position: -64px -80px; }\\n.ui-icon-shuffle { background-position: -80px -80px; }\\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\\n.ui-icon-folder-open { background-position: -16px -96px; }\\n.ui-icon-document { background-position: -32px -96px; }\\n.ui-icon-document-b { background-position: -48px -96px; }\\n.ui-icon-note { background-position: -64px -96px; }\\n.ui-icon-mail-closed { background-position: -80px -96px; }\\n.ui-icon-mail-open { background-position: -96px -96px; }\\n.ui-icon-suitcase { background-position: -112px -96px; }\\n.ui-icon-comment { background-position: -128px -96px; }\\n.ui-icon-person { background-position: -144px -96px; }\\n.ui-icon-print { background-position: -160px -96px; }\\n.ui-icon-trash { background-position: -176px -96px; }\\n.ui-icon-locked { background-position: -192px -96px; }\\n.ui-icon-unlocked { background-position: -208px -96px; }\\n.ui-icon-bookmark { background-position: -224px -96px; }\\n.ui-icon-tag { background-position: -240px -96px; }\\n.ui-icon-home { background-position: 0 -112px; }\\n.ui-icon-flag { background-position: -16px -112px; }\\n.ui-icon-calendar { background-position: -32px -112px; }\\n.ui-icon-cart { background-position: -48px -112px; }\\n.ui-icon-pencil { background-position: -64px -112px; }\\n.ui-icon-clock { background-position: -80px -112px; }\\n.ui-icon-disk { background-position: -96px -112px; }\\n.ui-icon-calculator { background-position: -112px -112px; }\\n.ui-icon-zoomin { background-position: -128px -112px; }\\n.ui-icon-zoomout { background-position: -144px -112px; }\\n.ui-icon-search { background-position: -160px -112px; }\\n.ui-icon-wrench { background-position: -176px -112px; }\\n.ui-icon-gear { background-position: -192px -112px; }\\n.ui-icon-heart { background-position: -208px -112px; }\\n.ui-icon-star { background-position: -224px -112px; }\\n.ui-icon-link { background-position: -240px -112px; }\\n.ui-icon-cancel { background-position: 0 -128px; }\\n.ui-icon-plus { background-position: -16px -128px; }\\n.ui-icon-plusthick { background-position: -32px -128px; }\\n.ui-icon-minus { background-position: -48px -128px; }\\n.ui-icon-minusthick { background-position: -64px -128px; }\\n.ui-icon-close { background-position: -80px -128px; }\\n.ui-icon-closethick { background-position: -96px -128px; }\\n.ui-icon-key { background-position: -112px -128px; }\\n.ui-icon-lightbulb { background-position: -128px -128px; }\\n.ui-icon-scissors { background-position: -144px -128px; }\\n.ui-icon-clipboard { background-position: -160px -128px; }\\n.ui-icon-copy { background-position: -176px -128px; }\\n.ui-icon-contact { background-position: -192px -128px; }\\n.ui-icon-image { background-position: -208px -128px; }\\n.ui-icon-video { background-position: -224px -128px; }\\n.ui-icon-script { background-position: -240px -128px; }\\n.ui-icon-alert { background-position: 0 -144px; }\\n.ui-icon-info { background-position: -16px -144px; }\\n.ui-icon-notice { background-position: -32px -144px; }\\n.ui-icon-help { background-position: -48px -144px; }\\n.ui-icon-check { background-position: -64px -144px; }\\n.ui-icon-bullet { background-position: -80px -144px; }\\n.ui-icon-radio-on { background-position: -96px -144px; }\\n.ui-icon-radio-off { background-position: -112px -144px; }\\n.ui-icon-pin-w { background-position: -128px -144px; }\\n.ui-icon-pin-s { background-position: -144px -144px; }\\n.ui-icon-play { background-position: 0 -160px; }\\n.ui-icon-pause { background-position: -16px -160px; }\\n.ui-icon-seek-next { background-position: -32px -160px; }\\n.ui-icon-seek-prev { background-position: -48px -160px; }\\n.ui-icon-seek-end { background-position: -64px -160px; }\\n.ui-icon-seek-start { background-position: -80px -160px; }\\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\\n.ui-icon-seek-first { background-position: -80px -160px; }\\n.ui-icon-stop { background-position: -96px -160px; }\\n.ui-icon-eject { background-position: -112px -160px; }\\n.ui-icon-volume-off { background-position: -128px -160px; }\\n.ui-icon-volume-on { background-position: -144px -160px; }\\n.ui-icon-power { background-position: 0 -176px; }\\n.ui-icon-signal-diag { background-position: -16px -176px; }\\n.ui-icon-signal { background-position: -32px -176px; }\\n.ui-icon-battery-0 { background-position: -48px -176px; }\\n.ui-icon-battery-1 { background-position: -64px -176px; }\\n.ui-icon-battery-2 { background-position: -80px -176px; }\\n.ui-icon-battery-3 { background-position: -96px -176px; }\\n.ui-icon-circle-plus { background-position: 0 -192px; }\\n.ui-icon-circle-minus { background-position: -16px -192px; }\\n.ui-icon-circle-close { background-position: -32px -192px; }\\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\\n.ui-icon-circle-check { background-position: -208px -192px; }\\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\\n\\n\\n/* Misc visuals\\n----------------------------------*/\\n\\n/* Corner radius */\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-left,\\n.ui-corner-tl {\\n\\tborder-top-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-right,\\n.ui-corner-tr {\\n\\tborder-top-right-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-left,\\n.ui-corner-bl {\\n\\tborder-bottom-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-right,\\n.ui-corner-br {\\n\\tborder-bottom-right-radius: 3px;\\n}\\n\\n/* Overlays */\\n.ui-widget-overlay {\\n\\tbackground: #aaaaaa;\\n\\topacity: .003;\\n\\t-ms-filter: \\\"alpha(opacity=.3)\\\"; /* support: IE8 */\\n}\\n.ui-widget-shadow {\\n\\t-webkit-box-shadow: 0px 0px 5px #666666;\\n\\tbox-shadow: 0px 0px 5px #666666;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"images/ui-icons_444444_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"images/ui-icons_555555_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"images/ui-icons_ffffff_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_3___ = new URL(\"images/ui-icons_777620_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_4___ = new URL(\"images/ui-icons_cc0000_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_5___ = new URL(\"images/ui-icons_777777_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\nvar ___CSS_LOADER_URL_REPLACEMENT_3___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_3___);\nvar ___CSS_LOADER_URL_REPLACEMENT_4___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_4___);\nvar ___CSS_LOADER_URL_REPLACEMENT_5___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_5___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/*!\n * jQuery UI CSS Framework 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/category/theming/\n *\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\n */\n\n\n/* Component containers\n----------------------------------*/\n.ui-widget {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget .ui-widget {\n\tfont-size: 1em;\n}\n.ui-widget input,\n.ui-widget select,\n.ui-widget textarea,\n.ui-widget button {\n\tfont-family: Arial,Helvetica,sans-serif;\n\tfont-size: 1em;\n}\n.ui-widget.ui-widget-content {\n\tborder: 1px solid #c5c5c5;\n}\n.ui-widget-content {\n\tborder: 1px solid #dddddd;\n\tbackground: #ffffff;\n\tcolor: #333333;\n}\n.ui-widget-content a {\n\tcolor: #333333;\n}\n.ui-widget-header {\n\tborder: 1px solid #dddddd;\n\tbackground: #e9e9e9;\n\tcolor: #333333;\n\tfont-weight: bold;\n}\n.ui-widget-header a {\n\tcolor: #333333;\n}\n\n/* Interaction states\n----------------------------------*/\n.ui-state-default,\n.ui-widget-content .ui-state-default,\n.ui-widget-header .ui-state-default,\n.ui-button,\n\n/* We use html here because we need a greater specificity to make sure disabled\nworks properly when clicked or hovered */\nhtml .ui-button.ui-state-disabled:hover,\nhtml .ui-button.ui-state-disabled:active {\n\tborder: 1px solid #c5c5c5;\n\tbackground: #f6f6f6;\n\tfont-weight: normal;\n\tcolor: #454545;\n}\n.ui-state-default a,\n.ui-state-default a:link,\n.ui-state-default a:visited,\na.ui-button,\na:link.ui-button,\na:visited.ui-button,\n.ui-button {\n\tcolor: #454545;\n\ttext-decoration: none;\n}\n.ui-state-hover,\n.ui-widget-content .ui-state-hover,\n.ui-widget-header .ui-state-hover,\n.ui-state-focus,\n.ui-widget-content .ui-state-focus,\n.ui-widget-header .ui-state-focus,\n.ui-button:hover,\n.ui-button:focus {\n\tborder: 1px solid #cccccc;\n\tbackground: #ededed;\n\tfont-weight: normal;\n\tcolor: #2b2b2b;\n}\n.ui-state-hover a,\n.ui-state-hover a:hover,\n.ui-state-hover a:link,\n.ui-state-hover a:visited,\n.ui-state-focus a,\n.ui-state-focus a:hover,\n.ui-state-focus a:link,\n.ui-state-focus a:visited,\na.ui-button:hover,\na.ui-button:focus {\n\tcolor: #2b2b2b;\n\ttext-decoration: none;\n}\n\n.ui-visual-focus {\n\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\n}\n.ui-state-active,\n.ui-widget-content .ui-state-active,\n.ui-widget-header .ui-state-active,\na.ui-button:active,\n.ui-button:active,\n.ui-button.ui-state-active:hover {\n\tborder: 1px solid #003eff;\n\tbackground: #007fff;\n\tfont-weight: normal;\n\tcolor: #ffffff;\n}\n.ui-icon-background,\n.ui-state-active .ui-icon-background {\n\tborder: #003eff;\n\tbackground-color: #ffffff;\n}\n.ui-state-active a,\n.ui-state-active a:link,\n.ui-state-active a:visited {\n\tcolor: #ffffff;\n\ttext-decoration: none;\n}\n\n/* Interaction Cues\n----------------------------------*/\n.ui-state-highlight,\n.ui-widget-content .ui-state-highlight,\n.ui-widget-header .ui-state-highlight {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n\tcolor: #777620;\n}\n.ui-state-checked {\n\tborder: 1px solid #dad55e;\n\tbackground: #fffa90;\n}\n.ui-state-highlight a,\n.ui-widget-content .ui-state-highlight a,\n.ui-widget-header .ui-state-highlight a {\n\tcolor: #777620;\n}\n.ui-state-error,\n.ui-widget-content .ui-state-error,\n.ui-widget-header .ui-state-error {\n\tborder: 1px solid #f1a899;\n\tbackground: #fddfdf;\n\tcolor: #5f3f3f;\n}\n.ui-state-error a,\n.ui-widget-content .ui-state-error a,\n.ui-widget-header .ui-state-error a {\n\tcolor: #5f3f3f;\n}\n.ui-state-error-text,\n.ui-widget-content .ui-state-error-text,\n.ui-widget-header .ui-state-error-text {\n\tcolor: #5f3f3f;\n}\n.ui-priority-primary,\n.ui-widget-content .ui-priority-primary,\n.ui-widget-header .ui-priority-primary {\n\tfont-weight: bold;\n}\n.ui-priority-secondary,\n.ui-widget-content .ui-priority-secondary,\n.ui-widget-header .ui-priority-secondary {\n\topacity: .7;\n\t-ms-filter: \"alpha(opacity=70)\"; /* support: IE8 */\n\tfont-weight: normal;\n}\n.ui-state-disabled,\n.ui-widget-content .ui-state-disabled,\n.ui-widget-header .ui-state-disabled {\n\topacity: .35;\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 */\n\tbackground-image: none;\n}\n.ui-state-disabled .ui-icon {\n\t-ms-filter: \"alpha(opacity=35)\"; /* support: IE8 - See #6059 */\n}\n\n/* Icons\n----------------------------------*/\n\n/* states and images */\n.ui-icon {\n\twidth: 16px;\n\theight: 16px;\n}\n.ui-icon,\n.ui-widget-content .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n}\n.ui-widget-header .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n}\n.ui-state-hover .ui-icon,\n.ui-state-focus .ui-icon,\n.ui-button:hover .ui-icon,\n.ui-button:focus .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_1___});\n}\n.ui-state-active .ui-icon,\n.ui-button:active .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___});\n}\n.ui-state-highlight .ui-icon,\n.ui-button .ui-state-highlight.ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_3___});\n}\n.ui-state-error .ui-icon,\n.ui-state-error-text .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_4___});\n}\n.ui-button .ui-icon {\n\tbackground-image: url(${___CSS_LOADER_URL_REPLACEMENT_5___});\n}\n\n/* positioning */\n/* Three classes needed to override \\`.ui-button:hover .ui-icon\\` */\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\n\tbackground-image: none;\n}\n.ui-icon-caret-1-n { background-position: 0 0; }\n.ui-icon-caret-1-ne { background-position: -16px 0; }\n.ui-icon-caret-1-e { background-position: -32px 0; }\n.ui-icon-caret-1-se { background-position: -48px 0; }\n.ui-icon-caret-1-s { background-position: -65px 0; }\n.ui-icon-caret-1-sw { background-position: -80px 0; }\n.ui-icon-caret-1-w { background-position: -96px 0; }\n.ui-icon-caret-1-nw { background-position: -112px 0; }\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\n.ui-icon-arrow-4 { background-position: 0 -80px; }\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\n.ui-icon-extlink { background-position: -32px -80px; }\n.ui-icon-newwin { background-position: -48px -80px; }\n.ui-icon-refresh { background-position: -64px -80px; }\n.ui-icon-shuffle { background-position: -80px -80px; }\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\n.ui-icon-folder-open { background-position: -16px -96px; }\n.ui-icon-document { background-position: -32px -96px; }\n.ui-icon-document-b { background-position: -48px -96px; }\n.ui-icon-note { background-position: -64px -96px; }\n.ui-icon-mail-closed { background-position: -80px -96px; }\n.ui-icon-mail-open { background-position: -96px -96px; }\n.ui-icon-suitcase { background-position: -112px -96px; }\n.ui-icon-comment { background-position: -128px -96px; }\n.ui-icon-person { background-position: -144px -96px; }\n.ui-icon-print { background-position: -160px -96px; }\n.ui-icon-trash { background-position: -176px -96px; }\n.ui-icon-locked { background-position: -192px -96px; }\n.ui-icon-unlocked { background-position: -208px -96px; }\n.ui-icon-bookmark { background-position: -224px -96px; }\n.ui-icon-tag { background-position: -240px -96px; }\n.ui-icon-home { background-position: 0 -112px; }\n.ui-icon-flag { background-position: -16px -112px; }\n.ui-icon-calendar { background-position: -32px -112px; }\n.ui-icon-cart { background-position: -48px -112px; }\n.ui-icon-pencil { background-position: -64px -112px; }\n.ui-icon-clock { background-position: -80px -112px; }\n.ui-icon-disk { background-position: -96px -112px; }\n.ui-icon-calculator { background-position: -112px -112px; }\n.ui-icon-zoomin { background-position: -128px -112px; }\n.ui-icon-zoomout { background-position: -144px -112px; }\n.ui-icon-search { background-position: -160px -112px; }\n.ui-icon-wrench { background-position: -176px -112px; }\n.ui-icon-gear { background-position: -192px -112px; }\n.ui-icon-heart { background-position: -208px -112px; }\n.ui-icon-star { background-position: -224px -112px; }\n.ui-icon-link { background-position: -240px -112px; }\n.ui-icon-cancel { background-position: 0 -128px; }\n.ui-icon-plus { background-position: -16px -128px; }\n.ui-icon-plusthick { background-position: -32px -128px; }\n.ui-icon-minus { background-position: -48px -128px; }\n.ui-icon-minusthick { background-position: -64px -128px; }\n.ui-icon-close { background-position: -80px -128px; }\n.ui-icon-closethick { background-position: -96px -128px; }\n.ui-icon-key { background-position: -112px -128px; }\n.ui-icon-lightbulb { background-position: -128px -128px; }\n.ui-icon-scissors { background-position: -144px -128px; }\n.ui-icon-clipboard { background-position: -160px -128px; }\n.ui-icon-copy { background-position: -176px -128px; }\n.ui-icon-contact { background-position: -192px -128px; }\n.ui-icon-image { background-position: -208px -128px; }\n.ui-icon-video { background-position: -224px -128px; }\n.ui-icon-script { background-position: -240px -128px; }\n.ui-icon-alert { background-position: 0 -144px; }\n.ui-icon-info { background-position: -16px -144px; }\n.ui-icon-notice { background-position: -32px -144px; }\n.ui-icon-help { background-position: -48px -144px; }\n.ui-icon-check { background-position: -64px -144px; }\n.ui-icon-bullet { background-position: -80px -144px; }\n.ui-icon-radio-on { background-position: -96px -144px; }\n.ui-icon-radio-off { background-position: -112px -144px; }\n.ui-icon-pin-w { background-position: -128px -144px; }\n.ui-icon-pin-s { background-position: -144px -144px; }\n.ui-icon-play { background-position: 0 -160px; }\n.ui-icon-pause { background-position: -16px -160px; }\n.ui-icon-seek-next { background-position: -32px -160px; }\n.ui-icon-seek-prev { background-position: -48px -160px; }\n.ui-icon-seek-end { background-position: -64px -160px; }\n.ui-icon-seek-start { background-position: -80px -160px; }\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\n.ui-icon-seek-first { background-position: -80px -160px; }\n.ui-icon-stop { background-position: -96px -160px; }\n.ui-icon-eject { background-position: -112px -160px; }\n.ui-icon-volume-off { background-position: -128px -160px; }\n.ui-icon-volume-on { background-position: -144px -160px; }\n.ui-icon-power { background-position: 0 -176px; }\n.ui-icon-signal-diag { background-position: -16px -176px; }\n.ui-icon-signal { background-position: -32px -176px; }\n.ui-icon-battery-0 { background-position: -48px -176px; }\n.ui-icon-battery-1 { background-position: -64px -176px; }\n.ui-icon-battery-2 { background-position: -80px -176px; }\n.ui-icon-battery-3 { background-position: -96px -176px; }\n.ui-icon-circle-plus { background-position: 0 -192px; }\n.ui-icon-circle-minus { background-position: -16px -192px; }\n.ui-icon-circle-close { background-position: -32px -192px; }\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\n.ui-icon-circle-check { background-position: -208px -192px; }\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\n\n\n/* Misc visuals\n----------------------------------*/\n\n/* Corner radius */\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-left,\n.ui-corner-tl {\n\tborder-top-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-top,\n.ui-corner-right,\n.ui-corner-tr {\n\tborder-top-right-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-left,\n.ui-corner-bl {\n\tborder-bottom-left-radius: 3px;\n}\n.ui-corner-all,\n.ui-corner-bottom,\n.ui-corner-right,\n.ui-corner-br {\n\tborder-bottom-right-radius: 3px;\n}\n\n/* Overlays */\n.ui-widget-overlay {\n\tbackground: #aaaaaa;\n\topacity: .003;\n\t-ms-filter: \"alpha(opacity=.3)\"; /* support: IE8 */\n}\n.ui-widget-shadow {\n\t-webkit-box-shadow: 0px 0px 5px #666666;\n\tbox-shadow: 0px 0px 5px #666666;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/jquery-ui-dist/jquery-ui.theme.css\"],\"names\":[],\"mappings\":\"AAAA;;;;;;;;;;;EAWE;;;AAGF;mCACmC;AACnC;CACC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;;;;CAIC,uCAAuC;CACvC,cAAc;AACf;AACA;CACC,yBAAyB;AAC1B;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;CACd,iBAAiB;AAClB;AACA;CACC,cAAc;AACf;;AAEA;mCACmC;AACnC;;;;;;;;;CASC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;CAOC,cAAc;CACd,qBAAqB;AACtB;AACA;;;;;;;;CAQC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;;;;;;;;;CAUC,cAAc;CACd,qBAAqB;AACtB;;AAEA;CACC,yCAAyC;AAC1C;AACA;;;;;;CAMC,yBAAyB;CACzB,mBAAmB;CACnB,mBAAmB;CACnB,cAAc;AACf;AACA;;CAEC,eAAe;CACf,yBAAyB;AAC1B;AACA;;;CAGC,cAAc;CACd,qBAAqB;AACtB;;AAEA;mCACmC;AACnC;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;CACC,yBAAyB;CACzB,mBAAmB;AACpB;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,yBAAyB;CACzB,mBAAmB;CACnB,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,cAAc;AACf;AACA;;;CAGC,iBAAiB;AAClB;AACA;;;CAGC,WAAW;CACX,+BAA+B,EAAE,iBAAiB;CAClD,mBAAmB;AACpB;AACA;;;CAGC,YAAY;CACZ,+BAA+B,EAAE,iBAAiB;CAClD,sBAAsB;AACvB;AACA;CACC,+BAA+B,EAAE,6BAA6B;AAC/D;;AAEA;mCACmC;;AAEnC,sBAAsB;AACtB;CACC,WAAW;CACX,YAAY;AACb;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;AACA;;;;CAIC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;;CAEC,yDAA2D;AAC5D;AACA;CACC,yDAA2D;AAC5D;;AAEA,gBAAgB;AAChB,iEAAiE;AACjE;CACC,sBAAsB;AACvB;AACA,qBAAqB,wBAAwB,EAAE;AAC/C,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,4BAA4B,EAAE;AACpD,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,6BAA6B,EAAE;AACrD,uBAAuB,6BAA6B,EAAE;AACtD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,4BAA4B,EAAE;AACtD,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,gCAAgC,EAAE;AAC3D,wBAAwB,gCAAgC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,iCAAiC,EAAE;AAC7D,0BAA0B,iCAAiC,EAAE;AAC7D,qBAAqB,4BAA4B,EAAE;AACnD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,gCAAgC,EAAE;AACxD,qBAAqB,gCAAgC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,uBAAuB,iCAAiC,EAAE;AAC1D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,yBAAyB,iCAAiC,EAAE;AAC5D,0BAA0B,8BAA8B,EAAE;AAC1D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,gCAAgC,EAAE;AAC7D,0BAA0B,gCAAgC,EAAE;AAC5D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,4BAA4B,iCAAiC,EAAE;AAC/D,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,8BAA8B,iCAAiC,EAAE;AACjE,gCAAgC,4BAA4B,EAAE;AAC9D,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,gCAAgC,gCAAgC,EAAE;AAClE,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,gCAAgC,EAAE;AAC7D,2BAA2B,iCAAiC,EAAE;AAC9D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,4BAA4B,iCAAiC,EAAE;AAC/D,mBAAmB,4BAA4B,EAAE;AACjD,wBAAwB,gCAAgC,EAAE;AAC1D,mBAAmB,gCAAgC,EAAE;AACrD,kBAAkB,gCAAgC,EAAE;AACpD,mBAAmB,gCAAgC,EAAE;AACrD,mBAAmB,gCAAgC,EAAE;AACrD,wBAAwB,gCAAgC,EAAE;AAC1D,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,4BAA4B,EAAE;AAC1D,uBAAuB,gCAAgC,EAAE;AACzD,oBAAoB,gCAAgC,EAAE;AACtD,sBAAsB,gCAAgC,EAAE;AACxD,gBAAgB,gCAAgC,EAAE;AAClD,uBAAuB,gCAAgC,EAAE;AACzD,qBAAqB,gCAAgC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,mBAAmB,iCAAiC,EAAE;AACtD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,oBAAoB,iCAAiC,EAAE;AACvD,eAAe,iCAAiC,EAAE;AAClD,gBAAgB,6BAA6B,EAAE;AAC/C,gBAAgB,iCAAiC,EAAE;AACnD,oBAAoB,iCAAiC,EAAE;AACvD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,iBAAiB,iCAAiC,EAAE;AACpD,gBAAgB,iCAAiC,EAAE;AACnD,sBAAsB,kCAAkC,EAAE;AAC1D,kBAAkB,kCAAkC,EAAE;AACtD,mBAAmB,kCAAkC,EAAE;AACvD,kBAAkB,kCAAkC,EAAE;AACtD,kBAAkB,kCAAkC,EAAE;AACtD,gBAAgB,kCAAkC,EAAE;AACpD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,kCAAkC,EAAE;AACpD,gBAAgB,kCAAkC,EAAE;AACpD,kBAAkB,6BAA6B,EAAE;AACjD,gBAAgB,iCAAiC,EAAE;AACnD,qBAAqB,iCAAiC,EAAE;AACxD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,iBAAiB,iCAAiC,EAAE;AACpD,sBAAsB,iCAAiC,EAAE;AACzD,eAAe,kCAAkC,EAAE;AACnD,qBAAqB,kCAAkC,EAAE;AACzD,oBAAoB,kCAAkC,EAAE;AACxD,qBAAqB,kCAAkC,EAAE;AACzD,gBAAgB,kCAAkC,EAAE;AACpD,mBAAmB,kCAAkC,EAAE;AACvD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,kBAAkB,kCAAkC,EAAE;AACtD,iBAAiB,6BAA6B,EAAE;AAChD,gBAAgB,iCAAiC,EAAE;AACnD,kBAAkB,iCAAiC,EAAE;AACrD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,iCAAiC,EAAE;AACpD,kBAAkB,iCAAiC,EAAE;AACrD,oBAAoB,iCAAiC,EAAE;AACvD,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,kCAAkC,EAAE;AACrD,iBAAiB,kCAAkC,EAAE;AACrD,gBAAgB,6BAA6B,EAAE;AAC/C,iBAAiB,iCAAiC,EAAE;AACpD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,oBAAoB,iCAAiC,EAAE;AACvD,sBAAsB,iCAAiC,EAAE;AACzD,qEAAqE;AACrE,sBAAsB,iCAAiC,EAAE;AACzD,gBAAgB,iCAAiC,EAAE;AACnD,iBAAiB,kCAAkC,EAAE;AACrD,sBAAsB,kCAAkC,EAAE;AAC1D,qBAAqB,kCAAkC,EAAE;AACzD,iBAAiB,6BAA6B,EAAE;AAChD,uBAAuB,iCAAiC,EAAE;AAC1D,kBAAkB,iCAAiC,EAAE;AACrD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,qBAAqB,iCAAiC,EAAE;AACxD,uBAAuB,6BAA6B,EAAE;AACtD,wBAAwB,iCAAiC,EAAE;AAC3D,wBAAwB,iCAAiC,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,0BAA0B,kCAAkC,EAAE;AAC9D,yBAAyB,kCAAkC,EAAE;AAC7D,0BAA0B,kCAAkC,EAAE;AAC9D,wBAAwB,kCAAkC,EAAE;AAC5D,4BAA4B,6BAA6B,EAAE;AAC3D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,4BAA4B,iCAAiC,EAAE;AAC/D,6BAA6B,iCAAiC,EAAE;AAChE,6BAA6B,iCAAiC,EAAE;AAChE,gCAAgC,6BAA6B,EAAE;AAC/D,kCAAkC,iCAAiC,EAAE;AACrE,+BAA+B,iCAAiC,EAAE;AAClE,iCAAiC,iCAAiC,EAAE;AACpE,iCAAiC,iCAAiC,EAAE;AACpE,4BAA4B,iCAAiC,EAAE;;;AAG/D;mCACmC;;AAEnC,kBAAkB;AAClB;;;;CAIC,2BAA2B;AAC5B;AACA;;;;CAIC,4BAA4B;AAC7B;AACA;;;;CAIC,8BAA8B;AAC/B;AACA;;;;CAIC,+BAA+B;AAChC;;AAEA,aAAa;AACb;CACC,mBAAmB;CACnB,aAAa;CACb,+BAA+B,EAAE,iBAAiB;AACnD;AACA;CACC,uCAAuC;CACvC,+BAA+B;AAChC\",\"sourcesContent\":[\"/*!\\n * jQuery UI CSS Framework 1.13.3\\n * https://jqueryui.com\\n *\\n * Copyright OpenJS Foundation and other contributors\\n * Released under the MIT license.\\n * https://jquery.org/license\\n *\\n * https://api.jqueryui.com/category/theming/\\n *\\n * To view and modify this theme, visit https://jqueryui.com/themeroller/?bgShadowXPos=&bgOverlayXPos=&bgErrorXPos=&bgHighlightXPos=&bgContentXPos=&bgHeaderXPos=&bgActiveXPos=&bgHoverXPos=&bgDefaultXPos=&bgShadowYPos=&bgOverlayYPos=&bgErrorYPos=&bgHighlightYPos=&bgContentYPos=&bgHeaderYPos=&bgActiveYPos=&bgHoverYPos=&bgDefaultYPos=&bgShadowRepeat=&bgOverlayRepeat=&bgErrorRepeat=&bgHighlightRepeat=&bgContentRepeat=&bgHeaderRepeat=&bgActiveRepeat=&bgHoverRepeat=&bgDefaultRepeat=&iconsHover=url(%22images%2Fui-icons_555555_256x240.png%22)&iconsHighlight=url(%22images%2Fui-icons_777620_256x240.png%22)&iconsHeader=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsError=url(%22images%2Fui-icons_cc0000_256x240.png%22)&iconsDefault=url(%22images%2Fui-icons_777777_256x240.png%22)&iconsContent=url(%22images%2Fui-icons_444444_256x240.png%22)&iconsActive=url(%22images%2Fui-icons_ffffff_256x240.png%22)&bgImgUrlShadow=&bgImgUrlOverlay=&bgImgUrlHover=&bgImgUrlHighlight=&bgImgUrlHeader=&bgImgUrlError=&bgImgUrlDefault=&bgImgUrlContent=&bgImgUrlActive=&opacityFilterShadow=%22alpha(opacity%3D30)%22&opacityFilterOverlay=%22alpha(opacity%3D30)%22&opacityShadowPerc=30&opacityOverlayPerc=30&iconColorHover=%23555555&iconColorHighlight=%23777620&iconColorHeader=%23444444&iconColorError=%23cc0000&iconColorDefault=%23777777&iconColorContent=%23444444&iconColorActive=%23ffffff&bgImgOpacityShadow=0&bgImgOpacityOverlay=0&bgImgOpacityError=95&bgImgOpacityHighlight=55&bgImgOpacityContent=75&bgImgOpacityHeader=75&bgImgOpacityActive=65&bgImgOpacityHover=75&bgImgOpacityDefault=75&bgTextureShadow=flat&bgTextureOverlay=flat&bgTextureError=flat&bgTextureHighlight=flat&bgTextureContent=flat&bgTextureHeader=flat&bgTextureActive=flat&bgTextureHover=flat&bgTextureDefault=flat&cornerRadius=3px&fwDefault=normal&ffDefault=Arial%2CHelvetica%2Csans-serif&fsDefault=1em&cornerRadiusShadow=8px&thicknessShadow=5px&offsetLeftShadow=0px&offsetTopShadow=0px&opacityShadow=.3&bgColorShadow=%23666666&opacityOverlay=.3&bgColorOverlay=%23aaaaaa&fcError=%235f3f3f&borderColorError=%23f1a899&bgColorError=%23fddfdf&fcHighlight=%23777620&borderColorHighlight=%23dad55e&bgColorHighlight=%23fffa90&fcContent=%23333333&borderColorContent=%23dddddd&bgColorContent=%23ffffff&fcHeader=%23333333&borderColorHeader=%23dddddd&bgColorHeader=%23e9e9e9&fcActive=%23ffffff&borderColorActive=%23003eff&bgColorActive=%23007fff&fcHover=%232b2b2b&borderColorHover=%23cccccc&bgColorHover=%23ededed&fcDefault=%23454545&borderColorDefault=%23c5c5c5&bgColorDefault=%23f6f6f6\\n */\\n\\n\\n/* Component containers\\n----------------------------------*/\\n.ui-widget {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget .ui-widget {\\n\\tfont-size: 1em;\\n}\\n.ui-widget input,\\n.ui-widget select,\\n.ui-widget textarea,\\n.ui-widget button {\\n\\tfont-family: Arial,Helvetica,sans-serif;\\n\\tfont-size: 1em;\\n}\\n.ui-widget.ui-widget-content {\\n\\tborder: 1px solid #c5c5c5;\\n}\\n.ui-widget-content {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #ffffff;\\n\\tcolor: #333333;\\n}\\n.ui-widget-content a {\\n\\tcolor: #333333;\\n}\\n.ui-widget-header {\\n\\tborder: 1px solid #dddddd;\\n\\tbackground: #e9e9e9;\\n\\tcolor: #333333;\\n\\tfont-weight: bold;\\n}\\n.ui-widget-header a {\\n\\tcolor: #333333;\\n}\\n\\n/* Interaction states\\n----------------------------------*/\\n.ui-state-default,\\n.ui-widget-content .ui-state-default,\\n.ui-widget-header .ui-state-default,\\n.ui-button,\\n\\n/* We use html here because we need a greater specificity to make sure disabled\\nworks properly when clicked or hovered */\\nhtml .ui-button.ui-state-disabled:hover,\\nhtml .ui-button.ui-state-disabled:active {\\n\\tborder: 1px solid #c5c5c5;\\n\\tbackground: #f6f6f6;\\n\\tfont-weight: normal;\\n\\tcolor: #454545;\\n}\\n.ui-state-default a,\\n.ui-state-default a:link,\\n.ui-state-default a:visited,\\na.ui-button,\\na:link.ui-button,\\na:visited.ui-button,\\n.ui-button {\\n\\tcolor: #454545;\\n\\ttext-decoration: none;\\n}\\n.ui-state-hover,\\n.ui-widget-content .ui-state-hover,\\n.ui-widget-header .ui-state-hover,\\n.ui-state-focus,\\n.ui-widget-content .ui-state-focus,\\n.ui-widget-header .ui-state-focus,\\n.ui-button:hover,\\n.ui-button:focus {\\n\\tborder: 1px solid #cccccc;\\n\\tbackground: #ededed;\\n\\tfont-weight: normal;\\n\\tcolor: #2b2b2b;\\n}\\n.ui-state-hover a,\\n.ui-state-hover a:hover,\\n.ui-state-hover a:link,\\n.ui-state-hover a:visited,\\n.ui-state-focus a,\\n.ui-state-focus a:hover,\\n.ui-state-focus a:link,\\n.ui-state-focus a:visited,\\na.ui-button:hover,\\na.ui-button:focus {\\n\\tcolor: #2b2b2b;\\n\\ttext-decoration: none;\\n}\\n\\n.ui-visual-focus {\\n\\tbox-shadow: 0 0 3px 1px rgb(94, 158, 214);\\n}\\n.ui-state-active,\\n.ui-widget-content .ui-state-active,\\n.ui-widget-header .ui-state-active,\\na.ui-button:active,\\n.ui-button:active,\\n.ui-button.ui-state-active:hover {\\n\\tborder: 1px solid #003eff;\\n\\tbackground: #007fff;\\n\\tfont-weight: normal;\\n\\tcolor: #ffffff;\\n}\\n.ui-icon-background,\\n.ui-state-active .ui-icon-background {\\n\\tborder: #003eff;\\n\\tbackground-color: #ffffff;\\n}\\n.ui-state-active a,\\n.ui-state-active a:link,\\n.ui-state-active a:visited {\\n\\tcolor: #ffffff;\\n\\ttext-decoration: none;\\n}\\n\\n/* Interaction Cues\\n----------------------------------*/\\n.ui-state-highlight,\\n.ui-widget-content .ui-state-highlight,\\n.ui-widget-header .ui-state-highlight {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n\\tcolor: #777620;\\n}\\n.ui-state-checked {\\n\\tborder: 1px solid #dad55e;\\n\\tbackground: #fffa90;\\n}\\n.ui-state-highlight a,\\n.ui-widget-content .ui-state-highlight a,\\n.ui-widget-header .ui-state-highlight a {\\n\\tcolor: #777620;\\n}\\n.ui-state-error,\\n.ui-widget-content .ui-state-error,\\n.ui-widget-header .ui-state-error {\\n\\tborder: 1px solid #f1a899;\\n\\tbackground: #fddfdf;\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error a,\\n.ui-widget-content .ui-state-error a,\\n.ui-widget-header .ui-state-error a {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-state-error-text,\\n.ui-widget-content .ui-state-error-text,\\n.ui-widget-header .ui-state-error-text {\\n\\tcolor: #5f3f3f;\\n}\\n.ui-priority-primary,\\n.ui-widget-content .ui-priority-primary,\\n.ui-widget-header .ui-priority-primary {\\n\\tfont-weight: bold;\\n}\\n.ui-priority-secondary,\\n.ui-widget-content .ui-priority-secondary,\\n.ui-widget-header .ui-priority-secondary {\\n\\topacity: .7;\\n\\t-ms-filter: \\\"alpha(opacity=70)\\\"; /* support: IE8 */\\n\\tfont-weight: normal;\\n}\\n.ui-state-disabled,\\n.ui-widget-content .ui-state-disabled,\\n.ui-widget-header .ui-state-disabled {\\n\\topacity: .35;\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 */\\n\\tbackground-image: none;\\n}\\n.ui-state-disabled .ui-icon {\\n\\t-ms-filter: \\\"alpha(opacity=35)\\\"; /* support: IE8 - See #6059 */\\n}\\n\\n/* Icons\\n----------------------------------*/\\n\\n/* states and images */\\n.ui-icon {\\n\\twidth: 16px;\\n\\theight: 16px;\\n}\\n.ui-icon,\\n.ui-widget-content .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-widget-header .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_444444_256x240.png\\\");\\n}\\n.ui-state-hover .ui-icon,\\n.ui-state-focus .ui-icon,\\n.ui-button:hover .ui-icon,\\n.ui-button:focus .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_555555_256x240.png\\\");\\n}\\n.ui-state-active .ui-icon,\\n.ui-button:active .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_ffffff_256x240.png\\\");\\n}\\n.ui-state-highlight .ui-icon,\\n.ui-button .ui-state-highlight.ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777620_256x240.png\\\");\\n}\\n.ui-state-error .ui-icon,\\n.ui-state-error-text .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_cc0000_256x240.png\\\");\\n}\\n.ui-button .ui-icon {\\n\\tbackground-image: url(\\\"images/ui-icons_777777_256x240.png\\\");\\n}\\n\\n/* positioning */\\n/* Three classes needed to override `.ui-button:hover .ui-icon` */\\n.ui-icon-blank.ui-icon-blank.ui-icon-blank {\\n\\tbackground-image: none;\\n}\\n.ui-icon-caret-1-n { background-position: 0 0; }\\n.ui-icon-caret-1-ne { background-position: -16px 0; }\\n.ui-icon-caret-1-e { background-position: -32px 0; }\\n.ui-icon-caret-1-se { background-position: -48px 0; }\\n.ui-icon-caret-1-s { background-position: -65px 0; }\\n.ui-icon-caret-1-sw { background-position: -80px 0; }\\n.ui-icon-caret-1-w { background-position: -96px 0; }\\n.ui-icon-caret-1-nw { background-position: -112px 0; }\\n.ui-icon-caret-2-n-s { background-position: -128px 0; }\\n.ui-icon-caret-2-e-w { background-position: -144px 0; }\\n.ui-icon-triangle-1-n { background-position: 0 -16px; }\\n.ui-icon-triangle-1-ne { background-position: -16px -16px; }\\n.ui-icon-triangle-1-e { background-position: -32px -16px; }\\n.ui-icon-triangle-1-se { background-position: -48px -16px; }\\n.ui-icon-triangle-1-s { background-position: -65px -16px; }\\n.ui-icon-triangle-1-sw { background-position: -80px -16px; }\\n.ui-icon-triangle-1-w { background-position: -96px -16px; }\\n.ui-icon-triangle-1-nw { background-position: -112px -16px; }\\n.ui-icon-triangle-2-n-s { background-position: -128px -16px; }\\n.ui-icon-triangle-2-e-w { background-position: -144px -16px; }\\n.ui-icon-arrow-1-n { background-position: 0 -32px; }\\n.ui-icon-arrow-1-ne { background-position: -16px -32px; }\\n.ui-icon-arrow-1-e { background-position: -32px -32px; }\\n.ui-icon-arrow-1-se { background-position: -48px -32px; }\\n.ui-icon-arrow-1-s { background-position: -65px -32px; }\\n.ui-icon-arrow-1-sw { background-position: -80px -32px; }\\n.ui-icon-arrow-1-w { background-position: -96px -32px; }\\n.ui-icon-arrow-1-nw { background-position: -112px -32px; }\\n.ui-icon-arrow-2-n-s { background-position: -128px -32px; }\\n.ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }\\n.ui-icon-arrow-2-e-w { background-position: -160px -32px; }\\n.ui-icon-arrow-2-se-nw { background-position: -176px -32px; }\\n.ui-icon-arrowstop-1-n { background-position: -192px -32px; }\\n.ui-icon-arrowstop-1-e { background-position: -208px -32px; }\\n.ui-icon-arrowstop-1-s { background-position: -224px -32px; }\\n.ui-icon-arrowstop-1-w { background-position: -240px -32px; }\\n.ui-icon-arrowthick-1-n { background-position: 1px -48px; }\\n.ui-icon-arrowthick-1-ne { background-position: -16px -48px; }\\n.ui-icon-arrowthick-1-e { background-position: -32px -48px; }\\n.ui-icon-arrowthick-1-se { background-position: -48px -48px; }\\n.ui-icon-arrowthick-1-s { background-position: -64px -48px; }\\n.ui-icon-arrowthick-1-sw { background-position: -80px -48px; }\\n.ui-icon-arrowthick-1-w { background-position: -96px -48px; }\\n.ui-icon-arrowthick-1-nw { background-position: -112px -48px; }\\n.ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }\\n.ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }\\n.ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }\\n.ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }\\n.ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }\\n.ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }\\n.ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }\\n.ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }\\n.ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }\\n.ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }\\n.ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }\\n.ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }\\n.ui-icon-arrowreturn-1-w { background-position: -64px -64px; }\\n.ui-icon-arrowreturn-1-n { background-position: -80px -64px; }\\n.ui-icon-arrowreturn-1-e { background-position: -96px -64px; }\\n.ui-icon-arrowreturn-1-s { background-position: -112px -64px; }\\n.ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }\\n.ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }\\n.ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }\\n.ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }\\n.ui-icon-arrow-4 { background-position: 0 -80px; }\\n.ui-icon-arrow-4-diag { background-position: -16px -80px; }\\n.ui-icon-extlink { background-position: -32px -80px; }\\n.ui-icon-newwin { background-position: -48px -80px; }\\n.ui-icon-refresh { background-position: -64px -80px; }\\n.ui-icon-shuffle { background-position: -80px -80px; }\\n.ui-icon-transfer-e-w { background-position: -96px -80px; }\\n.ui-icon-transferthick-e-w { background-position: -112px -80px; }\\n.ui-icon-folder-collapsed { background-position: 0 -96px; }\\n.ui-icon-folder-open { background-position: -16px -96px; }\\n.ui-icon-document { background-position: -32px -96px; }\\n.ui-icon-document-b { background-position: -48px -96px; }\\n.ui-icon-note { background-position: -64px -96px; }\\n.ui-icon-mail-closed { background-position: -80px -96px; }\\n.ui-icon-mail-open { background-position: -96px -96px; }\\n.ui-icon-suitcase { background-position: -112px -96px; }\\n.ui-icon-comment { background-position: -128px -96px; }\\n.ui-icon-person { background-position: -144px -96px; }\\n.ui-icon-print { background-position: -160px -96px; }\\n.ui-icon-trash { background-position: -176px -96px; }\\n.ui-icon-locked { background-position: -192px -96px; }\\n.ui-icon-unlocked { background-position: -208px -96px; }\\n.ui-icon-bookmark { background-position: -224px -96px; }\\n.ui-icon-tag { background-position: -240px -96px; }\\n.ui-icon-home { background-position: 0 -112px; }\\n.ui-icon-flag { background-position: -16px -112px; }\\n.ui-icon-calendar { background-position: -32px -112px; }\\n.ui-icon-cart { background-position: -48px -112px; }\\n.ui-icon-pencil { background-position: -64px -112px; }\\n.ui-icon-clock { background-position: -80px -112px; }\\n.ui-icon-disk { background-position: -96px -112px; }\\n.ui-icon-calculator { background-position: -112px -112px; }\\n.ui-icon-zoomin { background-position: -128px -112px; }\\n.ui-icon-zoomout { background-position: -144px -112px; }\\n.ui-icon-search { background-position: -160px -112px; }\\n.ui-icon-wrench { background-position: -176px -112px; }\\n.ui-icon-gear { background-position: -192px -112px; }\\n.ui-icon-heart { background-position: -208px -112px; }\\n.ui-icon-star { background-position: -224px -112px; }\\n.ui-icon-link { background-position: -240px -112px; }\\n.ui-icon-cancel { background-position: 0 -128px; }\\n.ui-icon-plus { background-position: -16px -128px; }\\n.ui-icon-plusthick { background-position: -32px -128px; }\\n.ui-icon-minus { background-position: -48px -128px; }\\n.ui-icon-minusthick { background-position: -64px -128px; }\\n.ui-icon-close { background-position: -80px -128px; }\\n.ui-icon-closethick { background-position: -96px -128px; }\\n.ui-icon-key { background-position: -112px -128px; }\\n.ui-icon-lightbulb { background-position: -128px -128px; }\\n.ui-icon-scissors { background-position: -144px -128px; }\\n.ui-icon-clipboard { background-position: -160px -128px; }\\n.ui-icon-copy { background-position: -176px -128px; }\\n.ui-icon-contact { background-position: -192px -128px; }\\n.ui-icon-image { background-position: -208px -128px; }\\n.ui-icon-video { background-position: -224px -128px; }\\n.ui-icon-script { background-position: -240px -128px; }\\n.ui-icon-alert { background-position: 0 -144px; }\\n.ui-icon-info { background-position: -16px -144px; }\\n.ui-icon-notice { background-position: -32px -144px; }\\n.ui-icon-help { background-position: -48px -144px; }\\n.ui-icon-check { background-position: -64px -144px; }\\n.ui-icon-bullet { background-position: -80px -144px; }\\n.ui-icon-radio-on { background-position: -96px -144px; }\\n.ui-icon-radio-off { background-position: -112px -144px; }\\n.ui-icon-pin-w { background-position: -128px -144px; }\\n.ui-icon-pin-s { background-position: -144px -144px; }\\n.ui-icon-play { background-position: 0 -160px; }\\n.ui-icon-pause { background-position: -16px -160px; }\\n.ui-icon-seek-next { background-position: -32px -160px; }\\n.ui-icon-seek-prev { background-position: -48px -160px; }\\n.ui-icon-seek-end { background-position: -64px -160px; }\\n.ui-icon-seek-start { background-position: -80px -160px; }\\n/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */\\n.ui-icon-seek-first { background-position: -80px -160px; }\\n.ui-icon-stop { background-position: -96px -160px; }\\n.ui-icon-eject { background-position: -112px -160px; }\\n.ui-icon-volume-off { background-position: -128px -160px; }\\n.ui-icon-volume-on { background-position: -144px -160px; }\\n.ui-icon-power { background-position: 0 -176px; }\\n.ui-icon-signal-diag { background-position: -16px -176px; }\\n.ui-icon-signal { background-position: -32px -176px; }\\n.ui-icon-battery-0 { background-position: -48px -176px; }\\n.ui-icon-battery-1 { background-position: -64px -176px; }\\n.ui-icon-battery-2 { background-position: -80px -176px; }\\n.ui-icon-battery-3 { background-position: -96px -176px; }\\n.ui-icon-circle-plus { background-position: 0 -192px; }\\n.ui-icon-circle-minus { background-position: -16px -192px; }\\n.ui-icon-circle-close { background-position: -32px -192px; }\\n.ui-icon-circle-triangle-e { background-position: -48px -192px; }\\n.ui-icon-circle-triangle-s { background-position: -64px -192px; }\\n.ui-icon-circle-triangle-w { background-position: -80px -192px; }\\n.ui-icon-circle-triangle-n { background-position: -96px -192px; }\\n.ui-icon-circle-arrow-e { background-position: -112px -192px; }\\n.ui-icon-circle-arrow-s { background-position: -128px -192px; }\\n.ui-icon-circle-arrow-w { background-position: -144px -192px; }\\n.ui-icon-circle-arrow-n { background-position: -160px -192px; }\\n.ui-icon-circle-zoomin { background-position: -176px -192px; }\\n.ui-icon-circle-zoomout { background-position: -192px -192px; }\\n.ui-icon-circle-check { background-position: -208px -192px; }\\n.ui-icon-circlesmall-plus { background-position: 0 -208px; }\\n.ui-icon-circlesmall-minus { background-position: -16px -208px; }\\n.ui-icon-circlesmall-close { background-position: -32px -208px; }\\n.ui-icon-squaresmall-plus { background-position: -48px -208px; }\\n.ui-icon-squaresmall-minus { background-position: -64px -208px; }\\n.ui-icon-squaresmall-close { background-position: -80px -208px; }\\n.ui-icon-grip-dotted-vertical { background-position: 0 -224px; }\\n.ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }\\n.ui-icon-grip-solid-vertical { background-position: -32px -224px; }\\n.ui-icon-grip-solid-horizontal { background-position: -48px -224px; }\\n.ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }\\n.ui-icon-grip-diagonal-se { background-position: -80px -224px; }\\n\\n\\n/* Misc visuals\\n----------------------------------*/\\n\\n/* Corner radius */\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-left,\\n.ui-corner-tl {\\n\\tborder-top-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-top,\\n.ui-corner-right,\\n.ui-corner-tr {\\n\\tborder-top-right-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-left,\\n.ui-corner-bl {\\n\\tborder-bottom-left-radius: 3px;\\n}\\n.ui-corner-all,\\n.ui-corner-bottom,\\n.ui-corner-right,\\n.ui-corner-br {\\n\\tborder-bottom-right-radius: 3px;\\n}\\n\\n/* Overlays */\\n.ui-widget-overlay {\\n\\tbackground: #aaaaaa;\\n\\topacity: .003;\\n\\t-ms-filter: \\\"alpha(opacity=.3)\\\"; /* support: IE8 */\\n}\\n.ui-widget-shadow {\\n\\t-webkit-box-shadow: 0px 0px 5px #666666;\\n\\tbox-shadow: 0px 0px 5px #666666;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"images/ui-icons_1d2d44_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"images/ui-icons_ffffff_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"images/ui-icons_ffd27a_256x240.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_3___ = new URL(\"images/ui-bg_diagonals-thick_20_666666_40x40.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_4___ = new URL(\"images/ui-bg_flat_10_000000_40x100.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\nvar ___CSS_LOADER_URL_REPLACEMENT_3___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_3___);\nvar ___CSS_LOADER_URL_REPLACEMENT_4___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_4___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.ui-widget-content{border:1px solid var(--color-border);background:var(--color-main-background) none;color:var(--color-main-text)}.ui-widget-content a{color:var(--color-main-text)}.ui-widget-header{border:none;color:var(--color-main-text);background-image:none}.ui-widget-header a{color:var(--color-main-text)}.ui-state-default,.ui-widget-content .ui-state-default,.ui-widget-header .ui-state-default{border:1px solid var(--color-border);background:var(--color-main-background) none;font-weight:bold;color:#555}.ui-state-default a,.ui-state-default a:link,.ui-state-default a:visited{color:#555}.ui-state-hover,.ui-widget-content .ui-state-hover,.ui-widget-header .ui-state-hover,.ui-state-focus,.ui-widget-content .ui-state-focus,.ui-widget-header .ui-state-focus{border:1px solid #ddd;background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-hover a,.ui-state-hover a:hover,.ui-state-hover a:link,.ui-state-hover a:visited{color:var(--color-main-text)}.ui-state-active,.ui-widget-content .ui-state-active,.ui-widget-header .ui-state-active{border:1px solid var(--color-primary-element);background:var(--color-main-background) none;font-weight:bold;color:var(--color-main-text)}.ui-state-active a,.ui-state-active a:link,.ui-state-active a:visited{color:var(--color-main-text)}.ui-state-highlight,.ui-widget-content .ui-state-highlight,.ui-widget-header .ui-state-highlight{border:1px solid var(--color-main-background);background:var(--color-main-background) none;color:var(--color-text-light);font-weight:600}.ui-state-highlight a,.ui-widget-content .ui-state-highlight a,.ui-widget-header .ui-state-highlight a{color:var(--color-text-lighter)}.ui-state-error,.ui-widget-content .ui-state-error,.ui-widget-header .ui-state-error{border:var(--color-error);background:var(--color-error) none;color:#fff}.ui-state-error a,.ui-widget-content .ui-state-error a,.ui-widget-header .ui-state-error a{color:#fff}.ui-state-error-text,.ui-widget-content .ui-state-error-text,.ui-widget-header .ui-state-error-text{color:#fff}.ui-state-default .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_0___})}.ui-state-hover .ui-icon,.ui-state-focus .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_0___})}.ui-state-active .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_0___})}.ui-state-highlight .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_1___})}.ui-state-error .ui-icon,.ui-state-error-text .ui-icon{background-image:url(${___CSS_LOADER_URL_REPLACEMENT_2___})}.ui-icon.ui-icon-none{display:none}.ui-widget-overlay{background:#666 url(${___CSS_LOADER_URL_REPLACEMENT_3___}) 50% 50% repeat;opacity:.5}.ui-widget-shadow{margin:-5px 0 0 -5px;padding:5px;background:#000 url(${___CSS_LOADER_URL_REPLACEMENT_4___}) 50% 50% repeat-x;opacity:.2;border-radius:5px}.ui-tabs{border:none}.ui-tabs .ui-tabs-nav.ui-corner-all{border-end-start-radius:0;border-end-end-radius:0}.ui-tabs .ui-tabs-nav{background:none;margin-bottom:15px}.ui-tabs .ui-tabs-nav .ui-state-default{border:none;border-bottom:1px solid rgba(0,0,0,0);font-weight:normal;margin:0 !important;padding:0 !important}.ui-tabs .ui-tabs-nav .ui-state-hover,.ui-tabs .ui-tabs-nav .ui-state-active{border:none;border-bottom:1px solid var(--color-main-text);color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-hover a,.ui-tabs .ui-tabs-nav .ui-state-hover a:link,.ui-tabs .ui-tabs-nav .ui-state-hover a:hover,.ui-tabs .ui-tabs-nav .ui-state-hover a:visited,.ui-tabs .ui-tabs-nav .ui-state-active a,.ui-tabs .ui-tabs-nav .ui-state-active a:link,.ui-tabs .ui-tabs-nav .ui-state-active a:hover,.ui-tabs .ui-tabs-nav .ui-state-active a:visited{color:var(--color-main-text)}.ui-tabs .ui-tabs-nav .ui-state-active{font-weight:bold}.ui-autocomplete.ui-menu{padding:0}.ui-autocomplete.ui-menu.item-count-1,.ui-autocomplete.ui-menu.item-count-2{overflow-y:hidden}.ui-autocomplete.ui-menu .ui-menu-item a{color:var(--color-text-lighter);display:block;padding:4px;padding-inline-start:14px}.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-focus,.ui-autocomplete.ui-menu .ui-menu-item a.ui-state-active{box-shadow:inset 4px 0 var(--color-primary-element);color:var(--color-main-text)}.ui-autocomplete.ui-widget-content{background:var(--color-main-background);border-top:none}.ui-autocomplete.ui-corner-all{border-radius:0;border-end-start-radius:var(--border-radius);border-end-end-radius:var(--border-radius)}.ui-autocomplete .ui-state-hover,.ui-autocomplete .ui-widget-content .ui-state-hover,.ui-autocomplete .ui-widget-header .ui-state-hover,.ui-autocomplete .ui-state-focus,.ui-autocomplete .ui-widget-content .ui-state-focus,.ui-autocomplete .ui-widget-header .ui-state-focus{border:1px solid rgba(0,0,0,0);background:inherit;color:var(--color-primary-element)}.ui-autocomplete .ui-menu-item a{border-radius:0 !important}.ui-button.primary{background-color:var(--color-primary-element);color:var(--color-primary-element-text);border:1px solid var(--color-primary-element-text)}.ui-button:hover{font-weight:bold !important}.ui-draggable-handle,.ui-selectable{touch-action:pan-y}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/jquery/css/jquery-ui-fixes.scss\"],\"names\":[],\"mappings\":\"AAMA,mBACC,oCAAA,CACA,4CAAA,CACA,4BAAA,CAGD,qBACC,4BAAA,CAGD,kBACC,WAAA,CACA,4BAAA,CACA,qBAAA,CAGD,oBACC,4BAAA,CAKD,2FAGC,oCAAA,CACA,4CAAA,CACA,gBAAA,CACA,UAAA,CAGD,yEAGC,UAAA,CAGD,0KAMC,qBAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,2FAIC,4BAAA,CAGD,wFAGC,6CAAA,CACA,4CAAA,CACA,gBAAA,CACA,4BAAA,CAGD,sEAGC,4BAAA,CAKD,iGAGC,6CAAA,CACA,4CAAA,CACA,6BAAA,CACA,eAAA,CAGD,uGAGC,+BAAA,CAGD,qFAGC,yBAAA,CACA,kCAAA,CACA,UAAA,CAGD,2FAGC,UAAA,CAGD,oGAGC,UAAA,CAKD,2BACC,wDAAA,CAGD,kDAEC,wDAAA,CAGD,0BACC,wDAAA,CAGD,6BACC,wDAAA,CAGD,uDAEC,wDAAA,CAGD,sBACC,YAAA,CAMD,mBACC,sEAAA,CACA,UAAA,CAGD,kBACC,oBAAA,CACA,WAAA,CACA,wEAAA,CACA,UAAA,CACA,iBAAA,CAID,SACC,WAAA,CAEA,oCACC,yBAAA,CACA,uBAAA,CAGD,sBACC,eAAA,CACA,kBAAA,CAEA,wCACC,WAAA,CACA,qCAAA,CACA,kBAAA,CACA,mBAAA,CACA,oBAAA,CAGD,6EAEC,WAAA,CACA,8CAAA,CACA,4BAAA,CACA,0WACC,4BAAA,CAGF,uCACC,gBAAA,CAOF,yBACC,SAAA,CAIA,4EAEC,iBAAA,CAGD,yCACC,+BAAA,CACA,aAAA,CACA,WAAA,CACA,yBAAA,CAEA,iHACC,mDAAA,CACA,4BAAA,CAKH,mCACC,uCAAA,CACA,eAAA,CAGD,+BACC,eAAA,CACA,4CAAA,CACA,0CAAA,CAGD,gRAKC,8BAAA,CACA,kBAAA,CACA,kCAAA,CAIA,iCACC,0BAAA,CAKH,mBACC,6CAAA,CACA,uCAAA,CACA,kDAAA,CAID,iBACI,2BAAA,CAKJ,oCAEC,kBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.oc-dialog{background:var(--color-main-background);color:var(--color-text-light);border-radius:var(--border-radius-large);box-shadow:0 0 30px var(--color-box-shadow);padding:24px;z-index:100001;font-size:100%;box-sizing:border-box;min-width:200px;top:50%;inset-inline-start:50%;transform:translate(-50%, -50%);max-height:calc(100% - 20px);max-width:calc(100% - 20px);overflow:auto}.oc-dialog-title{background:var(--color-main-background)}.oc-dialog-buttonrow{position:relative;display:flex;background:rgba(0,0,0,0);inset-inline-end:0;bottom:0;padding:0;padding-top:10px;box-sizing:border-box;width:100%;background-image:linear-gradient(rgba(255, 255, 255, 0), var(--color-main-background))}.oc-dialog-buttonrow.twobuttons{justify-content:space-between}.oc-dialog-buttonrow.onebutton,.oc-dialog-buttonrow.twobuttons.aside{justify-content:flex-end}.oc-dialog-buttonrow button{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;height:44px;min-width:44px}.oc-dialog-close{position:absolute;width:44px !important;height:44px !important;top:4px;inset-inline-end:4px;padding:25px;background:var(--icon-close-dark) no-repeat center;opacity:.5;border-radius:var(--border-radius-pill)}.oc-dialog-close:hover,.oc-dialog-close:focus,.oc-dialog-close:active{opacity:1}.oc-dialog-dim{background-color:#000;opacity:.2;z-index:100001;position:fixed;top:0;inset-inline-start:0;width:100%;height:100%}body.theme--dark .oc-dialog-dim{opacity:.8}.oc-dialog-content{width:100%;max-width:550px}.oc-dialog.password-confirmation .oc-dialog-content{width:auto}.oc-dialog.password-confirmation .oc-dialog-content input[type=password]{width:100%}.oc-dialog.password-confirmation .oc-dialog-content label{display:none}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/jquery/css/jquery.ocdialog.scss\"],\"names\":[],\"mappings\":\"AAIA,WACC,uCAAA,CACA,6BAAA,CACA,wCAAA,CACA,2CAAA,CACA,YAAA,CACA,cAAA,CACA,cAAA,CACA,qBAAA,CACA,eAAA,CACA,OAAA,CACA,sBAAA,CACA,+BAAA,CACA,4BAAA,CACA,2BAAA,CACA,aAAA,CAGD,iBACC,uCAAA,CAGD,qBACC,iBAAA,CACA,YAAA,CACA,wBAAA,CACA,kBAAA,CACA,QAAA,CACA,SAAA,CACA,gBAAA,CACA,qBAAA,CACA,UAAA,CACA,sFAAA,CAEA,gCACO,6BAAA,CAGP,qEAEC,wBAAA,CAGD,4BACI,kBAAA,CACA,eAAA,CACH,sBAAA,CACA,WAAA,CACA,cAAA,CAIF,iBACC,iBAAA,CACA,qBAAA,CACA,sBAAA,CACA,OAAA,CACA,oBAAA,CACA,YAAA,CACA,kDAAA,CACA,UAAA,CACA,uCAAA,CAEA,sEAGC,SAAA,CAIF,eACC,qBAAA,CACA,UAAA,CACA,cAAA,CACA,cAAA,CACA,KAAA,CACA,oBAAA,CACA,UAAA,CACA,WAAA,CAGD,gCACC,UAAA,CAGD,mBACC,UAAA,CACA,eAAA,CAIA,oDACC,UAAA,CAEA,yEACC,UAAA,CAED,0DACC,YAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"select2.png\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"select2-spinner.gif\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_2___ = new URL(\"select2x2.png\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\nvar ___CSS_LOADER_URL_REPLACEMENT_2___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_2___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/*\nVersion: @@ver@@ Timestamp: @@timestamp@@\n*/\n.select2-container {\n margin: 0;\n position: relative;\n display: inline-block;\n /* inline-block for ie7 */\n zoom: 1;\n *display: inline;\n vertical-align: middle;\n}\n\n.select2-container,\n.select2-drop,\n.select2-search,\n.select2-search input {\n /*\n Force border-box so that % widths fit the parent\n container without overlap because of margin/padding.\n More Info : http://www.quirksmode.org/css/box.html\n */\n -webkit-box-sizing: border-box; /* webkit */\n -moz-box-sizing: border-box; /* firefox */\n box-sizing: border-box; /* css3 */\n}\n\n.select2-container .select2-choice {\n display: block;\n height: 26px;\n padding: 0 0 0 8px;\n overflow: hidden;\n position: relative;\n\n border: 1px solid #aaa;\n white-space: nowrap;\n line-height: 26px;\n color: #444;\n text-decoration: none;\n\n border-radius: 4px;\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice {\n padding: 0 8px 0 0;\n}\n\n.select2-container.select2-drop-above .select2-choice {\n border-bottom-color: #aaa;\n\n border-radius: 0 0 4px 4px;\n\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\n}\n\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\n margin-right: 42px;\n}\n\n.select2-container .select2-choice > .select2-chosen {\n margin-right: 26px;\n display: block;\n overflow: hidden;\n\n white-space: nowrap;\n\n text-overflow: ellipsis;\n float: none;\n width: auto;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice > .select2-chosen {\n margin-left: 26px;\n margin-right: 0;\n}\n\n.select2-container .select2-choice abbr {\n display: none;\n width: 12px;\n height: 12px;\n position: absolute;\n right: 24px;\n top: 8px;\n\n font-size: 1px;\n text-decoration: none;\n\n border: 0;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) right top no-repeat;\n cursor: pointer;\n outline: 0;\n}\n\n.select2-container.select2-allowclear .select2-choice abbr {\n display: inline-block;\n}\n\n.select2-container .select2-choice abbr:hover {\n background-position: right -11px;\n cursor: pointer;\n}\n\n.select2-drop-mask {\n border: 0;\n margin: 0;\n padding: 0;\n position: fixed;\n left: 0;\n top: 0;\n min-height: 100%;\n min-width: 100%;\n height: auto;\n width: auto;\n opacity: 0;\n z-index: 9998;\n /* styles required for IE to work */\n background-color: #fff;\n filter: alpha(opacity=0);\n}\n\n.select2-drop {\n width: 100%;\n margin-top: -1px;\n position: absolute;\n z-index: 9999;\n top: 100%;\n\n background: #fff;\n color: #000;\n border: 1px solid #aaa;\n border-top: 0;\n\n border-radius: 0 0 4px 4px;\n\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop.select2-drop-above {\n margin-top: 1px;\n border-top: 1px solid #aaa;\n border-bottom: 0;\n\n border-radius: 4px 4px 0 0;\n\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\n}\n\n.select2-drop-active {\n border: 1px solid #5897fb;\n border-top: none;\n}\n\n.select2-drop.select2-drop-above.select2-drop-active {\n border-top: 1px solid #5897fb;\n}\n\n.select2-drop-auto-width {\n border-top: 1px solid #aaa;\n width: auto;\n}\n\n.select2-drop-auto-width .select2-search {\n padding-top: 4px;\n}\n\n.select2-container .select2-choice .select2-arrow {\n display: inline-block;\n width: 18px;\n height: 100%;\n position: absolute;\n right: 0;\n top: 0;\n\n border-left: 1px solid #aaa;\n border-radius: 0 4px 4px 0;\n\n background-clip: padding-box;\n\n background: #ccc;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow {\n left: 0;\n right: auto;\n\n border-left: none;\n border-right: 1px solid #aaa;\n border-radius: 4px 0 0 4px;\n}\n\n.select2-container .select2-choice .select2-arrow b {\n display: block;\n width: 100%;\n height: 100%;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 0 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-container .select2-choice .select2-arrow b {\n background-position: 2px 1px;\n}\n\n.select2-search {\n display: inline-block;\n width: 100%;\n min-height: 26px;\n margin: 0;\n padding-left: 4px;\n padding-right: 4px;\n\n position: relative;\n z-index: 10000;\n\n white-space: nowrap;\n}\n\n.select2-search input {\n width: 100%;\n height: auto !important;\n min-height: 26px;\n padding: 4px 20px 4px 5px;\n margin: 0;\n\n outline: 0;\n font-family: sans-serif;\n font-size: 1em;\n\n border: 1px solid #aaa;\n border-radius: 0;\n\n -webkit-box-shadow: none;\n box-shadow: none;\n\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\nhtml[dir=\"rtl\"] .select2-search input {\n padding: 4px 5px 4px 20px;\n\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-drop.select2-drop-above .select2-search input {\n margin-top: 4px;\n}\n\n.select2-search input.select2-active {\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\n background: url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\n}\n\n.select2-container-active .select2-choice,\n.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n\n.select2-dropdown-open .select2-choice {\n border-bottom-color: transparent;\n -webkit-box-shadow: 0 1px 0 #fff inset;\n box-shadow: 0 1px 0 #fff inset;\n\n border-bottom-left-radius: 0;\n border-bottom-right-radius: 0;\n\n background-color: #eee;\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open.select2-drop-above .select2-choice,\n.select2-dropdown-open.select2-drop-above .select2-choices {\n border: 1px solid #5897fb;\n border-top-color: transparent;\n\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow {\n background: transparent;\n border-left: none;\n filter: none;\n}\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow {\n border-right: none;\n}\n\n.select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -18px 1px;\n}\n\nhtml[dir=\"rtl\"] .select2-dropdown-open .select2-choice .select2-arrow b {\n background-position: -16px 1px;\n}\n\n.select2-hidden-accessible {\n border: 0;\n clip: rect(0 0 0 0);\n height: 1px;\n margin: -1px;\n overflow: hidden;\n padding: 0;\n position: absolute;\n width: 1px;\n}\n\n/* results */\n.select2-results {\n max-height: 200px;\n padding: 0 0 0 4px;\n margin: 4px 4px 4px 0;\n position: relative;\n overflow-x: hidden;\n overflow-y: auto;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\nhtml[dir=\"rtl\"] .select2-results {\n padding: 0 4px 0 0;\n margin: 4px 0 4px 4px;\n}\n\n.select2-results ul.select2-result-sub {\n margin: 0;\n padding-left: 0;\n}\n\n.select2-results li {\n list-style: none;\n display: list-item;\n background-image: none;\n}\n\n.select2-results li.select2-result-with-children > .select2-result-label {\n font-weight: bold;\n}\n\n.select2-results .select2-result-label {\n padding: 3px 7px 4px;\n margin: 0;\n cursor: pointer;\n\n min-height: 1em;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\n\n.select2-results .select2-highlighted {\n background: #3875d7;\n color: #fff;\n}\n\n.select2-results li em {\n background: #feffde;\n font-style: normal;\n}\n\n.select2-results .select2-highlighted em {\n background: transparent;\n}\n\n.select2-results .select2-highlighted ul {\n background: #fff;\n color: #000;\n}\n\n.select2-results .select2-no-results,\n.select2-results .select2-searching,\n.select2-results .select2-ajax-error,\n.select2-results .select2-selection-limit {\n background: #f4f4f4;\n display: list-item;\n padding-left: 5px;\n}\n\n/*\ndisabled look for disabled choices in the results dropdown\n*/\n.select2-results .select2-disabled.select2-highlighted {\n color: #666;\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n.select2-results .select2-disabled {\n background: #f4f4f4;\n display: list-item;\n cursor: default;\n}\n\n.select2-results .select2-selected {\n display: none;\n}\n\n.select2-more-results.select2-active {\n background: #f4f4f4 url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100%;\n}\n\n.select2-results .select2-ajax-error {\n background: rgba(255, 50, 50, .2);\n}\n\n.select2-more-results {\n background: #f4f4f4;\n display: list-item;\n}\n\n/* disabled styles */\n\n.select2-container.select2-container-disabled .select2-choice {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\n background-color: #f4f4f4;\n background-image: none;\n border-left: 0;\n}\n\n.select2-container.select2-container-disabled .select2-choice abbr {\n display: none;\n}\n\n\n/* multiselect */\n\n.select2-container-multi .select2-choices {\n height: auto !important;\n height: 1%;\n margin: 0;\n padding: 0 5px 0 0;\n position: relative;\n\n border: 1px solid #aaa;\n cursor: text;\n overflow: hidden;\n\n background-color: #fff;\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices {\n padding: 0 0 0 5px;\n}\n\n.select2-locked {\n padding: 3px 5px 3px 5px !important;\n}\n\n.select2-container-multi .select2-choices {\n min-height: 26px;\n}\n\n.select2-container-multi.select2-container-active .select2-choices {\n border: 1px solid #5897fb;\n outline: none;\n\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\n}\n.select2-container-multi .select2-choices li {\n float: left;\n list-style: none;\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices li\n{\n float: right;\n}\n.select2-container-multi .select2-choices .select2-search-field {\n margin: 0;\n padding: 0;\n white-space: nowrap;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input {\n padding: 5px;\n margin: 1px 0;\n\n font-family: sans-serif;\n font-size: 100%;\n color: #666;\n outline: 0;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n background: transparent !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\n background: #fff url(${___CSS_LOADER_URL_REPLACEMENT_1___}) no-repeat 100% !important;\n}\n\n.select2-default {\n color: #999 !important;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 18px;\n margin: 3px 0 3px 5px;\n position: relative;\n\n line-height: 13px;\n color: #333;\n cursor: default;\n border: 1px solid #aaaaaa;\n\n border-radius: 3px;\n\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\n\n background-clip: padding-box;\n\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n\n background-color: #e4e4e4;\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\n}\nhtml[dir=\"rtl\"] .select2-container-multi .select2-choices .select2-search-choice\n{\n margin: 3px 5px 3px 0;\n padding: 3px 18px 3px 5px;\n}\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\n cursor: default;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus {\n background: #d4d4d4;\n}\n\n.select2-search-choice-close {\n display: block;\n width: 12px;\n height: 13px;\n position: absolute;\n right: 3px;\n top: 4px;\n\n font-size: 1px;\n outline: none;\n background: url(${___CSS_LOADER_URL_REPLACEMENT_0___}) right top no-repeat;\n}\nhtml[dir=\"rtl\"] .select2-search-choice-close {\n right: auto;\n left: 3px;\n}\n\n.select2-container-multi .select2-search-choice-close {\n left: 3px;\n}\n\nhtml[dir=\"rtl\"] .select2-container-multi .select2-search-choice-close {\n left: auto;\n right: 2px;\n}\n\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\n background-position: right -11px;\n}\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\n background-position: right -11px;\n}\n\n/* disabled styles */\n.select2-container-multi.select2-container-disabled .select2-choices {\n background-color: #f4f4f4;\n background-image: none;\n border: 1px solid #ddd;\n cursor: default;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\n padding: 3px 5px 3px 5px;\n border: 1px solid #ddd;\n background-image: none;\n background-color: #f4f4f4;\n}\n\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\n background: none;\n}\n/* end multiselect */\n\n\n.select2-result-selectable .select2-match,\n.select2-result-unselectable .select2-match {\n text-decoration: underline;\n}\n\n.select2-offscreen, .select2-offscreen:focus {\n clip: rect(0 0 0 0) !important;\n width: 1px !important;\n height: 1px !important;\n border: 0 !important;\n margin: 0 !important;\n padding: 0 !important;\n overflow: hidden !important;\n position: absolute !important;\n outline: 0 !important;\n left: 0px !important;\n top: 0px !important;\n}\n\n.select2-display-none {\n display: none;\n}\n\n.select2-measure-scrollbar {\n position: absolute;\n top: -10000px;\n left: -10000px;\n width: 100px;\n height: 100px;\n overflow: scroll;\n}\n\n/* Retina-ize icons */\n\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\n .select2-search input,\n .select2-search-choice-close,\n .select2-container .select2-choice abbr,\n .select2-container .select2-choice .select2-arrow b {\n background-image: url(${___CSS_LOADER_URL_REPLACEMENT_2___}) !important;\n background-repeat: no-repeat !important;\n background-size: 60px 40px !important;\n }\n\n .select2-search input {\n background-position: 100% -21px !important;\n }\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/select2/select2.css\"],\"names\":[],\"mappings\":\"AAAA;;CAEC;AACD;IACI,SAAS;IACT,kBAAkB;IAClB,qBAAqB;IACrB,yBAAyB;IACzB,OAAO;KACP,eAAgB;IAChB,sBAAsB;AAC1B;;AAEA;;;;EAIE;;;;GAIC;EACD,8BAA8B,EAAE,WAAW;KACxC,2BAA2B,EAAE,YAAY;UACpC,sBAAsB,EAAE,SAAS;AAC3C;;AAEA;IACI,cAAc;IACd,YAAY;IACZ,kBAAkB;IAClB,gBAAgB;IAChB,kBAAkB;;IAElB,sBAAsB;IACtB,mBAAmB;IACnB,iBAAiB;IACjB,WAAW;IACX,qBAAqB;;IAErB,kBAAkB;;IAElB,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,yBAAyB;;IAEzB,0BAA0B;;IAE1B,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;IACI,kBAAkB;IAClB,cAAc;IACd,gBAAgB;;IAEhB,mBAAmB;;IAEnB,uBAAuB;IACvB,WAAW;IACX,WAAW;AACf;;AAEA;IACI,iBAAiB;IACjB,eAAe;AACnB;;AAEA;IACI,aAAa;IACb,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,WAAW;IACX,QAAQ;;IAER,cAAc;IACd,qBAAqB;;IAErB,SAAS;IACT,uEAAkD;IAClD,eAAe;IACf,UAAU;AACd;;AAEA;IACI,qBAAqB;AACzB;;AAEA;IACI,gCAAgC;IAChC,eAAe;AACnB;;AAEA;IACI,SAAS;IACT,SAAS;IACT,UAAU;IACV,eAAe;IACf,OAAO;IACP,MAAM;IACN,gBAAgB;IAChB,eAAe;IACf,YAAY;IACZ,WAAW;IACX,UAAU;IACV,aAAa;IACb,mCAAmC;IACnC,sBAAsB;IACtB,wBAAwB;AAC5B;;AAEA;IACI,WAAW;IACX,gBAAgB;IAChB,kBAAkB;IAClB,aAAa;IACb,SAAS;;IAET,gBAAgB;IAChB,WAAW;IACX,sBAAsB;IACtB,aAAa;;IAEb,0BAA0B;;IAE1B,gDAAgD;YACxC,wCAAwC;AACpD;;AAEA;IACI,eAAe;IACf,0BAA0B;IAC1B,gBAAgB;;IAEhB,0BAA0B;;IAE1B,iDAAiD;YACzC,yCAAyC;AACrD;;AAEA;IACI,yBAAyB;IACzB,gBAAgB;AACpB;;AAEA;IACI,6BAA6B;AACjC;;AAEA;IACI,0BAA0B;IAC1B,WAAW;AACf;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,QAAQ;IACR,MAAM;;IAEN,2BAA2B;IAC3B,0BAA0B;;IAE1B,4BAA4B;;IAE5B,gBAAgB;IAChB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,wHAAwH;IACxH,4DAA4D;AAChE;;AAEA;IACI,OAAO;IACP,WAAW;;IAEX,iBAAiB;IACjB,4BAA4B;IAC5B,0BAA0B;AAC9B;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,mEAA8C;AAClD;;AAEA;IACI,4BAA4B;AAChC;;AAEA;IACI,qBAAqB;IACrB,WAAW;IACX,gBAAgB;IAChB,SAAS;IACT,iBAAiB;IACjB,kBAAkB;;IAElB,kBAAkB;IAClB,cAAc;;IAEd,mBAAmB;AACvB;;AAEA;IACI,WAAW;IACX,uBAAuB;IACvB,gBAAgB;IAChB,yBAAyB;IACzB,SAAS;;IAET,UAAU;IACV,uBAAuB;IACvB,cAAc;;IAEd,sBAAsB;IACtB,gBAAgB;;IAEhB,wBAAwB;YAChB,gBAAgB;;IAExB,6EAAwD;IACxD,yKAAoJ;IACpJ,oIAA+G;IAC/G,iIAA4G;IAC5G,4HAAuG;AAC3G;;AAEA;IACI,yBAAyB;;IAEzB,8EAAyD;IACzD,0KAAqJ;IACrJ,qIAAgH;IAChH,kIAA6G;IAC7G,6HAAwG;AAC5G;;AAEA;IACI,eAAe;AACnB;;AAEA;IACI,uEAA0D;IAC1D,mKAAsJ;IACtJ,8HAAiH;IACjH,2HAA8G;IAC9G,sHAAyG;AAC7G;;AAEA;;IAEI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;;AAEA;IACI,gCAAgC;IAChC,sCAAsC;YAC9B,8BAA8B;;IAEtC,4BAA4B;IAC5B,6BAA6B;;IAE7B,sBAAsB;IACtB,6GAA6G;IAC7G,2EAA2E;IAC3E,wEAAwE;IACxE,kHAAkH;IAClH,4DAA4D;AAChE;;AAEA;;IAEI,yBAAyB;IACzB,6BAA6B;;IAE7B,6GAA6G;IAC7G,wEAAwE;IACxE,qEAAqE;IACrE,kHAAkH;IAClH,+DAA+D;AACnE;;AAEA;IACI,uBAAuB;IACvB,iBAAiB;IACjB,YAAY;AAChB;AACA;IACI,kBAAkB;AACtB;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,8BAA8B;AAClC;;AAEA;IACI,SAAS;IACT,mBAAmB;IACnB,WAAW;IACX,YAAY;IACZ,gBAAgB;IAChB,UAAU;IACV,kBAAkB;IAClB,UAAU;AACd;;AAEA,YAAY;AACZ;IACI,iBAAiB;IACjB,kBAAkB;IAClB,qBAAqB;IACrB,kBAAkB;IAClB,kBAAkB;IAClB,gBAAgB;IAChB,6CAA6C;AACjD;;AAEA;IACI,kBAAkB;IAClB,qBAAqB;AACzB;;AAEA;IACI,SAAS;IACT,eAAe;AACnB;;AAEA;IACI,gBAAgB;IAChB,kBAAkB;IAClB,sBAAsB;AAC1B;;AAEA;IACI,iBAAiB;AACrB;;AAEA;IACI,oBAAoB;IACpB,SAAS;IACT,eAAe;;IAEf,eAAe;;IAEf,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;AAC/B;;AAEA,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,mBAAmB;AACnE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;AACpE,gDAAgD,oBAAoB;;AAEpE;IACI,mBAAmB;IACnB,WAAW;AACf;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA;IACI,uBAAuB;AAC3B;;AAEA;IACI,gBAAgB;IAChB,WAAW;AACf;;AAEA;;;;IAII,mBAAmB;IACnB,kBAAkB;IAClB,iBAAiB;AACrB;;AAEA;;CAEC;AACD;IACI,WAAW;IACX,mBAAmB;IACnB,kBAAkB;IAClB,eAAe;AACnB;AACA;EACE,mBAAmB;EACnB,kBAAkB;EAClB,eAAe;AACjB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,0EAA6D;AACjE;;AAEA;IACI,iCAAiC;AACrC;;AAEA;IACI,mBAAmB;IACnB,kBAAkB;AACtB;;AAEA,oBAAoB;;AAEpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,yBAAyB;IACzB,sBAAsB;IACtB,cAAc;AAClB;;AAEA;IACI,aAAa;AACjB;;;AAGA,gBAAgB;;AAEhB;IACI,uBAAuB;IACvB,UAAU;IACV,SAAS;IACT,kBAAkB;IAClB,kBAAkB;;IAElB,sBAAsB;IACtB,YAAY;IACZ,gBAAgB;;IAEhB,sBAAsB;IACtB,uGAAuG;IACvG,iEAAiE;IACjE,8DAA8D;IAC9D,+DAA+D;AACnE;;AAEA;IACI,kBAAkB;AACtB;;AAEA;EACE,mCAAmC;AACrC;;AAEA;IACI,gBAAgB;AACpB;;AAEA;IACI,yBAAyB;IACzB,aAAa;;IAEb,6CAA6C;YACrC,qCAAqC;AACjD;AACA;IACI,WAAW;IACX,gBAAgB;AACpB;AACA;;IAEI,YAAY;AAChB;AACA;IACI,SAAS;IACT,UAAU;IACV,mBAAmB;AACvB;;AAEA;IACI,YAAY;IACZ,aAAa;;IAEb,uBAAuB;IACvB,eAAe;IACf,WAAW;IACX,UAAU;IACV,SAAS;IACT,wBAAwB;YAChB,gBAAgB;IACxB,kCAAkC;AACtC;;AAEA;IACI,kFAAqE;AACzE;;AAEA;IACI,sBAAsB;AAC1B;;AAEA;IACI,yBAAyB;IACzB,qBAAqB;IACrB,kBAAkB;;IAElB,iBAAiB;IACjB,WAAW;IACX,eAAe;IACf,yBAAyB;;IAEzB,kBAAkB;;IAElB,mEAAmE;YAC3D,2DAA2D;;IAEnE,4BAA4B;;IAE5B,2BAA2B;MACzB,yBAAyB;SACtB,sBAAsB;UACrB,qBAAqB;cACjB,iBAAiB;;IAE3B,yBAAyB;IACzB,kHAAkH;IAClH,gKAAgK;IAChK,gGAAgG;IAChG,6FAA6F;IAC7F,8FAA8F;AAClG;AACA;;IAEI,qBAAqB;IACrB,yBAAyB;AAC7B;AACA;IACI,eAAe;AACnB;AACA;IACI,mBAAmB;AACvB;;AAEA;IACI,cAAc;IACd,WAAW;IACX,YAAY;IACZ,kBAAkB;IAClB,UAAU;IACV,QAAQ;;IAER,cAAc;IACd,aAAa;IACb,uEAAkD;AACtD;AACA;IACI,WAAW;IACX,SAAS;AACb;;AAEA;IACI,SAAS;AACb;;AAEA;IACI,UAAU;IACV,UAAU;AACd;;AAEA;EACE,gCAAgC;AAClC;AACA;IACI,gCAAgC;AACpC;;AAEA,oBAAoB;AACpB;IACI,yBAAyB;IACzB,sBAAsB;IACtB,sBAAsB;IACtB,eAAe;AACnB;;AAEA;IACI,wBAAwB;IACxB,sBAAsB;IACtB,sBAAsB;IACtB,yBAAyB;AAC7B;;AAEA,8HAA8H,aAAa;IACvI,gBAAgB;AACpB;AACA,oBAAoB;;;AAGpB;;IAEI,0BAA0B;AAC9B;;AAEA;IACI,8BAA8B;IAC9B,qBAAqB;IACrB,sBAAsB;IACtB,oBAAoB;IACpB,oBAAoB;IACpB,qBAAqB;IACrB,2BAA2B;IAC3B,6BAA6B;IAC7B,qBAAqB;IACrB,oBAAoB;IACpB,mBAAmB;AACvB;;AAEA;IACI,aAAa;AACjB;;AAEA;IACI,kBAAkB;IAClB,aAAa;IACb,cAAc;IACd,YAAY;IACZ,aAAa;IACb,gBAAgB;AACpB;;AAEA,qBAAqB;;AAErB;IACI;;;;QAII,oEAAiD;QACjD,uCAAuC;QACvC,qCAAqC;IACzC;;IAEA;QACI,0CAA0C;IAC9C;AACJ\",\"sourcesContent\":[\"/*\\nVersion: @@ver@@ Timestamp: @@timestamp@@\\n*/\\n.select2-container {\\n margin: 0;\\n position: relative;\\n display: inline-block;\\n /* inline-block for ie7 */\\n zoom: 1;\\n *display: inline;\\n vertical-align: middle;\\n}\\n\\n.select2-container,\\n.select2-drop,\\n.select2-search,\\n.select2-search input {\\n /*\\n Force border-box so that % widths fit the parent\\n container without overlap because of margin/padding.\\n More Info : http://www.quirksmode.org/css/box.html\\n */\\n -webkit-box-sizing: border-box; /* webkit */\\n -moz-box-sizing: border-box; /* firefox */\\n box-sizing: border-box; /* css3 */\\n}\\n\\n.select2-container .select2-choice {\\n display: block;\\n height: 26px;\\n padding: 0 0 0 8px;\\n overflow: hidden;\\n position: relative;\\n\\n border: 1px solid #aaa;\\n white-space: nowrap;\\n line-height: 26px;\\n color: #444;\\n text-decoration: none;\\n\\n border-radius: 4px;\\n\\n background-clip: padding-box;\\n\\n -webkit-touch-callout: none;\\n -webkit-user-select: none;\\n -moz-user-select: none;\\n -ms-user-select: none;\\n user-select: none;\\n\\n background-color: #fff;\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));\\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);\\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);\\n background-image: linear-gradient(to top, #eee 0%, #fff 50%);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice {\\n padding: 0 8px 0 0;\\n}\\n\\n.select2-container.select2-drop-above .select2-choice {\\n border-bottom-color: #aaa;\\n\\n border-radius: 0 0 4px 4px;\\n\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));\\n background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);\\n background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);\\n background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);\\n}\\n\\n.select2-container.select2-allowclear .select2-choice .select2-chosen {\\n margin-right: 42px;\\n}\\n\\n.select2-container .select2-choice > .select2-chosen {\\n margin-right: 26px;\\n display: block;\\n overflow: hidden;\\n\\n white-space: nowrap;\\n\\n text-overflow: ellipsis;\\n float: none;\\n width: auto;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice > .select2-chosen {\\n margin-left: 26px;\\n margin-right: 0;\\n}\\n\\n.select2-container .select2-choice abbr {\\n display: none;\\n width: 12px;\\n height: 12px;\\n position: absolute;\\n right: 24px;\\n top: 8px;\\n\\n font-size: 1px;\\n text-decoration: none;\\n\\n border: 0;\\n background: url('select2.png') right top no-repeat;\\n cursor: pointer;\\n outline: 0;\\n}\\n\\n.select2-container.select2-allowclear .select2-choice abbr {\\n display: inline-block;\\n}\\n\\n.select2-container .select2-choice abbr:hover {\\n background-position: right -11px;\\n cursor: pointer;\\n}\\n\\n.select2-drop-mask {\\n border: 0;\\n margin: 0;\\n padding: 0;\\n position: fixed;\\n left: 0;\\n top: 0;\\n min-height: 100%;\\n min-width: 100%;\\n height: auto;\\n width: auto;\\n opacity: 0;\\n z-index: 9998;\\n /* styles required for IE to work */\\n background-color: #fff;\\n filter: alpha(opacity=0);\\n}\\n\\n.select2-drop {\\n width: 100%;\\n margin-top: -1px;\\n position: absolute;\\n z-index: 9999;\\n top: 100%;\\n\\n background: #fff;\\n color: #000;\\n border: 1px solid #aaa;\\n border-top: 0;\\n\\n border-radius: 0 0 4px 4px;\\n\\n -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\\n box-shadow: 0 4px 5px rgba(0, 0, 0, .15);\\n}\\n\\n.select2-drop.select2-drop-above {\\n margin-top: 1px;\\n border-top: 1px solid #aaa;\\n border-bottom: 0;\\n\\n border-radius: 4px 4px 0 0;\\n\\n -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\\n box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);\\n}\\n\\n.select2-drop-active {\\n border: 1px solid #5897fb;\\n border-top: none;\\n}\\n\\n.select2-drop.select2-drop-above.select2-drop-active {\\n border-top: 1px solid #5897fb;\\n}\\n\\n.select2-drop-auto-width {\\n border-top: 1px solid #aaa;\\n width: auto;\\n}\\n\\n.select2-drop-auto-width .select2-search {\\n padding-top: 4px;\\n}\\n\\n.select2-container .select2-choice .select2-arrow {\\n display: inline-block;\\n width: 18px;\\n height: 100%;\\n position: absolute;\\n right: 0;\\n top: 0;\\n\\n border-left: 1px solid #aaa;\\n border-radius: 0 4px 4px 0;\\n\\n background-clip: padding-box;\\n\\n background: #ccc;\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));\\n background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);\\n background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);\\n background-image: linear-gradient(to top, #ccc 0%, #eee 60%);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice .select2-arrow {\\n left: 0;\\n right: auto;\\n\\n border-left: none;\\n border-right: 1px solid #aaa;\\n border-radius: 4px 0 0 4px;\\n}\\n\\n.select2-container .select2-choice .select2-arrow b {\\n display: block;\\n width: 100%;\\n height: 100%;\\n background: url('select2.png') no-repeat 0 1px;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container .select2-choice .select2-arrow b {\\n background-position: 2px 1px;\\n}\\n\\n.select2-search {\\n display: inline-block;\\n width: 100%;\\n min-height: 26px;\\n margin: 0;\\n padding-left: 4px;\\n padding-right: 4px;\\n\\n position: relative;\\n z-index: 10000;\\n\\n white-space: nowrap;\\n}\\n\\n.select2-search input {\\n width: 100%;\\n height: auto !important;\\n min-height: 26px;\\n padding: 4px 20px 4px 5px;\\n margin: 0;\\n\\n outline: 0;\\n font-family: sans-serif;\\n font-size: 1em;\\n\\n border: 1px solid #aaa;\\n border-radius: 0;\\n\\n -webkit-box-shadow: none;\\n box-shadow: none;\\n\\n background: #fff url('select2.png') no-repeat 100% -22px;\\n background: url('select2.png') no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\\n background: url('select2.png') no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-search input {\\n padding: 4px 5px 4px 20px;\\n\\n background: #fff url('select2.png') no-repeat -37px -22px;\\n background: url('select2.png') no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\\n background: url('select2.png') no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2.png') no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\\n}\\n\\n.select2-drop.select2-drop-above .select2-search input {\\n margin-top: 4px;\\n}\\n\\n.select2-search input.select2-active {\\n background: #fff url('select2-spinner.gif') no-repeat 100%;\\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));\\n background: url('select2-spinner.gif') no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2-spinner.gif') no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);\\n background: url('select2-spinner.gif') no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;\\n}\\n\\n.select2-container-active .select2-choice,\\n.select2-container-active .select2-choices {\\n border: 1px solid #5897fb;\\n outline: none;\\n\\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n}\\n\\n.select2-dropdown-open .select2-choice {\\n border-bottom-color: transparent;\\n -webkit-box-shadow: 0 1px 0 #fff inset;\\n box-shadow: 0 1px 0 #fff inset;\\n\\n border-bottom-left-radius: 0;\\n border-bottom-right-radius: 0;\\n\\n background-color: #eee;\\n background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));\\n background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);\\n background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\\n background-image: linear-gradient(to top, #fff 0%, #eee 50%);\\n}\\n\\n.select2-dropdown-open.select2-drop-above .select2-choice,\\n.select2-dropdown-open.select2-drop-above .select2-choices {\\n border: 1px solid #5897fb;\\n border-top-color: transparent;\\n\\n background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));\\n background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);\\n background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);\\n background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);\\n}\\n\\n.select2-dropdown-open .select2-choice .select2-arrow {\\n background: transparent;\\n border-left: none;\\n filter: none;\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-dropdown-open .select2-choice .select2-arrow {\\n border-right: none;\\n}\\n\\n.select2-dropdown-open .select2-choice .select2-arrow b {\\n background-position: -18px 1px;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-dropdown-open .select2-choice .select2-arrow b {\\n background-position: -16px 1px;\\n}\\n\\n.select2-hidden-accessible {\\n border: 0;\\n clip: rect(0 0 0 0);\\n height: 1px;\\n margin: -1px;\\n overflow: hidden;\\n padding: 0;\\n position: absolute;\\n width: 1px;\\n}\\n\\n/* results */\\n.select2-results {\\n max-height: 200px;\\n padding: 0 0 0 4px;\\n margin: 4px 4px 4px 0;\\n position: relative;\\n overflow-x: hidden;\\n overflow-y: auto;\\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-results {\\n padding: 0 4px 0 0;\\n margin: 4px 0 4px 4px;\\n}\\n\\n.select2-results ul.select2-result-sub {\\n margin: 0;\\n padding-left: 0;\\n}\\n\\n.select2-results li {\\n list-style: none;\\n display: list-item;\\n background-image: none;\\n}\\n\\n.select2-results li.select2-result-with-children > .select2-result-label {\\n font-weight: bold;\\n}\\n\\n.select2-results .select2-result-label {\\n padding: 3px 7px 4px;\\n margin: 0;\\n cursor: pointer;\\n\\n min-height: 1em;\\n\\n -webkit-touch-callout: none;\\n -webkit-user-select: none;\\n -moz-user-select: none;\\n -ms-user-select: none;\\n user-select: none;\\n}\\n\\n.select2-results-dept-1 .select2-result-label { padding-left: 20px }\\n.select2-results-dept-2 .select2-result-label { padding-left: 40px }\\n.select2-results-dept-3 .select2-result-label { padding-left: 60px }\\n.select2-results-dept-4 .select2-result-label { padding-left: 80px }\\n.select2-results-dept-5 .select2-result-label { padding-left: 100px }\\n.select2-results-dept-6 .select2-result-label { padding-left: 110px }\\n.select2-results-dept-7 .select2-result-label { padding-left: 120px }\\n\\n.select2-results .select2-highlighted {\\n background: #3875d7;\\n color: #fff;\\n}\\n\\n.select2-results li em {\\n background: #feffde;\\n font-style: normal;\\n}\\n\\n.select2-results .select2-highlighted em {\\n background: transparent;\\n}\\n\\n.select2-results .select2-highlighted ul {\\n background: #fff;\\n color: #000;\\n}\\n\\n.select2-results .select2-no-results,\\n.select2-results .select2-searching,\\n.select2-results .select2-ajax-error,\\n.select2-results .select2-selection-limit {\\n background: #f4f4f4;\\n display: list-item;\\n padding-left: 5px;\\n}\\n\\n/*\\ndisabled look for disabled choices in the results dropdown\\n*/\\n.select2-results .select2-disabled.select2-highlighted {\\n color: #666;\\n background: #f4f4f4;\\n display: list-item;\\n cursor: default;\\n}\\n.select2-results .select2-disabled {\\n background: #f4f4f4;\\n display: list-item;\\n cursor: default;\\n}\\n\\n.select2-results .select2-selected {\\n display: none;\\n}\\n\\n.select2-more-results.select2-active {\\n background: #f4f4f4 url('select2-spinner.gif') no-repeat 100%;\\n}\\n\\n.select2-results .select2-ajax-error {\\n background: rgba(255, 50, 50, .2);\\n}\\n\\n.select2-more-results {\\n background: #f4f4f4;\\n display: list-item;\\n}\\n\\n/* disabled styles */\\n\\n.select2-container.select2-container-disabled .select2-choice {\\n background-color: #f4f4f4;\\n background-image: none;\\n border: 1px solid #ddd;\\n cursor: default;\\n}\\n\\n.select2-container.select2-container-disabled .select2-choice .select2-arrow {\\n background-color: #f4f4f4;\\n background-image: none;\\n border-left: 0;\\n}\\n\\n.select2-container.select2-container-disabled .select2-choice abbr {\\n display: none;\\n}\\n\\n\\n/* multiselect */\\n\\n.select2-container-multi .select2-choices {\\n height: auto !important;\\n height: 1%;\\n margin: 0;\\n padding: 0 5px 0 0;\\n position: relative;\\n\\n border: 1px solid #aaa;\\n cursor: text;\\n overflow: hidden;\\n\\n background-color: #fff;\\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));\\n background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);\\n background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);\\n background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-choices {\\n padding: 0 0 0 5px;\\n}\\n\\n.select2-locked {\\n padding: 3px 5px 3px 5px !important;\\n}\\n\\n.select2-container-multi .select2-choices {\\n min-height: 26px;\\n}\\n\\n.select2-container-multi.select2-container-active .select2-choices {\\n border: 1px solid #5897fb;\\n outline: none;\\n\\n -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n box-shadow: 0 0 5px rgba(0, 0, 0, .3);\\n}\\n.select2-container-multi .select2-choices li {\\n float: left;\\n list-style: none;\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-choices li\\n{\\n float: right;\\n}\\n.select2-container-multi .select2-choices .select2-search-field {\\n margin: 0;\\n padding: 0;\\n white-space: nowrap;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-field input {\\n padding: 5px;\\n margin: 1px 0;\\n\\n font-family: sans-serif;\\n font-size: 100%;\\n color: #666;\\n outline: 0;\\n border: 0;\\n -webkit-box-shadow: none;\\n box-shadow: none;\\n background: transparent !important;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-field input.select2-active {\\n background: #fff url('select2-spinner.gif') no-repeat 100% !important;\\n}\\n\\n.select2-default {\\n color: #999 !important;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-choice {\\n padding: 3px 5px 3px 18px;\\n margin: 3px 0 3px 5px;\\n position: relative;\\n\\n line-height: 13px;\\n color: #333;\\n cursor: default;\\n border: 1px solid #aaaaaa;\\n\\n border-radius: 3px;\\n\\n -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\\n box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);\\n\\n background-clip: padding-box;\\n\\n -webkit-touch-callout: none;\\n -webkit-user-select: none;\\n -moz-user-select: none;\\n -ms-user-select: none;\\n user-select: none;\\n\\n background-color: #e4e4e4;\\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);\\n background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));\\n background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\\n background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\\n background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-choices .select2-search-choice\\n{\\n margin: 3px 5px 3px 0;\\n padding: 3px 18px 3px 5px;\\n}\\n.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {\\n cursor: default;\\n}\\n.select2-container-multi .select2-choices .select2-search-choice-focus {\\n background: #d4d4d4;\\n}\\n\\n.select2-search-choice-close {\\n display: block;\\n width: 12px;\\n height: 13px;\\n position: absolute;\\n right: 3px;\\n top: 4px;\\n\\n font-size: 1px;\\n outline: none;\\n background: url('select2.png') right top no-repeat;\\n}\\nhtml[dir=\\\"rtl\\\"] .select2-search-choice-close {\\n right: auto;\\n left: 3px;\\n}\\n\\n.select2-container-multi .select2-search-choice-close {\\n left: 3px;\\n}\\n\\nhtml[dir=\\\"rtl\\\"] .select2-container-multi .select2-search-choice-close {\\n left: auto;\\n right: 2px;\\n}\\n\\n.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {\\n background-position: right -11px;\\n}\\n.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {\\n background-position: right -11px;\\n}\\n\\n/* disabled styles */\\n.select2-container-multi.select2-container-disabled .select2-choices {\\n background-color: #f4f4f4;\\n background-image: none;\\n border: 1px solid #ddd;\\n cursor: default;\\n}\\n\\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {\\n padding: 3px 5px 3px 5px;\\n border: 1px solid #ddd;\\n background-image: none;\\n background-color: #f4f4f4;\\n}\\n\\n.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close { display: none;\\n background: none;\\n}\\n/* end multiselect */\\n\\n\\n.select2-result-selectable .select2-match,\\n.select2-result-unselectable .select2-match {\\n text-decoration: underline;\\n}\\n\\n.select2-offscreen, .select2-offscreen:focus {\\n clip: rect(0 0 0 0) !important;\\n width: 1px !important;\\n height: 1px !important;\\n border: 0 !important;\\n margin: 0 !important;\\n padding: 0 !important;\\n overflow: hidden !important;\\n position: absolute !important;\\n outline: 0 !important;\\n left: 0px !important;\\n top: 0px !important;\\n}\\n\\n.select2-display-none {\\n display: none;\\n}\\n\\n.select2-measure-scrollbar {\\n position: absolute;\\n top: -10000px;\\n left: -10000px;\\n width: 100px;\\n height: 100px;\\n overflow: scroll;\\n}\\n\\n/* Retina-ize icons */\\n\\n@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx) {\\n .select2-search input,\\n .select2-search-choice-close,\\n .select2-container .select2-choice abbr,\\n .select2-container .select2-choice .select2-arrow b {\\n background-image: url('select2x2.png') !important;\\n background-repeat: no-repeat !important;\\n background-size: 60px 40px !important;\\n }\\n\\n .select2-search input {\\n background-position: 100% -21px !important;\\n }\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `/**\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\n * https://github.com/MorrisJobke/strengthify\n * Version: 0.5.9\n * License: The MIT License (MIT)\n * Copyright (c) 2013-2020 Morris Jobke \n */\n\n.strengthify-wrapper {\n position: relative;\n}\n\n.strengthify-wrapper > * {\n\t-ms-filter:\"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)\";\n\tfilter: alpha(opacity=0);\n\topacity: 0;\n\t-webkit-transition:all .5s ease-in-out;\n\t-moz-transition:all .5s ease-in-out;\n\ttransition:all .5s ease-in-out;\n}\n\n.strengthify-bg, .strengthify-container, .strengthify-separator {\n\theight: 3px;\n}\n\n.strengthify-bg, .strengthify-container {\n\tdisplay: block;\n\tposition: absolute;\n\twidth: 100%;\n}\n\n.strengthify-bg {\n\tbackground-color: #BBB;\n}\n\n.strengthify-separator {\n\tdisplay: inline-block;\n\tposition: absolute;\n\tbackground-color: #FFF;\n\twidth: 1px;\n\tz-index: 10;\n}\n\n.password-bad {\n\tbackground-color: #C33;\n}\n.password-medium {\n\tbackground-color: #F80;\n}\n.password-good {\n\tbackground-color: #3C3;\n}\n\ndiv[data-strengthifyMessage] {\n padding: 3px 8px;\n}\n\n.strengthify-tiles{\n\tfloat: right;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/strengthify/strengthify.css\"],\"names\":[],\"mappings\":\"AAAA;;;;;;EAME;;AAEF;IACI,kBAAkB;AACtB;;AAEA;CACC,+DAA+D;CAC/D,wBAAwB;CACxB,UAAU;CACV,sCAAsC;CACtC,mCAAmC;CACnC,8BAA8B;AAC/B;;AAEA;CACC,WAAW;AACZ;;AAEA;CACC,cAAc;CACd,kBAAkB;CAClB,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;;AAEA;CACC,qBAAqB;CACrB,kBAAkB;CAClB,sBAAsB;CACtB,UAAU;CACV,WAAW;AACZ;;AAEA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;AACA;CACC,sBAAsB;AACvB;;AAEA;IACI,gBAAgB;AACpB;;AAEA;CACC,YAAY;AACb\",\"sourcesContent\":[\"/**\\n * Strengthify - show the weakness of a password (uses zxcvbn for this)\\n * https://github.com/MorrisJobke/strengthify\\n * Version: 0.5.9\\n * License: The MIT License (MIT)\\n * Copyright (c) 2013-2020 Morris Jobke \\n */\\n\\n.strengthify-wrapper {\\n position: relative;\\n}\\n\\n.strengthify-wrapper > * {\\n\\t-ms-filter:\\\"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)\\\";\\n\\tfilter: alpha(opacity=0);\\n\\topacity: 0;\\n\\t-webkit-transition:all .5s ease-in-out;\\n\\t-moz-transition:all .5s ease-in-out;\\n\\ttransition:all .5s ease-in-out;\\n}\\n\\n.strengthify-bg, .strengthify-container, .strengthify-separator {\\n\\theight: 3px;\\n}\\n\\n.strengthify-bg, .strengthify-container {\\n\\tdisplay: block;\\n\\tposition: absolute;\\n\\twidth: 100%;\\n}\\n\\n.strengthify-bg {\\n\\tbackground-color: #BBB;\\n}\\n\\n.strengthify-separator {\\n\\tdisplay: inline-block;\\n\\tposition: absolute;\\n\\tbackground-color: #FFF;\\n\\twidth: 1px;\\n\\tz-index: 10;\\n}\\n\\n.password-bad {\\n\\tbackground-color: #C33;\\n}\\n.password-medium {\\n\\tbackground-color: #F80;\\n}\\n.password-good {\\n\\tbackground-color: #3C3;\\n}\\n\\ndiv[data-strengthifyMessage] {\\n padding: 3px 8px;\\n}\\n\\n.strengthify-tiles{\\n\\tfloat: right;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.account-menu-entry__icon[data-v-2e0a74a6]{height:16px;width:16px;margin:calc((var(--default-clickable-area) - 16px)/2);filter:var(--background-invert-if-dark)}.account-menu-entry__icon--active[data-v-2e0a74a6]{filter:var(--primary-invert-if-dark)}.account-menu-entry[data-v-2e0a74a6] .list-item-content__main{width:fit-content}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AccountMenu/AccountMenuEntry.vue\"],\"names\":[],\"mappings\":\"AAEC,2CACC,WAAA,CACA,UAAA,CACA,qDAAA,CACA,uCAAA,CAEA,mDACC,oCAAA,CAIF,8DACC,iBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu[data-v-7661a89b]{--app-menu-entry-growth: calc(var(--default-grid-baseline) * 4);display:flex;flex:1 1;width:0}.app-menu__list[data-v-7661a89b]{display:flex;flex-wrap:nowrap;margin-inline:calc(var(--app-menu-entry-growth)/2)}.app-menu__overflow[data-v-7661a89b]{margin-block:auto}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary{opacity:.7;margin:3px;filter:var(--background-image-invert-if-bright)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]){color:var(--color-background-plain-text)}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:not([aria-expanded=true]):hover{opacity:1;background-color:rgba(0,0,0,0) !important}.app-menu__overflow[data-v-7661a89b] .button-vue--vue-tertiary:focus-visible{opacity:1;outline:none !important}.app-menu__overflow-entry[data-v-7661a89b] .action-link__icon{filter:var(--background-invert-if-bright) !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenu.vue\"],\"names\":[],\"mappings\":\"AACA,2BAEC,+DAAA,CACA,YAAA,CACA,QAAA,CACA,OAAA,CAEA,iCACC,YAAA,CACA,gBAAA,CACA,kDAAA,CAGD,qCACC,iBAAA,CAGA,+DACC,UAAA,CACA,UAAA,CACA,+CAAA,CAGA,yFACC,wCAAA,CAEA,+FACC,SAAA,CACA,yCAAA,CAIF,6EACC,SAAA,CACA,uBAAA,CAMF,8DAEC,oDAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu-entry[data-v-9736071a]{--app-menu-entry-font-size: 12px;width:var(--header-height);height:var(--header-height);position:relative}.app-menu-entry__link[data-v-9736071a]{position:relative;display:flex;flex-direction:column;align-items:center;justify-content:center;color:var(--color-background-plain-text);width:calc(100% - 4px);height:calc(100% - 4px);margin:2px}.app-menu-entry__label[data-v-9736071a]{opacity:0;position:absolute;font-size:var(--app-menu-entry-font-size);color:var(--color-background-plain-text);text-align:center;bottom:0;inset-inline-start:50%;top:50%;display:block;transform:translateX(-50%);max-width:100%;text-overflow:ellipsis;overflow:hidden;letter-spacing:-0.5px}body[dir=rtl] .app-menu-entry__label[data-v-9736071a]{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a]{font-size:var(--app-menu-entry-font-size)}.app-menu-entry--active .app-menu-entry__label[data-v-9736071a]{font-weight:bolder}.app-menu-entry--active[data-v-9736071a]::before{content:\" \";position:absolute;pointer-events:none;border-bottom-color:var(--color-main-background);transform:translateX(-50%);width:10px;height:5px;border-radius:3px;background-color:var(--color-background-plain-text);inset-inline-start:50%;bottom:8px;display:block;transition:all var(--animation-quick) ease-in-out;opacity:1}body[dir=rtl] .app-menu-entry--active[data-v-9736071a]::before{transform:translateX(50%) !important}.app-menu-entry__icon[data-v-9736071a],.app-menu-entry__label[data-v-9736071a]{transition:all var(--animation-quick) ease-in-out}.app-menu-entry:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry:focus-within .app-menu-entry__label[data-v-9736071a]{font-weight:bold}.app-menu-entry--truncated:hover .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within .app-menu-entry__label[data-v-9736071a]{max-width:calc(var(--header-height) + var(--app-menu-entry-growth))}.app-menu-entry--truncated:hover+.app-menu-entry .app-menu-entry__label[data-v-9736071a],.app-menu-entry--truncated:focus-within+.app-menu-entry .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}.app-menu-entry:has(+.app-menu-entry--truncated:hover) .app-menu-entry__label[data-v-9736071a],.app-menu-entry:has(+.app-menu-entry--truncated:focus-within) .app-menu-entry__label[data-v-9736071a]{font-weight:normal;max-width:calc(var(--header-height) - var(--app-menu-entry-growth))}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenuEntry.vue\"],\"names\":[],\"mappings\":\"AACA,iCACC,gCAAA,CACA,0BAAA,CACA,2BAAA,CACA,iBAAA,CAEA,uCACC,iBAAA,CACA,YAAA,CACA,qBAAA,CACA,kBAAA,CACA,sBAAA,CAEA,wCAAA,CAEA,sBAAA,CACA,uBAAA,CACA,UAAA,CAGD,wCACC,SAAA,CACA,iBAAA,CACA,yCAAA,CAEA,wCAAA,CACA,iBAAA,CACA,QAAA,CACA,sBAAA,CACA,OAAA,CACA,aAAA,CACA,0BAAA,CACA,cAAA,CACA,sBAAA,CACA,eAAA,CACA,qBAAA,CAED,sDACC,oCAAA,CAGD,uCACC,yCAAA,CAKA,gEACC,kBAAA,CAID,iDACC,WAAA,CACA,iBAAA,CACA,mBAAA,CACA,gDAAA,CACA,0BAAA,CACA,UAAA,CACA,UAAA,CACA,iBAAA,CACA,mDAAA,CACA,sBAAA,CACA,UAAA,CACA,aAAA,CACA,iDAAA,CACA,SAAA,CAED,+DACC,oCAAA,CAIF,+EAEC,iDAAA,CAID,mIAEC,gBAAA,CAOA,yJACC,mEAAA,CAKA,yLACC,kBAAA,CACA,mEAAA,CAQF,qMACC,kBAAA,CACA,mEAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu-entry:hover .app-menu-entry__icon,.app-menu-entry:focus-within .app-menu-entry__icon,.app-menu__list:hover .app-menu-entry__icon,.app-menu__list:focus-within .app-menu-entry__icon{margin-block-end:1lh}.app-menu-entry:hover .app-menu-entry__label,.app-menu-entry:focus-within .app-menu-entry__label,.app-menu__list:hover .app-menu-entry__label,.app-menu__list:focus-within .app-menu-entry__label{opacity:1}.app-menu-entry:hover .app-menu-entry--active::before,.app-menu-entry:focus-within .app-menu-entry--active::before,.app-menu__list:hover .app-menu-entry--active::before,.app-menu__list:focus-within .app-menu-entry--active::before{opacity:0}.app-menu-entry:hover .app-menu-icon__unread,.app-menu-entry:focus-within .app-menu-icon__unread,.app-menu__list:hover .app-menu-icon__unread,.app-menu__list:focus-within .app-menu-icon__unread{opacity:0}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenuEntry.vue\"],\"names\":[],\"mappings\":\"AAOC,8LACC,oBAAA,CAID,kMACC,SAAA,CAID,sOACC,SAAA,CAGD,kMACC,SAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-menu-icon[data-v-e7078f90]{box-sizing:border-box;position:relative;height:20px;width:20px}.app-menu-icon__icon[data-v-e7078f90]{transition:margin .1s ease-in-out;height:20px;width:20px;filter:var(--background-image-invert-if-bright)}.app-menu-icon__unread[data-v-e7078f90]{color:var(--color-error);position:absolute;inset-block-end:15px;inset-inline-end:-5px;transition:all .1s ease-in-out}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/AppMenuIcon.vue\"],\"names\":[],\"mappings\":\"AAIA,gCACC,qBAAA,CACA,iBAAA,CAEA,WAPW,CAQX,UARW,CAUX,sCACC,iCAAA,CACA,WAZU,CAaV,UAbU,CAcV,+CAAA,CAGD,wCACC,wBAAA,CACA,iBAAA,CAEA,oBAAA,CACA,qBAAA,CACA,8BAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.contact[data-v-97ebdcaa]{display:flex;position:relative;align-items:center;padding:3px;padding-inline-start:10px}.contact__action__icon[data-v-97ebdcaa]{width:20px;height:20px;padding:12px;filter:var(--background-invert-if-dark)}.contact__avatar[data-v-97ebdcaa]{display:inherit}.contact__body[data-v-97ebdcaa]{flex-grow:1;padding-inline-start:10px;margin-inline-start:10px;min-width:0}.contact__body div[data-v-97ebdcaa]{position:relative;width:100%;overflow-x:hidden;text-overflow:ellipsis;margin:-1px 0}.contact__body div[data-v-97ebdcaa]:first-of-type{margin-top:0}.contact__body div[data-v-97ebdcaa]:last-of-type{margin-bottom:0}.contact__body__last-message[data-v-97ebdcaa],.contact__body__status-message[data-v-97ebdcaa],.contact__body__email-address[data-v-97ebdcaa]{color:var(--color-text-maxcontrast)}.contact__body[data-v-97ebdcaa]:focus-visible{box-shadow:0 0 0 4px var(--color-main-background) !important;outline:2px solid var(--color-main-text) !important}.contact .other-actions[data-v-97ebdcaa]{width:16px;height:16px;cursor:pointer}.contact .other-actions img[data-v-97ebdcaa]{filter:var(--background-invert-if-dark)}.contact button.other-actions[data-v-97ebdcaa]{width:44px}.contact button.other-actions[data-v-97ebdcaa]:focus{border-color:rgba(0,0,0,0);box-shadow:0 0 0 2px var(--color-main-text)}.contact button.other-actions[data-v-97ebdcaa]:focus-visible{border-radius:var(--border-radius-pill)}.contact .menu[data-v-97ebdcaa]{top:47px;margin-inline-end:13px}.contact .popovermenu[data-v-97ebdcaa]::after{inset-inline-end:2px}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/components/ContactsMenu/Contact.vue\"],\"names\":[],\"mappings\":\"AACA,0BACC,YAAA,CACA,iBAAA,CACA,kBAAA,CACA,WAAA,CACA,yBAAA,CAGC,wCACC,UAAA,CACA,WAAA,CACA,YAAA,CACA,uCAAA,CAIF,kCACC,eAAA,CAGD,gCACC,WAAA,CACA,yBAAA,CACA,wBAAA,CACA,WAAA,CAEA,oCACC,iBAAA,CACA,UAAA,CACA,iBAAA,CACA,sBAAA,CACA,aAAA,CAED,kDACC,YAAA,CAED,iDACC,eAAA,CAGD,6IACC,mCAAA,CAGD,8CACC,4DAAA,CACA,mDAAA,CAIF,yCACC,UAAA,CACA,WAAA,CACA,cAAA,CAEA,6CACC,uCAAA,CAIF,+CACC,UAAA,CAEA,qDACC,0BAAA,CACA,2CAAA,CAGD,6DACC,uCAAA,CAKF,gCACC,QAAA,CACA,sBAAA,CAGD,8CACC,oBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `[data-v-a886d77a] #header-menu-user-menu{padding:0 !important}.account-menu[data-v-a886d77a] button{opacity:1 !important}.account-menu[data-v-a886d77a] button:focus-visible .account-menu__avatar{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu[data-v-a886d77a] .header-menu__content{width:fit-content !important}.account-menu__avatar[data-v-a886d77a]:hover{border:var(--border-width-input-focused) solid var(--color-background-plain-text)}.account-menu__list[data-v-a886d77a]{display:inline-flex;flex-direction:column;padding-block:var(--default-grid-baseline) 0;padding-inline:0 var(--default-grid-baseline)}.account-menu__list[data-v-a886d77a]> li{box-sizing:border-box;flex:0 1}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/views/AccountMenu.vue\"],\"names\":[],\"mappings\":\"AACA,yCACC,oBAAA,CAIA,sCAGC,oBAAA,CAKC,0EACC,iFAAA,CAMH,qDACC,4BAAA,CAIA,6CAEC,iFAAA,CAIF,qCACC,mBAAA,CACA,qBAAA,CACA,4CAAA,CACA,6CAAA,CAEA,yCACC,qBAAA,CAEA,QAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.contactsmenu[data-v-5cad18ba]{overflow-y:hidden}.contactsmenu__trigger-icon[data-v-5cad18ba]{color:var(--color-background-plain-text) !important}.contactsmenu__menu[data-v-5cad18ba]{display:flex;flex-direction:column;overflow:hidden;height:328px;max-height:inherit}.contactsmenu__menu label[for=contactsmenu__menu__search][data-v-5cad18ba]{font-weight:bold;font-size:19px;margin-inline-start:13px}.contactsmenu__menu__input-wrapper[data-v-5cad18ba]{padding:10px;z-index:2;top:0}.contactsmenu__menu__search[data-v-5cad18ba]{width:100%;height:34px;margin-top:0 !important}.contactsmenu__menu__content[data-v-5cad18ba]{overflow-y:auto;margin-top:10px;flex:1 1 auto}.contactsmenu__menu__content__footer[data-v-5cad18ba]{display:flex;flex-direction:column;align-items:center}.contactsmenu__menu a[data-v-5cad18ba]:focus-visible{box-shadow:inset 0 0 0 2px var(--color-main-text) !important}.contactsmenu[data-v-5cad18ba] .empty-content{margin:0 !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./core/src/views/ContactsMenu.vue\"],\"names\":[],\"mappings\":\"AACA,+BACC,iBAAA,CAEA,6CACC,mDAAA,CAGD,qCACC,YAAA,CACA,qBAAA,CACA,eAAA,CACA,YAAA,CACA,kBAAA,CAEA,2EACC,gBAAA,CACA,cAAA,CACA,wBAAA,CAGD,oDACC,YAAA,CACA,SAAA,CACA,KAAA,CAGD,6CACC,UAAA,CACA,WAAA,CACA,uBAAA,CAGD,8CACC,eAAA,CACA,eAAA,CACA,aAAA,CAEA,sDACC,YAAA,CACA,qBAAA,CACA,kBAAA,CAKD,qDACC,4DAAA,CAKH,8CACC,mBAAA\",\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","/*\n * vim: expandtab shiftwidth=4 softtabstop=4\n */\n\n/* global dav */\nvar dav = dav || {}\n\ndav._XML_CHAR_MAP = {\n '<': '<',\n '>': '>',\n '&': '&',\n '\"': '"',\n \"'\": '''\n};\n\ndav._escapeXml = function(s) {\n return s.replace(/[<>&\"']/g, function (ch) {\n return dav._XML_CHAR_MAP[ch];\n });\n};\n\ndav.Client = function(options) {\n var i;\n for(i in options) {\n this[i] = options[i];\n }\n\n};\n\ndav.Client.prototype = {\n\n baseUrl : null,\n\n userName : null,\n\n password : null,\n\n\n xmlNamespaces : {\n 'DAV:' : 'd'\n },\n\n /**\n * Generates a propFind request.\n *\n * @param {string} url Url to do the propfind request on\n * @param {Array} properties List of properties to retrieve.\n * @param {string} depth \"0\", \"1\" or \"infinity\"\n * @param {Object} [headers] headers\n * @return {Promise}\n */\n propFind : function(url, properties, depth, headers) {\n\n if(typeof depth === \"undefined\") {\n depth = '0';\n }\n\n // depth header must be a string, in case a number was passed in\n depth = '' + depth;\n\n headers = headers || {};\n\n headers['Depth'] = depth;\n headers['Content-Type'] = 'application/xml; charset=utf-8';\n\n var body =\n '\\n' +\n '\\n';\n\n for(var ii in properties) {\n if (!properties.hasOwnProperty(ii)) {\n continue;\n }\n\n var property = this.parseClarkNotation(properties[ii]);\n if (this.xmlNamespaces[property.namespace]) {\n body+=' <' + this.xmlNamespaces[property.namespace] + ':' + property.name + ' />\\n';\n } else {\n body+=' \\n';\n }\n\n }\n body+=' \\n';\n body+='';\n\n return this.request('PROPFIND', url, headers, body).then(\n function(result) {\n\n if (depth === '0') {\n return {\n status: result.status,\n body: result.body[0],\n xhr: result.xhr\n };\n } else {\n return {\n status: result.status,\n body: result.body,\n xhr: result.xhr\n };\n }\n\n }.bind(this)\n );\n\n },\n\n /**\n * Renders a \"d:set\" block for the given properties.\n *\n * @param {Object.} properties\n * @return {String} XML \"\" block\n */\n _renderPropSet: function(properties) {\n var body = ' \\n' +\n ' \\n';\n\n for(var ii in properties) {\n if (!properties.hasOwnProperty(ii)) {\n continue;\n }\n\n var property = this.parseClarkNotation(ii);\n var propName;\n var propValue = properties[ii];\n if (this.xmlNamespaces[property.namespace]) {\n propName = this.xmlNamespaces[property.namespace] + ':' + property.name;\n } else {\n propName = 'x:' + property.name + ' xmlns:x=\"' + property.namespace + '\"';\n }\n\n // FIXME: hard-coded for now until we allow properties to\n // specify whether to be escaped or not\n if (propName !== 'd:resourcetype') {\n propValue = dav._escapeXml(propValue);\n }\n body += ' <' + propName + '>' + propValue + '\\n';\n }\n body +=' \\n';\n body +=' \\n';\n return body;\n },\n\n /**\n * Generates a propPatch request.\n *\n * @param {string} url Url to do the proppatch request on\n * @param {Object.} properties List of properties to store.\n * @param {Object} [headers] headers\n * @return {Promise}\n */\n propPatch : function(url, properties, headers) {\n headers = headers || {};\n\n headers['Content-Type'] = 'application/xml; charset=utf-8';\n\n var body =\n '\\n' +\n '} [properties] list of properties to store.\n * @param {Object} [headers] headers\n * @return {Promise}\n */\n mkcol : function(url, properties, headers) {\n var body = '';\n headers = headers || {};\n headers['Content-Type'] = 'application/xml; charset=utf-8';\n\n if (properties) {\n body =\n '\\n' +\n ' 0) {\n var subNodes = [];\n // filter out text nodes\n for (var j = 0; j < propNode.childNodes.length; j++) {\n var node = propNode.childNodes[j];\n if (node.nodeType === 1) {\n subNodes.push(node);\n }\n }\n if (subNodes.length) {\n content = subNodes;\n }\n }\n\n return content || propNode.textContent || propNode.text || '';\n },\n\n /**\n * Parses a multi-status response body.\n *\n * @param {string} xmlBody\n * @param {Array}\n */\n parseMultiStatus : function(xmlBody) {\n\n var parser = new DOMParser();\n var doc = parser.parseFromString(xmlBody, \"application/xml\");\n\n var resolver = function(foo) {\n var ii;\n for(ii in this.xmlNamespaces) {\n if (this.xmlNamespaces[ii] === foo) {\n return ii;\n }\n }\n }.bind(this);\n\n var responseIterator = doc.evaluate('/d:multistatus/d:response', doc, resolver, XPathResult.ANY_TYPE, null);\n\n var result = [];\n var responseNode = responseIterator.iterateNext();\n\n while(responseNode) {\n\n var response = {\n href : null,\n propStat : []\n };\n\n response.href = doc.evaluate('string(d:href)', responseNode, resolver, XPathResult.ANY_TYPE, null).stringValue;\n\n var propStatIterator = doc.evaluate('d:propstat', responseNode, resolver, XPathResult.ANY_TYPE, null);\n var propStatNode = propStatIterator.iterateNext();\n\n while(propStatNode) {\n var propStat = {\n status : doc.evaluate('string(d:status)', propStatNode, resolver, XPathResult.ANY_TYPE, null).stringValue,\n properties : {},\n };\n\n var propIterator = doc.evaluate('d:prop/*', propStatNode, resolver, XPathResult.ANY_TYPE, null);\n\n var propNode = propIterator.iterateNext();\n while(propNode) {\n var content = this._parsePropNode(propNode);\n propStat.properties['{' + propNode.namespaceURI + '}' + propNode.localName] = content;\n propNode = propIterator.iterateNext();\n\n }\n response.propStat.push(propStat);\n propStatNode = propStatIterator.iterateNext();\n\n\n }\n\n result.push(response);\n responseNode = responseIterator.iterateNext();\n\n }\n\n return result;\n\n },\n\n /**\n * Takes a relative url, and maps it to an absolute url, using the baseUrl\n *\n * @param {string} url\n * @return {string}\n */\n resolveUrl : function(url) {\n\n // Note: this is rudamentary.. not sure yet if it handles every case.\n if (/^https?:\\/\\//i.test(url)) {\n // absolute\n return url;\n }\n\n var baseParts = this.parseUrl(this.baseUrl);\n if (url.charAt('/')) {\n // Url starts with a slash\n return baseParts.root + url;\n }\n\n // Url does not start with a slash, we need grab the base url right up until the last slash.\n var newUrl = baseParts.root + '/';\n if (baseParts.path.lastIndexOf('/')!==-1) {\n newUrl = newUrl = baseParts.path.subString(0, baseParts.path.lastIndexOf('/')) + '/';\n }\n newUrl+=url;\n return url;\n\n },\n\n /**\n * Parses a url and returns its individual components.\n *\n * @param {String} url\n * @return {Object}\n */\n parseUrl : function(url) {\n\n var parts = url.match(/^(?:([A-Za-z]+):)?(\\/{0,3})([0-9.\\-A-Za-z]+)(?::(\\d+))?(?:\\/([^?#]*))?(?:\\?([^#]*))?(?:#(.*))?$/);\n var result = {\n url : parts[0],\n scheme : parts[1],\n host : parts[3],\n port : parts[4],\n path : parts[5],\n query : parts[6],\n fragment : parts[7],\n };\n result.root =\n result.scheme + '://' +\n result.host +\n (result.port ? ':' + result.port : '');\n\n return result;\n\n },\n\n parseClarkNotation : function(propertyName) {\n\n var result = propertyName.match(/^{([^}]+)}(.*)$/);\n if (!result) {\n return;\n }\n\n return {\n name : result[2],\n namespace : result[1]\n };\n\n }\n\n};\n\nif (typeof module !== 'undefined' && typeof module.exports !== 'undefined') {\n module.exports.Client = dav.Client;\n}\n","var Handlebars = require(\"../../../../node_modules/handlebars/runtime.js\");\nfunction __default(obj) { return obj && (obj.__esModule ? obj[\"default\"] : obj); }\nmodule.exports = (Handlebars[\"default\"] || Handlebars).template({\"1\":function(container,depth0,helpers,partials,data) {\n var helper, lookupProperty = container.lookupProperty || function(parent, propertyName) {\n if (Object.prototype.hasOwnProperty.call(parent, propertyName)) {\n return parent[propertyName];\n }\n return undefined\n };\n\n return \"\";\n},\"compiler\":[8,\">= 4.3.0\"],\"main\":function(container,depth0,helpers,partials,data) {\n var stack1, helper, alias1=depth0 != null ? depth0 : (container.nullContext || {}), alias2=container.hooks.helperMissing, alias3=\"function\", alias4=container.escapeExpression, lookupProperty = container.lookupProperty || function(parent, propertyName) {\n if (Object.prototype.hasOwnProperty.call(parent, propertyName)) {\n return parent[propertyName];\n }\n return undefined\n };\n\n return \"
          • \\n\t\\n\t\t\"\n + ((stack1 = lookupProperty(helpers,\"if\").call(alias1,(depth0 != null ? lookupProperty(depth0,\"icon\") : depth0),{\"name\":\"if\",\"hash\":{},\"fn\":container.program(1, data, 0),\"inverse\":container.noop,\"data\":data,\"loc\":{\"start\":{\"line\":3,\"column\":2},\"end\":{\"line\":3,\"column\":41}}})) != null ? stack1 : \"\")\n + \"\\n\t\t\"\n + alias4(((helper = (helper = lookupProperty(helpers,\"title\") || (depth0 != null ? lookupProperty(depth0,\"title\") : depth0)) != null ? helper : alias2),(typeof helper === alias3 ? helper.call(alias1,{\"name\":\"title\",\"hash\":{},\"data\":data,\"loc\":{\"start\":{\"line\":4,\"column\":8},\"end\":{\"line\":4,\"column\":17}}}) : helper)))\n + \"\\n\t\\n
          • \\n\";\n},\"useData\":true});","/*! jQuery UI - v1.13.3 - 2024-04-26\n* https://jqueryui.com\n* Includes: widget.js, position.js, data.js, disable-selection.js, effect.js, effects/effect-blind.js, effects/effect-bounce.js, effects/effect-clip.js, effects/effect-drop.js, effects/effect-explode.js, effects/effect-fade.js, effects/effect-fold.js, effects/effect-highlight.js, effects/effect-puff.js, effects/effect-pulsate.js, effects/effect-scale.js, effects/effect-shake.js, effects/effect-size.js, effects/effect-slide.js, effects/effect-transfer.js, focusable.js, form-reset-mixin.js, jquery-patch.js, keycode.js, labels.js, scroll-parent.js, tabbable.js, unique-id.js, widgets/accordion.js, widgets/autocomplete.js, widgets/button.js, widgets/checkboxradio.js, widgets/controlgroup.js, widgets/datepicker.js, widgets/dialog.js, widgets/draggable.js, widgets/droppable.js, widgets/menu.js, widgets/mouse.js, widgets/progressbar.js, widgets/resizable.js, widgets/selectable.js, widgets/selectmenu.js, widgets/slider.js, widgets/sortable.js, widgets/spinner.js, widgets/tabs.js, widgets/tooltip.js\n* Copyright OpenJS Foundation and other contributors; Licensed MIT */\n\n( function( factory ) {\n\t\"use strict\";\n\t\n\tif ( typeof define === \"function\" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [ \"jquery\" ], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n} )( function( $ ) {\n\"use strict\";\n\n$.ui = $.ui || {};\n\nvar version = $.ui.version = \"1.13.3\";\n\n\n/*!\n * jQuery UI Widget 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Widget\n//>>group: Core\n//>>description: Provides a factory for creating stateful widgets with a common API.\n//>>docs: https://api.jqueryui.com/jQuery.widget/\n//>>demos: https://jqueryui.com/widget/\n\n\nvar widgetUuid = 0;\nvar widgetHasOwnProperty = Array.prototype.hasOwnProperty;\nvar widgetSlice = Array.prototype.slice;\n\n$.cleanData = ( function( orig ) {\n\treturn function( elems ) {\n\t\tvar events, elem, i;\n\t\tfor ( i = 0; ( elem = elems[ i ] ) != null; i++ ) {\n\n\t\t\t// Only trigger remove when necessary to save time\n\t\t\tevents = $._data( elem, \"events\" );\n\t\t\tif ( events && events.remove ) {\n\t\t\t\t$( elem ).triggerHandler( \"remove\" );\n\t\t\t}\n\t\t}\n\t\torig( elems );\n\t};\n} )( $.cleanData );\n\n$.widget = function( name, base, prototype ) {\n\tvar existingConstructor, constructor, basePrototype;\n\n\t// ProxiedPrototype allows the provided prototype to remain unmodified\n\t// so that it can be used as a mixin for multiple widgets (#8876)\n\tvar proxiedPrototype = {};\n\n\tvar namespace = name.split( \".\" )[ 0 ];\n\tname = name.split( \".\" )[ 1 ];\n\tvar fullName = namespace + \"-\" + name;\n\n\tif ( !prototype ) {\n\t\tprototype = base;\n\t\tbase = $.Widget;\n\t}\n\n\tif ( Array.isArray( prototype ) ) {\n\t\tprototype = $.extend.apply( null, [ {} ].concat( prototype ) );\n\t}\n\n\t// Create selector for plugin\n\t$.expr.pseudos[ fullName.toLowerCase() ] = function( elem ) {\n\t\treturn !!$.data( elem, fullName );\n\t};\n\n\t$[ namespace ] = $[ namespace ] || {};\n\texistingConstructor = $[ namespace ][ name ];\n\tconstructor = $[ namespace ][ name ] = function( options, element ) {\n\n\t\t// Allow instantiation without \"new\" keyword\n\t\tif ( !this || !this._createWidget ) {\n\t\t\treturn new constructor( options, element );\n\t\t}\n\n\t\t// Allow instantiation without initializing for simple inheritance\n\t\t// must use \"new\" keyword (the code above always passes args)\n\t\tif ( arguments.length ) {\n\t\t\tthis._createWidget( options, element );\n\t\t}\n\t};\n\n\t// Extend with the existing constructor to carry over any static properties\n\t$.extend( constructor, existingConstructor, {\n\t\tversion: prototype.version,\n\n\t\t// Copy the object used to create the prototype in case we need to\n\t\t// redefine the widget later\n\t\t_proto: $.extend( {}, prototype ),\n\n\t\t// Track widgets that inherit from this widget in case this widget is\n\t\t// redefined after a widget inherits from it\n\t\t_childConstructors: []\n\t} );\n\n\tbasePrototype = new base();\n\n\t// We need to make the options hash a property directly on the new instance\n\t// otherwise we'll modify the options hash on the prototype that we're\n\t// inheriting from\n\tbasePrototype.options = $.widget.extend( {}, basePrototype.options );\n\t$.each( prototype, function( prop, value ) {\n\t\tif ( typeof value !== \"function\" ) {\n\t\t\tproxiedPrototype[ prop ] = value;\n\t\t\treturn;\n\t\t}\n\t\tproxiedPrototype[ prop ] = ( function() {\n\t\t\tfunction _super() {\n\t\t\t\treturn base.prototype[ prop ].apply( this, arguments );\n\t\t\t}\n\n\t\t\tfunction _superApply( args ) {\n\t\t\t\treturn base.prototype[ prop ].apply( this, args );\n\t\t\t}\n\n\t\t\treturn function() {\n\t\t\t\tvar __super = this._super;\n\t\t\t\tvar __superApply = this._superApply;\n\t\t\t\tvar returnValue;\n\n\t\t\t\tthis._super = _super;\n\t\t\t\tthis._superApply = _superApply;\n\n\t\t\t\treturnValue = value.apply( this, arguments );\n\n\t\t\t\tthis._super = __super;\n\t\t\t\tthis._superApply = __superApply;\n\n\t\t\t\treturn returnValue;\n\t\t\t};\n\t\t} )();\n\t} );\n\tconstructor.prototype = $.widget.extend( basePrototype, {\n\n\t\t// TODO: remove support for widgetEventPrefix\n\t\t// always use the name + a colon as the prefix, e.g., draggable:start\n\t\t// don't prefix for widgets that aren't DOM-based\n\t\twidgetEventPrefix: existingConstructor ? ( basePrototype.widgetEventPrefix || name ) : name\n\t}, proxiedPrototype, {\n\t\tconstructor: constructor,\n\t\tnamespace: namespace,\n\t\twidgetName: name,\n\t\twidgetFullName: fullName\n\t} );\n\n\t// If this widget is being redefined then we need to find all widgets that\n\t// are inheriting from it and redefine all of them so that they inherit from\n\t// the new version of this widget. We're essentially trying to replace one\n\t// level in the prototype chain.\n\tif ( existingConstructor ) {\n\t\t$.each( existingConstructor._childConstructors, function( i, child ) {\n\t\t\tvar childPrototype = child.prototype;\n\n\t\t\t// Redefine the child widget using the same prototype that was\n\t\t\t// originally used, but inherit from the new version of the base\n\t\t\t$.widget( childPrototype.namespace + \".\" + childPrototype.widgetName, constructor,\n\t\t\t\tchild._proto );\n\t\t} );\n\n\t\t// Remove the list of existing child constructors from the old constructor\n\t\t// so the old child constructors can be garbage collected\n\t\tdelete existingConstructor._childConstructors;\n\t} else {\n\t\tbase._childConstructors.push( constructor );\n\t}\n\n\t$.widget.bridge( name, constructor );\n\n\treturn constructor;\n};\n\n$.widget.extend = function( target ) {\n\tvar input = widgetSlice.call( arguments, 1 );\n\tvar inputIndex = 0;\n\tvar inputLength = input.length;\n\tvar key;\n\tvar value;\n\n\tfor ( ; inputIndex < inputLength; inputIndex++ ) {\n\t\tfor ( key in input[ inputIndex ] ) {\n\t\t\tvalue = input[ inputIndex ][ key ];\n\t\t\tif ( widgetHasOwnProperty.call( input[ inputIndex ], key ) && value !== undefined ) {\n\n\t\t\t\t// Clone objects\n\t\t\t\tif ( $.isPlainObject( value ) ) {\n\t\t\t\t\ttarget[ key ] = $.isPlainObject( target[ key ] ) ?\n\t\t\t\t\t\t$.widget.extend( {}, target[ key ], value ) :\n\n\t\t\t\t\t\t// Don't extend strings, arrays, etc. with objects\n\t\t\t\t\t\t$.widget.extend( {}, value );\n\n\t\t\t\t// Copy everything else by reference\n\t\t\t\t} else {\n\t\t\t\t\ttarget[ key ] = value;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\treturn target;\n};\n\n$.widget.bridge = function( name, object ) {\n\tvar fullName = object.prototype.widgetFullName || name;\n\t$.fn[ name ] = function( options ) {\n\t\tvar isMethodCall = typeof options === \"string\";\n\t\tvar args = widgetSlice.call( arguments, 1 );\n\t\tvar returnValue = this;\n\n\t\tif ( isMethodCall ) {\n\n\t\t\t// If this is an empty collection, we need to have the instance method\n\t\t\t// return undefined instead of the jQuery instance\n\t\t\tif ( !this.length && options === \"instance\" ) {\n\t\t\t\treturnValue = undefined;\n\t\t\t} else {\n\t\t\t\tthis.each( function() {\n\t\t\t\t\tvar methodValue;\n\t\t\t\t\tvar instance = $.data( this, fullName );\n\n\t\t\t\t\tif ( options === \"instance\" ) {\n\t\t\t\t\t\treturnValue = instance;\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t}\n\n\t\t\t\t\tif ( !instance ) {\n\t\t\t\t\t\treturn $.error( \"cannot call methods on \" + name +\n\t\t\t\t\t\t\t\" prior to initialization; \" +\n\t\t\t\t\t\t\t\"attempted to call method '\" + options + \"'\" );\n\t\t\t\t\t}\n\n\t\t\t\t\tif ( typeof instance[ options ] !== \"function\" ||\n\t\t\t\t\t\toptions.charAt( 0 ) === \"_\" ) {\n\t\t\t\t\t\treturn $.error( \"no such method '\" + options + \"' for \" + name +\n\t\t\t\t\t\t\t\" widget instance\" );\n\t\t\t\t\t}\n\n\t\t\t\t\tmethodValue = instance[ options ].apply( instance, args );\n\n\t\t\t\t\tif ( methodValue !== instance && methodValue !== undefined ) {\n\t\t\t\t\t\treturnValue = methodValue && methodValue.jquery ?\n\t\t\t\t\t\t\treturnValue.pushStack( methodValue.get() ) :\n\t\t\t\t\t\t\tmethodValue;\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t} else {\n\n\t\t\t// Allow multiple hashes to be passed on init\n\t\t\tif ( args.length ) {\n\t\t\t\toptions = $.widget.extend.apply( null, [ options ].concat( args ) );\n\t\t\t}\n\n\t\t\tthis.each( function() {\n\t\t\t\tvar instance = $.data( this, fullName );\n\t\t\t\tif ( instance ) {\n\t\t\t\t\tinstance.option( options || {} );\n\t\t\t\t\tif ( instance._init ) {\n\t\t\t\t\t\tinstance._init();\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\t$.data( this, fullName, new object( options, this ) );\n\t\t\t\t}\n\t\t\t} );\n\t\t}\n\n\t\treturn returnValue;\n\t};\n};\n\n$.Widget = function( /* options, element */ ) {};\n$.Widget._childConstructors = [];\n\n$.Widget.prototype = {\n\twidgetName: \"widget\",\n\twidgetEventPrefix: \"\",\n\tdefaultElement: \"
            \",\n\n\toptions: {\n\t\tclasses: {},\n\t\tdisabled: false,\n\n\t\t// Callbacks\n\t\tcreate: null\n\t},\n\n\t_createWidget: function( options, element ) {\n\t\telement = $( element || this.defaultElement || this )[ 0 ];\n\t\tthis.element = $( element );\n\t\tthis.uuid = widgetUuid++;\n\t\tthis.eventNamespace = \".\" + this.widgetName + this.uuid;\n\n\t\tthis.bindings = $();\n\t\tthis.hoverable = $();\n\t\tthis.focusable = $();\n\t\tthis.classesElementLookup = {};\n\n\t\tif ( element !== this ) {\n\t\t\t$.data( element, this.widgetFullName, this );\n\t\t\tthis._on( true, this.element, {\n\t\t\t\tremove: function( event ) {\n\t\t\t\t\tif ( event.target === element ) {\n\t\t\t\t\t\tthis.destroy();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} );\n\t\t\tthis.document = $( element.style ?\n\n\t\t\t\t// Element within the document\n\t\t\t\telement.ownerDocument :\n\n\t\t\t\t// Element is window or document\n\t\t\t\telement.document || element );\n\t\t\tthis.window = $( this.document[ 0 ].defaultView || this.document[ 0 ].parentWindow );\n\t\t}\n\n\t\tthis.options = $.widget.extend( {},\n\t\t\tthis.options,\n\t\t\tthis._getCreateOptions(),\n\t\t\toptions );\n\n\t\tthis._create();\n\n\t\tif ( this.options.disabled ) {\n\t\t\tthis._setOptionDisabled( this.options.disabled );\n\t\t}\n\n\t\tthis._trigger( \"create\", null, this._getCreateEventData() );\n\t\tthis._init();\n\t},\n\n\t_getCreateOptions: function() {\n\t\treturn {};\n\t},\n\n\t_getCreateEventData: $.noop,\n\n\t_create: $.noop,\n\n\t_init: $.noop,\n\n\tdestroy: function() {\n\t\tvar that = this;\n\n\t\tthis._destroy();\n\t\t$.each( this.classesElementLookup, function( key, value ) {\n\t\t\tthat._removeClass( value, key );\n\t\t} );\n\n\t\t// We can probably remove the unbind calls in 2.0\n\t\t// all event bindings should go through this._on()\n\t\tthis.element\n\t\t\t.off( this.eventNamespace )\n\t\t\t.removeData( this.widgetFullName );\n\t\tthis.widget()\n\t\t\t.off( this.eventNamespace )\n\t\t\t.removeAttr( \"aria-disabled\" );\n\n\t\t// Clean up events and states\n\t\tthis.bindings.off( this.eventNamespace );\n\t},\n\n\t_destroy: $.noop,\n\n\twidget: function() {\n\t\treturn this.element;\n\t},\n\n\toption: function( key, value ) {\n\t\tvar options = key;\n\t\tvar parts;\n\t\tvar curOption;\n\t\tvar i;\n\n\t\tif ( arguments.length === 0 ) {\n\n\t\t\t// Don't return a reference to the internal hash\n\t\t\treturn $.widget.extend( {}, this.options );\n\t\t}\n\n\t\tif ( typeof key === \"string\" ) {\n\n\t\t\t// Handle nested keys, e.g., \"foo.bar\" => { foo: { bar: ___ } }\n\t\t\toptions = {};\n\t\t\tparts = key.split( \".\" );\n\t\t\tkey = parts.shift();\n\t\t\tif ( parts.length ) {\n\t\t\t\tcurOption = options[ key ] = $.widget.extend( {}, this.options[ key ] );\n\t\t\t\tfor ( i = 0; i < parts.length - 1; i++ ) {\n\t\t\t\t\tcurOption[ parts[ i ] ] = curOption[ parts[ i ] ] || {};\n\t\t\t\t\tcurOption = curOption[ parts[ i ] ];\n\t\t\t\t}\n\t\t\t\tkey = parts.pop();\n\t\t\t\tif ( arguments.length === 1 ) {\n\t\t\t\t\treturn curOption[ key ] === undefined ? null : curOption[ key ];\n\t\t\t\t}\n\t\t\t\tcurOption[ key ] = value;\n\t\t\t} else {\n\t\t\t\tif ( arguments.length === 1 ) {\n\t\t\t\t\treturn this.options[ key ] === undefined ? null : this.options[ key ];\n\t\t\t\t}\n\t\t\t\toptions[ key ] = value;\n\t\t\t}\n\t\t}\n\n\t\tthis._setOptions( options );\n\n\t\treturn this;\n\t},\n\n\t_setOptions: function( options ) {\n\t\tvar key;\n\n\t\tfor ( key in options ) {\n\t\t\tthis._setOption( key, options[ key ] );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\t_setOption: function( key, value ) {\n\t\tif ( key === \"classes\" ) {\n\t\t\tthis._setOptionClasses( value );\n\t\t}\n\n\t\tthis.options[ key ] = value;\n\n\t\tif ( key === \"disabled\" ) {\n\t\t\tthis._setOptionDisabled( value );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\t_setOptionClasses: function( value ) {\n\t\tvar classKey, elements, currentElements;\n\n\t\tfor ( classKey in value ) {\n\t\t\tcurrentElements = this.classesElementLookup[ classKey ];\n\t\t\tif ( value[ classKey ] === this.options.classes[ classKey ] ||\n\t\t\t\t\t!currentElements ||\n\t\t\t\t\t!currentElements.length ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t// We are doing this to create a new jQuery object because the _removeClass() call\n\t\t\t// on the next line is going to destroy the reference to the current elements being\n\t\t\t// tracked. We need to save a copy of this collection so that we can add the new classes\n\t\t\t// below.\n\t\t\telements = $( currentElements.get() );\n\t\t\tthis._removeClass( currentElements, classKey );\n\n\t\t\t// We don't use _addClass() here, because that uses this.options.classes\n\t\t\t// for generating the string of classes. We want to use the value passed in from\n\t\t\t// _setOption(), this is the new value of the classes option which was passed to\n\t\t\t// _setOption(). We pass this value directly to _classes().\n\t\t\telements.addClass( this._classes( {\n\t\t\t\telement: elements,\n\t\t\t\tkeys: classKey,\n\t\t\t\tclasses: value,\n\t\t\t\tadd: true\n\t\t\t} ) );\n\t\t}\n\t},\n\n\t_setOptionDisabled: function( value ) {\n\t\tthis._toggleClass( this.widget(), this.widgetFullName + \"-disabled\", null, !!value );\n\n\t\t// If the widget is becoming disabled, then nothing is interactive\n\t\tif ( value ) {\n\t\t\tthis._removeClass( this.hoverable, null, \"ui-state-hover\" );\n\t\t\tthis._removeClass( this.focusable, null, \"ui-state-focus\" );\n\t\t}\n\t},\n\n\tenable: function() {\n\t\treturn this._setOptions( { disabled: false } );\n\t},\n\n\tdisable: function() {\n\t\treturn this._setOptions( { disabled: true } );\n\t},\n\n\t_classes: function( options ) {\n\t\tvar full = [];\n\t\tvar that = this;\n\n\t\toptions = $.extend( {\n\t\t\telement: this.element,\n\t\t\tclasses: this.options.classes || {}\n\t\t}, options );\n\n\t\tfunction bindRemoveEvent() {\n\t\t\tvar nodesToBind = [];\n\n\t\t\toptions.element.each( function( _, element ) {\n\t\t\t\tvar isTracked = $.map( that.classesElementLookup, function( elements ) {\n\t\t\t\t\treturn elements;\n\t\t\t\t} )\n\t\t\t\t\t.some( function( elements ) {\n\t\t\t\t\t\treturn elements.is( element );\n\t\t\t\t\t} );\n\n\t\t\t\tif ( !isTracked ) {\n\t\t\t\t\tnodesToBind.push( element );\n\t\t\t\t}\n\t\t\t} );\n\n\t\t\tthat._on( $( nodesToBind ), {\n\t\t\t\tremove: \"_untrackClassesElement\"\n\t\t\t} );\n\t\t}\n\n\t\tfunction processClassString( classes, checkOption ) {\n\t\t\tvar current, i;\n\t\t\tfor ( i = 0; i < classes.length; i++ ) {\n\t\t\t\tcurrent = that.classesElementLookup[ classes[ i ] ] || $();\n\t\t\t\tif ( options.add ) {\n\t\t\t\t\tbindRemoveEvent();\n\t\t\t\t\tcurrent = $( $.uniqueSort( current.get().concat( options.element.get() ) ) );\n\t\t\t\t} else {\n\t\t\t\t\tcurrent = $( current.not( options.element ).get() );\n\t\t\t\t}\n\t\t\t\tthat.classesElementLookup[ classes[ i ] ] = current;\n\t\t\t\tfull.push( classes[ i ] );\n\t\t\t\tif ( checkOption && options.classes[ classes[ i ] ] ) {\n\t\t\t\t\tfull.push( options.classes[ classes[ i ] ] );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tif ( options.keys ) {\n\t\t\tprocessClassString( options.keys.match( /\\S+/g ) || [], true );\n\t\t}\n\t\tif ( options.extra ) {\n\t\t\tprocessClassString( options.extra.match( /\\S+/g ) || [] );\n\t\t}\n\n\t\treturn full.join( \" \" );\n\t},\n\n\t_untrackClassesElement: function( event ) {\n\t\tvar that = this;\n\t\t$.each( that.classesElementLookup, function( key, value ) {\n\t\t\tif ( $.inArray( event.target, value ) !== -1 ) {\n\t\t\t\tthat.classesElementLookup[ key ] = $( value.not( event.target ).get() );\n\t\t\t}\n\t\t} );\n\n\t\tthis._off( $( event.target ) );\n\t},\n\n\t_removeClass: function( element, keys, extra ) {\n\t\treturn this._toggleClass( element, keys, extra, false );\n\t},\n\n\t_addClass: function( element, keys, extra ) {\n\t\treturn this._toggleClass( element, keys, extra, true );\n\t},\n\n\t_toggleClass: function( element, keys, extra, add ) {\n\t\tadd = ( typeof add === \"boolean\" ) ? add : extra;\n\t\tvar shift = ( typeof element === \"string\" || element === null ),\n\t\t\toptions = {\n\t\t\t\textra: shift ? keys : extra,\n\t\t\t\tkeys: shift ? element : keys,\n\t\t\t\telement: shift ? this.element : element,\n\t\t\t\tadd: add\n\t\t\t};\n\t\toptions.element.toggleClass( this._classes( options ), add );\n\t\treturn this;\n\t},\n\n\t_on: function( suppressDisabledCheck, element, handlers ) {\n\t\tvar delegateElement;\n\t\tvar instance = this;\n\n\t\t// No suppressDisabledCheck flag, shuffle arguments\n\t\tif ( typeof suppressDisabledCheck !== \"boolean\" ) {\n\t\t\thandlers = element;\n\t\t\telement = suppressDisabledCheck;\n\t\t\tsuppressDisabledCheck = false;\n\t\t}\n\n\t\t// No element argument, shuffle and use this.element\n\t\tif ( !handlers ) {\n\t\t\thandlers = element;\n\t\t\telement = this.element;\n\t\t\tdelegateElement = this.widget();\n\t\t} else {\n\t\t\telement = delegateElement = $( element );\n\t\t\tthis.bindings = this.bindings.add( element );\n\t\t}\n\n\t\t$.each( handlers, function( event, handler ) {\n\t\t\tfunction handlerProxy() {\n\n\t\t\t\t// Allow widgets to customize the disabled handling\n\t\t\t\t// - disabled as an array instead of boolean\n\t\t\t\t// - disabled class as method for disabling individual parts\n\t\t\t\tif ( !suppressDisabledCheck &&\n\t\t\t\t\t\t( instance.options.disabled === true ||\n\t\t\t\t\t\t$( this ).hasClass( \"ui-state-disabled\" ) ) ) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\treturn ( typeof handler === \"string\" ? instance[ handler ] : handler )\n\t\t\t\t\t.apply( instance, arguments );\n\t\t\t}\n\n\t\t\t// Copy the guid so direct unbinding works\n\t\t\tif ( typeof handler !== \"string\" ) {\n\t\t\t\thandlerProxy.guid = handler.guid =\n\t\t\t\t\thandler.guid || handlerProxy.guid || $.guid++;\n\t\t\t}\n\n\t\t\tvar match = event.match( /^([\\w:-]*)\\s*(.*)$/ );\n\t\t\tvar eventName = match[ 1 ] + instance.eventNamespace;\n\t\t\tvar selector = match[ 2 ];\n\n\t\t\tif ( selector ) {\n\t\t\t\tdelegateElement.on( eventName, selector, handlerProxy );\n\t\t\t} else {\n\t\t\t\telement.on( eventName, handlerProxy );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_off: function( element, eventName ) {\n\t\teventName = ( eventName || \"\" ).split( \" \" ).join( this.eventNamespace + \" \" ) +\n\t\t\tthis.eventNamespace;\n\t\telement.off( eventName );\n\n\t\t// Clear the stack to avoid memory leaks (#10056)\n\t\tthis.bindings = $( this.bindings.not( element ).get() );\n\t\tthis.focusable = $( this.focusable.not( element ).get() );\n\t\tthis.hoverable = $( this.hoverable.not( element ).get() );\n\t},\n\n\t_delay: function( handler, delay ) {\n\t\tfunction handlerProxy() {\n\t\t\treturn ( typeof handler === \"string\" ? instance[ handler ] : handler )\n\t\t\t\t.apply( instance, arguments );\n\t\t}\n\t\tvar instance = this;\n\t\treturn setTimeout( handlerProxy, delay || 0 );\n\t},\n\n\t_hoverable: function( element ) {\n\t\tthis.hoverable = this.hoverable.add( element );\n\t\tthis._on( element, {\n\t\t\tmouseenter: function( event ) {\n\t\t\t\tthis._addClass( $( event.currentTarget ), null, \"ui-state-hover\" );\n\t\t\t},\n\t\t\tmouseleave: function( event ) {\n\t\t\t\tthis._removeClass( $( event.currentTarget ), null, \"ui-state-hover\" );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_focusable: function( element ) {\n\t\tthis.focusable = this.focusable.add( element );\n\t\tthis._on( element, {\n\t\t\tfocusin: function( event ) {\n\t\t\t\tthis._addClass( $( event.currentTarget ), null, \"ui-state-focus\" );\n\t\t\t},\n\t\t\tfocusout: function( event ) {\n\t\t\t\tthis._removeClass( $( event.currentTarget ), null, \"ui-state-focus\" );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_trigger: function( type, event, data ) {\n\t\tvar prop, orig;\n\t\tvar callback = this.options[ type ];\n\n\t\tdata = data || {};\n\t\tevent = $.Event( event );\n\t\tevent.type = ( type === this.widgetEventPrefix ?\n\t\t\ttype :\n\t\t\tthis.widgetEventPrefix + type ).toLowerCase();\n\n\t\t// The original event may come from any element\n\t\t// so we need to reset the target on the new event\n\t\tevent.target = this.element[ 0 ];\n\n\t\t// Copy original event properties over to the new event\n\t\torig = event.originalEvent;\n\t\tif ( orig ) {\n\t\t\tfor ( prop in orig ) {\n\t\t\t\tif ( !( prop in event ) ) {\n\t\t\t\t\tevent[ prop ] = orig[ prop ];\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tthis.element.trigger( event, data );\n\t\treturn !( typeof callback === \"function\" &&\n\t\t\tcallback.apply( this.element[ 0 ], [ event ].concat( data ) ) === false ||\n\t\t\tevent.isDefaultPrevented() );\n\t}\n};\n\n$.each( { show: \"fadeIn\", hide: \"fadeOut\" }, function( method, defaultEffect ) {\n\t$.Widget.prototype[ \"_\" + method ] = function( element, options, callback ) {\n\t\tif ( typeof options === \"string\" ) {\n\t\t\toptions = { effect: options };\n\t\t}\n\n\t\tvar hasOptions;\n\t\tvar effectName = !options ?\n\t\t\tmethod :\n\t\t\toptions === true || typeof options === \"number\" ?\n\t\t\t\tdefaultEffect :\n\t\t\t\toptions.effect || defaultEffect;\n\n\t\toptions = options || {};\n\t\tif ( typeof options === \"number\" ) {\n\t\t\toptions = { duration: options };\n\t\t} else if ( options === true ) {\n\t\t\toptions = {};\n\t\t}\n\n\t\thasOptions = !$.isEmptyObject( options );\n\t\toptions.complete = callback;\n\n\t\tif ( options.delay ) {\n\t\t\telement.delay( options.delay );\n\t\t}\n\n\t\tif ( hasOptions && $.effects && $.effects.effect[ effectName ] ) {\n\t\t\telement[ method ]( options );\n\t\t} else if ( effectName !== method && element[ effectName ] ) {\n\t\t\telement[ effectName ]( options.duration, options.easing, callback );\n\t\t} else {\n\t\t\telement.queue( function( next ) {\n\t\t\t\t$( this )[ method ]();\n\t\t\t\tif ( callback ) {\n\t\t\t\t\tcallback.call( element[ 0 ] );\n\t\t\t\t}\n\t\t\t\tnext();\n\t\t\t} );\n\t\t}\n\t};\n} );\n\nvar widget = $.widget;\n\n\n/*!\n * jQuery UI Position 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * https://api.jqueryui.com/position/\n */\n\n//>>label: Position\n//>>group: Core\n//>>description: Positions elements relative to other elements.\n//>>docs: https://api.jqueryui.com/position/\n//>>demos: https://jqueryui.com/position/\n\n\n( function() {\nvar cachedScrollbarWidth,\n\tmax = Math.max,\n\tabs = Math.abs,\n\trhorizontal = /left|center|right/,\n\trvertical = /top|center|bottom/,\n\troffset = /[\\+\\-]\\d+(\\.[\\d]+)?%?/,\n\trposition = /^\\w+/,\n\trpercent = /%$/,\n\t_position = $.fn.position;\n\nfunction getOffsets( offsets, width, height ) {\n\treturn [\n\t\tparseFloat( offsets[ 0 ] ) * ( rpercent.test( offsets[ 0 ] ) ? width / 100 : 1 ),\n\t\tparseFloat( offsets[ 1 ] ) * ( rpercent.test( offsets[ 1 ] ) ? height / 100 : 1 )\n\t];\n}\n\nfunction parseCss( element, property ) {\n\treturn parseInt( $.css( element, property ), 10 ) || 0;\n}\n\nfunction isWindow( obj ) {\n\treturn obj != null && obj === obj.window;\n}\n\nfunction getDimensions( elem ) {\n\tvar raw = elem[ 0 ];\n\tif ( raw.nodeType === 9 ) {\n\t\treturn {\n\t\t\twidth: elem.width(),\n\t\t\theight: elem.height(),\n\t\t\toffset: { top: 0, left: 0 }\n\t\t};\n\t}\n\tif ( isWindow( raw ) ) {\n\t\treturn {\n\t\t\twidth: elem.width(),\n\t\t\theight: elem.height(),\n\t\t\toffset: { top: elem.scrollTop(), left: elem.scrollLeft() }\n\t\t};\n\t}\n\tif ( raw.preventDefault ) {\n\t\treturn {\n\t\t\twidth: 0,\n\t\t\theight: 0,\n\t\t\toffset: { top: raw.pageY, left: raw.pageX }\n\t\t};\n\t}\n\treturn {\n\t\twidth: elem.outerWidth(),\n\t\theight: elem.outerHeight(),\n\t\toffset: elem.offset()\n\t};\n}\n\n$.position = {\n\tscrollbarWidth: function() {\n\t\tif ( cachedScrollbarWidth !== undefined ) {\n\t\t\treturn cachedScrollbarWidth;\n\t\t}\n\t\tvar w1, w2,\n\t\t\tdiv = $( \"
            \" +\n\t\t\t\t\"
            \" ),\n\t\t\tinnerDiv = div.children()[ 0 ];\n\n\t\t$( \"body\" ).append( div );\n\t\tw1 = innerDiv.offsetWidth;\n\t\tdiv.css( \"overflow\", \"scroll\" );\n\n\t\tw2 = innerDiv.offsetWidth;\n\n\t\tif ( w1 === w2 ) {\n\t\t\tw2 = div[ 0 ].clientWidth;\n\t\t}\n\n\t\tdiv.remove();\n\n\t\treturn ( cachedScrollbarWidth = w1 - w2 );\n\t},\n\tgetScrollInfo: function( within ) {\n\t\tvar overflowX = within.isWindow || within.isDocument ? \"\" :\n\t\t\t\twithin.element.css( \"overflow-x\" ),\n\t\t\toverflowY = within.isWindow || within.isDocument ? \"\" :\n\t\t\t\twithin.element.css( \"overflow-y\" ),\n\t\t\thasOverflowX = overflowX === \"scroll\" ||\n\t\t\t\t( overflowX === \"auto\" && within.width < within.element[ 0 ].scrollWidth ),\n\t\t\thasOverflowY = overflowY === \"scroll\" ||\n\t\t\t\t( overflowY === \"auto\" && within.height < within.element[ 0 ].scrollHeight );\n\t\treturn {\n\t\t\twidth: hasOverflowY ? $.position.scrollbarWidth() : 0,\n\t\t\theight: hasOverflowX ? $.position.scrollbarWidth() : 0\n\t\t};\n\t},\n\tgetWithinInfo: function( element ) {\n\t\tvar withinElement = $( element || window ),\n\t\t\tisElemWindow = isWindow( withinElement[ 0 ] ),\n\t\t\tisDocument = !!withinElement[ 0 ] && withinElement[ 0 ].nodeType === 9,\n\t\t\thasOffset = !isElemWindow && !isDocument;\n\t\treturn {\n\t\t\telement: withinElement,\n\t\t\tisWindow: isElemWindow,\n\t\t\tisDocument: isDocument,\n\t\t\toffset: hasOffset ? $( element ).offset() : { left: 0, top: 0 },\n\t\t\tscrollLeft: withinElement.scrollLeft(),\n\t\t\tscrollTop: withinElement.scrollTop(),\n\t\t\twidth: withinElement.outerWidth(),\n\t\t\theight: withinElement.outerHeight()\n\t\t};\n\t}\n};\n\n$.fn.position = function( options ) {\n\tif ( !options || !options.of ) {\n\t\treturn _position.apply( this, arguments );\n\t}\n\n\t// Make a copy, we don't want to modify arguments\n\toptions = $.extend( {}, options );\n\n\tvar atOffset, targetWidth, targetHeight, targetOffset, basePosition, dimensions,\n\n\t\t// Make sure string options are treated as CSS selectors\n\t\ttarget = typeof options.of === \"string\" ?\n\t\t\t$( document ).find( options.of ) :\n\t\t\t$( options.of ),\n\n\t\twithin = $.position.getWithinInfo( options.within ),\n\t\tscrollInfo = $.position.getScrollInfo( within ),\n\t\tcollision = ( options.collision || \"flip\" ).split( \" \" ),\n\t\toffsets = {};\n\n\tdimensions = getDimensions( target );\n\tif ( target[ 0 ].preventDefault ) {\n\n\t\t// Force left top to allow flipping\n\t\toptions.at = \"left top\";\n\t}\n\ttargetWidth = dimensions.width;\n\ttargetHeight = dimensions.height;\n\ttargetOffset = dimensions.offset;\n\n\t// Clone to reuse original targetOffset later\n\tbasePosition = $.extend( {}, targetOffset );\n\n\t// Force my and at to have valid horizontal and vertical positions\n\t// if a value is missing or invalid, it will be converted to center\n\t$.each( [ \"my\", \"at\" ], function() {\n\t\tvar pos = ( options[ this ] || \"\" ).split( \" \" ),\n\t\t\thorizontalOffset,\n\t\t\tverticalOffset;\n\n\t\tif ( pos.length === 1 ) {\n\t\t\tpos = rhorizontal.test( pos[ 0 ] ) ?\n\t\t\t\tpos.concat( [ \"center\" ] ) :\n\t\t\t\trvertical.test( pos[ 0 ] ) ?\n\t\t\t\t\t[ \"center\" ].concat( pos ) :\n\t\t\t\t\t[ \"center\", \"center\" ];\n\t\t}\n\t\tpos[ 0 ] = rhorizontal.test( pos[ 0 ] ) ? pos[ 0 ] : \"center\";\n\t\tpos[ 1 ] = rvertical.test( pos[ 1 ] ) ? pos[ 1 ] : \"center\";\n\n\t\t// Calculate offsets\n\t\thorizontalOffset = roffset.exec( pos[ 0 ] );\n\t\tverticalOffset = roffset.exec( pos[ 1 ] );\n\t\toffsets[ this ] = [\n\t\t\thorizontalOffset ? horizontalOffset[ 0 ] : 0,\n\t\t\tverticalOffset ? verticalOffset[ 0 ] : 0\n\t\t];\n\n\t\t// Reduce to just the positions without the offsets\n\t\toptions[ this ] = [\n\t\t\trposition.exec( pos[ 0 ] )[ 0 ],\n\t\t\trposition.exec( pos[ 1 ] )[ 0 ]\n\t\t];\n\t} );\n\n\t// Normalize collision option\n\tif ( collision.length === 1 ) {\n\t\tcollision[ 1 ] = collision[ 0 ];\n\t}\n\n\tif ( options.at[ 0 ] === \"right\" ) {\n\t\tbasePosition.left += targetWidth;\n\t} else if ( options.at[ 0 ] === \"center\" ) {\n\t\tbasePosition.left += targetWidth / 2;\n\t}\n\n\tif ( options.at[ 1 ] === \"bottom\" ) {\n\t\tbasePosition.top += targetHeight;\n\t} else if ( options.at[ 1 ] === \"center\" ) {\n\t\tbasePosition.top += targetHeight / 2;\n\t}\n\n\tatOffset = getOffsets( offsets.at, targetWidth, targetHeight );\n\tbasePosition.left += atOffset[ 0 ];\n\tbasePosition.top += atOffset[ 1 ];\n\n\treturn this.each( function() {\n\t\tvar collisionPosition, using,\n\t\t\telem = $( this ),\n\t\t\telemWidth = elem.outerWidth(),\n\t\t\telemHeight = elem.outerHeight(),\n\t\t\tmarginLeft = parseCss( this, \"marginLeft\" ),\n\t\t\tmarginTop = parseCss( this, \"marginTop\" ),\n\t\t\tcollisionWidth = elemWidth + marginLeft + parseCss( this, \"marginRight\" ) +\n\t\t\t\tscrollInfo.width,\n\t\t\tcollisionHeight = elemHeight + marginTop + parseCss( this, \"marginBottom\" ) +\n\t\t\t\tscrollInfo.height,\n\t\t\tposition = $.extend( {}, basePosition ),\n\t\t\tmyOffset = getOffsets( offsets.my, elem.outerWidth(), elem.outerHeight() );\n\n\t\tif ( options.my[ 0 ] === \"right\" ) {\n\t\t\tposition.left -= elemWidth;\n\t\t} else if ( options.my[ 0 ] === \"center\" ) {\n\t\t\tposition.left -= elemWidth / 2;\n\t\t}\n\n\t\tif ( options.my[ 1 ] === \"bottom\" ) {\n\t\t\tposition.top -= elemHeight;\n\t\t} else if ( options.my[ 1 ] === \"center\" ) {\n\t\t\tposition.top -= elemHeight / 2;\n\t\t}\n\n\t\tposition.left += myOffset[ 0 ];\n\t\tposition.top += myOffset[ 1 ];\n\n\t\tcollisionPosition = {\n\t\t\tmarginLeft: marginLeft,\n\t\t\tmarginTop: marginTop\n\t\t};\n\n\t\t$.each( [ \"left\", \"top\" ], function( i, dir ) {\n\t\t\tif ( $.ui.position[ collision[ i ] ] ) {\n\t\t\t\t$.ui.position[ collision[ i ] ][ dir ]( position, {\n\t\t\t\t\ttargetWidth: targetWidth,\n\t\t\t\t\ttargetHeight: targetHeight,\n\t\t\t\t\telemWidth: elemWidth,\n\t\t\t\t\telemHeight: elemHeight,\n\t\t\t\t\tcollisionPosition: collisionPosition,\n\t\t\t\t\tcollisionWidth: collisionWidth,\n\t\t\t\t\tcollisionHeight: collisionHeight,\n\t\t\t\t\toffset: [ atOffset[ 0 ] + myOffset[ 0 ], atOffset [ 1 ] + myOffset[ 1 ] ],\n\t\t\t\t\tmy: options.my,\n\t\t\t\t\tat: options.at,\n\t\t\t\t\twithin: within,\n\t\t\t\t\telem: elem\n\t\t\t\t} );\n\t\t\t}\n\t\t} );\n\n\t\tif ( options.using ) {\n\n\t\t\t// Adds feedback as second argument to using callback, if present\n\t\t\tusing = function( props ) {\n\t\t\t\tvar left = targetOffset.left - position.left,\n\t\t\t\t\tright = left + targetWidth - elemWidth,\n\t\t\t\t\ttop = targetOffset.top - position.top,\n\t\t\t\t\tbottom = top + targetHeight - elemHeight,\n\t\t\t\t\tfeedback = {\n\t\t\t\t\t\ttarget: {\n\t\t\t\t\t\t\telement: target,\n\t\t\t\t\t\t\tleft: targetOffset.left,\n\t\t\t\t\t\t\ttop: targetOffset.top,\n\t\t\t\t\t\t\twidth: targetWidth,\n\t\t\t\t\t\t\theight: targetHeight\n\t\t\t\t\t\t},\n\t\t\t\t\t\telement: {\n\t\t\t\t\t\t\telement: elem,\n\t\t\t\t\t\t\tleft: position.left,\n\t\t\t\t\t\t\ttop: position.top,\n\t\t\t\t\t\t\twidth: elemWidth,\n\t\t\t\t\t\t\theight: elemHeight\n\t\t\t\t\t\t},\n\t\t\t\t\t\thorizontal: right < 0 ? \"left\" : left > 0 ? \"right\" : \"center\",\n\t\t\t\t\t\tvertical: bottom < 0 ? \"top\" : top > 0 ? \"bottom\" : \"middle\"\n\t\t\t\t\t};\n\t\t\t\tif ( targetWidth < elemWidth && abs( left + right ) < targetWidth ) {\n\t\t\t\t\tfeedback.horizontal = \"center\";\n\t\t\t\t}\n\t\t\t\tif ( targetHeight < elemHeight && abs( top + bottom ) < targetHeight ) {\n\t\t\t\t\tfeedback.vertical = \"middle\";\n\t\t\t\t}\n\t\t\t\tif ( max( abs( left ), abs( right ) ) > max( abs( top ), abs( bottom ) ) ) {\n\t\t\t\t\tfeedback.important = \"horizontal\";\n\t\t\t\t} else {\n\t\t\t\t\tfeedback.important = \"vertical\";\n\t\t\t\t}\n\t\t\t\toptions.using.call( this, props, feedback );\n\t\t\t};\n\t\t}\n\n\t\telem.offset( $.extend( position, { using: using } ) );\n\t} );\n};\n\n$.ui.position = {\n\tfit: {\n\t\tleft: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.isWindow ? within.scrollLeft : within.offset.left,\n\t\t\t\touterWidth = within.width,\n\t\t\t\tcollisionPosLeft = position.left - data.collisionPosition.marginLeft,\n\t\t\t\toverLeft = withinOffset - collisionPosLeft,\n\t\t\t\toverRight = collisionPosLeft + data.collisionWidth - outerWidth - withinOffset,\n\t\t\t\tnewOverRight;\n\n\t\t\t// Element is wider than within\n\t\t\tif ( data.collisionWidth > outerWidth ) {\n\n\t\t\t\t// Element is initially over the left side of within\n\t\t\t\tif ( overLeft > 0 && overRight <= 0 ) {\n\t\t\t\t\tnewOverRight = position.left + overLeft + data.collisionWidth - outerWidth -\n\t\t\t\t\t\twithinOffset;\n\t\t\t\t\tposition.left += overLeft - newOverRight;\n\n\t\t\t\t// Element is initially over right side of within\n\t\t\t\t} else if ( overRight > 0 && overLeft <= 0 ) {\n\t\t\t\t\tposition.left = withinOffset;\n\n\t\t\t\t// Element is initially over both left and right sides of within\n\t\t\t\t} else {\n\t\t\t\t\tif ( overLeft > overRight ) {\n\t\t\t\t\t\tposition.left = withinOffset + outerWidth - data.collisionWidth;\n\t\t\t\t\t} else {\n\t\t\t\t\t\tposition.left = withinOffset;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t// Too far left -> align with left edge\n\t\t\t} else if ( overLeft > 0 ) {\n\t\t\t\tposition.left += overLeft;\n\n\t\t\t// Too far right -> align with right edge\n\t\t\t} else if ( overRight > 0 ) {\n\t\t\t\tposition.left -= overRight;\n\n\t\t\t// Adjust based on position and margin\n\t\t\t} else {\n\t\t\t\tposition.left = max( position.left - collisionPosLeft, position.left );\n\t\t\t}\n\t\t},\n\t\ttop: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.isWindow ? within.scrollTop : within.offset.top,\n\t\t\t\touterHeight = data.within.height,\n\t\t\t\tcollisionPosTop = position.top - data.collisionPosition.marginTop,\n\t\t\t\toverTop = withinOffset - collisionPosTop,\n\t\t\t\toverBottom = collisionPosTop + data.collisionHeight - outerHeight - withinOffset,\n\t\t\t\tnewOverBottom;\n\n\t\t\t// Element is taller than within\n\t\t\tif ( data.collisionHeight > outerHeight ) {\n\n\t\t\t\t// Element is initially over the top of within\n\t\t\t\tif ( overTop > 0 && overBottom <= 0 ) {\n\t\t\t\t\tnewOverBottom = position.top + overTop + data.collisionHeight - outerHeight -\n\t\t\t\t\t\twithinOffset;\n\t\t\t\t\tposition.top += overTop - newOverBottom;\n\n\t\t\t\t// Element is initially over bottom of within\n\t\t\t\t} else if ( overBottom > 0 && overTop <= 0 ) {\n\t\t\t\t\tposition.top = withinOffset;\n\n\t\t\t\t// Element is initially over both top and bottom of within\n\t\t\t\t} else {\n\t\t\t\t\tif ( overTop > overBottom ) {\n\t\t\t\t\t\tposition.top = withinOffset + outerHeight - data.collisionHeight;\n\t\t\t\t\t} else {\n\t\t\t\t\t\tposition.top = withinOffset;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t// Too far up -> align with top\n\t\t\t} else if ( overTop > 0 ) {\n\t\t\t\tposition.top += overTop;\n\n\t\t\t// Too far down -> align with bottom edge\n\t\t\t} else if ( overBottom > 0 ) {\n\t\t\t\tposition.top -= overBottom;\n\n\t\t\t// Adjust based on position and margin\n\t\t\t} else {\n\t\t\t\tposition.top = max( position.top - collisionPosTop, position.top );\n\t\t\t}\n\t\t}\n\t},\n\tflip: {\n\t\tleft: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.offset.left + within.scrollLeft,\n\t\t\t\touterWidth = within.width,\n\t\t\t\toffsetLeft = within.isWindow ? within.scrollLeft : within.offset.left,\n\t\t\t\tcollisionPosLeft = position.left - data.collisionPosition.marginLeft,\n\t\t\t\toverLeft = collisionPosLeft - offsetLeft,\n\t\t\t\toverRight = collisionPosLeft + data.collisionWidth - outerWidth - offsetLeft,\n\t\t\t\tmyOffset = data.my[ 0 ] === \"left\" ?\n\t\t\t\t\t-data.elemWidth :\n\t\t\t\t\tdata.my[ 0 ] === \"right\" ?\n\t\t\t\t\t\tdata.elemWidth :\n\t\t\t\t\t\t0,\n\t\t\t\tatOffset = data.at[ 0 ] === \"left\" ?\n\t\t\t\t\tdata.targetWidth :\n\t\t\t\t\tdata.at[ 0 ] === \"right\" ?\n\t\t\t\t\t\t-data.targetWidth :\n\t\t\t\t\t\t0,\n\t\t\t\toffset = -2 * data.offset[ 0 ],\n\t\t\t\tnewOverRight,\n\t\t\t\tnewOverLeft;\n\n\t\t\tif ( overLeft < 0 ) {\n\t\t\t\tnewOverRight = position.left + myOffset + atOffset + offset + data.collisionWidth -\n\t\t\t\t\touterWidth - withinOffset;\n\t\t\t\tif ( newOverRight < 0 || newOverRight < abs( overLeft ) ) {\n\t\t\t\t\tposition.left += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t} else if ( overRight > 0 ) {\n\t\t\t\tnewOverLeft = position.left - data.collisionPosition.marginLeft + myOffset +\n\t\t\t\t\tatOffset + offset - offsetLeft;\n\t\t\t\tif ( newOverLeft > 0 || abs( newOverLeft ) < overRight ) {\n\t\t\t\t\tposition.left += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\ttop: function( position, data ) {\n\t\t\tvar within = data.within,\n\t\t\t\twithinOffset = within.offset.top + within.scrollTop,\n\t\t\t\touterHeight = within.height,\n\t\t\t\toffsetTop = within.isWindow ? within.scrollTop : within.offset.top,\n\t\t\t\tcollisionPosTop = position.top - data.collisionPosition.marginTop,\n\t\t\t\toverTop = collisionPosTop - offsetTop,\n\t\t\t\toverBottom = collisionPosTop + data.collisionHeight - outerHeight - offsetTop,\n\t\t\t\ttop = data.my[ 1 ] === \"top\",\n\t\t\t\tmyOffset = top ?\n\t\t\t\t\t-data.elemHeight :\n\t\t\t\t\tdata.my[ 1 ] === \"bottom\" ?\n\t\t\t\t\t\tdata.elemHeight :\n\t\t\t\t\t\t0,\n\t\t\t\tatOffset = data.at[ 1 ] === \"top\" ?\n\t\t\t\t\tdata.targetHeight :\n\t\t\t\t\tdata.at[ 1 ] === \"bottom\" ?\n\t\t\t\t\t\t-data.targetHeight :\n\t\t\t\t\t\t0,\n\t\t\t\toffset = -2 * data.offset[ 1 ],\n\t\t\t\tnewOverTop,\n\t\t\t\tnewOverBottom;\n\t\t\tif ( overTop < 0 ) {\n\t\t\t\tnewOverBottom = position.top + myOffset + atOffset + offset + data.collisionHeight -\n\t\t\t\t\touterHeight - withinOffset;\n\t\t\t\tif ( newOverBottom < 0 || newOverBottom < abs( overTop ) ) {\n\t\t\t\t\tposition.top += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t} else if ( overBottom > 0 ) {\n\t\t\t\tnewOverTop = position.top - data.collisionPosition.marginTop + myOffset + atOffset +\n\t\t\t\t\toffset - offsetTop;\n\t\t\t\tif ( newOverTop > 0 || abs( newOverTop ) < overBottom ) {\n\t\t\t\t\tposition.top += myOffset + atOffset + offset;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t},\n\tflipfit: {\n\t\tleft: function() {\n\t\t\t$.ui.position.flip.left.apply( this, arguments );\n\t\t\t$.ui.position.fit.left.apply( this, arguments );\n\t\t},\n\t\ttop: function() {\n\t\t\t$.ui.position.flip.top.apply( this, arguments );\n\t\t\t$.ui.position.fit.top.apply( this, arguments );\n\t\t}\n\t}\n};\n\n} )();\n\nvar position = $.ui.position;\n\n\n/*!\n * jQuery UI :data 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: :data Selector\n//>>group: Core\n//>>description: Selects elements which have data stored under the specified key.\n//>>docs: https://api.jqueryui.com/data-selector/\n\n\nvar data = $.extend( $.expr.pseudos, {\n\tdata: $.expr.createPseudo ?\n\t\t$.expr.createPseudo( function( dataName ) {\n\t\t\treturn function( elem ) {\n\t\t\t\treturn !!$.data( elem, dataName );\n\t\t\t};\n\t\t} ) :\n\n\t\t// Support: jQuery <1.8\n\t\tfunction( elem, i, match ) {\n\t\t\treturn !!$.data( elem, match[ 3 ] );\n\t\t}\n} );\n\n/*!\n * jQuery UI Disable Selection 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: disableSelection\n//>>group: Core\n//>>description: Disable selection of text content within the set of matched elements.\n//>>docs: https://api.jqueryui.com/disableSelection/\n\n// This file is deprecated\n\nvar disableSelection = $.fn.extend( {\n\tdisableSelection: ( function() {\n\t\tvar eventType = \"onselectstart\" in document.createElement( \"div\" ) ?\n\t\t\t\"selectstart\" :\n\t\t\t\"mousedown\";\n\n\t\treturn function() {\n\t\t\treturn this.on( eventType + \".ui-disableSelection\", function( event ) {\n\t\t\t\tevent.preventDefault();\n\t\t\t} );\n\t\t};\n\t} )(),\n\n\tenableSelection: function() {\n\t\treturn this.off( \".ui-disableSelection\" );\n\t}\n} );\n\n\n\n// Create a local jQuery because jQuery Color relies on it and the\n// global may not exist with AMD and a custom build (#10199).\n// This module is a noop if used as a regular AMD module.\n// eslint-disable-next-line no-unused-vars\nvar jQuery = $;\n\n\n/*!\n * jQuery Color Animations v2.2.0\n * https://github.com/jquery/jquery-color\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n * Date: Sun May 10 09:02:36 2020 +0200\n */\n\n\n\n\tvar stepHooks = \"backgroundColor borderBottomColor borderLeftColor borderRightColor \" +\n\t\t\"borderTopColor color columnRuleColor outlineColor textDecorationColor textEmphasisColor\",\n\n\tclass2type = {},\n\ttoString = class2type.toString,\n\n\t// plusequals test for += 100 -= 100\n\trplusequals = /^([\\-+])=\\s*(\\d+\\.?\\d*)/,\n\n\t// a set of RE's that can match strings and generate color tuples.\n\tstringParsers = [ {\n\t\t\tre: /rgba?\\(\\s*(\\d{1,3})\\s*,\\s*(\\d{1,3})\\s*,\\s*(\\d{1,3})\\s*(?:,\\s*(\\d?(?:\\.\\d+)?)\\s*)?\\)/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\texecResult[ 1 ],\n\t\t\t\t\texecResult[ 2 ],\n\t\t\t\t\texecResult[ 3 ],\n\t\t\t\t\texecResult[ 4 ]\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\t\t\tre: /rgba?\\(\\s*(\\d+(?:\\.\\d+)?)\\%\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*(?:,\\s*(\\d?(?:\\.\\d+)?)\\s*)?\\)/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\texecResult[ 1 ] * 2.55,\n\t\t\t\t\texecResult[ 2 ] * 2.55,\n\t\t\t\t\texecResult[ 3 ] * 2.55,\n\t\t\t\t\texecResult[ 4 ]\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\n\t\t\t// this regex ignores A-F because it's compared against an already lowercased string\n\t\t\tre: /#([a-f0-9]{2})([a-f0-9]{2})([a-f0-9]{2})([a-f0-9]{2})?/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\tparseInt( execResult[ 1 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 2 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 3 ], 16 ),\n\t\t\t\t\texecResult[ 4 ] ?\n\t\t\t\t\t\t( parseInt( execResult[ 4 ], 16 ) / 255 ).toFixed( 2 ) :\n\t\t\t\t\t\t1\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\n\t\t\t// this regex ignores A-F because it's compared against an already lowercased string\n\t\t\tre: /#([a-f0-9])([a-f0-9])([a-f0-9])([a-f0-9])?/,\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\tparseInt( execResult[ 1 ] + execResult[ 1 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 2 ] + execResult[ 2 ], 16 ),\n\t\t\t\t\tparseInt( execResult[ 3 ] + execResult[ 3 ], 16 ),\n\t\t\t\t\texecResult[ 4 ] ?\n\t\t\t\t\t\t( parseInt( execResult[ 4 ] + execResult[ 4 ], 16 ) / 255 )\n\t\t\t\t\t\t\t.toFixed( 2 ) :\n\t\t\t\t\t\t1\n\t\t\t\t];\n\t\t\t}\n\t\t}, {\n\t\t\tre: /hsla?\\(\\s*(\\d+(?:\\.\\d+)?)\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*,\\s*(\\d+(?:\\.\\d+)?)\\%\\s*(?:,\\s*(\\d?(?:\\.\\d+)?)\\s*)?\\)/,\n\t\t\tspace: \"hsla\",\n\t\t\tparse: function( execResult ) {\n\t\t\t\treturn [\n\t\t\t\t\texecResult[ 1 ],\n\t\t\t\t\texecResult[ 2 ] / 100,\n\t\t\t\t\texecResult[ 3 ] / 100,\n\t\t\t\t\texecResult[ 4 ]\n\t\t\t\t];\n\t\t\t}\n\t\t} ],\n\n\t// jQuery.Color( )\n\tcolor = jQuery.Color = function( color, green, blue, alpha ) {\n\t\treturn new jQuery.Color.fn.parse( color, green, blue, alpha );\n\t},\n\tspaces = {\n\t\trgba: {\n\t\t\tprops: {\n\t\t\t\tred: {\n\t\t\t\t\tidx: 0,\n\t\t\t\t\ttype: \"byte\"\n\t\t\t\t},\n\t\t\t\tgreen: {\n\t\t\t\t\tidx: 1,\n\t\t\t\t\ttype: \"byte\"\n\t\t\t\t},\n\t\t\t\tblue: {\n\t\t\t\t\tidx: 2,\n\t\t\t\t\ttype: \"byte\"\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\thsla: {\n\t\t\tprops: {\n\t\t\t\thue: {\n\t\t\t\t\tidx: 0,\n\t\t\t\t\ttype: \"degrees\"\n\t\t\t\t},\n\t\t\t\tsaturation: {\n\t\t\t\t\tidx: 1,\n\t\t\t\t\ttype: \"percent\"\n\t\t\t\t},\n\t\t\t\tlightness: {\n\t\t\t\t\tidx: 2,\n\t\t\t\t\ttype: \"percent\"\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t},\n\tpropTypes = {\n\t\t\"byte\": {\n\t\t\tfloor: true,\n\t\t\tmax: 255\n\t\t},\n\t\t\"percent\": {\n\t\t\tmax: 1\n\t\t},\n\t\t\"degrees\": {\n\t\t\tmod: 360,\n\t\t\tfloor: true\n\t\t}\n\t},\n\tsupport = color.support = {},\n\n\t// element for support tests\n\tsupportElem = jQuery( \"

            \" )[ 0 ],\n\n\t// colors = jQuery.Color.names\n\tcolors,\n\n\t// local aliases of functions called often\n\teach = jQuery.each;\n\n// determine rgba support immediately\nsupportElem.style.cssText = \"background-color:rgba(1,1,1,.5)\";\nsupport.rgba = supportElem.style.backgroundColor.indexOf( \"rgba\" ) > -1;\n\n// define cache name and alpha properties\n// for rgba and hsla spaces\neach( spaces, function( spaceName, space ) {\n\tspace.cache = \"_\" + spaceName;\n\tspace.props.alpha = {\n\t\tidx: 3,\n\t\ttype: \"percent\",\n\t\tdef: 1\n\t};\n} );\n\n// Populate the class2type map\njQuery.each( \"Boolean Number String Function Array Date RegExp Object Error Symbol\".split( \" \" ),\n\tfunction( _i, name ) {\n\t\tclass2type[ \"[object \" + name + \"]\" ] = name.toLowerCase();\n\t} );\n\nfunction getType( obj ) {\n\tif ( obj == null ) {\n\t\treturn obj + \"\";\n\t}\n\n\treturn typeof obj === \"object\" ?\n\t\tclass2type[ toString.call( obj ) ] || \"object\" :\n\t\ttypeof obj;\n}\n\nfunction clamp( value, prop, allowEmpty ) {\n\tvar type = propTypes[ prop.type ] || {};\n\n\tif ( value == null ) {\n\t\treturn ( allowEmpty || !prop.def ) ? null : prop.def;\n\t}\n\n\t// ~~ is an short way of doing floor for positive numbers\n\tvalue = type.floor ? ~~value : parseFloat( value );\n\n\t// IE will pass in empty strings as value for alpha,\n\t// which will hit this case\n\tif ( isNaN( value ) ) {\n\t\treturn prop.def;\n\t}\n\n\tif ( type.mod ) {\n\n\t\t// we add mod before modding to make sure that negatives values\n\t\t// get converted properly: -10 -> 350\n\t\treturn ( value + type.mod ) % type.mod;\n\t}\n\n\t// for now all property types without mod have min and max\n\treturn Math.min( type.max, Math.max( 0, value ) );\n}\n\nfunction stringParse( string ) {\n\tvar inst = color(),\n\t\trgba = inst._rgba = [];\n\n\tstring = string.toLowerCase();\n\n\teach( stringParsers, function( _i, parser ) {\n\t\tvar parsed,\n\t\t\tmatch = parser.re.exec( string ),\n\t\t\tvalues = match && parser.parse( match ),\n\t\t\tspaceName = parser.space || \"rgba\";\n\n\t\tif ( values ) {\n\t\t\tparsed = inst[ spaceName ]( values );\n\n\t\t\t// if this was an rgba parse the assignment might happen twice\n\t\t\t// oh well....\n\t\t\tinst[ spaces[ spaceName ].cache ] = parsed[ spaces[ spaceName ].cache ];\n\t\t\trgba = inst._rgba = parsed._rgba;\n\n\t\t\t// exit each( stringParsers ) here because we matched\n\t\t\treturn false;\n\t\t}\n\t} );\n\n\t// Found a stringParser that handled it\n\tif ( rgba.length ) {\n\n\t\t// if this came from a parsed string, force \"transparent\" when alpha is 0\n\t\t// chrome, (and maybe others) return \"transparent\" as rgba(0,0,0,0)\n\t\tif ( rgba.join() === \"0,0,0,0\" ) {\n\t\t\tjQuery.extend( rgba, colors.transparent );\n\t\t}\n\t\treturn inst;\n\t}\n\n\t// named colors\n\treturn colors[ string ];\n}\n\ncolor.fn = jQuery.extend( color.prototype, {\n\tparse: function( red, green, blue, alpha ) {\n\t\tif ( red === undefined ) {\n\t\t\tthis._rgba = [ null, null, null, null ];\n\t\t\treturn this;\n\t\t}\n\t\tif ( red.jquery || red.nodeType ) {\n\t\t\tred = jQuery( red ).css( green );\n\t\t\tgreen = undefined;\n\t\t}\n\n\t\tvar inst = this,\n\t\t\ttype = getType( red ),\n\t\t\trgba = this._rgba = [];\n\n\t\t// more than 1 argument specified - assume ( red, green, blue, alpha )\n\t\tif ( green !== undefined ) {\n\t\t\tred = [ red, green, blue, alpha ];\n\t\t\ttype = \"array\";\n\t\t}\n\n\t\tif ( type === \"string\" ) {\n\t\t\treturn this.parse( stringParse( red ) || colors._default );\n\t\t}\n\n\t\tif ( type === \"array\" ) {\n\t\t\teach( spaces.rgba.props, function( _key, prop ) {\n\t\t\t\trgba[ prop.idx ] = clamp( red[ prop.idx ], prop );\n\t\t\t} );\n\t\t\treturn this;\n\t\t}\n\n\t\tif ( type === \"object\" ) {\n\t\t\tif ( red instanceof color ) {\n\t\t\t\teach( spaces, function( _spaceName, space ) {\n\t\t\t\t\tif ( red[ space.cache ] ) {\n\t\t\t\t\t\tinst[ space.cache ] = red[ space.cache ].slice();\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t} else {\n\t\t\t\teach( spaces, function( _spaceName, space ) {\n\t\t\t\t\tvar cache = space.cache;\n\t\t\t\t\teach( space.props, function( key, prop ) {\n\n\t\t\t\t\t\t// if the cache doesn't exist, and we know how to convert\n\t\t\t\t\t\tif ( !inst[ cache ] && space.to ) {\n\n\t\t\t\t\t\t\t// if the value was null, we don't need to copy it\n\t\t\t\t\t\t\t// if the key was alpha, we don't need to copy it either\n\t\t\t\t\t\t\tif ( key === \"alpha\" || red[ key ] == null ) {\n\t\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tinst[ cache ] = space.to( inst._rgba );\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// this is the only case where we allow nulls for ALL properties.\n\t\t\t\t\t\t// call clamp with alwaysAllowEmpty\n\t\t\t\t\t\tinst[ cache ][ prop.idx ] = clamp( red[ key ], prop, true );\n\t\t\t\t\t} );\n\n\t\t\t\t\t// everything defined but alpha?\n\t\t\t\t\tif ( inst[ cache ] && jQuery.inArray( null, inst[ cache ].slice( 0, 3 ) ) < 0 ) {\n\n\t\t\t\t\t\t// use the default of 1\n\t\t\t\t\t\tif ( inst[ cache ][ 3 ] == null ) {\n\t\t\t\t\t\t\tinst[ cache ][ 3 ] = 1;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tif ( space.from ) {\n\t\t\t\t\t\t\tinst._rgba = space.from( inst[ cache ] );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t\treturn this;\n\t\t}\n\t},\n\tis: function( compare ) {\n\t\tvar is = color( compare ),\n\t\t\tsame = true,\n\t\t\tinst = this;\n\n\t\teach( spaces, function( _, space ) {\n\t\t\tvar localCache,\n\t\t\t\tisCache = is[ space.cache ];\n\t\t\tif ( isCache ) {\n\t\t\t\tlocalCache = inst[ space.cache ] || space.to && space.to( inst._rgba ) || [];\n\t\t\t\teach( space.props, function( _, prop ) {\n\t\t\t\t\tif ( isCache[ prop.idx ] != null ) {\n\t\t\t\t\t\tsame = ( isCache[ prop.idx ] === localCache[ prop.idx ] );\n\t\t\t\t\t\treturn same;\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t\treturn same;\n\t\t} );\n\t\treturn same;\n\t},\n\t_space: function() {\n\t\tvar used = [],\n\t\t\tinst = this;\n\t\teach( spaces, function( spaceName, space ) {\n\t\t\tif ( inst[ space.cache ] ) {\n\t\t\t\tused.push( spaceName );\n\t\t\t}\n\t\t} );\n\t\treturn used.pop();\n\t},\n\ttransition: function( other, distance ) {\n\t\tvar end = color( other ),\n\t\t\tspaceName = end._space(),\n\t\t\tspace = spaces[ spaceName ],\n\t\t\tstartColor = this.alpha() === 0 ? color( \"transparent\" ) : this,\n\t\t\tstart = startColor[ space.cache ] || space.to( startColor._rgba ),\n\t\t\tresult = start.slice();\n\n\t\tend = end[ space.cache ];\n\t\teach( space.props, function( _key, prop ) {\n\t\t\tvar index = prop.idx,\n\t\t\t\tstartValue = start[ index ],\n\t\t\t\tendValue = end[ index ],\n\t\t\t\ttype = propTypes[ prop.type ] || {};\n\n\t\t\t// if null, don't override start value\n\t\t\tif ( endValue === null ) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// if null - use end\n\t\t\tif ( startValue === null ) {\n\t\t\t\tresult[ index ] = endValue;\n\t\t\t} else {\n\t\t\t\tif ( type.mod ) {\n\t\t\t\t\tif ( endValue - startValue > type.mod / 2 ) {\n\t\t\t\t\t\tstartValue += type.mod;\n\t\t\t\t\t} else if ( startValue - endValue > type.mod / 2 ) {\n\t\t\t\t\t\tstartValue -= type.mod;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tresult[ index ] = clamp( ( endValue - startValue ) * distance + startValue, prop );\n\t\t\t}\n\t\t} );\n\t\treturn this[ spaceName ]( result );\n\t},\n\tblend: function( opaque ) {\n\n\t\t// if we are already opaque - return ourself\n\t\tif ( this._rgba[ 3 ] === 1 ) {\n\t\t\treturn this;\n\t\t}\n\n\t\tvar rgb = this._rgba.slice(),\n\t\t\ta = rgb.pop(),\n\t\t\tblend = color( opaque )._rgba;\n\n\t\treturn color( jQuery.map( rgb, function( v, i ) {\n\t\t\treturn ( 1 - a ) * blend[ i ] + a * v;\n\t\t} ) );\n\t},\n\ttoRgbaString: function() {\n\t\tvar prefix = \"rgba(\",\n\t\t\trgba = jQuery.map( this._rgba, function( v, i ) {\n\t\t\t\tif ( v != null ) {\n\t\t\t\t\treturn v;\n\t\t\t\t}\n\t\t\t\treturn i > 2 ? 1 : 0;\n\t\t\t} );\n\n\t\tif ( rgba[ 3 ] === 1 ) {\n\t\t\trgba.pop();\n\t\t\tprefix = \"rgb(\";\n\t\t}\n\n\t\treturn prefix + rgba.join() + \")\";\n\t},\n\ttoHslaString: function() {\n\t\tvar prefix = \"hsla(\",\n\t\t\thsla = jQuery.map( this.hsla(), function( v, i ) {\n\t\t\t\tif ( v == null ) {\n\t\t\t\t\tv = i > 2 ? 1 : 0;\n\t\t\t\t}\n\n\t\t\t\t// catch 1 and 2\n\t\t\t\tif ( i && i < 3 ) {\n\t\t\t\t\tv = Math.round( v * 100 ) + \"%\";\n\t\t\t\t}\n\t\t\t\treturn v;\n\t\t\t} );\n\n\t\tif ( hsla[ 3 ] === 1 ) {\n\t\t\thsla.pop();\n\t\t\tprefix = \"hsl(\";\n\t\t}\n\t\treturn prefix + hsla.join() + \")\";\n\t},\n\ttoHexString: function( includeAlpha ) {\n\t\tvar rgba = this._rgba.slice(),\n\t\t\talpha = rgba.pop();\n\n\t\tif ( includeAlpha ) {\n\t\t\trgba.push( ~~( alpha * 255 ) );\n\t\t}\n\n\t\treturn \"#\" + jQuery.map( rgba, function( v ) {\n\n\t\t\t// default to 0 when nulls exist\n\t\t\tv = ( v || 0 ).toString( 16 );\n\t\t\treturn v.length === 1 ? \"0\" + v : v;\n\t\t} ).join( \"\" );\n\t},\n\ttoString: function() {\n\t\treturn this._rgba[ 3 ] === 0 ? \"transparent\" : this.toRgbaString();\n\t}\n} );\ncolor.fn.parse.prototype = color.fn;\n\n// hsla conversions adapted from:\n// https://code.google.com/p/maashaack/source/browse/packages/graphics/trunk/src/graphics/colors/HUE2RGB.as?r=5021\n\nfunction hue2rgb( p, q, h ) {\n\th = ( h + 1 ) % 1;\n\tif ( h * 6 < 1 ) {\n\t\treturn p + ( q - p ) * h * 6;\n\t}\n\tif ( h * 2 < 1 ) {\n\t\treturn q;\n\t}\n\tif ( h * 3 < 2 ) {\n\t\treturn p + ( q - p ) * ( ( 2 / 3 ) - h ) * 6;\n\t}\n\treturn p;\n}\n\nspaces.hsla.to = function( rgba ) {\n\tif ( rgba[ 0 ] == null || rgba[ 1 ] == null || rgba[ 2 ] == null ) {\n\t\treturn [ null, null, null, rgba[ 3 ] ];\n\t}\n\tvar r = rgba[ 0 ] / 255,\n\t\tg = rgba[ 1 ] / 255,\n\t\tb = rgba[ 2 ] / 255,\n\t\ta = rgba[ 3 ],\n\t\tmax = Math.max( r, g, b ),\n\t\tmin = Math.min( r, g, b ),\n\t\tdiff = max - min,\n\t\tadd = max + min,\n\t\tl = add * 0.5,\n\t\th, s;\n\n\tif ( min === max ) {\n\t\th = 0;\n\t} else if ( r === max ) {\n\t\th = ( 60 * ( g - b ) / diff ) + 360;\n\t} else if ( g === max ) {\n\t\th = ( 60 * ( b - r ) / diff ) + 120;\n\t} else {\n\t\th = ( 60 * ( r - g ) / diff ) + 240;\n\t}\n\n\t// chroma (diff) == 0 means greyscale which, by definition, saturation = 0%\n\t// otherwise, saturation is based on the ratio of chroma (diff) to lightness (add)\n\tif ( diff === 0 ) {\n\t\ts = 0;\n\t} else if ( l <= 0.5 ) {\n\t\ts = diff / add;\n\t} else {\n\t\ts = diff / ( 2 - add );\n\t}\n\treturn [ Math.round( h ) % 360, s, l, a == null ? 1 : a ];\n};\n\nspaces.hsla.from = function( hsla ) {\n\tif ( hsla[ 0 ] == null || hsla[ 1 ] == null || hsla[ 2 ] == null ) {\n\t\treturn [ null, null, null, hsla[ 3 ] ];\n\t}\n\tvar h = hsla[ 0 ] / 360,\n\t\ts = hsla[ 1 ],\n\t\tl = hsla[ 2 ],\n\t\ta = hsla[ 3 ],\n\t\tq = l <= 0.5 ? l * ( 1 + s ) : l + s - l * s,\n\t\tp = 2 * l - q;\n\n\treturn [\n\t\tMath.round( hue2rgb( p, q, h + ( 1 / 3 ) ) * 255 ),\n\t\tMath.round( hue2rgb( p, q, h ) * 255 ),\n\t\tMath.round( hue2rgb( p, q, h - ( 1 / 3 ) ) * 255 ),\n\t\ta\n\t];\n};\n\n\neach( spaces, function( spaceName, space ) {\n\tvar props = space.props,\n\t\tcache = space.cache,\n\t\tto = space.to,\n\t\tfrom = space.from;\n\n\t// makes rgba() and hsla()\n\tcolor.fn[ spaceName ] = function( value ) {\n\n\t\t// generate a cache for this space if it doesn't exist\n\t\tif ( to && !this[ cache ] ) {\n\t\t\tthis[ cache ] = to( this._rgba );\n\t\t}\n\t\tif ( value === undefined ) {\n\t\t\treturn this[ cache ].slice();\n\t\t}\n\n\t\tvar ret,\n\t\t\ttype = getType( value ),\n\t\t\tarr = ( type === \"array\" || type === \"object\" ) ? value : arguments,\n\t\t\tlocal = this[ cache ].slice();\n\n\t\teach( props, function( key, prop ) {\n\t\t\tvar val = arr[ type === \"object\" ? key : prop.idx ];\n\t\t\tif ( val == null ) {\n\t\t\t\tval = local[ prop.idx ];\n\t\t\t}\n\t\t\tlocal[ prop.idx ] = clamp( val, prop );\n\t\t} );\n\n\t\tif ( from ) {\n\t\t\tret = color( from( local ) );\n\t\t\tret[ cache ] = local;\n\t\t\treturn ret;\n\t\t} else {\n\t\t\treturn color( local );\n\t\t}\n\t};\n\n\t// makes red() green() blue() alpha() hue() saturation() lightness()\n\teach( props, function( key, prop ) {\n\n\t\t// alpha is included in more than one space\n\t\tif ( color.fn[ key ] ) {\n\t\t\treturn;\n\t\t}\n\t\tcolor.fn[ key ] = function( value ) {\n\t\t\tvar local, cur, match, fn,\n\t\t\t\tvtype = getType( value );\n\n\t\t\tif ( key === \"alpha\" ) {\n\t\t\t\tfn = this._hsla ? \"hsla\" : \"rgba\";\n\t\t\t} else {\n\t\t\t\tfn = spaceName;\n\t\t\t}\n\t\t\tlocal = this[ fn ]();\n\t\t\tcur = local[ prop.idx ];\n\n\t\t\tif ( vtype === \"undefined\" ) {\n\t\t\t\treturn cur;\n\t\t\t}\n\n\t\t\tif ( vtype === \"function\" ) {\n\t\t\t\tvalue = value.call( this, cur );\n\t\t\t\tvtype = getType( value );\n\t\t\t}\n\t\t\tif ( value == null && prop.empty ) {\n\t\t\t\treturn this;\n\t\t\t}\n\t\t\tif ( vtype === \"string\" ) {\n\t\t\t\tmatch = rplusequals.exec( value );\n\t\t\t\tif ( match ) {\n\t\t\t\t\tvalue = cur + parseFloat( match[ 2 ] ) * ( match[ 1 ] === \"+\" ? 1 : -1 );\n\t\t\t\t}\n\t\t\t}\n\t\t\tlocal[ prop.idx ] = value;\n\t\t\treturn this[ fn ]( local );\n\t\t};\n\t} );\n} );\n\n// add cssHook and .fx.step function for each named hook.\n// accept a space separated string of properties\ncolor.hook = function( hook ) {\n\tvar hooks = hook.split( \" \" );\n\teach( hooks, function( _i, hook ) {\n\t\tjQuery.cssHooks[ hook ] = {\n\t\t\tset: function( elem, value ) {\n\t\t\t\tvar parsed, curElem,\n\t\t\t\t\tbackgroundColor = \"\";\n\n\t\t\t\tif ( value !== \"transparent\" && ( getType( value ) !== \"string\" || ( parsed = stringParse( value ) ) ) ) {\n\t\t\t\t\tvalue = color( parsed || value );\n\t\t\t\t\tif ( !support.rgba && value._rgba[ 3 ] !== 1 ) {\n\t\t\t\t\t\tcurElem = hook === \"backgroundColor\" ? elem.parentNode : elem;\n\t\t\t\t\t\twhile (\n\t\t\t\t\t\t\t( backgroundColor === \"\" || backgroundColor === \"transparent\" ) &&\n\t\t\t\t\t\t\tcurElem && curElem.style\n\t\t\t\t\t\t) {\n\t\t\t\t\t\t\ttry {\n\t\t\t\t\t\t\t\tbackgroundColor = jQuery.css( curElem, \"backgroundColor\" );\n\t\t\t\t\t\t\t\tcurElem = curElem.parentNode;\n\t\t\t\t\t\t\t} catch ( e ) {\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tvalue = value.blend( backgroundColor && backgroundColor !== \"transparent\" ?\n\t\t\t\t\t\t\tbackgroundColor :\n\t\t\t\t\t\t\t\"_default\" );\n\t\t\t\t\t}\n\n\t\t\t\t\tvalue = value.toRgbaString();\n\t\t\t\t}\n\t\t\t\ttry {\n\t\t\t\t\telem.style[ hook ] = value;\n\t\t\t\t} catch ( e ) {\n\n\t\t\t\t\t// wrapped to prevent IE from throwing errors on \"invalid\" values like 'auto' or 'inherit'\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\t\tjQuery.fx.step[ hook ] = function( fx ) {\n\t\t\tif ( !fx.colorInit ) {\n\t\t\t\tfx.start = color( fx.elem, hook );\n\t\t\t\tfx.end = color( fx.end );\n\t\t\t\tfx.colorInit = true;\n\t\t\t}\n\t\t\tjQuery.cssHooks[ hook ].set( fx.elem, fx.start.transition( fx.end, fx.pos ) );\n\t\t};\n\t} );\n\n};\n\ncolor.hook( stepHooks );\n\njQuery.cssHooks.borderColor = {\n\texpand: function( value ) {\n\t\tvar expanded = {};\n\n\t\teach( [ \"Top\", \"Right\", \"Bottom\", \"Left\" ], function( _i, part ) {\n\t\t\texpanded[ \"border\" + part + \"Color\" ] = value;\n\t\t} );\n\t\treturn expanded;\n\t}\n};\n\n// Basic color names only.\n// Usage of any of the other color names requires adding yourself or including\n// jquery.color.svg-names.js.\ncolors = jQuery.Color.names = {\n\n\t// 4.1. Basic color keywords\n\taqua: \"#00ffff\",\n\tblack: \"#000000\",\n\tblue: \"#0000ff\",\n\tfuchsia: \"#ff00ff\",\n\tgray: \"#808080\",\n\tgreen: \"#008000\",\n\tlime: \"#00ff00\",\n\tmaroon: \"#800000\",\n\tnavy: \"#000080\",\n\tolive: \"#808000\",\n\tpurple: \"#800080\",\n\tred: \"#ff0000\",\n\tsilver: \"#c0c0c0\",\n\tteal: \"#008080\",\n\twhite: \"#ffffff\",\n\tyellow: \"#ffff00\",\n\n\t// 4.2.3. \"transparent\" color keyword\n\ttransparent: [ null, null, null, 0 ],\n\n\t_default: \"#ffffff\"\n};\n\n\n/*!\n * jQuery UI Effects 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Effects Core\n//>>group: Effects\n/* eslint-disable max-len */\n//>>description: Extends the internal jQuery effects. Includes morphing and easing. Required by all other effects.\n/* eslint-enable max-len */\n//>>docs: https://api.jqueryui.com/category/effects-core/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar dataSpace = \"ui-effects-\",\n\tdataSpaceStyle = \"ui-effects-style\",\n\tdataSpaceAnimated = \"ui-effects-animated\";\n\n$.effects = {\n\teffect: {}\n};\n\n/******************************************************************************/\n/****************************** CLASS ANIMATIONS ******************************/\n/******************************************************************************/\n( function() {\n\nvar classAnimationActions = [ \"add\", \"remove\", \"toggle\" ],\n\tshorthandStyles = {\n\t\tborder: 1,\n\t\tborderBottom: 1,\n\t\tborderColor: 1,\n\t\tborderLeft: 1,\n\t\tborderRight: 1,\n\t\tborderTop: 1,\n\t\tborderWidth: 1,\n\t\tmargin: 1,\n\t\tpadding: 1\n\t};\n\n$.each(\n\t[ \"borderLeftStyle\", \"borderRightStyle\", \"borderBottomStyle\", \"borderTopStyle\" ],\n\tfunction( _, prop ) {\n\t\t$.fx.step[ prop ] = function( fx ) {\n\t\t\tif ( fx.end !== \"none\" && !fx.setAttr || fx.pos === 1 && !fx.setAttr ) {\n\t\t\t\tjQuery.style( fx.elem, prop, fx.end );\n\t\t\t\tfx.setAttr = true;\n\t\t\t}\n\t\t};\n\t}\n);\n\nfunction camelCase( string ) {\n\treturn string.replace( /-([\\da-z])/gi, function( all, letter ) {\n\t\treturn letter.toUpperCase();\n\t} );\n}\n\nfunction getElementStyles( elem ) {\n\tvar key, len,\n\t\tstyle = elem.ownerDocument.defaultView ?\n\t\t\telem.ownerDocument.defaultView.getComputedStyle( elem, null ) :\n\t\t\telem.currentStyle,\n\t\tstyles = {};\n\n\tif ( style && style.length && style[ 0 ] && style[ style[ 0 ] ] ) {\n\t\tlen = style.length;\n\t\twhile ( len-- ) {\n\t\t\tkey = style[ len ];\n\t\t\tif ( typeof style[ key ] === \"string\" ) {\n\t\t\t\tstyles[ camelCase( key ) ] = style[ key ];\n\t\t\t}\n\t\t}\n\n\t// Support: Opera, IE <9\n\t} else {\n\t\tfor ( key in style ) {\n\t\t\tif ( typeof style[ key ] === \"string\" ) {\n\t\t\t\tstyles[ key ] = style[ key ];\n\t\t\t}\n\t\t}\n\t}\n\n\treturn styles;\n}\n\nfunction styleDifference( oldStyle, newStyle ) {\n\tvar diff = {},\n\t\tname, value;\n\n\tfor ( name in newStyle ) {\n\t\tvalue = newStyle[ name ];\n\t\tif ( oldStyle[ name ] !== value ) {\n\t\t\tif ( !shorthandStyles[ name ] ) {\n\t\t\t\tif ( $.fx.step[ name ] || !isNaN( parseFloat( value ) ) ) {\n\t\t\t\t\tdiff[ name ] = value;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn diff;\n}\n\n// Support: jQuery <1.8\nif ( !$.fn.addBack ) {\n\t$.fn.addBack = function( selector ) {\n\t\treturn this.add( selector == null ?\n\t\t\tthis.prevObject : this.prevObject.filter( selector )\n\t\t);\n\t};\n}\n\n$.effects.animateClass = function( value, duration, easing, callback ) {\n\tvar o = $.speed( duration, easing, callback );\n\n\treturn this.queue( function() {\n\t\tvar animated = $( this ),\n\t\t\tbaseClass = animated.attr( \"class\" ) || \"\",\n\t\t\tapplyClassChange,\n\t\t\tallAnimations = o.children ? animated.find( \"*\" ).addBack() : animated;\n\n\t\t// Map the animated objects to store the original styles.\n\t\tallAnimations = allAnimations.map( function() {\n\t\t\tvar el = $( this );\n\t\t\treturn {\n\t\t\t\tel: el,\n\t\t\t\tstart: getElementStyles( this )\n\t\t\t};\n\t\t} );\n\n\t\t// Apply class change\n\t\tapplyClassChange = function() {\n\t\t\t$.each( classAnimationActions, function( i, action ) {\n\t\t\t\tif ( value[ action ] ) {\n\t\t\t\t\tanimated[ action + \"Class\" ]( value[ action ] );\n\t\t\t\t}\n\t\t\t} );\n\t\t};\n\t\tapplyClassChange();\n\n\t\t// Map all animated objects again - calculate new styles and diff\n\t\tallAnimations = allAnimations.map( function() {\n\t\t\tthis.end = getElementStyles( this.el[ 0 ] );\n\t\t\tthis.diff = styleDifference( this.start, this.end );\n\t\t\treturn this;\n\t\t} );\n\n\t\t// Apply original class\n\t\tanimated.attr( \"class\", baseClass );\n\n\t\t// Map all animated objects again - this time collecting a promise\n\t\tallAnimations = allAnimations.map( function() {\n\t\t\tvar styleInfo = this,\n\t\t\t\tdfd = $.Deferred(),\n\t\t\t\topts = $.extend( {}, o, {\n\t\t\t\t\tqueue: false,\n\t\t\t\t\tcomplete: function() {\n\t\t\t\t\t\tdfd.resolve( styleInfo );\n\t\t\t\t\t}\n\t\t\t\t} );\n\n\t\t\tthis.el.animate( this.diff, opts );\n\t\t\treturn dfd.promise();\n\t\t} );\n\n\t\t// Once all animations have completed:\n\t\t$.when.apply( $, allAnimations.get() ).done( function() {\n\n\t\t\t// Set the final class\n\t\t\tapplyClassChange();\n\n\t\t\t// For each animated element,\n\t\t\t// clear all css properties that were animated\n\t\t\t$.each( arguments, function() {\n\t\t\t\tvar el = this.el;\n\t\t\t\t$.each( this.diff, function( key ) {\n\t\t\t\t\tel.css( key, \"\" );\n\t\t\t\t} );\n\t\t\t} );\n\n\t\t\t// This is guarnteed to be there if you use jQuery.speed()\n\t\t\t// it also handles dequeuing the next anim...\n\t\t\to.complete.call( animated[ 0 ] );\n\t\t} );\n\t} );\n};\n\n$.fn.extend( {\n\taddClass: ( function( orig ) {\n\t\treturn function( classNames, speed, easing, callback ) {\n\t\t\treturn speed ?\n\t\t\t\t$.effects.animateClass.call( this,\n\t\t\t\t\t{ add: classNames }, speed, easing, callback ) :\n\t\t\t\torig.apply( this, arguments );\n\t\t};\n\t} )( $.fn.addClass ),\n\n\tremoveClass: ( function( orig ) {\n\t\treturn function( classNames, speed, easing, callback ) {\n\t\t\treturn arguments.length > 1 ?\n\t\t\t\t$.effects.animateClass.call( this,\n\t\t\t\t\t{ remove: classNames }, speed, easing, callback ) :\n\t\t\t\torig.apply( this, arguments );\n\t\t};\n\t} )( $.fn.removeClass ),\n\n\ttoggleClass: ( function( orig ) {\n\t\treturn function( classNames, force, speed, easing, callback ) {\n\t\t\tif ( typeof force === \"boolean\" || force === undefined ) {\n\t\t\t\tif ( !speed ) {\n\n\t\t\t\t\t// Without speed parameter\n\t\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t\t} else {\n\t\t\t\t\treturn $.effects.animateClass.call( this,\n\t\t\t\t\t\t( force ? { add: classNames } : { remove: classNames } ),\n\t\t\t\t\t\tspeed, easing, callback );\n\t\t\t\t}\n\t\t\t} else {\n\n\t\t\t\t// Without force parameter\n\t\t\t\treturn $.effects.animateClass.call( this,\n\t\t\t\t\t{ toggle: classNames }, force, speed, easing );\n\t\t\t}\n\t\t};\n\t} )( $.fn.toggleClass ),\n\n\tswitchClass: function( remove, add, speed, easing, callback ) {\n\t\treturn $.effects.animateClass.call( this, {\n\t\t\tadd: add,\n\t\t\tremove: remove\n\t\t}, speed, easing, callback );\n\t}\n} );\n\n} )();\n\n/******************************************************************************/\n/*********************************** EFFECTS **********************************/\n/******************************************************************************/\n\n( function() {\n\nif ( $.expr && $.expr.pseudos && $.expr.pseudos.animated ) {\n\t$.expr.pseudos.animated = ( function( orig ) {\n\t\treturn function( elem ) {\n\t\t\treturn !!$( elem ).data( dataSpaceAnimated ) || orig( elem );\n\t\t};\n\t} )( $.expr.pseudos.animated );\n}\n\nif ( $.uiBackCompat !== false ) {\n\t$.extend( $.effects, {\n\n\t\t// Saves a set of properties in a data storage\n\t\tsave: function( element, set ) {\n\t\t\tvar i = 0, length = set.length;\n\t\t\tfor ( ; i < length; i++ ) {\n\t\t\t\tif ( set[ i ] !== null ) {\n\t\t\t\t\telement.data( dataSpace + set[ i ], element[ 0 ].style[ set[ i ] ] );\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\t// Restores a set of previously saved properties from a data storage\n\t\trestore: function( element, set ) {\n\t\t\tvar val, i = 0, length = set.length;\n\t\t\tfor ( ; i < length; i++ ) {\n\t\t\t\tif ( set[ i ] !== null ) {\n\t\t\t\t\tval = element.data( dataSpace + set[ i ] );\n\t\t\t\t\telement.css( set[ i ], val );\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tsetMode: function( el, mode ) {\n\t\t\tif ( mode === \"toggle\" ) {\n\t\t\t\tmode = el.is( \":hidden\" ) ? \"show\" : \"hide\";\n\t\t\t}\n\t\t\treturn mode;\n\t\t},\n\n\t\t// Wraps the element around a wrapper that copies position properties\n\t\tcreateWrapper: function( element ) {\n\n\t\t\t// If the element is already wrapped, return it\n\t\t\tif ( element.parent().is( \".ui-effects-wrapper\" ) ) {\n\t\t\t\treturn element.parent();\n\t\t\t}\n\n\t\t\t// Wrap the element\n\t\t\tvar props = {\n\t\t\t\t\twidth: element.outerWidth( true ),\n\t\t\t\t\theight: element.outerHeight( true ),\n\t\t\t\t\t\"float\": element.css( \"float\" )\n\t\t\t\t},\n\t\t\t\twrapper = $( \"

            \" )\n\t\t\t\t\t.addClass( \"ui-effects-wrapper\" )\n\t\t\t\t\t.css( {\n\t\t\t\t\t\tfontSize: \"100%\",\n\t\t\t\t\t\tbackground: \"transparent\",\n\t\t\t\t\t\tborder: \"none\",\n\t\t\t\t\t\tmargin: 0,\n\t\t\t\t\t\tpadding: 0\n\t\t\t\t\t} ),\n\n\t\t\t\t// Store the size in case width/height are defined in % - Fixes #5245\n\t\t\t\tsize = {\n\t\t\t\t\twidth: element.width(),\n\t\t\t\t\theight: element.height()\n\t\t\t\t},\n\t\t\t\tactive = document.activeElement;\n\n\t\t\t// Support: Firefox\n\t\t\t// Firefox incorrectly exposes anonymous content\n\t\t\t// https://bugzilla.mozilla.org/show_bug.cgi?id=561664\n\t\t\ttry {\n\t\t\t\t// eslint-disable-next-line no-unused-expressions\n\t\t\t\tactive.id;\n\t\t\t} catch ( e ) {\n\t\t\t\tactive = document.body;\n\t\t\t}\n\n\t\t\telement.wrap( wrapper );\n\n\t\t\t// Fixes #7595 - Elements lose focus when wrapped.\n\t\t\tif ( element[ 0 ] === active || $.contains( element[ 0 ], active ) ) {\n\t\t\t\t$( active ).trigger( \"focus\" );\n\t\t\t}\n\n\t\t\t// Hotfix for jQuery 1.4 since some change in wrap() seems to actually\n\t\t\t// lose the reference to the wrapped element\n\t\t\twrapper = element.parent();\n\n\t\t\t// Transfer positioning properties to the wrapper\n\t\t\tif ( element.css( \"position\" ) === \"static\" ) {\n\t\t\t\twrapper.css( { position: \"relative\" } );\n\t\t\t\telement.css( { position: \"relative\" } );\n\t\t\t} else {\n\t\t\t\t$.extend( props, {\n\t\t\t\t\tposition: element.css( \"position\" ),\n\t\t\t\t\tzIndex: element.css( \"z-index\" )\n\t\t\t\t} );\n\t\t\t\t$.each( [ \"top\", \"left\", \"bottom\", \"right\" ], function( i, pos ) {\n\t\t\t\t\tprops[ pos ] = element.css( pos );\n\t\t\t\t\tif ( isNaN( parseInt( props[ pos ], 10 ) ) ) {\n\t\t\t\t\t\tprops[ pos ] = \"auto\";\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t\telement.css( {\n\t\t\t\t\tposition: \"relative\",\n\t\t\t\t\ttop: 0,\n\t\t\t\t\tleft: 0,\n\t\t\t\t\tright: \"auto\",\n\t\t\t\t\tbottom: \"auto\"\n\t\t\t\t} );\n\t\t\t}\n\t\t\telement.css( size );\n\n\t\t\treturn wrapper.css( props ).show();\n\t\t},\n\n\t\tremoveWrapper: function( element ) {\n\t\t\tvar active = document.activeElement;\n\n\t\t\tif ( element.parent().is( \".ui-effects-wrapper\" ) ) {\n\t\t\t\telement.parent().replaceWith( element );\n\n\t\t\t\t// Fixes #7595 - Elements lose focus when wrapped.\n\t\t\t\tif ( element[ 0 ] === active || $.contains( element[ 0 ], active ) ) {\n\t\t\t\t\t$( active ).trigger( \"focus\" );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn element;\n\t\t}\n\t} );\n}\n\n$.extend( $.effects, {\n\tversion: \"1.13.3\",\n\n\tdefine: function( name, mode, effect ) {\n\t\tif ( !effect ) {\n\t\t\teffect = mode;\n\t\t\tmode = \"effect\";\n\t\t}\n\n\t\t$.effects.effect[ name ] = effect;\n\t\t$.effects.effect[ name ].mode = mode;\n\n\t\treturn effect;\n\t},\n\n\tscaledDimensions: function( element, percent, direction ) {\n\t\tif ( percent === 0 ) {\n\t\t\treturn {\n\t\t\t\theight: 0,\n\t\t\t\twidth: 0,\n\t\t\t\touterHeight: 0,\n\t\t\t\touterWidth: 0\n\t\t\t};\n\t\t}\n\n\t\tvar x = direction !== \"horizontal\" ? ( ( percent || 100 ) / 100 ) : 1,\n\t\t\ty = direction !== \"vertical\" ? ( ( percent || 100 ) / 100 ) : 1;\n\n\t\treturn {\n\t\t\theight: element.height() * y,\n\t\t\twidth: element.width() * x,\n\t\t\touterHeight: element.outerHeight() * y,\n\t\t\touterWidth: element.outerWidth() * x\n\t\t};\n\n\t},\n\n\tclipToBox: function( animation ) {\n\t\treturn {\n\t\t\twidth: animation.clip.right - animation.clip.left,\n\t\t\theight: animation.clip.bottom - animation.clip.top,\n\t\t\tleft: animation.clip.left,\n\t\t\ttop: animation.clip.top\n\t\t};\n\t},\n\n\t// Injects recently queued functions to be first in line (after \"inprogress\")\n\tunshift: function( element, queueLength, count ) {\n\t\tvar queue = element.queue();\n\n\t\tif ( queueLength > 1 ) {\n\t\t\tqueue.splice.apply( queue,\n\t\t\t\t[ 1, 0 ].concat( queue.splice( queueLength, count ) ) );\n\t\t}\n\t\telement.dequeue();\n\t},\n\n\tsaveStyle: function( element ) {\n\t\telement.data( dataSpaceStyle, element[ 0 ].style.cssText );\n\t},\n\n\trestoreStyle: function( element ) {\n\t\telement[ 0 ].style.cssText = element.data( dataSpaceStyle ) || \"\";\n\t\telement.removeData( dataSpaceStyle );\n\t},\n\n\tmode: function( element, mode ) {\n\t\tvar hidden = element.is( \":hidden\" );\n\n\t\tif ( mode === \"toggle\" ) {\n\t\t\tmode = hidden ? \"show\" : \"hide\";\n\t\t}\n\t\tif ( hidden ? mode === \"hide\" : mode === \"show\" ) {\n\t\t\tmode = \"none\";\n\t\t}\n\t\treturn mode;\n\t},\n\n\t// Translates a [top,left] array into a baseline value\n\tgetBaseline: function( origin, original ) {\n\t\tvar y, x;\n\n\t\tswitch ( origin[ 0 ] ) {\n\t\tcase \"top\":\n\t\t\ty = 0;\n\t\t\tbreak;\n\t\tcase \"middle\":\n\t\t\ty = 0.5;\n\t\t\tbreak;\n\t\tcase \"bottom\":\n\t\t\ty = 1;\n\t\t\tbreak;\n\t\tdefault:\n\t\t\ty = origin[ 0 ] / original.height;\n\t\t}\n\n\t\tswitch ( origin[ 1 ] ) {\n\t\tcase \"left\":\n\t\t\tx = 0;\n\t\t\tbreak;\n\t\tcase \"center\":\n\t\t\tx = 0.5;\n\t\t\tbreak;\n\t\tcase \"right\":\n\t\t\tx = 1;\n\t\t\tbreak;\n\t\tdefault:\n\t\t\tx = origin[ 1 ] / original.width;\n\t\t}\n\n\t\treturn {\n\t\t\tx: x,\n\t\t\ty: y\n\t\t};\n\t},\n\n\t// Creates a placeholder element so that the original element can be made absolute\n\tcreatePlaceholder: function( element ) {\n\t\tvar placeholder,\n\t\t\tcssPosition = element.css( \"position\" ),\n\t\t\tposition = element.position();\n\n\t\t// Lock in margins first to account for form elements, which\n\t\t// will change margin if you explicitly set height\n\t\t// see: https://jsfiddle.net/JZSMt/3/ https://bugs.webkit.org/show_bug.cgi?id=107380\n\t\t// Support: Safari\n\t\telement.css( {\n\t\t\tmarginTop: element.css( \"marginTop\" ),\n\t\t\tmarginBottom: element.css( \"marginBottom\" ),\n\t\t\tmarginLeft: element.css( \"marginLeft\" ),\n\t\t\tmarginRight: element.css( \"marginRight\" )\n\t\t} )\n\t\t.outerWidth( element.outerWidth() )\n\t\t.outerHeight( element.outerHeight() );\n\n\t\tif ( /^(static|relative)/.test( cssPosition ) ) {\n\t\t\tcssPosition = \"absolute\";\n\n\t\t\tplaceholder = $( \"<\" + element[ 0 ].nodeName + \">\" ).insertAfter( element ).css( {\n\n\t\t\t\t// Convert inline to inline block to account for inline elements\n\t\t\t\t// that turn to inline block based on content (like img)\n\t\t\t\tdisplay: /^(inline|ruby)/.test( element.css( \"display\" ) ) ?\n\t\t\t\t\t\"inline-block\" :\n\t\t\t\t\t\"block\",\n\t\t\t\tvisibility: \"hidden\",\n\n\t\t\t\t// Margins need to be set to account for margin collapse\n\t\t\t\tmarginTop: element.css( \"marginTop\" ),\n\t\t\t\tmarginBottom: element.css( \"marginBottom\" ),\n\t\t\t\tmarginLeft: element.css( \"marginLeft\" ),\n\t\t\t\tmarginRight: element.css( \"marginRight\" ),\n\t\t\t\t\"float\": element.css( \"float\" )\n\t\t\t} )\n\t\t\t.outerWidth( element.outerWidth() )\n\t\t\t.outerHeight( element.outerHeight() )\n\t\t\t.addClass( \"ui-effects-placeholder\" );\n\n\t\t\telement.data( dataSpace + \"placeholder\", placeholder );\n\t\t}\n\n\t\telement.css( {\n\t\t\tposition: cssPosition,\n\t\t\tleft: position.left,\n\t\t\ttop: position.top\n\t\t} );\n\n\t\treturn placeholder;\n\t},\n\n\tremovePlaceholder: function( element ) {\n\t\tvar dataKey = dataSpace + \"placeholder\",\n\t\t\t\tplaceholder = element.data( dataKey );\n\n\t\tif ( placeholder ) {\n\t\t\tplaceholder.remove();\n\t\t\telement.removeData( dataKey );\n\t\t}\n\t},\n\n\t// Removes a placeholder if it exists and restores\n\t// properties that were modified during placeholder creation\n\tcleanUp: function( element ) {\n\t\t$.effects.restoreStyle( element );\n\t\t$.effects.removePlaceholder( element );\n\t},\n\n\tsetTransition: function( element, list, factor, value ) {\n\t\tvalue = value || {};\n\t\t$.each( list, function( i, x ) {\n\t\t\tvar unit = element.cssUnit( x );\n\t\t\tif ( unit[ 0 ] > 0 ) {\n\t\t\t\tvalue[ x ] = unit[ 0 ] * factor + unit[ 1 ];\n\t\t\t}\n\t\t} );\n\t\treturn value;\n\t}\n} );\n\n// Return an effect options object for the given parameters:\nfunction _normalizeArguments( effect, options, speed, callback ) {\n\n\t// Allow passing all options as the first parameter\n\tif ( $.isPlainObject( effect ) ) {\n\t\toptions = effect;\n\t\teffect = effect.effect;\n\t}\n\n\t// Convert to an object\n\teffect = { effect: effect };\n\n\t// Catch (effect, null, ...)\n\tif ( options == null ) {\n\t\toptions = {};\n\t}\n\n\t// Catch (effect, callback)\n\tif ( typeof options === \"function\" ) {\n\t\tcallback = options;\n\t\tspeed = null;\n\t\toptions = {};\n\t}\n\n\t// Catch (effect, speed, ?)\n\tif ( typeof options === \"number\" || $.fx.speeds[ options ] ) {\n\t\tcallback = speed;\n\t\tspeed = options;\n\t\toptions = {};\n\t}\n\n\t// Catch (effect, options, callback)\n\tif ( typeof speed === \"function\" ) {\n\t\tcallback = speed;\n\t\tspeed = null;\n\t}\n\n\t// Add options to effect\n\tif ( options ) {\n\t\t$.extend( effect, options );\n\t}\n\n\tspeed = speed || options.duration;\n\teffect.duration = $.fx.off ? 0 :\n\t\ttypeof speed === \"number\" ? speed :\n\t\tspeed in $.fx.speeds ? $.fx.speeds[ speed ] :\n\t\t$.fx.speeds._default;\n\n\teffect.complete = callback || options.complete;\n\n\treturn effect;\n}\n\nfunction standardAnimationOption( option ) {\n\n\t// Valid standard speeds (nothing, number, named speed)\n\tif ( !option || typeof option === \"number\" || $.fx.speeds[ option ] ) {\n\t\treturn true;\n\t}\n\n\t// Invalid strings - treat as \"normal\" speed\n\tif ( typeof option === \"string\" && !$.effects.effect[ option ] ) {\n\t\treturn true;\n\t}\n\n\t// Complete callback\n\tif ( typeof option === \"function\" ) {\n\t\treturn true;\n\t}\n\n\t// Options hash (but not naming an effect)\n\tif ( typeof option === \"object\" && !option.effect ) {\n\t\treturn true;\n\t}\n\n\t// Didn't match any standard API\n\treturn false;\n}\n\n$.fn.extend( {\n\teffect: function( /* effect, options, speed, callback */ ) {\n\t\tvar args = _normalizeArguments.apply( this, arguments ),\n\t\t\teffectMethod = $.effects.effect[ args.effect ],\n\t\t\tdefaultMode = effectMethod.mode,\n\t\t\tqueue = args.queue,\n\t\t\tqueueName = queue || \"fx\",\n\t\t\tcomplete = args.complete,\n\t\t\tmode = args.mode,\n\t\t\tmodes = [],\n\t\t\tprefilter = function( next ) {\n\t\t\t\tvar el = $( this ),\n\t\t\t\t\tnormalizedMode = $.effects.mode( el, mode ) || defaultMode;\n\n\t\t\t\t// Sentinel for duck-punching the :animated pseudo-selector\n\t\t\t\tel.data( dataSpaceAnimated, true );\n\n\t\t\t\t// Save effect mode for later use,\n\t\t\t\t// we can't just call $.effects.mode again later,\n\t\t\t\t// as the .show() below destroys the initial state\n\t\t\t\tmodes.push( normalizedMode );\n\n\t\t\t\t// See $.uiBackCompat inside of run() for removal of defaultMode in 1.14\n\t\t\t\tif ( defaultMode && ( normalizedMode === \"show\" ||\n\t\t\t\t\t\t( normalizedMode === defaultMode && normalizedMode === \"hide\" ) ) ) {\n\t\t\t\t\tel.show();\n\t\t\t\t}\n\n\t\t\t\tif ( !defaultMode || normalizedMode !== \"none\" ) {\n\t\t\t\t\t$.effects.saveStyle( el );\n\t\t\t\t}\n\n\t\t\t\tif ( typeof next === \"function\" ) {\n\t\t\t\t\tnext();\n\t\t\t\t}\n\t\t\t};\n\n\t\tif ( $.fx.off || !effectMethod ) {\n\n\t\t\t// Delegate to the original method (e.g., .show()) if possible\n\t\t\tif ( mode ) {\n\t\t\t\treturn this[ mode ]( args.duration, complete );\n\t\t\t} else {\n\t\t\t\treturn this.each( function() {\n\t\t\t\t\tif ( complete ) {\n\t\t\t\t\t\tcomplete.call( this );\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t}\n\n\t\tfunction run( next ) {\n\t\t\tvar elem = $( this );\n\n\t\t\tfunction cleanup() {\n\t\t\t\telem.removeData( dataSpaceAnimated );\n\n\t\t\t\t$.effects.cleanUp( elem );\n\n\t\t\t\tif ( args.mode === \"hide\" ) {\n\t\t\t\t\telem.hide();\n\t\t\t\t}\n\n\t\t\t\tdone();\n\t\t\t}\n\n\t\t\tfunction done() {\n\t\t\t\tif ( typeof complete === \"function\" ) {\n\t\t\t\t\tcomplete.call( elem[ 0 ] );\n\t\t\t\t}\n\n\t\t\t\tif ( typeof next === \"function\" ) {\n\t\t\t\t\tnext();\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Override mode option on a per element basis,\n\t\t\t// as toggle can be either show or hide depending on element state\n\t\t\targs.mode = modes.shift();\n\n\t\t\tif ( $.uiBackCompat !== false && !defaultMode ) {\n\t\t\t\tif ( elem.is( \":hidden\" ) ? mode === \"hide\" : mode === \"show\" ) {\n\n\t\t\t\t\t// Call the core method to track \"olddisplay\" properly\n\t\t\t\t\telem[ mode ]();\n\t\t\t\t\tdone();\n\t\t\t\t} else {\n\t\t\t\t\teffectMethod.call( elem[ 0 ], args, done );\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tif ( args.mode === \"none\" ) {\n\n\t\t\t\t\t// Call the core method to track \"olddisplay\" properly\n\t\t\t\t\telem[ mode ]();\n\t\t\t\t\tdone();\n\t\t\t\t} else {\n\t\t\t\t\teffectMethod.call( elem[ 0 ], args, cleanup );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Run prefilter on all elements first to ensure that\n\t\t// any showing or hiding happens before placeholder creation,\n\t\t// which ensures that any layout changes are correctly captured.\n\t\treturn queue === false ?\n\t\t\tthis.each( prefilter ).each( run ) :\n\t\t\tthis.queue( queueName, prefilter ).queue( queueName, run );\n\t},\n\n\tshow: ( function( orig ) {\n\t\treturn function( option ) {\n\t\t\tif ( standardAnimationOption( option ) ) {\n\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t} else {\n\t\t\t\tvar args = _normalizeArguments.apply( this, arguments );\n\t\t\t\targs.mode = \"show\";\n\t\t\t\treturn this.effect.call( this, args );\n\t\t\t}\n\t\t};\n\t} )( $.fn.show ),\n\n\thide: ( function( orig ) {\n\t\treturn function( option ) {\n\t\t\tif ( standardAnimationOption( option ) ) {\n\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t} else {\n\t\t\t\tvar args = _normalizeArguments.apply( this, arguments );\n\t\t\t\targs.mode = \"hide\";\n\t\t\t\treturn this.effect.call( this, args );\n\t\t\t}\n\t\t};\n\t} )( $.fn.hide ),\n\n\ttoggle: ( function( orig ) {\n\t\treturn function( option ) {\n\t\t\tif ( standardAnimationOption( option ) || typeof option === \"boolean\" ) {\n\t\t\t\treturn orig.apply( this, arguments );\n\t\t\t} else {\n\t\t\t\tvar args = _normalizeArguments.apply( this, arguments );\n\t\t\t\targs.mode = \"toggle\";\n\t\t\t\treturn this.effect.call( this, args );\n\t\t\t}\n\t\t};\n\t} )( $.fn.toggle ),\n\n\tcssUnit: function( key ) {\n\t\tvar style = this.css( key ),\n\t\t\tval = [];\n\n\t\t$.each( [ \"em\", \"px\", \"%\", \"pt\" ], function( i, unit ) {\n\t\t\tif ( style.indexOf( unit ) > 0 ) {\n\t\t\t\tval = [ parseFloat( style ), unit ];\n\t\t\t}\n\t\t} );\n\t\treturn val;\n\t},\n\n\tcssClip: function( clipObj ) {\n\t\tif ( clipObj ) {\n\t\t\treturn this.css( \"clip\", \"rect(\" + clipObj.top + \"px \" + clipObj.right + \"px \" +\n\t\t\t\tclipObj.bottom + \"px \" + clipObj.left + \"px)\" );\n\t\t}\n\t\treturn parseClip( this.css( \"clip\" ), this );\n\t},\n\n\ttransfer: function( options, done ) {\n\t\tvar element = $( this ),\n\t\t\ttarget = $( options.to ),\n\t\t\ttargetFixed = target.css( \"position\" ) === \"fixed\",\n\t\t\tbody = $( \"body\" ),\n\t\t\tfixTop = targetFixed ? body.scrollTop() : 0,\n\t\t\tfixLeft = targetFixed ? body.scrollLeft() : 0,\n\t\t\tendPosition = target.offset(),\n\t\t\tanimation = {\n\t\t\t\ttop: endPosition.top - fixTop,\n\t\t\t\tleft: endPosition.left - fixLeft,\n\t\t\t\theight: target.innerHeight(),\n\t\t\t\twidth: target.innerWidth()\n\t\t\t},\n\t\t\tstartPosition = element.offset(),\n\t\t\ttransfer = $( \"
            \" );\n\n\t\ttransfer\n\t\t\t.appendTo( \"body\" )\n\t\t\t.addClass( options.className )\n\t\t\t.css( {\n\t\t\t\ttop: startPosition.top - fixTop,\n\t\t\t\tleft: startPosition.left - fixLeft,\n\t\t\t\theight: element.innerHeight(),\n\t\t\t\twidth: element.innerWidth(),\n\t\t\t\tposition: targetFixed ? \"fixed\" : \"absolute\"\n\t\t\t} )\n\t\t\t.animate( animation, options.duration, options.easing, function() {\n\t\t\t\ttransfer.remove();\n\t\t\t\tif ( typeof done === \"function\" ) {\n\t\t\t\t\tdone();\n\t\t\t\t}\n\t\t\t} );\n\t}\n} );\n\nfunction parseClip( str, element ) {\n\t\tvar outerWidth = element.outerWidth(),\n\t\t\touterHeight = element.outerHeight(),\n\t\t\tclipRegex = /^rect\\((-?\\d*\\.?\\d*px|-?\\d+%|auto),?\\s*(-?\\d*\\.?\\d*px|-?\\d+%|auto),?\\s*(-?\\d*\\.?\\d*px|-?\\d+%|auto),?\\s*(-?\\d*\\.?\\d*px|-?\\d+%|auto)\\)$/,\n\t\t\tvalues = clipRegex.exec( str ) || [ \"\", 0, outerWidth, outerHeight, 0 ];\n\n\t\treturn {\n\t\t\ttop: parseFloat( values[ 1 ] ) || 0,\n\t\t\tright: values[ 2 ] === \"auto\" ? outerWidth : parseFloat( values[ 2 ] ),\n\t\t\tbottom: values[ 3 ] === \"auto\" ? outerHeight : parseFloat( values[ 3 ] ),\n\t\t\tleft: parseFloat( values[ 4 ] ) || 0\n\t\t};\n}\n\n$.fx.step.clip = function( fx ) {\n\tif ( !fx.clipInit ) {\n\t\tfx.start = $( fx.elem ).cssClip();\n\t\tif ( typeof fx.end === \"string\" ) {\n\t\t\tfx.end = parseClip( fx.end, fx.elem );\n\t\t}\n\t\tfx.clipInit = true;\n\t}\n\n\t$( fx.elem ).cssClip( {\n\t\ttop: fx.pos * ( fx.end.top - fx.start.top ) + fx.start.top,\n\t\tright: fx.pos * ( fx.end.right - fx.start.right ) + fx.start.right,\n\t\tbottom: fx.pos * ( fx.end.bottom - fx.start.bottom ) + fx.start.bottom,\n\t\tleft: fx.pos * ( fx.end.left - fx.start.left ) + fx.start.left\n\t} );\n};\n\n} )();\n\n/******************************************************************************/\n/*********************************** EASING ***********************************/\n/******************************************************************************/\n\n( function() {\n\n// Based on easing equations from Robert Penner (http://robertpenner.com/easing)\n\nvar baseEasings = {};\n\n$.each( [ \"Quad\", \"Cubic\", \"Quart\", \"Quint\", \"Expo\" ], function( i, name ) {\n\tbaseEasings[ name ] = function( p ) {\n\t\treturn Math.pow( p, i + 2 );\n\t};\n} );\n\n$.extend( baseEasings, {\n\tSine: function( p ) {\n\t\treturn 1 - Math.cos( p * Math.PI / 2 );\n\t},\n\tCirc: function( p ) {\n\t\treturn 1 - Math.sqrt( 1 - p * p );\n\t},\n\tElastic: function( p ) {\n\t\treturn p === 0 || p === 1 ? p :\n\t\t\t-Math.pow( 2, 8 * ( p - 1 ) ) * Math.sin( ( ( p - 1 ) * 80 - 7.5 ) * Math.PI / 15 );\n\t},\n\tBack: function( p ) {\n\t\treturn p * p * ( 3 * p - 2 );\n\t},\n\tBounce: function( p ) {\n\t\tvar pow2,\n\t\t\tbounce = 4;\n\n\t\twhile ( p < ( ( pow2 = Math.pow( 2, --bounce ) ) - 1 ) / 11 ) {}\n\t\treturn 1 / Math.pow( 4, 3 - bounce ) - 7.5625 * Math.pow( ( pow2 * 3 - 2 ) / 22 - p, 2 );\n\t}\n} );\n\n$.each( baseEasings, function( name, easeIn ) {\n\t$.easing[ \"easeIn\" + name ] = easeIn;\n\t$.easing[ \"easeOut\" + name ] = function( p ) {\n\t\treturn 1 - easeIn( 1 - p );\n\t};\n\t$.easing[ \"easeInOut\" + name ] = function( p ) {\n\t\treturn p < 0.5 ?\n\t\t\teaseIn( p * 2 ) / 2 :\n\t\t\t1 - easeIn( p * -2 + 2 ) / 2;\n\t};\n} );\n\n} )();\n\nvar effect = $.effects;\n\n\n/*!\n * jQuery UI Effects Blind 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Blind Effect\n//>>group: Effects\n//>>description: Blinds the element.\n//>>docs: https://api.jqueryui.com/blind-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectBlind = $.effects.define( \"blind\", \"hide\", function( options, done ) {\n\tvar map = {\n\t\t\tup: [ \"bottom\", \"top\" ],\n\t\t\tvertical: [ \"bottom\", \"top\" ],\n\t\t\tdown: [ \"top\", \"bottom\" ],\n\t\t\tleft: [ \"right\", \"left\" ],\n\t\t\thorizontal: [ \"right\", \"left\" ],\n\t\t\tright: [ \"left\", \"right\" ]\n\t\t},\n\t\telement = $( this ),\n\t\tdirection = options.direction || \"up\",\n\t\tstart = element.cssClip(),\n\t\tanimate = { clip: $.extend( {}, start ) },\n\t\tplaceholder = $.effects.createPlaceholder( element );\n\n\tanimate.clip[ map[ direction ][ 0 ] ] = animate.clip[ map[ direction ][ 1 ] ];\n\n\tif ( options.mode === \"show\" ) {\n\t\telement.cssClip( animate.clip );\n\t\tif ( placeholder ) {\n\t\t\tplaceholder.css( $.effects.clipToBox( animate ) );\n\t\t}\n\n\t\tanimate.clip = start;\n\t}\n\n\tif ( placeholder ) {\n\t\tplaceholder.animate( $.effects.clipToBox( animate ), options.duration, options.easing );\n\t}\n\n\telement.animate( animate, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Bounce 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Bounce Effect\n//>>group: Effects\n//>>description: Bounces an element horizontally or vertically n times.\n//>>docs: https://api.jqueryui.com/bounce-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectBounce = $.effects.define( \"bounce\", function( options, done ) {\n\tvar upAnim, downAnim, refValue,\n\t\telement = $( this ),\n\n\t\t// Defaults:\n\t\tmode = options.mode,\n\t\thide = mode === \"hide\",\n\t\tshow = mode === \"show\",\n\t\tdirection = options.direction || \"up\",\n\t\tdistance = options.distance,\n\t\ttimes = options.times || 5,\n\n\t\t// Number of internal animations\n\t\tanims = times * 2 + ( show || hide ? 1 : 0 ),\n\t\tspeed = options.duration / anims,\n\t\teasing = options.easing,\n\n\t\t// Utility:\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tmotion = ( direction === \"up\" || direction === \"left\" ),\n\t\ti = 0,\n\n\t\tqueuelen = element.queue().length;\n\n\t$.effects.createPlaceholder( element );\n\n\trefValue = element.css( ref );\n\n\t// Default distance for the BIGGEST bounce is the outer Distance / 3\n\tif ( !distance ) {\n\t\tdistance = element[ ref === \"top\" ? \"outerHeight\" : \"outerWidth\" ]() / 3;\n\t}\n\n\tif ( show ) {\n\t\tdownAnim = { opacity: 1 };\n\t\tdownAnim[ ref ] = refValue;\n\n\t\t// If we are showing, force opacity 0 and set the initial position\n\t\t// then do the \"first\" animation\n\t\telement\n\t\t\t.css( \"opacity\", 0 )\n\t\t\t.css( ref, motion ? -distance * 2 : distance * 2 )\n\t\t\t.animate( downAnim, speed, easing );\n\t}\n\n\t// Start at the smallest distance if we are hiding\n\tif ( hide ) {\n\t\tdistance = distance / Math.pow( 2, times - 1 );\n\t}\n\n\tdownAnim = {};\n\tdownAnim[ ref ] = refValue;\n\n\t// Bounces up/down/left/right then back to 0 -- times * 2 animations happen here\n\tfor ( ; i < times; i++ ) {\n\t\tupAnim = {};\n\t\tupAnim[ ref ] = ( motion ? \"-=\" : \"+=\" ) + distance;\n\n\t\telement\n\t\t\t.animate( upAnim, speed, easing )\n\t\t\t.animate( downAnim, speed, easing );\n\n\t\tdistance = hide ? distance * 2 : distance / 2;\n\t}\n\n\t// Last Bounce when Hiding\n\tif ( hide ) {\n\t\tupAnim = { opacity: 0 };\n\t\tupAnim[ ref ] = ( motion ? \"-=\" : \"+=\" ) + distance;\n\n\t\telement.animate( upAnim, speed, easing );\n\t}\n\n\telement.queue( done );\n\n\t$.effects.unshift( element, queuelen, anims + 1 );\n} );\n\n\n/*!\n * jQuery UI Effects Clip 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Clip Effect\n//>>group: Effects\n//>>description: Clips the element on and off like an old TV.\n//>>docs: https://api.jqueryui.com/clip-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectClip = $.effects.define( \"clip\", \"hide\", function( options, done ) {\n\tvar start,\n\t\tanimate = {},\n\t\telement = $( this ),\n\t\tdirection = options.direction || \"vertical\",\n\t\tboth = direction === \"both\",\n\t\thorizontal = both || direction === \"horizontal\",\n\t\tvertical = both || direction === \"vertical\";\n\n\tstart = element.cssClip();\n\tanimate.clip = {\n\t\ttop: vertical ? ( start.bottom - start.top ) / 2 : start.top,\n\t\tright: horizontal ? ( start.right - start.left ) / 2 : start.right,\n\t\tbottom: vertical ? ( start.bottom - start.top ) / 2 : start.bottom,\n\t\tleft: horizontal ? ( start.right - start.left ) / 2 : start.left\n\t};\n\n\t$.effects.createPlaceholder( element );\n\n\tif ( options.mode === \"show\" ) {\n\t\telement.cssClip( animate.clip );\n\t\tanimate.clip = start;\n\t}\n\n\telement.animate( animate, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n\n} );\n\n\n/*!\n * jQuery UI Effects Drop 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Drop Effect\n//>>group: Effects\n//>>description: Moves an element in one direction and hides it at the same time.\n//>>docs: https://api.jqueryui.com/drop-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectDrop = $.effects.define( \"drop\", \"hide\", function( options, done ) {\n\n\tvar distance,\n\t\telement = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\t\tdirection = options.direction || \"left\",\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tmotion = ( direction === \"up\" || direction === \"left\" ) ? \"-=\" : \"+=\",\n\t\toppositeMotion = ( motion === \"+=\" ) ? \"-=\" : \"+=\",\n\t\tanimation = {\n\t\t\topacity: 0\n\t\t};\n\n\t$.effects.createPlaceholder( element );\n\n\tdistance = options.distance ||\n\t\telement[ ref === \"top\" ? \"outerHeight\" : \"outerWidth\" ]( true ) / 2;\n\n\tanimation[ ref ] = motion + distance;\n\n\tif ( show ) {\n\t\telement.css( animation );\n\n\t\tanimation[ ref ] = oppositeMotion + distance;\n\t\tanimation.opacity = 1;\n\t}\n\n\t// Animate\n\telement.animate( animation, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Explode 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Explode Effect\n//>>group: Effects\n/* eslint-disable max-len */\n//>>description: Explodes an element in all directions into n pieces. Implodes an element to its original wholeness.\n/* eslint-enable max-len */\n//>>docs: https://api.jqueryui.com/explode-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectExplode = $.effects.define( \"explode\", \"hide\", function( options, done ) {\n\n\tvar i, j, left, top, mx, my,\n\t\trows = options.pieces ? Math.round( Math.sqrt( options.pieces ) ) : 3,\n\t\tcells = rows,\n\t\telement = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\n\t\t// Show and then visibility:hidden the element before calculating offset\n\t\toffset = element.show().css( \"visibility\", \"hidden\" ).offset(),\n\n\t\t// Width and height of a piece\n\t\twidth = Math.ceil( element.outerWidth() / cells ),\n\t\theight = Math.ceil( element.outerHeight() / rows ),\n\t\tpieces = [];\n\n\t// Children animate complete:\n\tfunction childComplete() {\n\t\tpieces.push( this );\n\t\tif ( pieces.length === rows * cells ) {\n\t\t\tanimComplete();\n\t\t}\n\t}\n\n\t// Clone the element for each row and cell.\n\tfor ( i = 0; i < rows; i++ ) { // ===>\n\t\ttop = offset.top + i * height;\n\t\tmy = i - ( rows - 1 ) / 2;\n\n\t\tfor ( j = 0; j < cells; j++ ) { // |||\n\t\t\tleft = offset.left + j * width;\n\t\t\tmx = j - ( cells - 1 ) / 2;\n\n\t\t\t// Create a clone of the now hidden main element that will be absolute positioned\n\t\t\t// within a wrapper div off the -left and -top equal to size of our pieces\n\t\t\telement\n\t\t\t\t.clone()\n\t\t\t\t.appendTo( \"body\" )\n\t\t\t\t.wrap( \"
            \" )\n\t\t\t\t.css( {\n\t\t\t\t\tposition: \"absolute\",\n\t\t\t\t\tvisibility: \"visible\",\n\t\t\t\t\tleft: -j * width,\n\t\t\t\t\ttop: -i * height\n\t\t\t\t} )\n\n\t\t\t\t// Select the wrapper - make it overflow: hidden and absolute positioned based on\n\t\t\t\t// where the original was located +left and +top equal to the size of pieces\n\t\t\t\t.parent()\n\t\t\t\t\t.addClass( \"ui-effects-explode\" )\n\t\t\t\t\t.css( {\n\t\t\t\t\t\tposition: \"absolute\",\n\t\t\t\t\t\toverflow: \"hidden\",\n\t\t\t\t\t\twidth: width,\n\t\t\t\t\t\theight: height,\n\t\t\t\t\t\tleft: left + ( show ? mx * width : 0 ),\n\t\t\t\t\t\ttop: top + ( show ? my * height : 0 ),\n\t\t\t\t\t\topacity: show ? 0 : 1\n\t\t\t\t\t} )\n\t\t\t\t\t.animate( {\n\t\t\t\t\t\tleft: left + ( show ? 0 : mx * width ),\n\t\t\t\t\t\ttop: top + ( show ? 0 : my * height ),\n\t\t\t\t\t\topacity: show ? 1 : 0\n\t\t\t\t\t}, options.duration || 500, options.easing, childComplete );\n\t\t}\n\t}\n\n\tfunction animComplete() {\n\t\telement.css( {\n\t\t\tvisibility: \"visible\"\n\t\t} );\n\t\t$( pieces ).remove();\n\t\tdone();\n\t}\n} );\n\n\n/*!\n * jQuery UI Effects Fade 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Fade Effect\n//>>group: Effects\n//>>description: Fades the element.\n//>>docs: https://api.jqueryui.com/fade-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectFade = $.effects.define( \"fade\", \"toggle\", function( options, done ) {\n\tvar show = options.mode === \"show\";\n\n\t$( this )\n\t\t.css( \"opacity\", show ? 0 : 1 )\n\t\t.animate( {\n\t\t\topacity: show ? 1 : 0\n\t\t}, {\n\t\t\tqueue: false,\n\t\t\tduration: options.duration,\n\t\t\teasing: options.easing,\n\t\t\tcomplete: done\n\t\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Fold 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Fold Effect\n//>>group: Effects\n//>>description: Folds an element first horizontally and then vertically.\n//>>docs: https://api.jqueryui.com/fold-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectFold = $.effects.define( \"fold\", \"hide\", function( options, done ) {\n\n\t// Create element\n\tvar element = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\t\thide = mode === \"hide\",\n\t\tsize = options.size || 15,\n\t\tpercent = /([0-9]+)%/.exec( size ),\n\t\thorizFirst = !!options.horizFirst,\n\t\tref = horizFirst ? [ \"right\", \"bottom\" ] : [ \"bottom\", \"right\" ],\n\t\tduration = options.duration / 2,\n\n\t\tplaceholder = $.effects.createPlaceholder( element ),\n\n\t\tstart = element.cssClip(),\n\t\tanimation1 = { clip: $.extend( {}, start ) },\n\t\tanimation2 = { clip: $.extend( {}, start ) },\n\n\t\tdistance = [ start[ ref[ 0 ] ], start[ ref[ 1 ] ] ],\n\n\t\tqueuelen = element.queue().length;\n\n\tif ( percent ) {\n\t\tsize = parseInt( percent[ 1 ], 10 ) / 100 * distance[ hide ? 0 : 1 ];\n\t}\n\tanimation1.clip[ ref[ 0 ] ] = size;\n\tanimation2.clip[ ref[ 0 ] ] = size;\n\tanimation2.clip[ ref[ 1 ] ] = 0;\n\n\tif ( show ) {\n\t\telement.cssClip( animation2.clip );\n\t\tif ( placeholder ) {\n\t\t\tplaceholder.css( $.effects.clipToBox( animation2 ) );\n\t\t}\n\n\t\tanimation2.clip = start;\n\t}\n\n\t// Animate\n\telement\n\t\t.queue( function( next ) {\n\t\t\tif ( placeholder ) {\n\t\t\t\tplaceholder\n\t\t\t\t\t.animate( $.effects.clipToBox( animation1 ), duration, options.easing )\n\t\t\t\t\t.animate( $.effects.clipToBox( animation2 ), duration, options.easing );\n\t\t\t}\n\n\t\t\tnext();\n\t\t} )\n\t\t.animate( animation1, duration, options.easing )\n\t\t.animate( animation2, duration, options.easing )\n\t\t.queue( done );\n\n\t$.effects.unshift( element, queuelen, 4 );\n} );\n\n\n/*!\n * jQuery UI Effects Highlight 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Highlight Effect\n//>>group: Effects\n//>>description: Highlights the background of an element in a defined color for a custom duration.\n//>>docs: https://api.jqueryui.com/highlight-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectHighlight = $.effects.define( \"highlight\", \"show\", function( options, done ) {\n\tvar element = $( this ),\n\t\tanimation = {\n\t\t\tbackgroundColor: element.css( \"backgroundColor\" )\n\t\t};\n\n\tif ( options.mode === \"hide\" ) {\n\t\tanimation.opacity = 0;\n\t}\n\n\t$.effects.saveStyle( element );\n\n\telement\n\t\t.css( {\n\t\t\tbackgroundImage: \"none\",\n\t\t\tbackgroundColor: options.color || \"#ffff99\"\n\t\t} )\n\t\t.animate( animation, {\n\t\t\tqueue: false,\n\t\t\tduration: options.duration,\n\t\t\teasing: options.easing,\n\t\t\tcomplete: done\n\t\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Size 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Size Effect\n//>>group: Effects\n//>>description: Resize an element to a specified width and height.\n//>>docs: https://api.jqueryui.com/size-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectSize = $.effects.define( \"size\", function( options, done ) {\n\n\t// Create element\n\tvar baseline, factor, temp,\n\t\telement = $( this ),\n\n\t\t// Copy for children\n\t\tcProps = [ \"fontSize\" ],\n\t\tvProps = [ \"borderTopWidth\", \"borderBottomWidth\", \"paddingTop\", \"paddingBottom\" ],\n\t\thProps = [ \"borderLeftWidth\", \"borderRightWidth\", \"paddingLeft\", \"paddingRight\" ],\n\n\t\t// Set options\n\t\tmode = options.mode,\n\t\trestore = mode !== \"effect\",\n\t\tscale = options.scale || \"both\",\n\t\torigin = options.origin || [ \"middle\", \"center\" ],\n\t\tposition = element.css( \"position\" ),\n\t\tpos = element.position(),\n\t\toriginal = $.effects.scaledDimensions( element ),\n\t\tfrom = options.from || original,\n\t\tto = options.to || $.effects.scaledDimensions( element, 0 );\n\n\t$.effects.createPlaceholder( element );\n\n\tif ( mode === \"show\" ) {\n\t\ttemp = from;\n\t\tfrom = to;\n\t\tto = temp;\n\t}\n\n\t// Set scaling factor\n\tfactor = {\n\t\tfrom: {\n\t\t\ty: from.height / original.height,\n\t\t\tx: from.width / original.width\n\t\t},\n\t\tto: {\n\t\t\ty: to.height / original.height,\n\t\t\tx: to.width / original.width\n\t\t}\n\t};\n\n\t// Scale the css box\n\tif ( scale === \"box\" || scale === \"both\" ) {\n\n\t\t// Vertical props scaling\n\t\tif ( factor.from.y !== factor.to.y ) {\n\t\t\tfrom = $.effects.setTransition( element, vProps, factor.from.y, from );\n\t\t\tto = $.effects.setTransition( element, vProps, factor.to.y, to );\n\t\t}\n\n\t\t// Horizontal props scaling\n\t\tif ( factor.from.x !== factor.to.x ) {\n\t\t\tfrom = $.effects.setTransition( element, hProps, factor.from.x, from );\n\t\t\tto = $.effects.setTransition( element, hProps, factor.to.x, to );\n\t\t}\n\t}\n\n\t// Scale the content\n\tif ( scale === \"content\" || scale === \"both\" ) {\n\n\t\t// Vertical props scaling\n\t\tif ( factor.from.y !== factor.to.y ) {\n\t\t\tfrom = $.effects.setTransition( element, cProps, factor.from.y, from );\n\t\t\tto = $.effects.setTransition( element, cProps, factor.to.y, to );\n\t\t}\n\t}\n\n\t// Adjust the position properties based on the provided origin points\n\tif ( origin ) {\n\t\tbaseline = $.effects.getBaseline( origin, original );\n\t\tfrom.top = ( original.outerHeight - from.outerHeight ) * baseline.y + pos.top;\n\t\tfrom.left = ( original.outerWidth - from.outerWidth ) * baseline.x + pos.left;\n\t\tto.top = ( original.outerHeight - to.outerHeight ) * baseline.y + pos.top;\n\t\tto.left = ( original.outerWidth - to.outerWidth ) * baseline.x + pos.left;\n\t}\n\tdelete from.outerHeight;\n\tdelete from.outerWidth;\n\telement.css( from );\n\n\t// Animate the children if desired\n\tif ( scale === \"content\" || scale === \"both\" ) {\n\n\t\tvProps = vProps.concat( [ \"marginTop\", \"marginBottom\" ] ).concat( cProps );\n\t\thProps = hProps.concat( [ \"marginLeft\", \"marginRight\" ] );\n\n\t\t// Only animate children with width attributes specified\n\t\t// TODO: is this right? should we include anything with css width specified as well\n\t\telement.find( \"*[width]\" ).each( function() {\n\t\t\tvar child = $( this ),\n\t\t\t\tchildOriginal = $.effects.scaledDimensions( child ),\n\t\t\t\tchildFrom = {\n\t\t\t\t\theight: childOriginal.height * factor.from.y,\n\t\t\t\t\twidth: childOriginal.width * factor.from.x,\n\t\t\t\t\touterHeight: childOriginal.outerHeight * factor.from.y,\n\t\t\t\t\touterWidth: childOriginal.outerWidth * factor.from.x\n\t\t\t\t},\n\t\t\t\tchildTo = {\n\t\t\t\t\theight: childOriginal.height * factor.to.y,\n\t\t\t\t\twidth: childOriginal.width * factor.to.x,\n\t\t\t\t\touterHeight: childOriginal.height * factor.to.y,\n\t\t\t\t\touterWidth: childOriginal.width * factor.to.x\n\t\t\t\t};\n\n\t\t\t// Vertical props scaling\n\t\t\tif ( factor.from.y !== factor.to.y ) {\n\t\t\t\tchildFrom = $.effects.setTransition( child, vProps, factor.from.y, childFrom );\n\t\t\t\tchildTo = $.effects.setTransition( child, vProps, factor.to.y, childTo );\n\t\t\t}\n\n\t\t\t// Horizontal props scaling\n\t\t\tif ( factor.from.x !== factor.to.x ) {\n\t\t\t\tchildFrom = $.effects.setTransition( child, hProps, factor.from.x, childFrom );\n\t\t\t\tchildTo = $.effects.setTransition( child, hProps, factor.to.x, childTo );\n\t\t\t}\n\n\t\t\tif ( restore ) {\n\t\t\t\t$.effects.saveStyle( child );\n\t\t\t}\n\n\t\t\t// Animate children\n\t\t\tchild.css( childFrom );\n\t\t\tchild.animate( childTo, options.duration, options.easing, function() {\n\n\t\t\t\t// Restore children\n\t\t\t\tif ( restore ) {\n\t\t\t\t\t$.effects.restoreStyle( child );\n\t\t\t\t}\n\t\t\t} );\n\t\t} );\n\t}\n\n\t// Animate\n\telement.animate( to, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: function() {\n\n\t\t\tvar offset = element.offset();\n\n\t\t\tif ( to.opacity === 0 ) {\n\t\t\t\telement.css( \"opacity\", from.opacity );\n\t\t\t}\n\n\t\t\tif ( !restore ) {\n\t\t\t\telement\n\t\t\t\t\t.css( \"position\", position === \"static\" ? \"relative\" : position )\n\t\t\t\t\t.offset( offset );\n\n\t\t\t\t// Need to save style here so that automatic style restoration\n\t\t\t\t// doesn't restore to the original styles from before the animation.\n\t\t\t\t$.effects.saveStyle( element );\n\t\t\t}\n\n\t\t\tdone();\n\t\t}\n\t} );\n\n} );\n\n\n/*!\n * jQuery UI Effects Scale 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Scale Effect\n//>>group: Effects\n//>>description: Grows or shrinks an element and its content.\n//>>docs: https://api.jqueryui.com/scale-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectScale = $.effects.define( \"scale\", function( options, done ) {\n\n\t// Create element\n\tvar el = $( this ),\n\t\tmode = options.mode,\n\t\tpercent = parseInt( options.percent, 10 ) ||\n\t\t\t( parseInt( options.percent, 10 ) === 0 ? 0 : ( mode !== \"effect\" ? 0 : 100 ) ),\n\n\t\tnewOptions = $.extend( true, {\n\t\t\tfrom: $.effects.scaledDimensions( el ),\n\t\t\tto: $.effects.scaledDimensions( el, percent, options.direction || \"both\" ),\n\t\t\torigin: options.origin || [ \"middle\", \"center\" ]\n\t\t}, options );\n\n\t// Fade option to support puff\n\tif ( options.fade ) {\n\t\tnewOptions.from.opacity = 1;\n\t\tnewOptions.to.opacity = 0;\n\t}\n\n\t$.effects.effect.size.call( this, newOptions, done );\n} );\n\n\n/*!\n * jQuery UI Effects Puff 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Puff Effect\n//>>group: Effects\n//>>description: Creates a puff effect by scaling the element up and hiding it at the same time.\n//>>docs: https://api.jqueryui.com/puff-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectPuff = $.effects.define( \"puff\", \"hide\", function( options, done ) {\n\tvar newOptions = $.extend( true, {}, options, {\n\t\tfade: true,\n\t\tpercent: parseInt( options.percent, 10 ) || 150\n\t} );\n\n\t$.effects.effect.scale.call( this, newOptions, done );\n} );\n\n\n/*!\n * jQuery UI Effects Pulsate 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Pulsate Effect\n//>>group: Effects\n//>>description: Pulsates an element n times by changing the opacity to zero and back.\n//>>docs: https://api.jqueryui.com/pulsate-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectPulsate = $.effects.define( \"pulsate\", \"show\", function( options, done ) {\n\tvar element = $( this ),\n\t\tmode = options.mode,\n\t\tshow = mode === \"show\",\n\t\thide = mode === \"hide\",\n\t\tshowhide = show || hide,\n\n\t\t// Showing or hiding leaves off the \"last\" animation\n\t\tanims = ( ( options.times || 5 ) * 2 ) + ( showhide ? 1 : 0 ),\n\t\tduration = options.duration / anims,\n\t\tanimateTo = 0,\n\t\ti = 1,\n\t\tqueuelen = element.queue().length;\n\n\tif ( show || !element.is( \":visible\" ) ) {\n\t\telement.css( \"opacity\", 0 ).show();\n\t\tanimateTo = 1;\n\t}\n\n\t// Anims - 1 opacity \"toggles\"\n\tfor ( ; i < anims; i++ ) {\n\t\telement.animate( { opacity: animateTo }, duration, options.easing );\n\t\tanimateTo = 1 - animateTo;\n\t}\n\n\telement.animate( { opacity: animateTo }, duration, options.easing );\n\n\telement.queue( done );\n\n\t$.effects.unshift( element, queuelen, anims + 1 );\n} );\n\n\n/*!\n * jQuery UI Effects Shake 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Shake Effect\n//>>group: Effects\n//>>description: Shakes an element horizontally or vertically n times.\n//>>docs: https://api.jqueryui.com/shake-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectShake = $.effects.define( \"shake\", function( options, done ) {\n\n\tvar i = 1,\n\t\telement = $( this ),\n\t\tdirection = options.direction || \"left\",\n\t\tdistance = options.distance || 20,\n\t\ttimes = options.times || 3,\n\t\tanims = times * 2 + 1,\n\t\tspeed = Math.round( options.duration / anims ),\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tpositiveMotion = ( direction === \"up\" || direction === \"left\" ),\n\t\tanimation = {},\n\t\tanimation1 = {},\n\t\tanimation2 = {},\n\n\t\tqueuelen = element.queue().length;\n\n\t$.effects.createPlaceholder( element );\n\n\t// Animation\n\tanimation[ ref ] = ( positiveMotion ? \"-=\" : \"+=\" ) + distance;\n\tanimation1[ ref ] = ( positiveMotion ? \"+=\" : \"-=\" ) + distance * 2;\n\tanimation2[ ref ] = ( positiveMotion ? \"-=\" : \"+=\" ) + distance * 2;\n\n\t// Animate\n\telement.animate( animation, speed, options.easing );\n\n\t// Shakes\n\tfor ( ; i < times; i++ ) {\n\t\telement\n\t\t\t.animate( animation1, speed, options.easing )\n\t\t\t.animate( animation2, speed, options.easing );\n\t}\n\n\telement\n\t\t.animate( animation1, speed, options.easing )\n\t\t.animate( animation, speed / 2, options.easing )\n\t\t.queue( done );\n\n\t$.effects.unshift( element, queuelen, anims + 1 );\n} );\n\n\n/*!\n * jQuery UI Effects Slide 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Slide Effect\n//>>group: Effects\n//>>description: Slides an element in and out of the viewport.\n//>>docs: https://api.jqueryui.com/slide-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effectsEffectSlide = $.effects.define( \"slide\", \"show\", function( options, done ) {\n\tvar startClip, startRef,\n\t\telement = $( this ),\n\t\tmap = {\n\t\t\tup: [ \"bottom\", \"top\" ],\n\t\t\tdown: [ \"top\", \"bottom\" ],\n\t\t\tleft: [ \"right\", \"left\" ],\n\t\t\tright: [ \"left\", \"right\" ]\n\t\t},\n\t\tmode = options.mode,\n\t\tdirection = options.direction || \"left\",\n\t\tref = ( direction === \"up\" || direction === \"down\" ) ? \"top\" : \"left\",\n\t\tpositiveMotion = ( direction === \"up\" || direction === \"left\" ),\n\t\tdistance = options.distance ||\n\t\t\telement[ ref === \"top\" ? \"outerHeight\" : \"outerWidth\" ]( true ),\n\t\tanimation = {};\n\n\t$.effects.createPlaceholder( element );\n\n\tstartClip = element.cssClip();\n\tstartRef = element.position()[ ref ];\n\n\t// Define hide animation\n\tanimation[ ref ] = ( positiveMotion ? -1 : 1 ) * distance + startRef;\n\tanimation.clip = element.cssClip();\n\tanimation.clip[ map[ direction ][ 1 ] ] = animation.clip[ map[ direction ][ 0 ] ];\n\n\t// Reverse the animation if we're showing\n\tif ( mode === \"show\" ) {\n\t\telement.cssClip( animation.clip );\n\t\telement.css( ref, animation[ ref ] );\n\t\tanimation.clip = startClip;\n\t\tanimation[ ref ] = startRef;\n\t}\n\n\t// Actually animate\n\telement.animate( animation, {\n\t\tqueue: false,\n\t\tduration: options.duration,\n\t\teasing: options.easing,\n\t\tcomplete: done\n\t} );\n} );\n\n\n/*!\n * jQuery UI Effects Transfer 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Transfer Effect\n//>>group: Effects\n//>>description: Displays a transfer effect from one element to another.\n//>>docs: https://api.jqueryui.com/transfer-effect/\n//>>demos: https://jqueryui.com/effect/\n\n\nvar effect;\nif ( $.uiBackCompat !== false ) {\n\teffect = $.effects.define( \"transfer\", function( options, done ) {\n\t\t$( this ).transfer( options, done );\n\t} );\n}\nvar effectsEffectTransfer = effect;\n\n\n/*!\n * jQuery UI Focusable 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: :focusable Selector\n//>>group: Core\n//>>description: Selects elements which can be focused.\n//>>docs: https://api.jqueryui.com/focusable-selector/\n\n\n// Selectors\n$.ui.focusable = function( element, hasTabindex ) {\n\tvar map, mapName, img, focusableIfVisible, fieldset,\n\t\tnodeName = element.nodeName.toLowerCase();\n\n\tif ( \"area\" === nodeName ) {\n\t\tmap = element.parentNode;\n\t\tmapName = map.name;\n\t\tif ( !element.href || !mapName || map.nodeName.toLowerCase() !== \"map\" ) {\n\t\t\treturn false;\n\t\t}\n\t\timg = $( \"img[usemap='#\" + mapName + \"']\" );\n\t\treturn img.length > 0 && img.is( \":visible\" );\n\t}\n\n\tif ( /^(input|select|textarea|button|object)$/.test( nodeName ) ) {\n\t\tfocusableIfVisible = !element.disabled;\n\n\t\tif ( focusableIfVisible ) {\n\n\t\t\t// Form controls within a disabled fieldset are disabled.\n\t\t\t// However, controls within the fieldset's legend do not get disabled.\n\t\t\t// Since controls generally aren't placed inside legends, we skip\n\t\t\t// this portion of the check.\n\t\t\tfieldset = $( element ).closest( \"fieldset\" )[ 0 ];\n\t\t\tif ( fieldset ) {\n\t\t\t\tfocusableIfVisible = !fieldset.disabled;\n\t\t\t}\n\t\t}\n\t} else if ( \"a\" === nodeName ) {\n\t\tfocusableIfVisible = element.href || hasTabindex;\n\t} else {\n\t\tfocusableIfVisible = hasTabindex;\n\t}\n\n\treturn focusableIfVisible && $( element ).is( \":visible\" ) && visible( $( element ) );\n};\n\n// Support: IE 8 only\n// IE 8 doesn't resolve inherit to visible/hidden for computed values\nfunction visible( element ) {\n\tvar visibility = element.css( \"visibility\" );\n\twhile ( visibility === \"inherit\" ) {\n\t\telement = element.parent();\n\t\tvisibility = element.css( \"visibility\" );\n\t}\n\treturn visibility === \"visible\";\n}\n\n$.extend( $.expr.pseudos, {\n\tfocusable: function( element ) {\n\t\treturn $.ui.focusable( element, $.attr( element, \"tabindex\" ) != null );\n\t}\n} );\n\nvar focusable = $.ui.focusable;\n\n\n\n// Support: IE8 Only\n// IE8 does not support the form attribute and when it is supplied. It overwrites the form prop\n// with a string, so we need to find the proper form.\nvar form = $.fn._form = function() {\n\treturn typeof this[ 0 ].form === \"string\" ? this.closest( \"form\" ) : $( this[ 0 ].form );\n};\n\n\n/*!\n * jQuery UI Form Reset Mixin 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Form Reset Mixin\n//>>group: Core\n//>>description: Refresh input widgets when their form is reset\n//>>docs: https://api.jqueryui.com/form-reset-mixin/\n\n\nvar formResetMixin = $.ui.formResetMixin = {\n\t_formResetHandler: function() {\n\t\tvar form = $( this );\n\n\t\t// Wait for the form reset to actually happen before refreshing\n\t\tsetTimeout( function() {\n\t\t\tvar instances = form.data( \"ui-form-reset-instances\" );\n\t\t\t$.each( instances, function() {\n\t\t\t\tthis.refresh();\n\t\t\t} );\n\t\t} );\n\t},\n\n\t_bindFormResetHandler: function() {\n\t\tthis.form = this.element._form();\n\t\tif ( !this.form.length ) {\n\t\t\treturn;\n\t\t}\n\n\t\tvar instances = this.form.data( \"ui-form-reset-instances\" ) || [];\n\t\tif ( !instances.length ) {\n\n\t\t\t// We don't use _on() here because we use a single event handler per form\n\t\t\tthis.form.on( \"reset.ui-form-reset\", this._formResetHandler );\n\t\t}\n\t\tinstances.push( this );\n\t\tthis.form.data( \"ui-form-reset-instances\", instances );\n\t},\n\n\t_unbindFormResetHandler: function() {\n\t\tif ( !this.form.length ) {\n\t\t\treturn;\n\t\t}\n\n\t\tvar instances = this.form.data( \"ui-form-reset-instances\" );\n\t\tinstances.splice( $.inArray( this, instances ), 1 );\n\t\tif ( instances.length ) {\n\t\t\tthis.form.data( \"ui-form-reset-instances\", instances );\n\t\t} else {\n\t\t\tthis.form\n\t\t\t\t.removeData( \"ui-form-reset-instances\" )\n\t\t\t\t.off( \"reset.ui-form-reset\" );\n\t\t}\n\t}\n};\n\n\n/*!\n * jQuery UI Support for jQuery core 1.8.x and newer 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n *\n */\n\n//>>label: jQuery 1.8+ Support\n//>>group: Core\n//>>description: Support version 1.8.x and newer of jQuery core\n\n\n// Support: jQuery 1.9.x or older\n// $.expr[ \":\" ] is deprecated.\nif ( !$.expr.pseudos ) {\n\t$.expr.pseudos = $.expr[ \":\" ];\n}\n\n// Support: jQuery 1.11.x or older\n// $.unique has been renamed to $.uniqueSort\nif ( !$.uniqueSort ) {\n\t$.uniqueSort = $.unique;\n}\n\n// Support: jQuery 2.2.x or older.\n// This method has been defined in jQuery 3.0.0.\n// Code from https://github.com/jquery/jquery/blob/e539bac79e666bba95bba86d690b4e609dca2286/src/selector/escapeSelector.js\nif ( !$.escapeSelector ) {\n\n\t// CSS string/identifier serialization\n\t// https://drafts.csswg.org/cssom/#common-serializing-idioms\n\tvar rcssescape = /([\\0-\\x1f\\x7f]|^-?\\d)|^-$|[^\\x80-\\uFFFF\\w-]/g;\n\n\tvar fcssescape = function( ch, asCodePoint ) {\n\t\tif ( asCodePoint ) {\n\n\t\t\t// U+0000 NULL becomes U+FFFD REPLACEMENT CHARACTER\n\t\t\tif ( ch === \"\\0\" ) {\n\t\t\t\treturn \"\\uFFFD\";\n\t\t\t}\n\n\t\t\t// Control characters and (dependent upon position) numbers get escaped as code points\n\t\t\treturn ch.slice( 0, -1 ) + \"\\\\\" + ch.charCodeAt( ch.length - 1 ).toString( 16 ) + \" \";\n\t\t}\n\n\t\t// Other potentially-special ASCII characters get backslash-escaped\n\t\treturn \"\\\\\" + ch;\n\t};\n\n\t$.escapeSelector = function( sel ) {\n\t\treturn ( sel + \"\" ).replace( rcssescape, fcssescape );\n\t};\n}\n\n// Support: jQuery 3.4.x or older\n// These methods have been defined in jQuery 3.5.0.\nif ( !$.fn.even || !$.fn.odd ) {\n\t$.fn.extend( {\n\t\teven: function() {\n\t\t\treturn this.filter( function( i ) {\n\t\t\t\treturn i % 2 === 0;\n\t\t\t} );\n\t\t},\n\t\todd: function() {\n\t\t\treturn this.filter( function( i ) {\n\t\t\t\treturn i % 2 === 1;\n\t\t\t} );\n\t\t}\n\t} );\n}\n\n;\n/*!\n * jQuery UI Keycode 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Keycode\n//>>group: Core\n//>>description: Provide keycodes as keynames\n//>>docs: https://api.jqueryui.com/jQuery.ui.keyCode/\n\n\nvar keycode = $.ui.keyCode = {\n\tBACKSPACE: 8,\n\tCOMMA: 188,\n\tDELETE: 46,\n\tDOWN: 40,\n\tEND: 35,\n\tENTER: 13,\n\tESCAPE: 27,\n\tHOME: 36,\n\tLEFT: 37,\n\tPAGE_DOWN: 34,\n\tPAGE_UP: 33,\n\tPERIOD: 190,\n\tRIGHT: 39,\n\tSPACE: 32,\n\tTAB: 9,\n\tUP: 38\n};\n\n\n/*!\n * jQuery UI Labels 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: labels\n//>>group: Core\n//>>description: Find all the labels associated with a given input\n//>>docs: https://api.jqueryui.com/labels/\n\n\nvar labels = $.fn.labels = function() {\n\tvar ancestor, selector, id, labels, ancestors;\n\n\tif ( !this.length ) {\n\t\treturn this.pushStack( [] );\n\t}\n\n\t// Check control.labels first\n\tif ( this[ 0 ].labels && this[ 0 ].labels.length ) {\n\t\treturn this.pushStack( this[ 0 ].labels );\n\t}\n\n\t// Support: IE <= 11, FF <= 37, Android <= 2.3 only\n\t// Above browsers do not support control.labels. Everything below is to support them\n\t// as well as document fragments. control.labels does not work on document fragments\n\tlabels = this.eq( 0 ).parents( \"label\" );\n\n\t// Look for the label based on the id\n\tid = this.attr( \"id\" );\n\tif ( id ) {\n\n\t\t// We don't search against the document in case the element\n\t\t// is disconnected from the DOM\n\t\tancestor = this.eq( 0 ).parents().last();\n\n\t\t// Get a full set of top level ancestors\n\t\tancestors = ancestor.add( ancestor.length ? ancestor.siblings() : this.siblings() );\n\n\t\t// Create a selector for the label based on the id\n\t\tselector = \"label[for='\" + $.escapeSelector( id ) + \"']\";\n\n\t\tlabels = labels.add( ancestors.find( selector ).addBack( selector ) );\n\n\t}\n\n\t// Return whatever we have found for labels\n\treturn this.pushStack( labels );\n};\n\n\n/*!\n * jQuery UI Scroll Parent 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: scrollParent\n//>>group: Core\n//>>description: Get the closest ancestor element that is scrollable.\n//>>docs: https://api.jqueryui.com/scrollParent/\n\n\nvar scrollParent = $.fn.scrollParent = function( includeHidden ) {\n\tvar position = this.css( \"position\" ),\n\t\texcludeStaticParent = position === \"absolute\",\n\t\toverflowRegex = includeHidden ? /(auto|scroll|hidden)/ : /(auto|scroll)/,\n\t\tscrollParent = this.parents().filter( function() {\n\t\t\tvar parent = $( this );\n\t\t\tif ( excludeStaticParent && parent.css( \"position\" ) === \"static\" ) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\treturn overflowRegex.test( parent.css( \"overflow\" ) + parent.css( \"overflow-y\" ) +\n\t\t\t\tparent.css( \"overflow-x\" ) );\n\t\t} ).eq( 0 );\n\n\treturn position === \"fixed\" || !scrollParent.length ?\n\t\t$( this[ 0 ].ownerDocument || document ) :\n\t\tscrollParent;\n};\n\n\n/*!\n * jQuery UI Tabbable 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: :tabbable Selector\n//>>group: Core\n//>>description: Selects elements which can be tabbed to.\n//>>docs: https://api.jqueryui.com/tabbable-selector/\n\n\nvar tabbable = $.extend( $.expr.pseudos, {\n\ttabbable: function( element ) {\n\t\tvar tabIndex = $.attr( element, \"tabindex\" ),\n\t\t\thasTabindex = tabIndex != null;\n\t\treturn ( !hasTabindex || tabIndex >= 0 ) && $.ui.focusable( element, hasTabindex );\n\t}\n} );\n\n\n/*!\n * jQuery UI Unique ID 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: uniqueId\n//>>group: Core\n//>>description: Functions to generate and remove uniqueId's\n//>>docs: https://api.jqueryui.com/uniqueId/\n\n\nvar uniqueId = $.fn.extend( {\n\tuniqueId: ( function() {\n\t\tvar uuid = 0;\n\n\t\treturn function() {\n\t\t\treturn this.each( function() {\n\t\t\t\tif ( !this.id ) {\n\t\t\t\t\tthis.id = \"ui-id-\" + ( ++uuid );\n\t\t\t\t}\n\t\t\t} );\n\t\t};\n\t} )(),\n\n\tremoveUniqueId: function() {\n\t\treturn this.each( function() {\n\t\t\tif ( /^ui-id-\\d+$/.test( this.id ) ) {\n\t\t\t\t$( this ).removeAttr( \"id\" );\n\t\t\t}\n\t\t} );\n\t}\n} );\n\n\n/*!\n * jQuery UI Accordion 1.13.3\n * https://jqueryui.com\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license.\n * https://jquery.org/license\n */\n\n//>>label: Accordion\n//>>group: Widgets\n/* eslint-disable max-len */\n//>>description: Displays collapsible content panels for presenting information in a limited amount of space.\n/* eslint-enable max-len */\n//>>docs: https://api.jqueryui.com/accordion/\n//>>demos: https://jqueryui.com/accordion/\n//>>css.structure: ../../themes/base/core.css\n//>>css.structure: ../../themes/base/accordion.css\n//>>css.theme: ../../themes/base/theme.css\n\n\nvar widgetsAccordion = $.widget( \"ui.accordion\", {\n\tversion: \"1.13.3\",\n\toptions: {\n\t\tactive: 0,\n\t\tanimate: {},\n\t\tclasses: {\n\t\t\t\"ui-accordion-header\": \"ui-corner-top\",\n\t\t\t\"ui-accordion-header-collapsed\": \"ui-corner-all\",\n\t\t\t\"ui-accordion-content\": \"ui-corner-bottom\"\n\t\t},\n\t\tcollapsible: false,\n\t\tevent: \"click\",\n\t\theader: function( elem ) {\n\t\t\treturn elem.find( \"> li > :first-child\" ).add( elem.find( \"> :not(li)\" ).even() );\n\t\t},\n\t\theightStyle: \"auto\",\n\t\ticons: {\n\t\t\tactiveHeader: \"ui-icon-triangle-1-s\",\n\t\t\theader: \"ui-icon-triangle-1-e\"\n\t\t},\n\n\t\t// Callbacks\n\t\tactivate: null,\n\t\tbeforeActivate: null\n\t},\n\n\thideProps: {\n\t\tborderTopWidth: \"hide\",\n\t\tborderBottomWidth: \"hide\",\n\t\tpaddingTop: \"hide\",\n\t\tpaddingBottom: \"hide\",\n\t\theight: \"hide\"\n\t},\n\n\tshowProps: {\n\t\tborderTopWidth: \"show\",\n\t\tborderBottomWidth: \"show\",\n\t\tpaddingTop: \"show\",\n\t\tpaddingBottom: \"show\",\n\t\theight: \"show\"\n\t},\n\n\t_create: function() {\n\t\tvar options = this.options;\n\n\t\tthis.prevShow = this.prevHide = $();\n\t\tthis._addClass( \"ui-accordion\", \"ui-widget ui-helper-reset\" );\n\t\tthis.element.attr( \"role\", \"tablist\" );\n\n\t\t// Don't allow collapsible: false and active: false / null\n\t\tif ( !options.collapsible && ( options.active === false || options.active == null ) ) {\n\t\t\toptions.active = 0;\n\t\t}\n\n\t\tthis._processPanels();\n\n\t\t// handle negative values\n\t\tif ( options.active < 0 ) {\n\t\t\toptions.active += this.headers.length;\n\t\t}\n\t\tthis._refresh();\n\t},\n\n\t_getCreateEventData: function() {\n\t\treturn {\n\t\t\theader: this.active,\n\t\t\tpanel: !this.active.length ? $() : this.active.next()\n\t\t};\n\t},\n\n\t_createIcons: function() {\n\t\tvar icon, children,\n\t\t\ticons = this.options.icons;\n\n\t\tif ( icons ) {\n\t\t\ticon = $( \"\" );\n\t\t\tthis._addClass( icon, \"ui-accordion-header-icon\", \"ui-icon \" + icons.header );\n\t\t\ticon.prependTo( this.headers );\n\t\t\tchildren = this.active.children( \".ui-accordion-header-icon\" );\n\t\t\tthis._removeClass( children, icons.header )\n\t\t\t\t._addClass( children, null, icons.activeHeader )\n\t\t\t\t._addClass( this.headers, \"ui-accordion-icons\" );\n\t\t}\n\t},\n\n\t_destroyIcons: function() {\n\t\tthis._removeClass( this.headers, \"ui-accordion-icons\" );\n\t\tthis.headers.children( \".ui-accordion-header-icon\" ).remove();\n\t},\n\n\t_destroy: function() {\n\t\tvar contents;\n\n\t\t// Clean up main element\n\t\tthis.element.removeAttr( \"role\" );\n\n\t\t// Clean up headers\n\t\tthis.headers\n\t\t\t.removeAttr( \"role aria-expanded aria-selected aria-controls tabIndex\" )\n\t\t\t.removeUniqueId();\n\n\t\tthis._destroyIcons();\n\n\t\t// Clean up content panels\n\t\tcontents = this.headers.next()\n\t\t\t.css( \"display\", \"\" )\n\t\t\t.removeAttr( \"role aria-hidden aria-labelledby\" )\n\t\t\t.removeUniqueId();\n\n\t\tif ( this.options.heightStyle !== \"content\" ) {\n\t\t\tcontents.css( \"height\", \"\" );\n\t\t}\n\t},\n\n\t_setOption: function( key, value ) {\n\t\tif ( key === \"active\" ) {\n\n\t\t\t// _activate() will handle invalid values and update this.options\n\t\t\tthis._activate( value );\n\t\t\treturn;\n\t\t}\n\n\t\tif ( key === \"event\" ) {\n\t\t\tif ( this.options.event ) {\n\t\t\t\tthis._off( this.headers, this.options.event );\n\t\t\t}\n\t\t\tthis._setupEvents( value );\n\t\t}\n\n\t\tthis._super( key, value );\n\n\t\t// Setting collapsible: false while collapsed; open first panel\n\t\tif ( key === \"collapsible\" && !value && this.options.active === false ) {\n\t\t\tthis._activate( 0 );\n\t\t}\n\n\t\tif ( key === \"icons\" ) {\n\t\t\tthis._destroyIcons();\n\t\t\tif ( value ) {\n\t\t\t\tthis._createIcons();\n\t\t\t}\n\t\t}\n\t},\n\n\t_setOptionDisabled: function( value ) {\n\t\tthis._super( value );\n\n\t\tthis.element.attr( \"aria-disabled\", value );\n\n\t\t// Support: IE8 Only\n\t\t// #5332 / #6059 - opacity doesn't cascade to positioned elements in IE\n\t\t// so we need to add the disabled class to the headers and panels\n\t\tthis._toggleClass( null, \"ui-state-disabled\", !!value );\n\t\tthis._toggleClass( this.headers.add( this.headers.next() ), null, \"ui-state-disabled\",\n\t\t\t!!value );\n\t},\n\n\t_keydown: function( event ) {\n\t\tif ( event.altKey || event.ctrlKey ) {\n\t\t\treturn;\n\t\t}\n\n\t\tvar keyCode = $.ui.keyCode,\n\t\t\tlength = this.headers.length,\n\t\t\tcurrentIndex = this.headers.index( event.target ),\n\t\t\ttoFocus = false;\n\n\t\tswitch ( event.keyCode ) {\n\t\tcase keyCode.RIGHT:\n\t\tcase keyCode.DOWN:\n\t\t\ttoFocus = this.headers[ ( currentIndex + 1 ) % length ];\n\t\t\tbreak;\n\t\tcase keyCode.LEFT:\n\t\tcase keyCode.UP:\n\t\t\ttoFocus = this.headers[ ( currentIndex - 1 + length ) % length ];\n\t\t\tbreak;\n\t\tcase keyCode.SPACE:\n\t\tcase keyCode.ENTER:\n\t\t\tthis._eventHandler( event );\n\t\t\tbreak;\n\t\tcase keyCode.HOME:\n\t\t\ttoFocus = this.headers[ 0 ];\n\t\t\tbreak;\n\t\tcase keyCode.END:\n\t\t\ttoFocus = this.headers[ length - 1 ];\n\t\t\tbreak;\n\t\t}\n\n\t\tif ( toFocus ) {\n\t\t\t$( event.target ).attr( \"tabIndex\", -1 );\n\t\t\t$( toFocus ).attr( \"tabIndex\", 0 );\n\t\t\t$( toFocus ).trigger( \"focus\" );\n\t\t\tevent.preventDefault();\n\t\t}\n\t},\n\n\t_panelKeyDown: function( event ) {\n\t\tif ( event.keyCode === $.ui.keyCode.UP && event.ctrlKey ) {\n\t\t\t$( event.currentTarget ).prev().trigger( \"focus\" );\n\t\t}\n\t},\n\n\trefresh: function() {\n\t\tvar options = this.options;\n\t\tthis._processPanels();\n\n\t\t// Was collapsed or no panel\n\t\tif ( ( options.active === false && options.collapsible === true ) ||\n\t\t\t\t!this.headers.length ) {\n\t\t\toptions.active = false;\n\t\t\tthis.active = $();\n\n\t\t// active false only when collapsible is true\n\t\t} else if ( options.active === false ) {\n\t\t\tthis._activate( 0 );\n\n\t\t// was active, but active panel is gone\n\t\t} else if ( this.active.length && !$.contains( this.element[ 0 ], this.active[ 0 ] ) ) {\n\n\t\t\t// all remaining panel are disabled\n\t\t\tif ( this.headers.length === this.headers.find( \".ui-state-disabled\" ).length ) {\n\t\t\t\toptions.active = false;\n\t\t\t\tthis.active = $();\n\n\t\t\t// activate previous panel\n\t\t\t} else {\n\t\t\t\tthis._activate( Math.max( 0, options.active - 1 ) );\n\t\t\t}\n\n\t\t// was active, active panel still exists\n\t\t} else {\n\n\t\t\t// make sure active index is correct\n\t\t\toptions.active = this.headers.index( this.active );\n\t\t}\n\n\t\tthis._destroyIcons();\n\n\t\tthis._refresh();\n\t},\n\n\t_processPanels: function() {\n\t\tvar prevHeaders = this.headers,\n\t\t\tprevPanels = this.panels;\n\n\t\tif ( typeof this.options.header === \"function\" ) {\n\t\t\tthis.headers = this.options.header( this.element );\n\t\t} else {\n\t\t\tthis.headers = this.element.find( this.options.header );\n\t\t}\n\t\tthis._addClass( this.headers, \"ui-accordion-header ui-accordion-header-collapsed\",\n\t\t\t\"ui-state-default\" );\n\n\t\tthis.panels = this.headers.next().filter( \":not(.ui-accordion-content-active)\" ).hide();\n\t\tthis._addClass( this.panels, \"ui-accordion-content\", \"ui-helper-reset ui-widget-content\" );\n\n\t\t// Avoid memory leaks (#10056)\n\t\tif ( prevPanels ) {\n\t\t\tthis._off( prevHeaders.not( this.headers ) );\n\t\t\tthis._off( prevPanels.not( this.panels ) );\n\t\t}\n\t},\n\n\t_refresh: function() {\n\t\tvar maxHeight,\n\t\t\toptions = this.options,\n\t\t\theightStyle = options.heightStyle,\n\t\t\tparent = this.element.parent();\n\n\t\tthis.active = this._findActive( options.active );\n\t\tthis._addClass( this.active, \"ui-accordion-header-active\", \"ui-state-active\" )\n\t\t\t._removeClass( this.active, \"ui-accordion-header-collapsed\" );\n\t\tthis._addClass( this.active.next(), \"ui-accordion-content-active\" );\n\t\tthis.active.next().show();\n\n\t\tthis.headers\n\t\t\t.attr( \"role\", \"tab\" )\n\t\t\t.each( function() {\n\t\t\t\tvar header = $( this ),\n\t\t\t\t\theaderId = header.uniqueId().attr( \"id\" ),\n\t\t\t\t\tpanel = header.next(),\n\t\t\t\t\tpanelId = panel.uniqueId().attr( \"id\" );\n\t\t\t\theader.attr( \"aria-controls\", panelId );\n\t\t\t\tpanel.attr( \"aria-labelledby\", headerId );\n\t\t\t} )\n\t\t\t.next()\n\t\t\t\t.attr( \"role\", \"tabpanel\" );\n\n\t\tthis.headers\n\t\t\t.not( this.active )\n\t\t\t\t.attr( {\n\t\t\t\t\t\"aria-selected\": \"false\",\n\t\t\t\t\t\"aria-expanded\": \"false\",\n\t\t\t\t\ttabIndex: -1\n\t\t\t\t} )\n\t\t\t\t.next()\n\t\t\t\t\t.attr( {\n\t\t\t\t\t\t\"aria-hidden\": \"true\"\n\t\t\t\t\t} )\n\t\t\t\t\t.hide();\n\n\t\t// Make sure at least one header is in the tab order\n\t\tif ( !this.active.length ) {\n\t\t\tthis.headers.eq( 0 ).attr( \"tabIndex\", 0 );\n\t\t} else {\n\t\t\tthis.active.attr( {\n\t\t\t\t\"aria-selected\": \"true\",\n\t\t\t\t\"aria-expanded\": \"true\",\n\t\t\t\ttabIndex: 0\n\t\t\t} )\n\t\t\t\t.next()\n\t\t\t\t\t.attr( {\n\t\t\t\t\t\t\"aria-hidden\": \"false\"\n\t\t\t\t\t} );\n\t\t}\n\n\t\tthis._createIcons();\n\n\t\tthis._setupEvents( options.event );\n\n\t\tif ( heightStyle === \"fill\" ) {\n\t\t\tmaxHeight = parent.height();\n\t\t\tthis.element.siblings( \":visible\" ).each( function() {\n\t\t\t\tvar elem = $( this ),\n\t\t\t\t\tposition = elem.css( \"position\" );\n\n\t\t\t\tif ( position === \"absolute\" || position === \"fixed\" ) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\tmaxHeight -= elem.outerHeight( true );\n\t\t\t} );\n\n\t\t\tthis.headers.each( function() {\n\t\t\t\tmaxHeight -= $( this ).outerHeight( true );\n\t\t\t} );\n\n\t\t\tthis.headers.next()\n\t\t\t\t.each( function() {\n\t\t\t\t\t$( this ).height( Math.max( 0, maxHeight -\n\t\t\t\t\t\t$( this ).innerHeight() + $( this ).height() ) );\n\t\t\t\t} )\n\t\t\t\t.css( \"overflow\", \"auto\" );\n\t\t} else if ( heightStyle === \"auto\" ) {\n\t\t\tmaxHeight = 0;\n\t\t\tthis.headers.next()\n\t\t\t\t.each( function() {\n\t\t\t\t\tvar isVisible = $( this ).is( \":visible\" );\n\t\t\t\t\tif ( !isVisible ) {\n\t\t\t\t\t\t$( this ).show();\n\t\t\t\t\t}\n\t\t\t\t\tmaxHeight = Math.max( maxHeight, $( this ).css( \"height\", \"\" ).height() );\n\t\t\t\t\tif ( !isVisible ) {\n\t\t\t\t\t\t$( this ).hide();\n\t\t\t\t\t}\n\t\t\t\t} )\n\t\t\t\t.height( maxHeight );\n\t\t}\n\t},\n\n\t_activate: function( index ) {\n\t\tvar active = this._findActive( index )[ 0 ];\n\n\t\t// Trying to activate the already active panel\n\t\tif ( active === this.active[ 0 ] ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Trying to collapse, simulate a click on the currently active header\n\t\tactive = active || this.active[ 0 ];\n\n\t\tthis._eventHandler( {\n\t\t\ttarget: active,\n\t\t\tcurrentTarget: active,\n\t\t\tpreventDefault: $.noop\n\t\t} );\n\t},\n\n\t_findActive: function( selector ) {\n\t\treturn typeof selector === \"number\" ? this.headers.eq( selector ) : $();\n\t},\n\n\t_setupEvents: function( event ) {\n\t\tvar events = {\n\t\t\tkeydown: \"_keydown\"\n\t\t};\n\t\tif ( event ) {\n\t\t\t$.each( event.split( \" \" ), function( index, eventName ) {\n\t\t\t\tevents[ eventName ] = \"_eventHandler\";\n\t\t\t} );\n\t\t}\n\n\t\tthis._off( this.headers.add( this.headers.next() ) );\n\t\tthis._on( this.headers, events );\n\t\tthis._on( this.headers.next(), { keydown: \"_panelKeyDown\" } );\n\t\tthis._hoverable( this.headers );\n\t\tthis._focusable( this.headers );\n\t},\n\n\t_eventHandler: function( event ) {\n\t\tvar activeChildren, clickedChildren,\n\t\t\toptions = this.options,\n\t\t\tactive = this.active,\n\t\t\tclicked = $( event.currentTarget ),\n\t\t\tclickedIsActive = clicked[ 0 ] === active[ 0 ],\n\t\t\tcollapsing = clickedIsActive && options.collapsible,\n\t\t\ttoShow = collapsing ? $() : clicked.next(),\n\t\t\ttoHide = active.next(),\n\t\t\teventData = {\n\t\t\t\toldHeader: active,\n\t\t\t\toldPanel: toHide,\n\t\t\t\tnewHeader: collapsing ? $() : clicked,\n\t\t\t\tnewPanel: toShow\n\t\t\t};\n\n\t\tevent.preventDefault();\n\n\t\tif (\n\n\t\t\t\t// click on active header, but not collapsible\n\t\t\t\t( clickedIsActive && !options.collapsible ) ||\n\n\t\t\t\t// allow canceling activation\n\t\t\t\t( this._trigger( \"beforeActivate\", event, eventData ) === false ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\toptions.active = collapsing ? false : this.headers.index( clicked );\n\n\t\t// When the call to ._toggle() comes after the class changes\n\t\t// it causes a very odd bug in IE 8 (see #6720)\n\t\tthis.active = clickedIsActive ? $() : clicked;\n\t\tthis._toggle( eventData );\n\n\t\t// Switch classes\n\t\t// corner classes on the previously active header stay after the animation\n\t\tthis._removeClass( active, \"ui-accordion-header-active\", \"ui-state-active\" );\n\t\tif ( options.icons ) {\n\t\t\tactiveChildren = active.children( \".ui-accordion-header-icon\" );\n\t\t\tthis._removeClass( activeChildren, null, options.icons.activeHeader )\n\t\t\t\t._addClass( activeChildren, null, options.icons.header );\n\t\t}\n\n\t\tif ( !clickedIsActive ) {\n\t\t\tthis._removeClass( clicked, \"ui-accordion-header-collapsed\" )\n\t\t\t\t._addClass( clicked, \"ui-accordion-header-active\", \"ui-state-active\" );\n\t\t\tif ( options.icons ) {\n\t\t\t\tclickedChildren = clicked.children( \".ui-accordion-header-icon\" );\n\t\t\t\tthis._removeClass( clickedChildren, null, options.icons.header )\n\t\t\t\t\t._addClass( clickedChildren, null, options.icons.activeHeader );\n\t\t\t}\n\n\t\t\tthis._addClass( clicked.next(), \"ui-accordion-content-active\" );\n\t\t}\n\t},\n\n\t_toggle: function( data ) {\n\t\tvar toShow = data.newPanel,\n\t\t\ttoHide = this.prevShow.length ? this.prevShow : data.oldPanel;\n\n\t\t// Handle activating a panel during the animation for another activation\n\t\tthis.prevShow.add( this.prevHide ).stop( true, true );\n\t\tthis.prevShow = toShow;\n\t\tthis.prevHide = toHide;\n\n\t\tif ( this.options.animate ) {\n\t\t\tthis._animate( toShow, toHide, data );\n\t\t} else {\n\t\t\ttoHide.hide();\n\t\t\ttoShow.show();\n\t\t\tthis._toggleComplete( data );\n\t\t}\n\n\t\ttoHide.attr( {\n\t\t\t\"aria-hidden\": \"true\"\n\t\t} );\n\t\ttoHide.prev().attr( {\n\t\t\t\"aria-selected\": \"false\",\n\t\t\t\"aria-expanded\": \"false\"\n\t\t} );\n\n\t\t// if we're switching panels, remove the old header from the tab order\n\t\t// if we're opening from collapsed state, remove the previous header from the tab order\n\t\t// if we're collapsing, then keep the collapsing header in the tab order\n\t\tif ( toShow.length && toHide.length ) {\n\t\t\ttoHide.prev().attr( {\n\t\t\t\t\"tabIndex\": -1,\n\t\t\t\t\"aria-expanded\": \"false\"\n\t\t\t} );\n\t\t} else if ( toShow.length ) {\n\t\t\tthis.headers.filter( function() {\n\t\t\t\treturn parseInt( $( this ).attr( \"tabIndex\" ), 10 ) === 0;\n\t\t\t} )\n\t\t\t\t.attr( \"tabIndex\", -1 );\n\t\t}\n\n\t\ttoShow\n\t\t\t.attr( \"aria-hidden\", \"false\" )\n\t\t\t.prev()\n\t\t\t\t.attr( {\n\t\t\t\t\t\"aria-selected\": \"true\",\n\t\t\t\t\t\"aria-expanded\": \"true\",\n\t\t\t\t\ttabIndex: 0\n\t\t\t\t} );\n\t},\n\n\t_animate: function( toShow, toHide, data ) {\n\t\tvar total, easing, duration,\n\t\t\tthat = this,\n\t\t\tadjust = 0,\n\t\t\tboxSizing = toShow.css( \"box-sizing\" ),\n\t\t\tdown = toShow.length &&\n\t\t\t\t( !toHide.length || ( toShow.index() < toHide.index() ) ),\n\t\t\tanimate = this.options.animate || {},\n\t\t\toptions = down && animate.down || animate,\n\t\t\tcomplete = function() {\n\t\t\t\tthat._toggleComplete( data );\n\t\t\t};\n\n\t\tif ( typeof options === \"number\" ) {\n\t\t\tduration = options;\n\t\t}\n\t\tif ( typeof options === \"string\" ) {\n\t\t\teasing = options;\n\t\t}\n\n\t\t// fall back from options to animation in case of partial down settings\n\t\teasing = easing || options.easing || animate.easing;\n\t\tduration = duration || options.duration || animate.duration;\n\n\t\tif ( !toHide.length ) {\n\t\t\treturn toShow.animate( this.showProps, duration, easing, complete );\n\t\t}\n\t\tif ( !toShow.length ) {\n\t\t\treturn toHide.animate( this.hideProps, duration, easing, complete );\n\t\t}\n\n\t\ttotal = toShow.show().outerHeight();\n\t\ttoHide.animate( this.hideProps, {\n\t\t\tduration: duration,\n\t\t\teasing: easing,\n\t\t\tstep: function( now, fx ) {\n\t\t\t\tfx.now = Math.round( now );\n\t\t\t}\n\t\t} );\n\t\ttoShow\n\t\t\t.hide()\n\t\t\t.animate( this.showProps, {\n\t\t\t\tduration: duration,\n\t\t\t\teasing: easing,\n\t\t\t\tcomplete: complete,\n\t\t\t\tstep: function( now, fx ) {\n\t\t\t\t\tfx.now = Math.round( now );\n\t\t\t\t\tif ( fx.prop !== \"height\" ) {\n\t\t\t\t\t\tif ( boxSizing === \"content-box\" ) {\n\t\t\t\t\t\t\tadjust += fx.now;\n\t\t\t\t\t\t}\n\t\t\t\t\t} else if ( that.options.heightStyle !== \"content\" ) {\n\t\t\t\t\t\tfx.now = Math.round( total - toHide.outerHeight() - adjust );\n\t\t\t\t\t\tadjust = 0;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} );\n\t},\n\n\t_toggleComplete: function( data ) {\n\t\tvar toHide = data.oldPanel,\n\t\t\tprev = toHide.prev();\n\n\t\tthis._removeClass( toHide, \"ui-accordion-content-active\" );\n\t\tthis._removeClass( prev, \"ui-accordion-header-active\" )\n\t\t\t._addClass( prev, \"ui-accordion-header-collapsed\" );\n\n\t\t// Work around for rendering bug in IE (#5421)\n\t\tif ( toHide.length ) {\n\t\t\ttoHide.parent()[ 0 ].className = toHide.parent()[ 0 ].className;\n\t\t}\n\t\tthis._trigger( \"activate\", null, data );\n\t}\n} );\n\n\n\nvar safeActiveElement = $.ui.safeActiveElement = function( document ) {\n\tvar activeElement;\n\n\t// Support: IE 9 only\n\t// IE9 throws an \"Unspecified error\" accessing document.activeElement from an