]> source.dussan.org Git - nextcloud-server.git/commitdiff
fix(systemtags): Sub folders should be opened in files 47135/head
authorFerdinand Thiessen <opensource@fthiessen.de>
Thu, 8 Aug 2024 11:45:59 +0000 (13:45 +0200)
committerFerdinand Thiessen <opensource@fthiessen.de>
Fri, 9 Aug 2024 13:33:54 +0000 (15:33 +0200)
Currently this is simply broken and here are two ways:
1. Open subfolders in files view
2. Implement logic to save last request

1 is the way this is now implemented, basically copy-paste from the recent view.
2 is much more complicated because if we get `/2/foo/bar` as the path we need to know the source of `foo`, so we would need at least 2 requests or cache the previous directory. We do not do it like this for any view so lets just stick with 1 for now.

Signed-off-by: Ferdinand Thiessen <opensource@fthiessen.de>
apps/systemtags/src/files_actions/openInFilesAction.spec.ts [new file with mode: 0644]
apps/systemtags/src/files_actions/openInFilesAction.ts [new file with mode: 0644]
apps/systemtags/src/init.ts
dist/systemtags-init.js
dist/systemtags-init.js.map

diff --git a/apps/systemtags/src/files_actions/openInFilesAction.spec.ts b/apps/systemtags/src/files_actions/openInFilesAction.spec.ts
new file mode 100644 (file)
index 0000000..e97e387
--- /dev/null
@@ -0,0 +1,123 @@
+/**
+ * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors
+ * SPDX-License-Identifier: AGPL-3.0-or-later
+ */
+import { action } from './openInFilesAction'
+import { expect } from '@jest/globals'
+import { File, Folder, Permission, View, DefaultType, FileAction } from '@nextcloud/files'
+
+const view = {
+       id: 'files',
+       name: 'Files',
+} as View
+
+const systemTagsView = {
+       id: 'tags',
+       name: 'tags',
+} as View
+
+const validNode = new Folder({
+       id: 1,
+       source: 'https://cloud.domain.com/remote.php/dav/files/admin/foo',
+       owner: 'admin',
+       mime: 'httpd/unix-directory',
+       root: '/files/admin',
+       permissions: Permission.ALL,
+})
+
+const validTag = new Folder({
+       id: 1,
+       source: 'https://cloud.domain.com/remote.php/dav/systemtags/2',
+       displayname: 'Foo',
+       owner: 'admin',
+       mime: 'httpd/unix-directory',
+       root: '/systemtags',
+       permissions: Permission.ALL,
+       attributes: {
+               'is-tag': true,
+       },
+})
+
+describe('Open in files action conditions tests', () => {
+       test('Default values', () => {
+               expect(action).toBeInstanceOf(FileAction)
+               expect(action.id).toBe('systemtags:open-in-files')
+               expect(action.displayName([], systemTagsView)).toBe('Open in Files')
+               expect(action.iconSvgInline([], systemTagsView)).toBe('')
+               expect(action.default).toBe(DefaultType.HIDDEN)
+               expect(action.order).toBe(-1000)
+               expect(action.inline).toBeUndefined()
+       })
+})
+
+describe('Open in files action enabled tests', () => {
+       test('Enabled with on valid view', () => {
+               expect(action.enabled).toBeDefined()
+               expect(action.enabled!([validNode], systemTagsView)).toBe(true)
+       })
+
+       test('Disabled on wrong view', () => {
+               expect(action.enabled).toBeDefined()
+               expect(action.enabled!([validNode], view)).toBe(false)
+       })
+
+       test('Disabled without nodes', () => {
+               expect(action.enabled).toBeDefined()
+               expect(action.enabled!([], view)).toBe(false)
+       })
+
+       test('Disabled with too many nodes', () => {
+               expect(action.enabled).toBeDefined()
+               expect(action.enabled!([validNode, validNode], view)).toBe(false)
+       })
+
+       test('Disabled with when node is a tag', () => {
+               expect(action.enabled).toBeDefined()
+               expect(action.enabled!([validTag], view)).toBe(false)
+       })
+})
+
+describe('Open in files action execute tests', () => {
+       test('Open in files', async () => {
+               const goToRouteMock = jest.fn()
+               // @ts-expect-error We only mock what needed, we do not need Files.Router.goTo or Files.Navigation
+               window.OCP = { Files: { Router: { goToRoute: goToRouteMock } } }
+
+               const file = new File({
+                       id: 1,
+                       source: 'https://cloud.domain.com/remote.php/dav/files/admin/Foo/foobar.txt',
+                       owner: 'admin',
+                       mime: 'text/plain',
+                       root: '/files/admin',
+                       permissions: Permission.ALL,
+               })
+
+               const exec = await action.exec(file, view, '/')
+
+               // Silent action
+               expect(exec).toBe(null)
+               expect(goToRouteMock).toBeCalledTimes(1)
+               expect(goToRouteMock).toBeCalledWith(null, { fileid: '1', view: 'files' }, { dir: '/Foo', openfile: 'true' })
+       })
+
+       test('Open in files with folder', async () => {
+               const goToRouteMock = jest.fn()
+               // @ts-expect-error We only mock what needed, we do not need Files.Router.goTo or Files.Navigation
+               window.OCP = { Files: { Router: { goToRoute: goToRouteMock } } }
+
+               const file = new Folder({
+                       id: 1,
+                       source: 'https://cloud.domain.com/remote.php/dav/files/admin/Foo/Bar',
+                       owner: 'admin',
+                       root: '/files/admin',
+                       permissions: Permission.ALL,
+               })
+
+               const exec = await action.exec(file, view, '/')
+
+               // Silent action
+               expect(exec).toBe(null)
+               expect(goToRouteMock).toBeCalledTimes(1)
+               expect(goToRouteMock).toBeCalledWith(null, { fileid: '1', view: 'files' }, { dir: '/Foo/Bar', openfile: 'true' })
+       })
+})
diff --git a/apps/systemtags/src/files_actions/openInFilesAction.ts b/apps/systemtags/src/files_actions/openInFilesAction.ts
new file mode 100644 (file)
index 0000000..695166b
--- /dev/null
@@ -0,0 +1,44 @@
+/**
+ * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors
+ * SPDX-License-Identifier: AGPL-3.0-or-later
+ */
+import { translate as t } from '@nextcloud/l10n'
+import { type Node, FileType, FileAction, DefaultType } from '@nextcloud/files'
+
+export const action = new FileAction({
+       id: 'systemtags:open-in-files',
+       displayName: () => t('systemtags', 'Open in Files'),
+       iconSvgInline: () => '',
+
+       enabled(nodes, view) {
+               // Only for the system tags view
+               if (view.id !== 'tags') {
+                       return false
+               }
+               // Only for single nodes
+               if (nodes.length !== 1) {
+                       return false
+               }
+               // Do not open tags (keep the default action) and only open folders
+               return nodes[0].attributes['is-tag'] !== true
+                       && nodes[0].type === FileType.Folder
+       },
+
+       async exec(node: Node) {
+               let dir = node.dirname
+               if (node.type === FileType.Folder) {
+                       dir = node.path
+               }
+
+               window.OCP.Files.Router.goToRoute(
+                       null, // use default route
+                       { view: 'files', fileid: String(node.fileid) },
+                       { dir, openfile: 'true' },
+               )
+               return null
+       },
+
+       // Before openFolderAction
+       order: -1000,
+       default: DefaultType.HIDDEN,
+})
index 04dd8088001f0e2cfe74e194e8d45156cdd29b5a..d0b0c4dd5da2c04ecb22fec5a08119f51a982574 100644 (file)
@@ -4,9 +4,11 @@
  */
 import { registerDavProperty, registerFileAction } from '@nextcloud/files'
 import { action as inlineSystemTagsAction } from './files_actions/inlineSystemTagsAction.js'
+import { action as openInFilesAction } from './files_actions/openInFilesAction.js'
 import { registerSystemTagsView } from './files_views/systemtagsView.js'
 
 registerDavProperty('nc:system-tags')
 registerFileAction(inlineSystemTagsAction)
+registerFileAction(openInFilesAction)
 
 registerSystemTagsView()
index 4b69e1f3aff5e04e5d7ab3174a51d3b9c8409653..663f770cc1f167ba7788410350c81bdf0b5fd271 100644 (file)
@@ -1,2 +1,2 @@
-(()=>{var t,e={39607:(t,e,i)=>{"use strict";var n=i(35947),r=i(21777),s=i(43627),o=i(71225),a=i(63814),l=(i(36117),i(44719)),d=i(82680),u=(i(87485),i(53334)),c=i(380),p=i(65606),h=i(96763);const f=(0,n.YK)().setApp("@nextcloud/files").detectUser().build();var g=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(g||{}),m=(t=>(t[t.NONE=0]="NONE",t[t.CREATE=4]="CREATE",t[t.READ=1]="READ",t[t.UPDATE=2]="UPDATE",t[t.DELETE=8]="DELETE",t[t.SHARE=16]="SHARE",t[t.ALL=31]="ALL",t))(m||{});const E=["d:getcontentlength","d:getcontenttype","d:getetag","d:getlastmodified","d:creationdate","d:displayname","d:quota-available-bytes","d:resourcetype","nc:has-preview","nc:is-encrypted","nc:mount-type","oc:comments-unread","oc:favorite","oc:fileid","oc:owner-display-name","oc:owner-id","oc:permissions","oc:size"],w={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"};var N=(t=>(t.Folder="folder",t.File="file",t))(N||{});const v=function(t,e){return null!==t.match(e)},A=(t,e)=>{if(t.id&&"number"!=typeof t.id)throw new Error("Invalid id type of value");if(!t.source)throw new Error("Missing mandatory source");try{new URL(t.source)}catch(t){throw new Error("Invalid source format, source must be a valid URL")}if(!t.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(t.displayname&&"string"!=typeof t.displayname)throw new Error("Invalid displayname type");if(t.mtime&&!(t.mtime instanceof Date))throw new Error("Invalid mtime type");if(t.crtime&&!(t.crtime instanceof Date))throw new Error("Invalid crtime type");if(!t.mime||"string"!=typeof t.mime||!t.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in t&&"number"!=typeof t.size&&void 0!==t.size)throw new Error("Invalid size type");if("permissions"in t&&void 0!==t.permissions&&!("number"==typeof t.permissions&&t.permissions>=m.NONE&&t.permissions<=m.ALL))throw new Error("Invalid permissions");if(t.owner&&null!==t.owner&&"string"!=typeof t.owner)throw new Error("Invalid owner type");if(t.attributes&&"object"!=typeof t.attributes)throw new Error("Invalid attributes type");if(t.root&&"string"!=typeof t.root)throw new Error("Invalid root type");if(t.root&&!t.root.startsWith("/"))throw new Error("Root must start with a leading slash");if(t.root&&!t.source.includes(t.root))throw new Error("Root must be part of the source");if(t.root&&v(t.source,e)){const i=t.source.match(e)[0];if(!t.source.includes((0,s.join)(i,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(b).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var b=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(b||{});class y{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;readonlyAttributes=Object.entries(Object.getOwnPropertyDescriptors(y.prototype)).filter((t=>"function"==typeof t[1].get&&"__proto__"!==t[0])).map((t=>t[0]));handler={set:(t,e,i)=>!this.readonlyAttributes.includes(e)&&Reflect.set(t,e,i),deleteProperty:(t,e)=>!this.readonlyAttributes.includes(e)&&Reflect.deleteProperty(t,e),get:(t,e,i)=>this.readonlyAttributes.includes(e)?(f.warn(`Accessing "Node.attributes.${e}" is deprecated, access it directly on the Node instance.`),Reflect.get(this,e)):Reflect.get(t,e,i)};constructor(t,e){A(t,e||this._knownDavService),this._data={displayname:t.attributes?.displayname,...t,attributes:{}},this._attributes=new Proxy(this._data.attributes,this.handler),this.update(t.attributes??{}),e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,o.O0)(this.source.slice(t.length))}get basename(){return(0,s.basename)(this.source)}get displayname(){return this._data.displayname||this.basename}set displayname(t){this._data.displayname=t}get extension(){return(0,s.extname)(this.source)}get dirname(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),i=this.root.replace(/\/$/,"");return(0,s.dirname)(t.slice(e+i.length)||"/")}const t=new URL(this.source);return(0,s.dirname)(t.pathname)}get mime(){return this._data.mime}get mtime(){return this._data.mtime}set mtime(t){this._data.mtime=t}get crtime(){return this._data.crtime}get size(){return this._data.size}set size(t){this.updateMtime(),this._data.size=t}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:m.NONE:m.READ}set permissions(t){this.updateMtime(),this._data.permissions=t}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return v(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,s.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),i=this.root.replace(/\/$/,"");return t.slice(e+i.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){A({...this._data,source:t},this._knownDavService);const e=this.basename;this._data.source=t,this.displayname===e&&this.basename!==e&&(this.displayname=this.basename),this.updateMtime()}rename(t){if(t.includes("/"))throw new Error("Invalid basename");this.move((0,s.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}update(t){for(const[e,i]of Object.entries(t))try{void 0===i?delete this.attributes[e]:this.attributes[e]=i}catch(t){if(t instanceof TypeError)continue;throw t}}}class x extends y{get type(){return N.File}}class I extends y{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return N.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const _=(0,d.f)()?`/files/${(0,d.G)()}`:`/files/${(0,r.HW)()?.uid}`,O=function(){const t=(0,a.dC)("dav");return(0,d.f)()?t.replace("remote.php","public.php"):t}();Error;class T extends c.m{_views=[];_currentView=null;register(t){if(this._views.find((e=>e.id===t.id)))throw new Error(`View id ${t.id} is already registered`);this._views.push(t),this.dispatchTypedEvent("update",new CustomEvent("update"))}remove(t){const e=this._views.findIndex((e=>e.id===t));-1!==e&&(this._views.splice(e,1),this.dispatchTypedEvent("update",new CustomEvent("update")))}setActive(t){this._currentView=t;const e=new CustomEvent("updateActive",{detail:t});this.dispatchTypedEvent("updateActive",e)}get active(){return this._currentView}get views(){return this._views}}class C{_column;constructor(t){R(t),this._column=t}get id(){return this._column.id}get title(){return this._column.title}get render(){return this._column.render}get sort(){return this._column.sort}get summary(){return this._column.summary}}const R=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("A column id is required");if(!t.title||"string"!=typeof t.title)throw new Error("A column title is required");if(!t.render||"function"!=typeof t.render)throw new Error("A render function is required");if(t.sort&&"function"!=typeof t.sort)throw new Error("Column sortFunction must be a function");if(t.summary&&"function"!=typeof t.summary)throw new Error("Column summary must be a function");return!0};var L={},$={};!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),r=n.length;for(let s=0;s<r;s++)t[n[s]]="strict"===i?[e[n[s]]]:e[n[s]]}},t.getValue=function(e){return t.isExist(e)?e:""},t.isName=function(t){return!(null==n.exec(t))},t.getAllMatches=function(t,e){const i=[];let n=e.exec(t);for(;n;){const r=[];r.startIndex=e.lastIndex-n[0].length;const s=n.length;for(let t=0;t<s;t++)r.push(n[t]);i.push(r),n=e.exec(t)}return i},t.nameRegexp=i}($);const S=$,P={allowBooleanAttributes:!1,unpairedTags:[]};function D(t){return" "===t||"\t"===t||"\n"===t||"\r"===t}function F(t,e){const i=e;for(;e<t.length;e++)if("?"!=t[e]&&" "!=t[e]);else{const n=t.substr(i,e-i);if(e>5&&"xml"===n)return B("InvalidXml","XML declaration allowed only at the start of the document.",H(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}}return e}function V(t,e){if(t.length>e+5&&"-"===t[e+1]&&"-"===t[e+2]){for(e+=3;e<t.length;e++)if("-"===t[e]&&"-"===t[e+1]&&">"===t[e+2]){e+=2;break}}else if(t.length>e+8&&"D"===t[e+1]&&"O"===t[e+2]&&"C"===t[e+3]&&"T"===t[e+4]&&"Y"===t[e+5]&&"P"===t[e+6]&&"E"===t[e+7]){let i=1;for(e+=8;e<t.length;e++)if("<"===t[e])i++;else if(">"===t[e]&&(i--,0===i))break}else if(t.length>e+9&&"["===t[e+1]&&"C"===t[e+2]&&"D"===t[e+3]&&"A"===t[e+4]&&"T"===t[e+5]&&"A"===t[e+6]&&"["===t[e+7])for(e+=8;e<t.length;e++)if("]"===t[e]&&"]"===t[e+1]&&">"===t[e+2]){e+=2;break}return e}L.validate=function(t,e){e=Object.assign({},P,e);const i=[];let n=!1,r=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let o=0;o<t.length;o++)if("<"===t[o]&&"?"===t[o+1]){if(o+=2,o=F(t,o),o.err)return o}else{if("<"!==t[o]){if(D(t[o]))continue;return B("InvalidChar","char '"+t[o]+"' is not expected.",H(t,o))}{let a=o;if(o++,"!"===t[o]){o=V(t,o);continue}{let l=!1;"/"===t[o]&&(l=!0,o++);let d="";for(;o<t.length&&">"!==t[o]&&" "!==t[o]&&"\t"!==t[o]&&"\n"!==t[o]&&"\r"!==t[o];o++)d+=t[o];if(d=d.trim(),"/"===d[d.length-1]&&(d=d.substring(0,d.length-1),o--),s=d,!S.isName(s)){let e;return e=0===d.trim().length?"Invalid space after '<'.":"Tag '"+d+"' is an invalid name.",B("InvalidTag",e,H(t,o))}const u=j(t,o);if(!1===u)return B("InvalidAttr","Attributes for '"+d+"' have open quote.",H(t,o));let c=u.value;if(o=u.index,"/"===c[c.length-1]){const i=o-c.length;c=c.substring(0,c.length-1);const r=U(c,e);if(!0!==r)return B(r.err.code,r.err.msg,H(t,i+r.err.line));n=!0}else if(l){if(!u.tagClosed)return B("InvalidTag","Closing tag '"+d+"' doesn't have proper closing.",H(t,o));if(c.trim().length>0)return B("InvalidTag","Closing tag '"+d+"' can't have attributes or invalid starting.",H(t,a));if(0===i.length)return B("InvalidTag","Closing tag '"+d+"' has not been opened.",H(t,a));{const e=i.pop();if(d!==e.tagName){let i=H(t,e.tagStartPos);return B("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+i.line+", col "+i.col+") instead of closing tag '"+d+"'.",H(t,a))}0==i.length&&(r=!0)}}else{const s=U(c,e);if(!0!==s)return B(s.err.code,s.err.msg,H(t,o-c.length+s.err.line));if(!0===r)return B("InvalidXml","Multiple possible root nodes found.",H(t,o));-1!==e.unpairedTags.indexOf(d)||i.push({tagName:d,tagStartPos:a}),n=!0}for(o++;o<t.length;o++)if("<"===t[o]){if("!"===t[o+1]){o++,o=V(t,o);continue}if("?"!==t[o+1])break;if(o=F(t,++o),o.err)return o}else if("&"===t[o]){const e=X(t,o);if(-1==e)return B("InvalidChar","char '&' is not expected.",H(t,o));o=e}else if(!0===r&&!D(t[o]))return B("InvalidXml","Extra text at the end",H(t,o));"<"===t[o]&&o--}}}var s;return n?1==i.length?B("InvalidTag","Unclosed tag '"+i[0].tagName+"'.",H(t,i[0].tagStartPos)):!(i.length>0)||B("InvalidXml","Invalid '"+JSON.stringify(i.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):B("InvalidXml","Start tag expected.",1)};const M='"',G="'";function j(t,e){let i="",n="",r=!1;for(;e<t.length;e++){if(t[e]===M||t[e]===G)""===n?n=t[e]:n!==t[e]||(n="");else if(">"===t[e]&&""===n){r=!0;break}i+=t[e]}return""===n&&{value:i,index:e,tagClosed:r}}const k=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function U(t,e){const i=S.getAllMatches(t,k),n={};for(let t=0;t<i.length;t++){if(0===i[t][1].length)return B("InvalidAttr","Attribute '"+i[t][2]+"' has no space in starting.",q(i[t]));if(void 0!==i[t][3]&&void 0===i[t][4])return B("InvalidAttr","Attribute '"+i[t][2]+"' is without value.",q(i[t]));if(void 0===i[t][3]&&!e.allowBooleanAttributes)return B("InvalidAttr","boolean attribute '"+i[t][2]+"' is not allowed.",q(i[t]));const r=i[t][2];if(!z(r))return B("InvalidAttr","Attribute '"+r+"' is an invalid name.",q(i[t]));if(n.hasOwnProperty(r))return B("InvalidAttr","Attribute '"+r+"' is repeated.",q(i[t]));n[r]=1}return!0}function X(t,e){if(";"===t[++e])return-1;if("#"===t[e])return function(t,e){let i=/\d/;for("x"===t[e]&&(e++,i=/[\da-fA-F]/);e<t.length;e++){if(";"===t[e])return e;if(!t[e].match(i))break}return-1}(t,++e);let i=0;for(;e<t.length;e++,i++)if(!(t[e].match(/\w/)&&i<20)){if(";"===t[e])break;return-1}return e}function B(t,e,i){return{err:{code:t,msg:e,line:i.line||i,col:i.col}}}function z(t){return S.isName(t)}function H(t,e){const i=t.substring(0,e).split(/\r?\n/);return{line:i.length,col:i[i.length-1].length+1}}function q(t){return t.startIndex+t[1].length}var W={};const Y={preserveOrder:!1,attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,removeNSPrefix:!1,allowBooleanAttributes:!1,parseTagValue:!0,parseAttributeValue:!1,trimValues:!0,cdataPropName:!1,numberParseOptions:{hex:!0,leadingZeros:!0,eNotation:!0},tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},stopNodes:[],alwaysCreateTextNode:!1,isArray:()=>!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(t,e,i){return t}};W.buildOptions=function(t){return Object.assign({},Y,t)},W.defaultOptions=Y;const K=$;function Z(t,e){let i="";for(;e<t.length&&"'"!==t[e]&&'"'!==t[e];e++)i+=t[e];if(i=i.trim(),-1!==i.indexOf(" "))throw new Error("External entites are not supported");const n=t[e++];let r="";for(;e<t.length&&t[e]!==n;e++)r+=t[e];return[i,r,e]}function J(t,e){return"!"===t[e+1]&&"-"===t[e+2]&&"-"===t[e+3]}function Q(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"N"===t[e+3]&&"T"===t[e+4]&&"I"===t[e+5]&&"T"===t[e+6]&&"Y"===t[e+7]}function tt(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"L"===t[e+3]&&"E"===t[e+4]&&"M"===t[e+5]&&"E"===t[e+6]&&"N"===t[e+7]&&"T"===t[e+8]}function et(t,e){return"!"===t[e+1]&&"A"===t[e+2]&&"T"===t[e+3]&&"T"===t[e+4]&&"L"===t[e+5]&&"I"===t[e+6]&&"S"===t[e+7]&&"T"===t[e+8]}function it(t,e){return"!"===t[e+1]&&"N"===t[e+2]&&"O"===t[e+3]&&"T"===t[e+4]&&"A"===t[e+5]&&"T"===t[e+6]&&"I"===t[e+7]&&"O"===t[e+8]&&"N"===t[e+9]}function nt(t){if(K.isName(t))return t;throw new Error(`Invalid entity name ${t}`)}const rt=/^[-+]?0x[a-fA-F0-9]+$/,st=/^([\-\+])?(0*)(\.[0-9]+([eE]\-?[0-9]+)?|[0-9]+(\.[0-9]+([eE]\-?[0-9]+)?)?)$/;!Number.parseInt&&window.parseInt&&(Number.parseInt=window.parseInt),!Number.parseFloat&&window.parseFloat&&(Number.parseFloat=window.parseFloat);const ot={hex:!0,leadingZeros:!0,decimalPoint:".",eNotation:!0};const at=$,lt=class{constructor(t){this.tagname=t,this.child=[],this[":@"]={}}add(t,e){"__proto__"===t&&(t="#__proto__"),this.child.push({[t]:e})}addChild(t){"__proto__"===t.tagname&&(t.tagname="#__proto__"),t[":@"]&&Object.keys(t[":@"]).length>0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},dt=function(t,e){const i={};if("O"!==t[e+3]||"C"!==t[e+4]||"T"!==t[e+5]||"Y"!==t[e+6]||"P"!==t[e+7]||"E"!==t[e+8])throw new Error("Invalid Tag instead of DOCTYPE");{e+=9;let n=1,r=!1,s=!1,o="";for(;e<t.length;e++)if("<"!==t[e]||s)if(">"===t[e]){if(s?"-"===t[e-1]&&"-"===t[e-2]&&(s=!1,n--):n--,0===n)break}else"["===t[e]?r=!0:o+=t[e];else{if(r&&Q(t,e))e+=7,[entityName,val,e]=Z(t,e+1),-1===val.indexOf("&")&&(i[nt(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(r&&tt(t,e))e+=8;else if(r&&et(t,e))e+=8;else if(r&&it(t,e))e+=9;else{if(!J)throw new Error("Invalid DOCTYPE");s=!0}n++,o=""}if(0!==n)throw new Error("Unclosed DOCTYPE")}return{entities:i,i:e}},ut=function(t,e={}){if(e=Object.assign({},ot,e),!t||"string"!=typeof t)return t;let i=t.trim();if(void 0!==e.skipLike&&e.skipLike.test(i))return t;if(e.hex&&rt.test(i))return Number.parseInt(i,16);{const r=st.exec(i);if(r){const s=r[1],o=r[2];let a=(n=r[3])&&-1!==n.indexOf(".")?("."===(n=n.replace(/0+$/,""))?n="0":"."===n[0]?n="0"+n:"."===n[n.length-1]&&(n=n.substr(0,n.length-1)),n):n;const l=r[4]||r[6];if(!e.leadingZeros&&o.length>0&&s&&"."!==i[2])return t;if(!e.leadingZeros&&o.length>0&&!s&&"."!==i[1])return t;{const n=Number(i),r=""+n;return-1!==r.search(/[eE]/)||l?e.eNotation?n:t:-1!==i.indexOf(".")?"0"===r&&""===a||r===a||s&&r==="-"+a?n:t:o?a===r||s+a===r?n:t:i===r||i===s+r?n:t}}return t}var n};function ct(t){const e=Object.keys(t);for(let i=0;i<e.length;i++){const n=e[i];this.lastEntities[n]={regex:new RegExp("&"+n+";","g"),val:t[n]}}}function pt(t,e,i,n,r,s,o){if(void 0!==t&&(this.options.trimValues&&!n&&(t=t.trim()),t.length>0)){o||(t=this.replaceEntitiesValue(t));const n=this.options.tagValueProcessor(e,t,i,r,s);return null==n?t:typeof n!=typeof t||n!==t?n:this.options.trimValues||t.trim()===t?xt(t,this.options.parseTagValue,this.options.numberParseOptions):t}}function ht(t){if(this.options.removeNSPrefix){const e=t.split(":"),i="/"===t.charAt(0)?"/":"";if("xmlns"===e[0])return"";2===e.length&&(t=i+e[1])}return t}const ft=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function gt(t,e,i){if(!this.options.ignoreAttributes&&"string"==typeof t){const i=at.getAllMatches(t,ft),n=i.length,r={};for(let t=0;t<n;t++){const n=this.resolveNameSpace(i[t][1]);let s=i[t][4],o=this.options.attributeNamePrefix+n;if(n.length)if(this.options.transformAttributeName&&(o=this.options.transformAttributeName(o)),"__proto__"===o&&(o="#__proto__"),void 0!==s){this.options.trimValues&&(s=s.trim()),s=this.replaceEntitiesValue(s);const t=this.options.attributeValueProcessor(n,s,e);r[o]=null==t?s:typeof t!=typeof s||t!==s?t:xt(s,this.options.parseAttributeValue,this.options.numberParseOptions)}else this.options.allowBooleanAttributes&&(r[o]=!0)}if(!Object.keys(r).length)return;if(this.options.attributesGroupName){const t={};return t[this.options.attributesGroupName]=r,t}return r}}const mt=function(t){t=t.replace(/\r\n?/g,"\n");const e=new lt("!xml");let i=e,n="",r="";for(let s=0;s<t.length;s++)if("<"===t[s])if("/"===t[s+1]){const e=At(t,">",s,"Closing Tag is not closed.");let o=t.substring(s+2,e).trim();if(this.options.removeNSPrefix){const t=o.indexOf(":");-1!==t&&(o=o.substr(t+1))}this.options.transformTagName&&(o=this.options.transformTagName(o)),i&&(n=this.saveTextToParentTag(n,i,r));const a=r.substring(r.lastIndexOf(".")+1);if(o&&-1!==this.options.unpairedTags.indexOf(o))throw new Error(`Unpaired tag can not be used as closing tag: </${o}>`);let l=0;a&&-1!==this.options.unpairedTags.indexOf(a)?(l=r.lastIndexOf(".",r.lastIndexOf(".")-1),this.tagsNodeStack.pop()):l=r.lastIndexOf("."),r=r.substring(0,l),i=this.tagsNodeStack.pop(),n="",s=e}else if("?"===t[s+1]){let e=bt(t,s,!1,"?>");if(!e)throw new Error("Pi Tag is not closed.");if(n=this.saveTextToParentTag(n,i,r),this.options.ignoreDeclaration&&"?xml"===e.tagName||this.options.ignorePiTags);else{const t=new lt(e.tagName);t.add(this.options.textNodeName,""),e.tagName!==e.tagExp&&e.attrExpPresent&&(t[":@"]=this.buildAttributesMap(e.tagExp,r,e.tagName)),this.addChild(i,t,r)}s=e.closeIndex+1}else if("!--"===t.substr(s+1,3)){const e=At(t,"--\x3e",s+4,"Comment is not closed.");if(this.options.commentPropName){const o=t.substring(s+4,e-2);n=this.saveTextToParentTag(n,i,r),i.add(this.options.commentPropName,[{[this.options.textNodeName]:o}])}s=e}else if("!D"===t.substr(s+1,2)){const e=dt(t,s);this.docTypeEntities=e.entities,s=e.i}else if("!["===t.substr(s+1,2)){const e=At(t,"]]>",s,"CDATA is not closed.")-2,o=t.substring(s+9,e);n=this.saveTextToParentTag(n,i,r);let a=this.parseTextData(o,i.tagname,r,!0,!1,!0,!0);null==a&&(a=""),this.options.cdataPropName?i.add(this.options.cdataPropName,[{[this.options.textNodeName]:o}]):i.add(this.options.textNodeName,a),s=e+2}else{let o=bt(t,s,this.options.removeNSPrefix),a=o.tagName;const l=o.rawTagName;let d=o.tagExp,u=o.attrExpPresent,c=o.closeIndex;this.options.transformTagName&&(a=this.options.transformTagName(a)),i&&n&&"!xml"!==i.tagname&&(n=this.saveTextToParentTag(n,i,r,!1));const p=i;if(p&&-1!==this.options.unpairedTags.indexOf(p.tagname)&&(i=this.tagsNodeStack.pop(),r=r.substring(0,r.lastIndexOf("."))),a!==e.tagname&&(r+=r?"."+a:a),this.isItStopNode(this.options.stopNodes,r,a)){let e="";if(d.length>0&&d.lastIndexOf("/")===d.length-1)"/"===a[a.length-1]?(a=a.substr(0,a.length-1),r=r.substr(0,r.length-1),d=a):d=d.substr(0,d.length-1),s=o.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(a))s=o.closeIndex;else{const i=this.readStopNodeData(t,l,c+1);if(!i)throw new Error(`Unexpected end of ${l}`);s=i.i,e=i.tagContent}const n=new lt(a);a!==d&&u&&(n[":@"]=this.buildAttributesMap(d,r,a)),e&&(e=this.parseTextData(e,a,r,!0,u,!0,!0)),r=r.substr(0,r.lastIndexOf(".")),n.add(this.options.textNodeName,e),this.addChild(i,n,r)}else{if(d.length>0&&d.lastIndexOf("/")===d.length-1){"/"===a[a.length-1]?(a=a.substr(0,a.length-1),r=r.substr(0,r.length-1),d=a):d=d.substr(0,d.length-1),this.options.transformTagName&&(a=this.options.transformTagName(a));const t=new lt(a);a!==d&&u&&(t[":@"]=this.buildAttributesMap(d,r,a)),this.addChild(i,t,r),r=r.substr(0,r.lastIndexOf("."))}else{const t=new lt(a);this.tagsNodeStack.push(i),a!==d&&u&&(t[":@"]=this.buildAttributesMap(d,r,a)),this.addChild(i,t,r),i=t}n="",s=c}}else n+=t[s];return e.child};function Et(t,e,i){const n=this.options.updateTag(e.tagname,i,e[":@"]);!1===n||("string"==typeof n?(e.tagname=n,t.addChild(e)):t.addChild(e))}const wt=function(t){if(this.options.processEntities){for(let e in this.docTypeEntities){const i=this.docTypeEntities[e];t=t.replace(i.regx,i.val)}for(let e in this.lastEntities){const i=this.lastEntities[e];t=t.replace(i.regex,i.val)}if(this.options.htmlEntities)for(let e in this.htmlEntities){const i=this.htmlEntities[e];t=t.replace(i.regex,i.val)}t=t.replace(this.ampEntity.regex,this.ampEntity.val)}return t};function Nt(t,e,i,n){return t&&(void 0===n&&(n=0===Object.keys(e.child).length),void 0!==(t=this.parseTextData(t,e.tagname,i,!1,!!e[":@"]&&0!==Object.keys(e[":@"]).length,n))&&""!==t&&e.add(this.options.textNodeName,t),t=""),t}function vt(t,e,i){const n="*."+i;for(const i in t){const r=t[i];if(n===r||e===r)return!0}return!1}function At(t,e,i,n){const r=t.indexOf(e,i);if(-1===r)throw new Error(n);return r+e.length-1}function bt(t,e,i,n=">"){const r=function(t,e,i=">"){let n,r="";for(let s=e;s<t.length;s++){let e=t[s];if(n)e===n&&(n="");else if('"'===e||"'"===e)n=e;else if(e===i[0]){if(!i[1])return{data:r,index:s};if(t[s+1]===i[1])return{data:r,index:s}}else"\t"===e&&(e=" ");r+=e}}(t,e+1,n);if(!r)return;let s=r.data;const o=r.index,a=s.search(/\s/);let l=s,d=!0;-1!==a&&(l=s.substring(0,a),s=s.substring(a+1).trimStart());const u=l;if(i){const t=l.indexOf(":");-1!==t&&(l=l.substr(t+1),d=l!==r.data.substr(t+1))}return{tagName:l,tagExp:s,closeIndex:o,attrExpPresent:d,rawTagName:u}}function yt(t,e,i){const n=i;let r=1;for(;i<t.length;i++)if("<"===t[i])if("/"===t[i+1]){const s=At(t,">",i,`${e} is not closed`);if(t.substring(i+2,s).trim()===e&&(r--,0===r))return{tagContent:t.substring(n,i),i:s};i=s}else if("?"===t[i+1])i=At(t,"?>",i+1,"StopNode is not closed.");else if("!--"===t.substr(i+1,3))i=At(t,"--\x3e",i+3,"StopNode is not closed.");else if("!["===t.substr(i+1,2))i=At(t,"]]>",i,"StopNode is not closed.")-2;else{const n=bt(t,i,">");n&&((n&&n.tagName)===e&&"/"!==n.tagExp[n.tagExp.length-1]&&r++,i=n.closeIndex)}}function xt(t,e,i){if(e&&"string"==typeof t){const e=t.trim();return"true"===e||"false"!==e&&ut(t,i)}return at.isExist(t)?t:""}var It={};function _t(t,e,i){let n;const r={};for(let s=0;s<t.length;s++){const o=t[s],a=Ot(o);let l="";if(l=void 0===i?a:i+"."+a,a===e.textNodeName)void 0===n?n=o[a]:n+=""+o[a];else{if(void 0===a)continue;if(o[a]){let t=_t(o[a],e,l);const i=Ct(t,e);o[":@"]?Tt(t,o[":@"],l,e):1!==Object.keys(t).length||void 0===t[e.textNodeName]||e.alwaysCreateTextNode?0===Object.keys(t).length&&(e.alwaysCreateTextNode?t[e.textNodeName]="":t=""):t=t[e.textNodeName],void 0!==r[a]&&r.hasOwnProperty(a)?(Array.isArray(r[a])||(r[a]=[r[a]]),r[a].push(t)):e.isArray(a,l,i)?r[a]=[t]:r[a]=t}}}return"string"==typeof n?n.length>0&&(r[e.textNodeName]=n):void 0!==n&&(r[e.textNodeName]=n),r}function Ot(t){const e=Object.keys(t);for(let t=0;t<e.length;t++){const i=e[t];if(":@"!==i)return i}}function Tt(t,e,i,n){if(e){const r=Object.keys(e),s=r.length;for(let o=0;o<s;o++){const s=r[o];n.isArray(s,i+"."+s,!0,!0)?t[s]=[e[s]]:t[s]=e[s]}}}function Ct(t,e){const{textNodeName:i}=e,n=Object.keys(t).length;return 0===n||!(1!==n||!t[i]&&"boolean"!=typeof t[i]&&0!==t[i])}It.prettify=function(t,e){return _t(t,e)};const{buildOptions:Rt}=W,Lt=class{constructor(t){this.options=t,this.currentNode=null,this.tagsNodeStack=[],this.docTypeEntities={},this.lastEntities={apos:{regex:/&(apos|#39|#x27);/g,val:"'"},gt:{regex:/&(gt|#62|#x3E);/g,val:">"},lt:{regex:/&(lt|#60|#x3C);/g,val:"<"},quot:{regex:/&(quot|#34|#x22);/g,val:'"'}},this.ampEntity={regex:/&(amp|#38|#x26);/g,val:"&"},this.htmlEntities={space:{regex:/&(nbsp|#160);/g,val:" "},cent:{regex:/&(cent|#162);/g,val:"¢"},pound:{regex:/&(pound|#163);/g,val:"£"},yen:{regex:/&(yen|#165);/g,val:"Â¥"},euro:{regex:/&(euro|#8364);/g,val:"€"},copyright:{regex:/&(copy|#169);/g,val:"©"},reg:{regex:/&(reg|#174);/g,val:"®"},inr:{regex:/&(inr|#8377);/g,val:"₹"},num_dec:{regex:/&#([0-9]{1,7});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,10))},num_hex:{regex:/&#x([0-9a-fA-F]{1,6});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,16))}},this.addExternalEntities=ct,this.parseXml=mt,this.parseTextData=pt,this.resolveNameSpace=ht,this.buildAttributesMap=gt,this.isItStopNode=vt,this.replaceEntitiesValue=wt,this.readStopNodeData=yt,this.saveTextToParentTag=Nt,this.addChild=Et}},{prettify:$t}=It,St=L;function Pt(t,e,i,n){let r="",s=!1;for(let o=0;o<t.length;o++){const a=t[o],l=Dt(a);if(void 0===l)continue;let d="";if(d=0===i.length?l:`${i}.${l}`,l===e.textNodeName){let t=a[l];Vt(d,e)||(t=e.tagValueProcessor(l,t),t=Mt(t,e)),s&&(r+=n),r+=t,s=!1;continue}if(l===e.cdataPropName){s&&(r+=n),r+=`<![CDATA[${a[l][0][e.textNodeName]}]]>`,s=!1;continue}if(l===e.commentPropName){r+=n+`\x3c!--${a[l][0][e.textNodeName]}--\x3e`,s=!0;continue}if("?"===l[0]){const t=Ft(a[":@"],e),i="?xml"===l?"":n;let o=a[l][0][e.textNodeName];o=0!==o.length?" "+o:"",r+=i+`<${l}${o}${t}?>`,s=!0;continue}let u=n;""!==u&&(u+=e.indentBy);const c=n+`<${l}${Ft(a[":@"],e)}`,p=Pt(a[l],e,d,u);-1!==e.unpairedTags.indexOf(l)?e.suppressUnpairedNode?r+=c+">":r+=c+"/>":p&&0!==p.length||!e.suppressEmptyNode?p&&p.endsWith(">")?r+=c+`>${p}${n}</${l}>`:(r+=c+">",p&&""!==n&&(p.includes("/>")||p.includes("</"))?r+=n+e.indentBy+p+n:r+=p,r+=`</${l}>`):r+=c+"/>",s=!0}return r}function Dt(t){const e=Object.keys(t);for(let i=0;i<e.length;i++){const n=e[i];if(t.hasOwnProperty(n)&&":@"!==n)return n}}function Ft(t,e){let i="";if(t&&!e.ignoreAttributes)for(let n in t){if(!t.hasOwnProperty(n))continue;let r=e.attributeValueProcessor(n,t[n]);r=Mt(r,e),!0===r&&e.suppressBooleanAttributes?i+=` ${n.substr(e.attributeNamePrefix.length)}`:i+=` ${n.substr(e.attributeNamePrefix.length)}="${r}"`}return i}function Vt(t,e){let i=(t=t.substr(0,t.length-e.textNodeName.length-1)).substr(t.lastIndexOf(".")+1);for(let n in e.stopNodes)if(e.stopNodes[n]===t||e.stopNodes[n]==="*."+i)return!0;return!1}function Mt(t,e){if(t&&t.length>0&&e.processEntities)for(let i=0;i<e.entities.length;i++){const n=e.entities[i];t=t.replace(n.regex,n.val)}return t}const Gt=function(t,e){let i="";return e.format&&e.indentBy.length>0&&(i="\n"),Pt(t,e,"",i)},jt={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:"&amp;"},{regex:new RegExp(">","g"),val:"&gt;"},{regex:new RegExp("<","g"),val:"&lt;"},{regex:new RegExp("'","g"),val:"&apos;"},{regex:new RegExp('"',"g"),val:"&quot;"}],processEntities:!0,stopNodes:[],oneListGroup:!1};function kt(t){this.options=Object.assign({},jt,t),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=Bt),this.processTextOrObjNode=Ut,this.options.format?(this.indentate=Xt,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function Ut(t,e,i){const n=this.j2x(t,i+1);return void 0!==t[this.options.textNodeName]&&1===Object.keys(t).length?this.buildTextValNode(t[this.options.textNodeName],e,n.attrStr,i):this.buildObjectNode(n.val,e,n.attrStr,i)}function Xt(t){return this.options.indentBy.repeat(t)}function Bt(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}kt.prototype.build=function(t){return this.options.preserveOrder?Gt(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0).val)},kt.prototype.j2x=function(t,e){let i="",n="";for(let r in t)if(Object.prototype.hasOwnProperty.call(t,r))if(void 0===t[r])this.isAttribute(r)&&(n+="");else if(null===t[r])this.isAttribute(r)?n+="":"?"===r[0]?n+=this.indentate(e)+"<"+r+"?"+this.tagEndChar:n+=this.indentate(e)+"<"+r+"/"+this.tagEndChar;else if(t[r]instanceof Date)n+=this.buildTextValNode(t[r],r,"",e);else if("object"!=typeof t[r]){const s=this.isAttribute(r);if(s)i+=this.buildAttrPairStr(s,""+t[r]);else if(r===this.options.textNodeName){let e=this.options.tagValueProcessor(r,""+t[r]);n+=this.replaceEntitiesValue(e)}else n+=this.buildTextValNode(t[r],r,"",e)}else if(Array.isArray(t[r])){const i=t[r].length;let s="",o="";for(let a=0;a<i;a++){const i=t[r][a];if(void 0===i);else if(null===i)"?"===r[0]?n+=this.indentate(e)+"<"+r+"?"+this.tagEndChar:n+=this.indentate(e)+"<"+r+"/"+this.tagEndChar;else if("object"==typeof i)if(this.options.oneListGroup){const t=this.j2x(i,e+1);s+=t.val,this.options.attributesGroupName&&i.hasOwnProperty(this.options.attributesGroupName)&&(o+=t.attrStr)}else s+=this.processTextOrObjNode(i,r,e);else if(this.options.oneListGroup){let t=this.options.tagValueProcessor(r,i);t=this.replaceEntitiesValue(t),s+=t}else s+=this.buildTextValNode(i,r,"",e)}this.options.oneListGroup&&(s=this.buildObjectNode(s,r,o,e)),n+=s}else if(this.options.attributesGroupName&&r===this.options.attributesGroupName){const e=Object.keys(t[r]),n=e.length;for(let s=0;s<n;s++)i+=this.buildAttrPairStr(e[s],""+t[r][e[s]])}else n+=this.processTextOrObjNode(t[r],r,e);return{attrStr:i,val:n}},kt.prototype.buildAttrPairStr=function(t,e){return e=this.options.attributeValueProcessor(t,""+e),e=this.replaceEntitiesValue(e),this.options.suppressBooleanAttributes&&"true"===e?" "+t:" "+t+'="'+e+'"'},kt.prototype.buildObjectNode=function(t,e,i,n){if(""===t)return"?"===e[0]?this.indentate(n)+"<"+e+i+"?"+this.tagEndChar:this.indentate(n)+"<"+e+i+this.closeTag(e)+this.tagEndChar;{let r="</"+e+this.tagEndChar,s="";return"?"===e[0]&&(s="?",r=""),!i&&""!==i||-1!==t.indexOf("<")?!1!==this.options.commentPropName&&e===this.options.commentPropName&&0===s.length?this.indentate(n)+`\x3c!--${t}--\x3e`+this.newLine:this.indentate(n)+"<"+e+i+s+this.tagEndChar+t+this.indentate(n)+r:this.indentate(n)+"<"+e+i+s+">"+t+r}},kt.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`></${t}`,e},kt.prototype.buildTextValNode=function(t,e,i,n){if(!1!==this.options.cdataPropName&&e===this.options.cdataPropName)return this.indentate(n)+`<![CDATA[${t}]]>`+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 r=this.options.tagValueProcessor(e,t);return r=this.replaceEntitiesValue(r),""===r?this.indentate(n)+"<"+e+i+this.closeTag(e)+this.tagEndChar:this.indentate(n)+"<"+e+i+">"+r+"</"+e+this.tagEndChar}},kt.prototype.replaceEntitiesValue=function(t){if(t&&t.length>0&&this.options.processEntities)for(let e=0;e<this.options.entities.length;e++){const i=this.options.entities[e];t=t.replace(i.regex,i.val)}return t};var zt={XMLParser:class{constructor(t){this.externalEntities={},this.options=Rt(t)}parse(t,e){if("string"==typeof t);else{if(!t.toString)throw new Error("XML data is accepted in String or Bytes[] form.");t=t.toString()}if(e){!0===e&&(e={});const i=St.validate(t,e);if(!0!==i)throw Error(`${i.err.msg}:${i.err.line}:${i.err.col}`)}const i=new Lt(this.options);i.addExternalEntities(this.externalEntities);const n=i.parseXml(t);return this.options.preserveOrder||void 0===n?n:$t(n,this.options)}addEntity(t,e){if(-1!==e.indexOf("&"))throw new Error("Entity value can't have '&'");if(-1!==t.indexOf("&")||-1!==t.indexOf(";"))throw new Error("An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'");if("&"===e)throw new Error("An entity with value '&' is not permitted");this.externalEntities[t]=e}},XMLValidator:L,XMLBuilder:kt};const Ht=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("View id is required and must be a string");if(!t.name||"string"!=typeof t.name)throw new Error("View name is required and must be a string");if(t.columns&&t.columns.length>0&&(!t.caption||"string"!=typeof t.caption))throw new Error("View caption is required for top-level views and must be a string");if(!t.getContents||"function"!=typeof t.getContents)throw new Error("View getContents is required and must be a function");if(!t.icon||"string"!=typeof t.icon||!function(t){if("string"!=typeof t)throw new TypeError(`Expected a \`string\`, got \`${typeof t}\``);if(0===(t=t.trim()).length)return!1;if(!0!==zt.XMLValidator.validate(t))return!1;let e;const i=new zt.XMLParser;try{e=i.parse(t)}catch{return!1}return!!e&&!!Object.keys(e).some((t=>"svg"===t.toLowerCase()))}(t.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in t)||"number"!=typeof t.order)throw new Error("View order is required and must be a number");if(t.columns&&t.columns.forEach((t=>{if(!(t instanceof C))throw new Error("View columns must be an array of Column. Invalid column found")})),t.emptyView&&"function"!=typeof t.emptyView)throw new Error("View emptyView must be a function");if(t.parent&&"string"!=typeof t.parent)throw new Error("View parent must be a string");if("sticky"in t&&"boolean"!=typeof t.sticky)throw new Error("View sticky must be a boolean");if("expanded"in t&&"boolean"!=typeof t.expanded)throw new Error("View expanded must be a boolean");if(t.defaultSortKey&&"string"!=typeof t.defaultSortKey)throw new Error("View defaultSortKey must be a string");if(t.loadChildViews&&"function"!=typeof t.loadChildViews)throw new Error("View loadChildViews must be a function");return!0};var qt="object"==typeof p&&p.env&&p.env.NODE_DEBUG&&/\bsemver\b/i.test(p.env.NODE_DEBUG)?(...t)=>h.error("SEMVER",...t):()=>{},Wt={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},Yt={exports:{}};!function(t,e){const{MAX_SAFE_COMPONENT_LENGTH:i,MAX_SAFE_BUILD_LENGTH:n,MAX_LENGTH:r}=Wt,s=qt,o=(e=t.exports={}).re=[],a=e.safeRe=[],l=e.src=[],d=e.t={};let u=0;const c="[a-zA-Z0-9-]",p=[["\\s",1],["\\d",r],[c,n]],h=(t,e,i)=>{const n=(t=>{for(const[e,i]of p)t=t.split(`${e}*`).join(`${e}{0,${i}}`).split(`${e}+`).join(`${e}{1,${i}}`);return t})(e),r=u++;s(t,r,e),d[t]=r,l[r]=e,o[r]=new RegExp(e,i?"g":void 0),a[r]=new RegExp(n,i?"g":void 0)};h("NUMERICIDENTIFIER","0|[1-9]\\d*"),h("NUMERICIDENTIFIERLOOSE","\\d+"),h("NONNUMERICIDENTIFIER",`\\d*[a-zA-Z-]${c}*`),h("MAINVERSION",`(${l[d.NUMERICIDENTIFIER]})\\.(${l[d.NUMERICIDENTIFIER]})\\.(${l[d.NUMERICIDENTIFIER]})`),h("MAINVERSIONLOOSE",`(${l[d.NUMERICIDENTIFIERLOOSE]})\\.(${l[d.NUMERICIDENTIFIERLOOSE]})\\.(${l[d.NUMERICIDENTIFIERLOOSE]})`),h("PRERELEASEIDENTIFIER",`(?:${l[d.NUMERICIDENTIFIER]}|${l[d.NONNUMERICIDENTIFIER]})`),h("PRERELEASEIDENTIFIERLOOSE",`(?:${l[d.NUMERICIDENTIFIERLOOSE]}|${l[d.NONNUMERICIDENTIFIER]})`),h("PRERELEASE",`(?:-(${l[d.PRERELEASEIDENTIFIER]}(?:\\.${l[d.PRERELEASEIDENTIFIER]})*))`),h("PRERELEASELOOSE",`(?:-?(${l[d.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${l[d.PRERELEASEIDENTIFIERLOOSE]})*))`),h("BUILDIDENTIFIER",`${c}+`),h("BUILD",`(?:\\+(${l[d.BUILDIDENTIFIER]}(?:\\.${l[d.BUILDIDENTIFIER]})*))`),h("FULLPLAIN",`v?${l[d.MAINVERSION]}${l[d.PRERELEASE]}?${l[d.BUILD]}?`),h("FULL",`^${l[d.FULLPLAIN]}$`),h("LOOSEPLAIN",`[v=\\s]*${l[d.MAINVERSIONLOOSE]}${l[d.PRERELEASELOOSE]}?${l[d.BUILD]}?`),h("LOOSE",`^${l[d.LOOSEPLAIN]}$`),h("GTLT","((?:<|>)?=?)"),h("XRANGEIDENTIFIERLOOSE",`${l[d.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`),h("XRANGEIDENTIFIER",`${l[d.NUMERICIDENTIFIER]}|x|X|\\*`),h("XRANGEPLAIN",`[v=\\s]*(${l[d.XRANGEIDENTIFIER]})(?:\\.(${l[d.XRANGEIDENTIFIER]})(?:\\.(${l[d.XRANGEIDENTIFIER]})(?:${l[d.PRERELEASE]})?${l[d.BUILD]}?)?)?`),h("XRANGEPLAINLOOSE",`[v=\\s]*(${l[d.XRANGEIDENTIFIERLOOSE]})(?:\\.(${l[d.XRANGEIDENTIFIERLOOSE]})(?:\\.(${l[d.XRANGEIDENTIFIERLOOSE]})(?:${l[d.PRERELEASELOOSE]})?${l[d.BUILD]}?)?)?`),h("XRANGE",`^${l[d.GTLT]}\\s*${l[d.XRANGEPLAIN]}$`),h("XRANGELOOSE",`^${l[d.GTLT]}\\s*${l[d.XRANGEPLAINLOOSE]}$`),h("COERCEPLAIN",`(^|[^\\d])(\\d{1,${i}})(?:\\.(\\d{1,${i}}))?(?:\\.(\\d{1,${i}}))?`),h("COERCE",`${l[d.COERCEPLAIN]}(?:$|[^\\d])`),h("COERCEFULL",l[d.COERCEPLAIN]+`(?:${l[d.PRERELEASE]})?(?:${l[d.BUILD]})?(?:$|[^\\d])`),h("COERCERTL",l[d.COERCE],!0),h("COERCERTLFULL",l[d.COERCEFULL],!0),h("LONETILDE","(?:~>?)"),h("TILDETRIM",`(\\s*)${l[d.LONETILDE]}\\s+`,!0),e.tildeTrimReplace="$1~",h("TILDE",`^${l[d.LONETILDE]}${l[d.XRANGEPLAIN]}$`),h("TILDELOOSE",`^${l[d.LONETILDE]}${l[d.XRANGEPLAINLOOSE]}$`),h("LONECARET","(?:\\^)"),h("CARETTRIM",`(\\s*)${l[d.LONECARET]}\\s+`,!0),e.caretTrimReplace="$1^",h("CARET",`^${l[d.LONECARET]}${l[d.XRANGEPLAIN]}$`),h("CARETLOOSE",`^${l[d.LONECARET]}${l[d.XRANGEPLAINLOOSE]}$`),h("COMPARATORLOOSE",`^${l[d.GTLT]}\\s*(${l[d.LOOSEPLAIN]})$|^$`),h("COMPARATOR",`^${l[d.GTLT]}\\s*(${l[d.FULLPLAIN]})$|^$`),h("COMPARATORTRIM",`(\\s*)${l[d.GTLT]}\\s*(${l[d.LOOSEPLAIN]}|${l[d.XRANGEPLAIN]})`,!0),e.comparatorTrimReplace="$1$2$3",h("HYPHENRANGE",`^\\s*(${l[d.XRANGEPLAIN]})\\s+-\\s+(${l[d.XRANGEPLAIN]})\\s*$`),h("HYPHENRANGELOOSE",`^\\s*(${l[d.XRANGEPLAINLOOSE]})\\s+-\\s+(${l[d.XRANGEPLAINLOOSE]})\\s*$`),h("STAR","(<|>)?=?\\s*\\*"),h("GTE0","^\\s*>=\\s*0\\.0\\.0\\s*$"),h("GTE0PRE","^\\s*>=\\s*0\\.0\\.0-0\\s*$")}(Yt,Yt.exports);var Kt=Yt.exports;Object.freeze({loose:!0}),Object.freeze({});const Zt=/^[0-9]+$/,Jt=(t,e)=>{const i=Zt.test(t),n=Zt.test(e);return i&&n&&(t=+t,e=+e),t===e?0:i&&!n?-1:n&&!i?1:t<e?-1:1};var Qt={compareIdentifiers:Jt,rcompareIdentifiers:(t,e)=>Jt(e,t)};const{MAX_LENGTH:te,MAX_SAFE_INTEGER:ee}=Wt,{safeRe:ie,t:ne}=Kt,{compareIdentifiers:re}=Qt;c.m;var se=i(85072),oe=i.n(se),ae=i(97825),le=i.n(ae),de=i(77659),ue=i.n(de),ce=i(55056),pe=i.n(ce),he=i(10540),fe=i.n(he),ge=i(41113),me=i.n(ge),Ee=i(73911),we={};we.styleTagTransform=me(),we.setAttributes=pe(),we.insert=ue().bind(null,"head"),we.domAPI=le(),we.insertStyleElement=fe(),oe()(Ee.A,we),Ee.A&&Ee.A.locals&&Ee.A.locals;const Ne=function(t){const e=t.attributes?.["system-tags"]?.["system-tag"];return void 0===e?[]:[e].flat()},ve=function(t){let e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];const i=document.createElement("li");return i.classList.add("files-list__system-tag"),i.textContent=t,e&&i.classList.add("files-list__system-tag--more"),i},Ae=new class{_action;constructor(t){this.validateAction(t),this._action=t}get id(){return this._action.id}get displayName(){return this._action.displayName}get title(){return this._action.title}get iconSvgInline(){return this._action.iconSvgInline}get enabled(){return this._action.enabled}get exec(){return this._action.exec}get execBatch(){return this._action.execBatch}get order(){return this._action.order}get parent(){return this._action.parent}get default(){return this._action.default}get inline(){return this._action.inline}get renderInline(){return this._action.renderInline}validateAction(t){if(!t.id||"string"!=typeof t.id)throw new Error("Invalid id");if(!t.displayName||"function"!=typeof t.displayName)throw new Error("Invalid displayName function");if("title"in t&&"function"!=typeof t.title)throw new Error("Invalid title function");if(!t.iconSvgInline||"function"!=typeof t.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!t.exec||"function"!=typeof t.exec)throw new Error("Invalid exec function");if("enabled"in t&&"function"!=typeof t.enabled)throw new Error("Invalid enabled function");if("execBatch"in t&&"function"!=typeof t.execBatch)throw new Error("Invalid execBatch function");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order");if("parent"in t&&"string"!=typeof t.parent)throw new Error("Invalid parent");if(t.default&&!Object.values(g).includes(t.default))throw new Error("Invalid default");if("inline"in t&&"function"!=typeof t.inline)throw new Error("Invalid inline function");if("renderInline"in t&&"function"!=typeof t.renderInline)throw new Error("Invalid renderInline function")}}({id:"system-tags",displayName:()=>"",iconSvgInline:()=>"",enabled(t){if(1!==t.length)return!1;const e=t[0];return 0!==Ne(e).length},exec:async()=>null,async renderInline(t){const e=Ne(t);if(0===e.length)return null;const i=document.createElement("ul");if(i.classList.add("files-list__system-tags"),i.setAttribute("aria-label",(0,u.Tl)("files","Assigned collaborative tags")),i.append(ve(e[0])),2===e.length)i.append(ve(e[1]));else if(e.length>1){const t=ve("+"+(e.length-1),!0);t.setAttribute("title",e.slice(1).join(", ")),t.setAttribute("aria-hidden","true"),t.setAttribute("role","presentation"),i.append(t);for(const t of e.slice(1)){const e=ve(t);e.classList.add("hidden-visually"),i.append(e)}}return i},order:0});i(65043);var be=i(60669);const ye=(0,a.dC)("dav"),xe=(0,be.UU)(ye),Ie=t=>{xe.setHeaders({"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})};(0,r.zo)(Ie),Ie((0,r.do)());var _e=i(71654);const Oe=(0,n.YK)().setApp("systemtags").detectUser().build(),Te="/systemtags",Ce=function(t=O,e={}){const i=(0,l.UU)(t,{headers:e});function n(t){i.setHeaders({...e,"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})}return(0,r.zo)(n),n((0,r.do)()),(0,l.Gu)().patch("fetch",((t,e)=>{const i=e.headers;return i?.method&&(e.method=i.method,delete i.method),fetch(t,e)})),i}(),Re=t=>function(t,e=_,i=O){let n=(0,r.HW)()?.uid;if((0,d.f)())n=n??"anonymous";else if(!n)throw new Error("No user id found");const s=t.props,o=function(t=""){let e=m.NONE;return t?((t.includes("C")||t.includes("K"))&&(e|=m.CREATE),t.includes("G")&&(e|=m.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=m.UPDATE),t.includes("D")&&(e|=m.DELETE),t.includes("R")&&(e|=m.SHARE),e):e}(s?.permissions),a=String(s?.["owner-id"]||n),l=s.fileid||0,u={id:l,source:`${i}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime||"application/octet-stream",displayname:void 0!==s.displayname?String(s.displayname):void 0,size:s?.size||Number.parseInt(s.getcontentlength||"0"),status:l<0?b.FAILED:void 0,permissions:o,owner:a,root:e,attributes:{...t,...s,hasPreview:s?.["has-preview"]}};return delete u.attributes?.props,"file"===t.type?new x(u):new I(u)}(t),Le=t=>`<?xml version="1.0"?>\n<oc:filter-files ${void 0===window._nc_dav_namespaces&&(window._nc_dav_namespaces={...w}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")}>\n\t<d:prop>\n\t\t${void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...E]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")}\n\t</d:prop>\n\t<oc:filter-rules>\n\t\t<oc:systemtag>${t}</oc:systemtag>\n\t</oc:filter-rules>\n</oc:filter-files>`,$e=function(t){return new I({id:t.id,source:`${O}${Te}/${t.id}`,owner:String((0,r.HW)()?.uid??"anonymous"),root:Te,displayname:t.displayName,permissions:m.READ,attributes:{...t,"is-tag":!0}})};!function(t,e={nc:"http://nextcloud.org/ns"}){void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...E],window._nc_dav_namespaces={...w});const i={...window._nc_dav_namespaces,...e};window._nc_dav_properties.find((e=>e===t))?f.warn(`${t} already registered`,{prop:t}):t.startsWith("<")||2!==t.split(":").length?f.error(`${t} is not valid. See example: 'oc:fileid'`,{prop:t}):i[t.split(":")[0]]?(window._nc_dav_properties.push(t),window._nc_dav_namespaces=i):f.error(`${t} namespace unknown`,{prop:t,namespaces:i})}("nc:system-tags"),function(t){void 0===window._nc_fileactions&&(window._nc_fileactions=[],f.debug("FileActions initialized")),window._nc_fileactions.find((e=>e.id===t.id))?f.error(`FileAction ${t.id} already registered`,{action:t}):window._nc_fileactions.push(t)}(Ae),(void 0===window._nc_navigation&&(window._nc_navigation=new T,f.debug("Navigation service initialized")),window._nc_navigation).register(new class{_view;constructor(t){Ht(t),this._view=t}get id(){return this._view.id}get name(){return this._view.name}get caption(){return this._view.caption}get emptyTitle(){return this._view.emptyTitle}get emptyCaption(){return this._view.emptyCaption}get getContents(){return this._view.getContents}get icon(){return this._view.icon}set icon(t){this._view.icon=t}get order(){return this._view.order}set order(t){this._view.order=t}get params(){return this._view.params}set params(t){this._view.params=t}get columns(){return this._view.columns}get emptyView(){return this._view.emptyView}get parent(){return this._view.parent}get sticky(){return this._view.sticky}get expanded(){return this._view.expanded}set expanded(t){this._view.expanded=t}get defaultSortKey(){return this._view.defaultSortKey}get loadChildViews(){return this._view.loadChildViews}}({id:"tags",name:(0,u.Tl)("systemtags","Tags"),caption:(0,u.Tl)("systemtags","List of tags and their associated files and folders."),emptyTitle:(0,u.Tl)("systemtags","No tags found"),emptyCaption:(0,u.Tl)("systemtags","Tags you have created will show up here."),icon:'<svg xmlns="http://www.w3.org/2000/svg" id="mdi-tag-multiple" viewBox="0 0 24 24"><path d="M5.5,9A1.5,1.5 0 0,0 7,7.5A1.5,1.5 0 0,0 5.5,6A1.5,1.5 0 0,0 4,7.5A1.5,1.5 0 0,0 5.5,9M17.41,11.58C17.77,11.94 18,12.44 18,13C18,13.55 17.78,14.05 17.41,14.41L12.41,19.41C12.05,19.77 11.55,20 11,20C10.45,20 9.95,19.78 9.58,19.41L2.59,12.42C2.22,12.05 2,11.55 2,11V6C2,4.89 2.89,4 4,4H9C9.55,4 10.05,4.22 10.41,4.58L17.41,11.58M13.54,5.71L14.54,4.71L21.41,11.58C21.78,11.94 22,12.45 22,13C22,13.55 21.78,14.05 21.42,14.41L16.04,19.79L15.04,18.79L20.75,13L13.54,5.71Z" /></svg>',order:25,getContents:async function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const e=(await(async()=>{try{const{data:t}=await xe.getDirectoryContents("/systemtags",{data:'<?xml version="1.0"?>\n<d:propfind  xmlns:d="DAV:" xmlns:oc="http://owncloud.org/ns">\n\t<d:prop>\n\t\t<oc:id />\n\t\t<oc:display-name />\n\t\t<oc:user-visible />\n\t\t<oc:user-assignable />\n\t\t<oc:can-assign />\n\t</d:prop>\n</d:propfind>',details:!0,glob:"/systemtags/*"});return(t=>t.map((t=>{let{props:e}=t;return Object.fromEntries(Object.entries(e).map((t=>{let[e,i]=t;return[(0,_e.A)(e),"displayName"===(0,_e.A)(e)?String(i):i]})))})))(t)}catch(t){throw Oe.error((0,u.Tl)("systemtags","Failed to load tags"),{error:t}),new Error((0,u.Tl)("systemtags","Failed to load tags"))}})()).filter((t=>t.userVisible));if("/"===t)return{folder:new I({id:0,source:`${O}${Te}`,owner:(0,r.HW)()?.uid,root:Te,permissions:m.NONE}),contents:e.map($e)};const i=parseInt(t.split("/",2)[1]),n=e.find((t=>t.id===i));if(!n)throw new Error("Tag not found");return{folder:$e(n),contents:(await Ce.getDirectoryContents(_,{details:!0,data:Le(i),headers:{method:"REPORT"}})).data.map(Re)}}}))},73911:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),r=i.n(n),s=i(76314),o=i.n(s)()(r());o.push([t.id,".files-list__system-tags{--min-size: 32px;display:none;justify-content:center;align-items:center;min-width:calc(var(--min-size)*2);max-width:300px}.files-list__system-tag{padding:5px 10px;border:1px solid;border-radius:var(--border-radius-pill);border-color:var(--color-border);color:var(--color-text-maxcontrast);height:var(--min-size);white-space:nowrap;overflow:hidden;text-overflow:ellipsis;line-height:22px;text-align:center}.files-list__system-tag--more{overflow:visible;text-overflow:initial}.files-list__system-tag+.files-list__system-tag{margin-left:5px}@media(min-width: 512px){.files-list__system-tags{display:flex}}","",{version:3,sources:["webpack://./apps/systemtags/src/css/fileEntryInlineSystemTags.scss"],names:[],mappings:"AAKA,yBACC,gBAAA,CACA,YAAA,CACA,sBAAA,CACA,kBAAA,CACA,iCAAA,CACA,eAAA,CAGD,wBACC,gBAAA,CACA,gBAAA,CACA,uCAAA,CACA,gCAAA,CACA,mCAAA,CACA,sBAAA,CACA,kBAAA,CACA,eAAA,CACA,sBAAA,CACA,gBAAA,CACA,iBAAA,CAEA,8BACC,gBAAA,CACA,qBAAA,CAID,gDACC,eAAA,CAIF,yBACC,yBACC,YAAA,CAAA",sourcesContent:["/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n.files-list__system-tags {\n\t--min-size: 32px;\n\tdisplay: none;\n\tjustify-content: center;\n\talign-items: center;\n\tmin-width: calc(var(--min-size) * 2);\n\tmax-width: 300px;\n}\n\n.files-list__system-tag {\n\tpadding: 5px 10px;\n\tborder: 1px solid;\n\tborder-radius: var(--border-radius-pill);\n\tborder-color: var(--color-border);\n\tcolor: var(--color-text-maxcontrast);\n\theight: var(--min-size);\n\twhite-space: nowrap;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n\tline-height: 22px; // min-size - 2 * 5px padding\n\ttext-align: center;\n\n\t&--more {\n\t\toverflow: visible;\n\t\ttext-overflow: initial;\n\t}\n\n\t// Proper spacing if multiple shown\n\t& + .files-list__system-tag {\n\t\tmargin-left: 5px;\n\t}\n}\n\n@media (min-width: 512px) {\n\t.files-list__system-tags {\n\t\tdisplay: flex;\n\t}\n}\n"],sourceRoot:""}]);const a=o},42634:()=>{},63779:()=>{},77199:()=>{},59169:()=>{},86833:()=>{}},i={};function n(t){var r=i[t];if(void 0!==r)return r.exports;var s=i[t]={id:t,loaded:!1,exports:{}};return e[t].call(s.exports,s,s.exports,n),s.loaded=!0,s.exports}n.m=e,t=[],n.O=(e,i,r,s)=>{if(!i){var o=1/0;for(u=0;u<t.length;u++){i=t[u][0],r=t[u][1],s=t[u][2];for(var a=!0,l=0;l<i.length;l++)(!1&s||o>=s)&&Object.keys(n.O).every((t=>n.O[t](i[l])))?i.splice(l--,1):(a=!1,s<o&&(o=s));if(a){t.splice(u--,1);var d=r();void 0!==d&&(e=d)}}return e}s=s||0;for(var u=t.length;u>0&&t[u-1][2]>s;u--)t[u]=t[u-1];t[u]=[i,r,s]},n.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return n.d(e,{a:e}),e},n.d=(t,e)=>{for(var i in e)n.o(e,i)&&!n.o(t,i)&&Object.defineProperty(t,i,{enumerable:!0,get:e[i]})},n.e=()=>Promise.resolve(),n.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),n.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),n.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),n.j=2766,(()=>{n.b=document.baseURI||self.location.href;var t={2766:0};n.O.j=e=>0===t[e];var e=(e,i)=>{var r,s,o=i[0],a=i[1],l=i[2],d=0;if(o.some((e=>0!==t[e]))){for(r in a)n.o(a,r)&&(n.m[r]=a[r]);if(l)var u=l(n)}for(e&&e(i);d<o.length;d++)s=o[d],n.o(t,s)&&t[s]&&t[s][0](),t[s]=0;return n.O(u)},i=self.webpackChunknextcloud=self.webpackChunknextcloud||[];i.forEach(e.bind(null,0)),i.push=e.bind(null,i.push.bind(i))})(),n.nc=void 0;var r=n.O(void 0,[4208],(()=>n(39607)));r=n.O(r)})();
-//# sourceMappingURL=systemtags-init.js.map?v=5572f9fc3097358c876a
\ No newline at end of file
+(()=>{var t,e={19063:(t,e,i)=>{"use strict";var n=i(35947),r=i(21777),s=i(43627),o=i(71225),a=i(63814),l=(i(36117),i(44719)),d=i(82680),u=(i(87485),i(53334)),c=i(380),p=i(65606),h=i(96763);const f=(0,n.YK)().setApp("@nextcloud/files").detectUser().build();var g=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(g||{});class m{_action;constructor(t){this.validateAction(t),this._action=t}get id(){return this._action.id}get displayName(){return this._action.displayName}get title(){return this._action.title}get iconSvgInline(){return this._action.iconSvgInline}get enabled(){return this._action.enabled}get exec(){return this._action.exec}get execBatch(){return this._action.execBatch}get order(){return this._action.order}get parent(){return this._action.parent}get default(){return this._action.default}get inline(){return this._action.inline}get renderInline(){return this._action.renderInline}validateAction(t){if(!t.id||"string"!=typeof t.id)throw new Error("Invalid id");if(!t.displayName||"function"!=typeof t.displayName)throw new Error("Invalid displayName function");if("title"in t&&"function"!=typeof t.title)throw new Error("Invalid title function");if(!t.iconSvgInline||"function"!=typeof t.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!t.exec||"function"!=typeof t.exec)throw new Error("Invalid exec function");if("enabled"in t&&"function"!=typeof t.enabled)throw new Error("Invalid enabled function");if("execBatch"in t&&"function"!=typeof t.execBatch)throw new Error("Invalid execBatch function");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order");if("parent"in t&&"string"!=typeof t.parent)throw new Error("Invalid parent");if(t.default&&!Object.values(g).includes(t.default))throw new Error("Invalid default");if("inline"in t&&"function"!=typeof t.inline)throw new Error("Invalid inline function");if("renderInline"in t&&"function"!=typeof t.renderInline)throw new Error("Invalid renderInline function")}}const E=function(t){void 0===window._nc_fileactions&&(window._nc_fileactions=[],f.debug("FileActions initialized")),window._nc_fileactions.find((e=>e.id===t.id))?f.error(`FileAction ${t.id} already registered`,{action:t}):window._nc_fileactions.push(t)};var w=(t=>(t[t.NONE=0]="NONE",t[t.CREATE=4]="CREATE",t[t.READ=1]="READ",t[t.UPDATE=2]="UPDATE",t[t.DELETE=8]="DELETE",t[t.SHARE=16]="SHARE",t[t.ALL=31]="ALL",t))(w||{});const N=["d:getcontentlength","d:getcontenttype","d:getetag","d:getlastmodified","d:creationdate","d:displayname","d:quota-available-bytes","d:resourcetype","nc:has-preview","nc:is-encrypted","nc:mount-type","oc:comments-unread","oc:favorite","oc:fileid","oc:owner-display-name","oc:owner-id","oc:permissions","oc:size"],v={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"};var A=(t=>(t.Folder="folder",t.File="file",t))(A||{});const b=function(t,e){return null!==t.match(e)},y=(t,e)=>{if(t.id&&"number"!=typeof t.id)throw new Error("Invalid id type of value");if(!t.source)throw new Error("Missing mandatory source");try{new URL(t.source)}catch(t){throw new Error("Invalid source format, source must be a valid URL")}if(!t.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(t.displayname&&"string"!=typeof t.displayname)throw new Error("Invalid displayname type");if(t.mtime&&!(t.mtime instanceof Date))throw new Error("Invalid mtime type");if(t.crtime&&!(t.crtime instanceof Date))throw new Error("Invalid crtime type");if(!t.mime||"string"!=typeof t.mime||!t.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in t&&"number"!=typeof t.size&&void 0!==t.size)throw new Error("Invalid size type");if("permissions"in t&&void 0!==t.permissions&&!("number"==typeof t.permissions&&t.permissions>=w.NONE&&t.permissions<=w.ALL))throw new Error("Invalid permissions");if(t.owner&&null!==t.owner&&"string"!=typeof t.owner)throw new Error("Invalid owner type");if(t.attributes&&"object"!=typeof t.attributes)throw new Error("Invalid attributes type");if(t.root&&"string"!=typeof t.root)throw new Error("Invalid root type");if(t.root&&!t.root.startsWith("/"))throw new Error("Root must start with a leading slash");if(t.root&&!t.source.includes(t.root))throw new Error("Root must be part of the source");if(t.root&&b(t.source,e)){const i=t.source.match(e)[0];if(!t.source.includes((0,s.join)(i,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(x).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var x=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(x||{});class I{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;readonlyAttributes=Object.entries(Object.getOwnPropertyDescriptors(I.prototype)).filter((t=>"function"==typeof t[1].get&&"__proto__"!==t[0])).map((t=>t[0]));handler={set:(t,e,i)=>!this.readonlyAttributes.includes(e)&&Reflect.set(t,e,i),deleteProperty:(t,e)=>!this.readonlyAttributes.includes(e)&&Reflect.deleteProperty(t,e),get:(t,e,i)=>this.readonlyAttributes.includes(e)?(f.warn(`Accessing "Node.attributes.${e}" is deprecated, access it directly on the Node instance.`),Reflect.get(this,e)):Reflect.get(t,e,i)};constructor(t,e){y(t,e||this._knownDavService),this._data={displayname:t.attributes?.displayname,...t,attributes:{}},this._attributes=new Proxy(this._data.attributes,this.handler),this.update(t.attributes??{}),e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,o.O0)(this.source.slice(t.length))}get basename(){return(0,s.basename)(this.source)}get displayname(){return this._data.displayname||this.basename}set displayname(t){this._data.displayname=t}get extension(){return(0,s.extname)(this.source)}get dirname(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),i=this.root.replace(/\/$/,"");return(0,s.dirname)(t.slice(e+i.length)||"/")}const t=new URL(this.source);return(0,s.dirname)(t.pathname)}get mime(){return this._data.mime}get mtime(){return this._data.mtime}set mtime(t){this._data.mtime=t}get crtime(){return this._data.crtime}get size(){return this._data.size}set size(t){this.updateMtime(),this._data.size=t}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:w.NONE:w.READ}set permissions(t){this.updateMtime(),this._data.permissions=t}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return b(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,s.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),i=this.root.replace(/\/$/,"");return t.slice(e+i.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){y({...this._data,source:t},this._knownDavService);const e=this.basename;this._data.source=t,this.displayname===e&&this.basename!==e&&(this.displayname=this.basename),this.updateMtime()}rename(t){if(t.includes("/"))throw new Error("Invalid basename");this.move((0,s.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}update(t){for(const[e,i]of Object.entries(t))try{void 0===i?delete this.attributes[e]:this.attributes[e]=i}catch(t){if(t instanceof TypeError)continue;throw t}}}class _ extends I{get type(){return A.File}}class O extends I{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return A.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const T=(0,d.f)()?`/files/${(0,d.G)()}`:`/files/${(0,r.HW)()?.uid}`,C=function(){const t=(0,a.dC)("dav");return(0,d.f)()?t.replace("remote.php","public.php"):t}();Error;class R extends c.m{_views=[];_currentView=null;register(t){if(this._views.find((e=>e.id===t.id)))throw new Error(`View id ${t.id} is already registered`);this._views.push(t),this.dispatchTypedEvent("update",new CustomEvent("update"))}remove(t){const e=this._views.findIndex((e=>e.id===t));-1!==e&&(this._views.splice(e,1),this.dispatchTypedEvent("update",new CustomEvent("update")))}setActive(t){this._currentView=t;const e=new CustomEvent("updateActive",{detail:t});this.dispatchTypedEvent("updateActive",e)}get active(){return this._currentView}get views(){return this._views}}class L{_column;constructor(t){$(t),this._column=t}get id(){return this._column.id}get title(){return this._column.title}get render(){return this._column.render}get sort(){return this._column.sort}get summary(){return this._column.summary}}const $=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("A column id is required");if(!t.title||"string"!=typeof t.title)throw new Error("A column title is required");if(!t.render||"function"!=typeof t.render)throw new Error("A render function is required");if(t.sort&&"function"!=typeof t.sort)throw new Error("Column sortFunction must be a function");if(t.summary&&"function"!=typeof t.summary)throw new Error("Column summary must be a function");return!0};var S={},P={};!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),r=n.length;for(let s=0;s<r;s++)t[n[s]]="strict"===i?[e[n[s]]]:e[n[s]]}},t.getValue=function(e){return t.isExist(e)?e:""},t.isName=function(t){return!(null==n.exec(t))},t.getAllMatches=function(t,e){const i=[];let n=e.exec(t);for(;n;){const r=[];r.startIndex=e.lastIndex-n[0].length;const s=n.length;for(let t=0;t<s;t++)r.push(n[t]);i.push(r),n=e.exec(t)}return i},t.nameRegexp=i}(P);const D=P,F={allowBooleanAttributes:!1,unpairedTags:[]};function V(t){return" "===t||"\t"===t||"\n"===t||"\r"===t}function M(t,e){const i=e;for(;e<t.length;e++)if("?"!=t[e]&&" "!=t[e]);else{const n=t.substr(i,e-i);if(e>5&&"xml"===n)return H("InvalidXml","XML declaration allowed only at the start of the document.",W(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}}return e}function G(t,e){if(t.length>e+5&&"-"===t[e+1]&&"-"===t[e+2]){for(e+=3;e<t.length;e++)if("-"===t[e]&&"-"===t[e+1]&&">"===t[e+2]){e+=2;break}}else if(t.length>e+8&&"D"===t[e+1]&&"O"===t[e+2]&&"C"===t[e+3]&&"T"===t[e+4]&&"Y"===t[e+5]&&"P"===t[e+6]&&"E"===t[e+7]){let i=1;for(e+=8;e<t.length;e++)if("<"===t[e])i++;else if(">"===t[e]&&(i--,0===i))break}else if(t.length>e+9&&"["===t[e+1]&&"C"===t[e+2]&&"D"===t[e+3]&&"A"===t[e+4]&&"T"===t[e+5]&&"A"===t[e+6]&&"["===t[e+7])for(e+=8;e<t.length;e++)if("]"===t[e]&&"]"===t[e+1]&&">"===t[e+2]){e+=2;break}return e}S.validate=function(t,e){e=Object.assign({},F,e);const i=[];let n=!1,r=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let o=0;o<t.length;o++)if("<"===t[o]&&"?"===t[o+1]){if(o+=2,o=M(t,o),o.err)return o}else{if("<"!==t[o]){if(V(t[o]))continue;return H("InvalidChar","char '"+t[o]+"' is not expected.",W(t,o))}{let a=o;if(o++,"!"===t[o]){o=G(t,o);continue}{let l=!1;"/"===t[o]&&(l=!0,o++);let d="";for(;o<t.length&&">"!==t[o]&&" "!==t[o]&&"\t"!==t[o]&&"\n"!==t[o]&&"\r"!==t[o];o++)d+=t[o];if(d=d.trim(),"/"===d[d.length-1]&&(d=d.substring(0,d.length-1),o--),s=d,!D.isName(s)){let e;return e=0===d.trim().length?"Invalid space after '<'.":"Tag '"+d+"' is an invalid name.",H("InvalidTag",e,W(t,o))}const u=U(t,o);if(!1===u)return H("InvalidAttr","Attributes for '"+d+"' have open quote.",W(t,o));let c=u.value;if(o=u.index,"/"===c[c.length-1]){const i=o-c.length;c=c.substring(0,c.length-1);const r=B(c,e);if(!0!==r)return H(r.err.code,r.err.msg,W(t,i+r.err.line));n=!0}else if(l){if(!u.tagClosed)return H("InvalidTag","Closing tag '"+d+"' doesn't have proper closing.",W(t,o));if(c.trim().length>0)return H("InvalidTag","Closing tag '"+d+"' can't have attributes or invalid starting.",W(t,a));if(0===i.length)return H("InvalidTag","Closing tag '"+d+"' has not been opened.",W(t,a));{const e=i.pop();if(d!==e.tagName){let i=W(t,e.tagStartPos);return H("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+i.line+", col "+i.col+") instead of closing tag '"+d+"'.",W(t,a))}0==i.length&&(r=!0)}}else{const s=B(c,e);if(!0!==s)return H(s.err.code,s.err.msg,W(t,o-c.length+s.err.line));if(!0===r)return H("InvalidXml","Multiple possible root nodes found.",W(t,o));-1!==e.unpairedTags.indexOf(d)||i.push({tagName:d,tagStartPos:a}),n=!0}for(o++;o<t.length;o++)if("<"===t[o]){if("!"===t[o+1]){o++,o=G(t,o);continue}if("?"!==t[o+1])break;if(o=M(t,++o),o.err)return o}else if("&"===t[o]){const e=z(t,o);if(-1==e)return H("InvalidChar","char '&' is not expected.",W(t,o));o=e}else if(!0===r&&!V(t[o]))return H("InvalidXml","Extra text at the end",W(t,o));"<"===t[o]&&o--}}}var s;return n?1==i.length?H("InvalidTag","Unclosed tag '"+i[0].tagName+"'.",W(t,i[0].tagStartPos)):!(i.length>0)||H("InvalidXml","Invalid '"+JSON.stringify(i.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):H("InvalidXml","Start tag expected.",1)};const j='"',k="'";function U(t,e){let i="",n="",r=!1;for(;e<t.length;e++){if(t[e]===j||t[e]===k)""===n?n=t[e]:n!==t[e]||(n="");else if(">"===t[e]&&""===n){r=!0;break}i+=t[e]}return""===n&&{value:i,index:e,tagClosed:r}}const X=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function B(t,e){const i=D.getAllMatches(t,X),n={};for(let t=0;t<i.length;t++){if(0===i[t][1].length)return H("InvalidAttr","Attribute '"+i[t][2]+"' has no space in starting.",Y(i[t]));if(void 0!==i[t][3]&&void 0===i[t][4])return H("InvalidAttr","Attribute '"+i[t][2]+"' is without value.",Y(i[t]));if(void 0===i[t][3]&&!e.allowBooleanAttributes)return H("InvalidAttr","boolean attribute '"+i[t][2]+"' is not allowed.",Y(i[t]));const r=i[t][2];if(!q(r))return H("InvalidAttr","Attribute '"+r+"' is an invalid name.",Y(i[t]));if(n.hasOwnProperty(r))return H("InvalidAttr","Attribute '"+r+"' is repeated.",Y(i[t]));n[r]=1}return!0}function z(t,e){if(";"===t[++e])return-1;if("#"===t[e])return function(t,e){let i=/\d/;for("x"===t[e]&&(e++,i=/[\da-fA-F]/);e<t.length;e++){if(";"===t[e])return e;if(!t[e].match(i))break}return-1}(t,++e);let i=0;for(;e<t.length;e++,i++)if(!(t[e].match(/\w/)&&i<20)){if(";"===t[e])break;return-1}return e}function H(t,e,i){return{err:{code:t,msg:e,line:i.line||i,col:i.col}}}function q(t){return D.isName(t)}function W(t,e){const i=t.substring(0,e).split(/\r?\n/);return{line:i.length,col:i[i.length-1].length+1}}function Y(t){return t.startIndex+t[1].length}var K={};const Z={preserveOrder:!1,attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,removeNSPrefix:!1,allowBooleanAttributes:!1,parseTagValue:!0,parseAttributeValue:!1,trimValues:!0,cdataPropName:!1,numberParseOptions:{hex:!0,leadingZeros:!0,eNotation:!0},tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},stopNodes:[],alwaysCreateTextNode:!1,isArray:()=>!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(t,e,i){return t}};K.buildOptions=function(t){return Object.assign({},Z,t)},K.defaultOptions=Z;const J=P;function Q(t,e){let i="";for(;e<t.length&&"'"!==t[e]&&'"'!==t[e];e++)i+=t[e];if(i=i.trim(),-1!==i.indexOf(" "))throw new Error("External entites are not supported");const n=t[e++];let r="";for(;e<t.length&&t[e]!==n;e++)r+=t[e];return[i,r,e]}function tt(t,e){return"!"===t[e+1]&&"-"===t[e+2]&&"-"===t[e+3]}function et(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"N"===t[e+3]&&"T"===t[e+4]&&"I"===t[e+5]&&"T"===t[e+6]&&"Y"===t[e+7]}function it(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"L"===t[e+3]&&"E"===t[e+4]&&"M"===t[e+5]&&"E"===t[e+6]&&"N"===t[e+7]&&"T"===t[e+8]}function nt(t,e){return"!"===t[e+1]&&"A"===t[e+2]&&"T"===t[e+3]&&"T"===t[e+4]&&"L"===t[e+5]&&"I"===t[e+6]&&"S"===t[e+7]&&"T"===t[e+8]}function rt(t,e){return"!"===t[e+1]&&"N"===t[e+2]&&"O"===t[e+3]&&"T"===t[e+4]&&"A"===t[e+5]&&"T"===t[e+6]&&"I"===t[e+7]&&"O"===t[e+8]&&"N"===t[e+9]}function st(t){if(J.isName(t))return t;throw new Error(`Invalid entity name ${t}`)}const ot=/^[-+]?0x[a-fA-F0-9]+$/,at=/^([\-\+])?(0*)(\.[0-9]+([eE]\-?[0-9]+)?|[0-9]+(\.[0-9]+([eE]\-?[0-9]+)?)?)$/;!Number.parseInt&&window.parseInt&&(Number.parseInt=window.parseInt),!Number.parseFloat&&window.parseFloat&&(Number.parseFloat=window.parseFloat);const lt={hex:!0,leadingZeros:!0,decimalPoint:".",eNotation:!0};const dt=P,ut=class{constructor(t){this.tagname=t,this.child=[],this[":@"]={}}add(t,e){"__proto__"===t&&(t="#__proto__"),this.child.push({[t]:e})}addChild(t){"__proto__"===t.tagname&&(t.tagname="#__proto__"),t[":@"]&&Object.keys(t[":@"]).length>0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},ct=function(t,e){const i={};if("O"!==t[e+3]||"C"!==t[e+4]||"T"!==t[e+5]||"Y"!==t[e+6]||"P"!==t[e+7]||"E"!==t[e+8])throw new Error("Invalid Tag instead of DOCTYPE");{e+=9;let n=1,r=!1,s=!1,o="";for(;e<t.length;e++)if("<"!==t[e]||s)if(">"===t[e]){if(s?"-"===t[e-1]&&"-"===t[e-2]&&(s=!1,n--):n--,0===n)break}else"["===t[e]?r=!0:o+=t[e];else{if(r&&et(t,e))e+=7,[entityName,val,e]=Q(t,e+1),-1===val.indexOf("&")&&(i[st(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(r&&it(t,e))e+=8;else if(r&&nt(t,e))e+=8;else if(r&&rt(t,e))e+=9;else{if(!tt)throw new Error("Invalid DOCTYPE");s=!0}n++,o=""}if(0!==n)throw new Error("Unclosed DOCTYPE")}return{entities:i,i:e}},pt=function(t,e={}){if(e=Object.assign({},lt,e),!t||"string"!=typeof t)return t;let i=t.trim();if(void 0!==e.skipLike&&e.skipLike.test(i))return t;if(e.hex&&ot.test(i))return Number.parseInt(i,16);{const r=at.exec(i);if(r){const s=r[1],o=r[2];let a=(n=r[3])&&-1!==n.indexOf(".")?("."===(n=n.replace(/0+$/,""))?n="0":"."===n[0]?n="0"+n:"."===n[n.length-1]&&(n=n.substr(0,n.length-1)),n):n;const l=r[4]||r[6];if(!e.leadingZeros&&o.length>0&&s&&"."!==i[2])return t;if(!e.leadingZeros&&o.length>0&&!s&&"."!==i[1])return t;{const n=Number(i),r=""+n;return-1!==r.search(/[eE]/)||l?e.eNotation?n:t:-1!==i.indexOf(".")?"0"===r&&""===a||r===a||s&&r==="-"+a?n:t:o?a===r||s+a===r?n:t:i===r||i===s+r?n:t}}return t}var n};function ht(t){const e=Object.keys(t);for(let i=0;i<e.length;i++){const n=e[i];this.lastEntities[n]={regex:new RegExp("&"+n+";","g"),val:t[n]}}}function ft(t,e,i,n,r,s,o){if(void 0!==t&&(this.options.trimValues&&!n&&(t=t.trim()),t.length>0)){o||(t=this.replaceEntitiesValue(t));const n=this.options.tagValueProcessor(e,t,i,r,s);return null==n?t:typeof n!=typeof t||n!==t?n:this.options.trimValues||t.trim()===t?_t(t,this.options.parseTagValue,this.options.numberParseOptions):t}}function gt(t){if(this.options.removeNSPrefix){const e=t.split(":"),i="/"===t.charAt(0)?"/":"";if("xmlns"===e[0])return"";2===e.length&&(t=i+e[1])}return t}const mt=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function Et(t,e,i){if(!this.options.ignoreAttributes&&"string"==typeof t){const i=dt.getAllMatches(t,mt),n=i.length,r={};for(let t=0;t<n;t++){const n=this.resolveNameSpace(i[t][1]);let s=i[t][4],o=this.options.attributeNamePrefix+n;if(n.length)if(this.options.transformAttributeName&&(o=this.options.transformAttributeName(o)),"__proto__"===o&&(o="#__proto__"),void 0!==s){this.options.trimValues&&(s=s.trim()),s=this.replaceEntitiesValue(s);const t=this.options.attributeValueProcessor(n,s,e);r[o]=null==t?s:typeof t!=typeof s||t!==s?t:_t(s,this.options.parseAttributeValue,this.options.numberParseOptions)}else this.options.allowBooleanAttributes&&(r[o]=!0)}if(!Object.keys(r).length)return;if(this.options.attributesGroupName){const t={};return t[this.options.attributesGroupName]=r,t}return r}}const wt=function(t){t=t.replace(/\r\n?/g,"\n");const e=new ut("!xml");let i=e,n="",r="";for(let s=0;s<t.length;s++)if("<"===t[s])if("/"===t[s+1]){const e=yt(t,">",s,"Closing Tag is not closed.");let o=t.substring(s+2,e).trim();if(this.options.removeNSPrefix){const t=o.indexOf(":");-1!==t&&(o=o.substr(t+1))}this.options.transformTagName&&(o=this.options.transformTagName(o)),i&&(n=this.saveTextToParentTag(n,i,r));const a=r.substring(r.lastIndexOf(".")+1);if(o&&-1!==this.options.unpairedTags.indexOf(o))throw new Error(`Unpaired tag can not be used as closing tag: </${o}>`);let l=0;a&&-1!==this.options.unpairedTags.indexOf(a)?(l=r.lastIndexOf(".",r.lastIndexOf(".")-1),this.tagsNodeStack.pop()):l=r.lastIndexOf("."),r=r.substring(0,l),i=this.tagsNodeStack.pop(),n="",s=e}else if("?"===t[s+1]){let e=xt(t,s,!1,"?>");if(!e)throw new Error("Pi Tag is not closed.");if(n=this.saveTextToParentTag(n,i,r),this.options.ignoreDeclaration&&"?xml"===e.tagName||this.options.ignorePiTags);else{const t=new ut(e.tagName);t.add(this.options.textNodeName,""),e.tagName!==e.tagExp&&e.attrExpPresent&&(t[":@"]=this.buildAttributesMap(e.tagExp,r,e.tagName)),this.addChild(i,t,r)}s=e.closeIndex+1}else if("!--"===t.substr(s+1,3)){const e=yt(t,"--\x3e",s+4,"Comment is not closed.");if(this.options.commentPropName){const o=t.substring(s+4,e-2);n=this.saveTextToParentTag(n,i,r),i.add(this.options.commentPropName,[{[this.options.textNodeName]:o}])}s=e}else if("!D"===t.substr(s+1,2)){const e=ct(t,s);this.docTypeEntities=e.entities,s=e.i}else if("!["===t.substr(s+1,2)){const e=yt(t,"]]>",s,"CDATA is not closed.")-2,o=t.substring(s+9,e);n=this.saveTextToParentTag(n,i,r);let a=this.parseTextData(o,i.tagname,r,!0,!1,!0,!0);null==a&&(a=""),this.options.cdataPropName?i.add(this.options.cdataPropName,[{[this.options.textNodeName]:o}]):i.add(this.options.textNodeName,a),s=e+2}else{let o=xt(t,s,this.options.removeNSPrefix),a=o.tagName;const l=o.rawTagName;let d=o.tagExp,u=o.attrExpPresent,c=o.closeIndex;this.options.transformTagName&&(a=this.options.transformTagName(a)),i&&n&&"!xml"!==i.tagname&&(n=this.saveTextToParentTag(n,i,r,!1));const p=i;if(p&&-1!==this.options.unpairedTags.indexOf(p.tagname)&&(i=this.tagsNodeStack.pop(),r=r.substring(0,r.lastIndexOf("."))),a!==e.tagname&&(r+=r?"."+a:a),this.isItStopNode(this.options.stopNodes,r,a)){let e="";if(d.length>0&&d.lastIndexOf("/")===d.length-1)"/"===a[a.length-1]?(a=a.substr(0,a.length-1),r=r.substr(0,r.length-1),d=a):d=d.substr(0,d.length-1),s=o.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(a))s=o.closeIndex;else{const i=this.readStopNodeData(t,l,c+1);if(!i)throw new Error(`Unexpected end of ${l}`);s=i.i,e=i.tagContent}const n=new ut(a);a!==d&&u&&(n[":@"]=this.buildAttributesMap(d,r,a)),e&&(e=this.parseTextData(e,a,r,!0,u,!0,!0)),r=r.substr(0,r.lastIndexOf(".")),n.add(this.options.textNodeName,e),this.addChild(i,n,r)}else{if(d.length>0&&d.lastIndexOf("/")===d.length-1){"/"===a[a.length-1]?(a=a.substr(0,a.length-1),r=r.substr(0,r.length-1),d=a):d=d.substr(0,d.length-1),this.options.transformTagName&&(a=this.options.transformTagName(a));const t=new ut(a);a!==d&&u&&(t[":@"]=this.buildAttributesMap(d,r,a)),this.addChild(i,t,r),r=r.substr(0,r.lastIndexOf("."))}else{const t=new ut(a);this.tagsNodeStack.push(i),a!==d&&u&&(t[":@"]=this.buildAttributesMap(d,r,a)),this.addChild(i,t,r),i=t}n="",s=c}}else n+=t[s];return e.child};function Nt(t,e,i){const n=this.options.updateTag(e.tagname,i,e[":@"]);!1===n||("string"==typeof n?(e.tagname=n,t.addChild(e)):t.addChild(e))}const vt=function(t){if(this.options.processEntities){for(let e in this.docTypeEntities){const i=this.docTypeEntities[e];t=t.replace(i.regx,i.val)}for(let e in this.lastEntities){const i=this.lastEntities[e];t=t.replace(i.regex,i.val)}if(this.options.htmlEntities)for(let e in this.htmlEntities){const i=this.htmlEntities[e];t=t.replace(i.regex,i.val)}t=t.replace(this.ampEntity.regex,this.ampEntity.val)}return t};function At(t,e,i,n){return t&&(void 0===n&&(n=0===Object.keys(e.child).length),void 0!==(t=this.parseTextData(t,e.tagname,i,!1,!!e[":@"]&&0!==Object.keys(e[":@"]).length,n))&&""!==t&&e.add(this.options.textNodeName,t),t=""),t}function bt(t,e,i){const n="*."+i;for(const i in t){const r=t[i];if(n===r||e===r)return!0}return!1}function yt(t,e,i,n){const r=t.indexOf(e,i);if(-1===r)throw new Error(n);return r+e.length-1}function xt(t,e,i,n=">"){const r=function(t,e,i=">"){let n,r="";for(let s=e;s<t.length;s++){let e=t[s];if(n)e===n&&(n="");else if('"'===e||"'"===e)n=e;else if(e===i[0]){if(!i[1])return{data:r,index:s};if(t[s+1]===i[1])return{data:r,index:s}}else"\t"===e&&(e=" ");r+=e}}(t,e+1,n);if(!r)return;let s=r.data;const o=r.index,a=s.search(/\s/);let l=s,d=!0;-1!==a&&(l=s.substring(0,a),s=s.substring(a+1).trimStart());const u=l;if(i){const t=l.indexOf(":");-1!==t&&(l=l.substr(t+1),d=l!==r.data.substr(t+1))}return{tagName:l,tagExp:s,closeIndex:o,attrExpPresent:d,rawTagName:u}}function It(t,e,i){const n=i;let r=1;for(;i<t.length;i++)if("<"===t[i])if("/"===t[i+1]){const s=yt(t,">",i,`${e} is not closed`);if(t.substring(i+2,s).trim()===e&&(r--,0===r))return{tagContent:t.substring(n,i),i:s};i=s}else if("?"===t[i+1])i=yt(t,"?>",i+1,"StopNode is not closed.");else if("!--"===t.substr(i+1,3))i=yt(t,"--\x3e",i+3,"StopNode is not closed.");else if("!["===t.substr(i+1,2))i=yt(t,"]]>",i,"StopNode is not closed.")-2;else{const n=xt(t,i,">");n&&((n&&n.tagName)===e&&"/"!==n.tagExp[n.tagExp.length-1]&&r++,i=n.closeIndex)}}function _t(t,e,i){if(e&&"string"==typeof t){const e=t.trim();return"true"===e||"false"!==e&&pt(t,i)}return dt.isExist(t)?t:""}var Ot={};function Tt(t,e,i){let n;const r={};for(let s=0;s<t.length;s++){const o=t[s],a=Ct(o);let l="";if(l=void 0===i?a:i+"."+a,a===e.textNodeName)void 0===n?n=o[a]:n+=""+o[a];else{if(void 0===a)continue;if(o[a]){let t=Tt(o[a],e,l);const i=Lt(t,e);o[":@"]?Rt(t,o[":@"],l,e):1!==Object.keys(t).length||void 0===t[e.textNodeName]||e.alwaysCreateTextNode?0===Object.keys(t).length&&(e.alwaysCreateTextNode?t[e.textNodeName]="":t=""):t=t[e.textNodeName],void 0!==r[a]&&r.hasOwnProperty(a)?(Array.isArray(r[a])||(r[a]=[r[a]]),r[a].push(t)):e.isArray(a,l,i)?r[a]=[t]:r[a]=t}}}return"string"==typeof n?n.length>0&&(r[e.textNodeName]=n):void 0!==n&&(r[e.textNodeName]=n),r}function Ct(t){const e=Object.keys(t);for(let t=0;t<e.length;t++){const i=e[t];if(":@"!==i)return i}}function Rt(t,e,i,n){if(e){const r=Object.keys(e),s=r.length;for(let o=0;o<s;o++){const s=r[o];n.isArray(s,i+"."+s,!0,!0)?t[s]=[e[s]]:t[s]=e[s]}}}function Lt(t,e){const{textNodeName:i}=e,n=Object.keys(t).length;return 0===n||!(1!==n||!t[i]&&"boolean"!=typeof t[i]&&0!==t[i])}Ot.prettify=function(t,e){return Tt(t,e)};const{buildOptions:$t}=K,St=class{constructor(t){this.options=t,this.currentNode=null,this.tagsNodeStack=[],this.docTypeEntities={},this.lastEntities={apos:{regex:/&(apos|#39|#x27);/g,val:"'"},gt:{regex:/&(gt|#62|#x3E);/g,val:">"},lt:{regex:/&(lt|#60|#x3C);/g,val:"<"},quot:{regex:/&(quot|#34|#x22);/g,val:'"'}},this.ampEntity={regex:/&(amp|#38|#x26);/g,val:"&"},this.htmlEntities={space:{regex:/&(nbsp|#160);/g,val:" "},cent:{regex:/&(cent|#162);/g,val:"¢"},pound:{regex:/&(pound|#163);/g,val:"£"},yen:{regex:/&(yen|#165);/g,val:"Â¥"},euro:{regex:/&(euro|#8364);/g,val:"€"},copyright:{regex:/&(copy|#169);/g,val:"©"},reg:{regex:/&(reg|#174);/g,val:"®"},inr:{regex:/&(inr|#8377);/g,val:"₹"},num_dec:{regex:/&#([0-9]{1,7});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,10))},num_hex:{regex:/&#x([0-9a-fA-F]{1,6});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,16))}},this.addExternalEntities=ht,this.parseXml=wt,this.parseTextData=ft,this.resolveNameSpace=gt,this.buildAttributesMap=Et,this.isItStopNode=bt,this.replaceEntitiesValue=vt,this.readStopNodeData=It,this.saveTextToParentTag=At,this.addChild=Nt}},{prettify:Pt}=Ot,Dt=S;function Ft(t,e,i,n){let r="",s=!1;for(let o=0;o<t.length;o++){const a=t[o],l=Vt(a);if(void 0===l)continue;let d="";if(d=0===i.length?l:`${i}.${l}`,l===e.textNodeName){let t=a[l];Gt(d,e)||(t=e.tagValueProcessor(l,t),t=jt(t,e)),s&&(r+=n),r+=t,s=!1;continue}if(l===e.cdataPropName){s&&(r+=n),r+=`<![CDATA[${a[l][0][e.textNodeName]}]]>`,s=!1;continue}if(l===e.commentPropName){r+=n+`\x3c!--${a[l][0][e.textNodeName]}--\x3e`,s=!0;continue}if("?"===l[0]){const t=Mt(a[":@"],e),i="?xml"===l?"":n;let o=a[l][0][e.textNodeName];o=0!==o.length?" "+o:"",r+=i+`<${l}${o}${t}?>`,s=!0;continue}let u=n;""!==u&&(u+=e.indentBy);const c=n+`<${l}${Mt(a[":@"],e)}`,p=Ft(a[l],e,d,u);-1!==e.unpairedTags.indexOf(l)?e.suppressUnpairedNode?r+=c+">":r+=c+"/>":p&&0!==p.length||!e.suppressEmptyNode?p&&p.endsWith(">")?r+=c+`>${p}${n}</${l}>`:(r+=c+">",p&&""!==n&&(p.includes("/>")||p.includes("</"))?r+=n+e.indentBy+p+n:r+=p,r+=`</${l}>`):r+=c+"/>",s=!0}return r}function Vt(t){const e=Object.keys(t);for(let i=0;i<e.length;i++){const n=e[i];if(t.hasOwnProperty(n)&&":@"!==n)return n}}function Mt(t,e){let i="";if(t&&!e.ignoreAttributes)for(let n in t){if(!t.hasOwnProperty(n))continue;let r=e.attributeValueProcessor(n,t[n]);r=jt(r,e),!0===r&&e.suppressBooleanAttributes?i+=` ${n.substr(e.attributeNamePrefix.length)}`:i+=` ${n.substr(e.attributeNamePrefix.length)}="${r}"`}return i}function Gt(t,e){let i=(t=t.substr(0,t.length-e.textNodeName.length-1)).substr(t.lastIndexOf(".")+1);for(let n in e.stopNodes)if(e.stopNodes[n]===t||e.stopNodes[n]==="*."+i)return!0;return!1}function jt(t,e){if(t&&t.length>0&&e.processEntities)for(let i=0;i<e.entities.length;i++){const n=e.entities[i];t=t.replace(n.regex,n.val)}return t}const kt=function(t,e){let i="";return e.format&&e.indentBy.length>0&&(i="\n"),Ft(t,e,"",i)},Ut={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:"&amp;"},{regex:new RegExp(">","g"),val:"&gt;"},{regex:new RegExp("<","g"),val:"&lt;"},{regex:new RegExp("'","g"),val:"&apos;"},{regex:new RegExp('"',"g"),val:"&quot;"}],processEntities:!0,stopNodes:[],oneListGroup:!1};function Xt(t){this.options=Object.assign({},Ut,t),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=Ht),this.processTextOrObjNode=Bt,this.options.format?(this.indentate=zt,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function Bt(t,e,i){const n=this.j2x(t,i+1);return void 0!==t[this.options.textNodeName]&&1===Object.keys(t).length?this.buildTextValNode(t[this.options.textNodeName],e,n.attrStr,i):this.buildObjectNode(n.val,e,n.attrStr,i)}function zt(t){return this.options.indentBy.repeat(t)}function Ht(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}Xt.prototype.build=function(t){return this.options.preserveOrder?kt(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0).val)},Xt.prototype.j2x=function(t,e){let i="",n="";for(let r in t)if(Object.prototype.hasOwnProperty.call(t,r))if(void 0===t[r])this.isAttribute(r)&&(n+="");else if(null===t[r])this.isAttribute(r)?n+="":"?"===r[0]?n+=this.indentate(e)+"<"+r+"?"+this.tagEndChar:n+=this.indentate(e)+"<"+r+"/"+this.tagEndChar;else if(t[r]instanceof Date)n+=this.buildTextValNode(t[r],r,"",e);else if("object"!=typeof t[r]){const s=this.isAttribute(r);if(s)i+=this.buildAttrPairStr(s,""+t[r]);else if(r===this.options.textNodeName){let e=this.options.tagValueProcessor(r,""+t[r]);n+=this.replaceEntitiesValue(e)}else n+=this.buildTextValNode(t[r],r,"",e)}else if(Array.isArray(t[r])){const i=t[r].length;let s="",o="";for(let a=0;a<i;a++){const i=t[r][a];if(void 0===i);else if(null===i)"?"===r[0]?n+=this.indentate(e)+"<"+r+"?"+this.tagEndChar:n+=this.indentate(e)+"<"+r+"/"+this.tagEndChar;else if("object"==typeof i)if(this.options.oneListGroup){const t=this.j2x(i,e+1);s+=t.val,this.options.attributesGroupName&&i.hasOwnProperty(this.options.attributesGroupName)&&(o+=t.attrStr)}else s+=this.processTextOrObjNode(i,r,e);else if(this.options.oneListGroup){let t=this.options.tagValueProcessor(r,i);t=this.replaceEntitiesValue(t),s+=t}else s+=this.buildTextValNode(i,r,"",e)}this.options.oneListGroup&&(s=this.buildObjectNode(s,r,o,e)),n+=s}else if(this.options.attributesGroupName&&r===this.options.attributesGroupName){const e=Object.keys(t[r]),n=e.length;for(let s=0;s<n;s++)i+=this.buildAttrPairStr(e[s],""+t[r][e[s]])}else n+=this.processTextOrObjNode(t[r],r,e);return{attrStr:i,val:n}},Xt.prototype.buildAttrPairStr=function(t,e){return e=this.options.attributeValueProcessor(t,""+e),e=this.replaceEntitiesValue(e),this.options.suppressBooleanAttributes&&"true"===e?" "+t:" "+t+'="'+e+'"'},Xt.prototype.buildObjectNode=function(t,e,i,n){if(""===t)return"?"===e[0]?this.indentate(n)+"<"+e+i+"?"+this.tagEndChar:this.indentate(n)+"<"+e+i+this.closeTag(e)+this.tagEndChar;{let r="</"+e+this.tagEndChar,s="";return"?"===e[0]&&(s="?",r=""),!i&&""!==i||-1!==t.indexOf("<")?!1!==this.options.commentPropName&&e===this.options.commentPropName&&0===s.length?this.indentate(n)+`\x3c!--${t}--\x3e`+this.newLine:this.indentate(n)+"<"+e+i+s+this.tagEndChar+t+this.indentate(n)+r:this.indentate(n)+"<"+e+i+s+">"+t+r}},Xt.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`></${t}`,e},Xt.prototype.buildTextValNode=function(t,e,i,n){if(!1!==this.options.cdataPropName&&e===this.options.cdataPropName)return this.indentate(n)+`<![CDATA[${t}]]>`+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 r=this.options.tagValueProcessor(e,t);return r=this.replaceEntitiesValue(r),""===r?this.indentate(n)+"<"+e+i+this.closeTag(e)+this.tagEndChar:this.indentate(n)+"<"+e+i+">"+r+"</"+e+this.tagEndChar}},Xt.prototype.replaceEntitiesValue=function(t){if(t&&t.length>0&&this.options.processEntities)for(let e=0;e<this.options.entities.length;e++){const i=this.options.entities[e];t=t.replace(i.regex,i.val)}return t};var qt={XMLParser:class{constructor(t){this.externalEntities={},this.options=$t(t)}parse(t,e){if("string"==typeof t);else{if(!t.toString)throw new Error("XML data is accepted in String or Bytes[] form.");t=t.toString()}if(e){!0===e&&(e={});const i=Dt.validate(t,e);if(!0!==i)throw Error(`${i.err.msg}:${i.err.line}:${i.err.col}`)}const i=new St(this.options);i.addExternalEntities(this.externalEntities);const n=i.parseXml(t);return this.options.preserveOrder||void 0===n?n:Pt(n,this.options)}addEntity(t,e){if(-1!==e.indexOf("&"))throw new Error("Entity value can't have '&'");if(-1!==t.indexOf("&")||-1!==t.indexOf(";"))throw new Error("An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'");if("&"===e)throw new Error("An entity with value '&' is not permitted");this.externalEntities[t]=e}},XMLValidator:S,XMLBuilder:Xt};const Wt=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("View id is required and must be a string");if(!t.name||"string"!=typeof t.name)throw new Error("View name is required and must be a string");if(t.columns&&t.columns.length>0&&(!t.caption||"string"!=typeof t.caption))throw new Error("View caption is required for top-level views and must be a string");if(!t.getContents||"function"!=typeof t.getContents)throw new Error("View getContents is required and must be a function");if(!t.icon||"string"!=typeof t.icon||!function(t){if("string"!=typeof t)throw new TypeError(`Expected a \`string\`, got \`${typeof t}\``);if(0===(t=t.trim()).length)return!1;if(!0!==qt.XMLValidator.validate(t))return!1;let e;const i=new qt.XMLParser;try{e=i.parse(t)}catch{return!1}return!!e&&!!Object.keys(e).some((t=>"svg"===t.toLowerCase()))}(t.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in t)||"number"!=typeof t.order)throw new Error("View order is required and must be a number");if(t.columns&&t.columns.forEach((t=>{if(!(t instanceof L))throw new Error("View columns must be an array of Column. Invalid column found")})),t.emptyView&&"function"!=typeof t.emptyView)throw new Error("View emptyView must be a function");if(t.parent&&"string"!=typeof t.parent)throw new Error("View parent must be a string");if("sticky"in t&&"boolean"!=typeof t.sticky)throw new Error("View sticky must be a boolean");if("expanded"in t&&"boolean"!=typeof t.expanded)throw new Error("View expanded must be a boolean");if(t.defaultSortKey&&"string"!=typeof t.defaultSortKey)throw new Error("View defaultSortKey must be a string");if(t.loadChildViews&&"function"!=typeof t.loadChildViews)throw new Error("View loadChildViews must be a function");return!0};var Yt="object"==typeof p&&p.env&&p.env.NODE_DEBUG&&/\bsemver\b/i.test(p.env.NODE_DEBUG)?(...t)=>h.error("SEMVER",...t):()=>{},Kt={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},Zt={exports:{}};!function(t,e){const{MAX_SAFE_COMPONENT_LENGTH:i,MAX_SAFE_BUILD_LENGTH:n,MAX_LENGTH:r}=Kt,s=Yt,o=(e=t.exports={}).re=[],a=e.safeRe=[],l=e.src=[],d=e.t={};let u=0;const c="[a-zA-Z0-9-]",p=[["\\s",1],["\\d",r],[c,n]],h=(t,e,i)=>{const n=(t=>{for(const[e,i]of p)t=t.split(`${e}*`).join(`${e}{0,${i}}`).split(`${e}+`).join(`${e}{1,${i}}`);return t})(e),r=u++;s(t,r,e),d[t]=r,l[r]=e,o[r]=new RegExp(e,i?"g":void 0),a[r]=new RegExp(n,i?"g":void 0)};h("NUMERICIDENTIFIER","0|[1-9]\\d*"),h("NUMERICIDENTIFIERLOOSE","\\d+"),h("NONNUMERICIDENTIFIER",`\\d*[a-zA-Z-]${c}*`),h("MAINVERSION",`(${l[d.NUMERICIDENTIFIER]})\\.(${l[d.NUMERICIDENTIFIER]})\\.(${l[d.NUMERICIDENTIFIER]})`),h("MAINVERSIONLOOSE",`(${l[d.NUMERICIDENTIFIERLOOSE]})\\.(${l[d.NUMERICIDENTIFIERLOOSE]})\\.(${l[d.NUMERICIDENTIFIERLOOSE]})`),h("PRERELEASEIDENTIFIER",`(?:${l[d.NUMERICIDENTIFIER]}|${l[d.NONNUMERICIDENTIFIER]})`),h("PRERELEASEIDENTIFIERLOOSE",`(?:${l[d.NUMERICIDENTIFIERLOOSE]}|${l[d.NONNUMERICIDENTIFIER]})`),h("PRERELEASE",`(?:-(${l[d.PRERELEASEIDENTIFIER]}(?:\\.${l[d.PRERELEASEIDENTIFIER]})*))`),h("PRERELEASELOOSE",`(?:-?(${l[d.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${l[d.PRERELEASEIDENTIFIERLOOSE]})*))`),h("BUILDIDENTIFIER",`${c}+`),h("BUILD",`(?:\\+(${l[d.BUILDIDENTIFIER]}(?:\\.${l[d.BUILDIDENTIFIER]})*))`),h("FULLPLAIN",`v?${l[d.MAINVERSION]}${l[d.PRERELEASE]}?${l[d.BUILD]}?`),h("FULL",`^${l[d.FULLPLAIN]}$`),h("LOOSEPLAIN",`[v=\\s]*${l[d.MAINVERSIONLOOSE]}${l[d.PRERELEASELOOSE]}?${l[d.BUILD]}?`),h("LOOSE",`^${l[d.LOOSEPLAIN]}$`),h("GTLT","((?:<|>)?=?)"),h("XRANGEIDENTIFIERLOOSE",`${l[d.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`),h("XRANGEIDENTIFIER",`${l[d.NUMERICIDENTIFIER]}|x|X|\\*`),h("XRANGEPLAIN",`[v=\\s]*(${l[d.XRANGEIDENTIFIER]})(?:\\.(${l[d.XRANGEIDENTIFIER]})(?:\\.(${l[d.XRANGEIDENTIFIER]})(?:${l[d.PRERELEASE]})?${l[d.BUILD]}?)?)?`),h("XRANGEPLAINLOOSE",`[v=\\s]*(${l[d.XRANGEIDENTIFIERLOOSE]})(?:\\.(${l[d.XRANGEIDENTIFIERLOOSE]})(?:\\.(${l[d.XRANGEIDENTIFIERLOOSE]})(?:${l[d.PRERELEASELOOSE]})?${l[d.BUILD]}?)?)?`),h("XRANGE",`^${l[d.GTLT]}\\s*${l[d.XRANGEPLAIN]}$`),h("XRANGELOOSE",`^${l[d.GTLT]}\\s*${l[d.XRANGEPLAINLOOSE]}$`),h("COERCEPLAIN",`(^|[^\\d])(\\d{1,${i}})(?:\\.(\\d{1,${i}}))?(?:\\.(\\d{1,${i}}))?`),h("COERCE",`${l[d.COERCEPLAIN]}(?:$|[^\\d])`),h("COERCEFULL",l[d.COERCEPLAIN]+`(?:${l[d.PRERELEASE]})?(?:${l[d.BUILD]})?(?:$|[^\\d])`),h("COERCERTL",l[d.COERCE],!0),h("COERCERTLFULL",l[d.COERCEFULL],!0),h("LONETILDE","(?:~>?)"),h("TILDETRIM",`(\\s*)${l[d.LONETILDE]}\\s+`,!0),e.tildeTrimReplace="$1~",h("TILDE",`^${l[d.LONETILDE]}${l[d.XRANGEPLAIN]}$`),h("TILDELOOSE",`^${l[d.LONETILDE]}${l[d.XRANGEPLAINLOOSE]}$`),h("LONECARET","(?:\\^)"),h("CARETTRIM",`(\\s*)${l[d.LONECARET]}\\s+`,!0),e.caretTrimReplace="$1^",h("CARET",`^${l[d.LONECARET]}${l[d.XRANGEPLAIN]}$`),h("CARETLOOSE",`^${l[d.LONECARET]}${l[d.XRANGEPLAINLOOSE]}$`),h("COMPARATORLOOSE",`^${l[d.GTLT]}\\s*(${l[d.LOOSEPLAIN]})$|^$`),h("COMPARATOR",`^${l[d.GTLT]}\\s*(${l[d.FULLPLAIN]})$|^$`),h("COMPARATORTRIM",`(\\s*)${l[d.GTLT]}\\s*(${l[d.LOOSEPLAIN]}|${l[d.XRANGEPLAIN]})`,!0),e.comparatorTrimReplace="$1$2$3",h("HYPHENRANGE",`^\\s*(${l[d.XRANGEPLAIN]})\\s+-\\s+(${l[d.XRANGEPLAIN]})\\s*$`),h("HYPHENRANGELOOSE",`^\\s*(${l[d.XRANGEPLAINLOOSE]})\\s+-\\s+(${l[d.XRANGEPLAINLOOSE]})\\s*$`),h("STAR","(<|>)?=?\\s*\\*"),h("GTE0","^\\s*>=\\s*0\\.0\\.0\\s*$"),h("GTE0PRE","^\\s*>=\\s*0\\.0\\.0-0\\s*$")}(Zt,Zt.exports);var Jt=Zt.exports;Object.freeze({loose:!0}),Object.freeze({});const Qt=/^[0-9]+$/,te=(t,e)=>{const i=Qt.test(t),n=Qt.test(e);return i&&n&&(t=+t,e=+e),t===e?0:i&&!n?-1:n&&!i?1:t<e?-1:1};var ee={compareIdentifiers:te,rcompareIdentifiers:(t,e)=>te(e,t)};const{MAX_LENGTH:ie,MAX_SAFE_INTEGER:ne}=Kt,{safeRe:re,t:se}=Jt,{compareIdentifiers:oe}=ee;c.m;var ae=i(85072),le=i.n(ae),de=i(97825),ue=i.n(de),ce=i(77659),pe=i.n(ce),he=i(55056),fe=i.n(he),ge=i(10540),me=i.n(ge),Ee=i(41113),we=i.n(Ee),Ne=i(73911),ve={};ve.styleTagTransform=we(),ve.setAttributes=fe(),ve.insert=pe().bind(null,"head"),ve.domAPI=ue(),ve.insertStyleElement=me(),le()(Ne.A,ve),Ne.A&&Ne.A.locals&&Ne.A.locals;const Ae=function(t){const e=t.attributes?.["system-tags"]?.["system-tag"];return void 0===e?[]:[e].flat()},be=function(t){let e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];const i=document.createElement("li");return i.classList.add("files-list__system-tag"),i.textContent=t,e&&i.classList.add("files-list__system-tag--more"),i},ye=new m({id:"system-tags",displayName:()=>"",iconSvgInline:()=>"",enabled(t){if(1!==t.length)return!1;const e=t[0];return 0!==Ae(e).length},exec:async()=>null,async renderInline(t){const e=Ae(t);if(0===e.length)return null;const i=document.createElement("ul");if(i.classList.add("files-list__system-tags"),i.setAttribute("aria-label",(0,u.Tl)("files","Assigned collaborative tags")),i.append(be(e[0])),2===e.length)i.append(be(e[1]));else if(e.length>1){const t=be("+"+(e.length-1),!0);t.setAttribute("title",e.slice(1).join(", ")),t.setAttribute("aria-hidden","true"),t.setAttribute("role","presentation"),i.append(t);for(const t of e.slice(1)){const e=be(t);e.classList.add("hidden-visually"),i.append(e)}}return i},order:0}),xe=new m({id:"systemtags:open-in-files",displayName:()=>(0,u.Tl)("systemtags","Open in Files"),iconSvgInline:()=>"",enabled:(t,e)=>"tags"===e.id&&1===t.length&&!0!==t[0].attributes["is-tag"]&&t[0].type===A.Folder,async exec(t){let e=t.dirname;return t.type===A.Folder&&(e=t.path),window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:String(t.fileid)},{dir:e,openfile:"true"}),null},order:-1e3,default:g.HIDDEN});i(65043);var Ie=i(60669);const _e=(0,a.dC)("dav"),Oe=(0,Ie.UU)(_e),Te=t=>{Oe.setHeaders({"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})};(0,r.zo)(Te),Te((0,r.do)());var Ce=i(71654);const Re=(0,n.YK)().setApp("systemtags").detectUser().build(),Le="/systemtags",$e=function(t=C,e={}){const i=(0,l.UU)(t,{headers:e});function n(t){i.setHeaders({...e,"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})}return(0,r.zo)(n),n((0,r.do)()),(0,l.Gu)().patch("fetch",((t,e)=>{const i=e.headers;return i?.method&&(e.method=i.method,delete i.method),fetch(t,e)})),i}(),Se=t=>function(t,e=T,i=C){let n=(0,r.HW)()?.uid;if((0,d.f)())n=n??"anonymous";else if(!n)throw new Error("No user id found");const s=t.props,o=function(t=""){let e=w.NONE;return t?((t.includes("C")||t.includes("K"))&&(e|=w.CREATE),t.includes("G")&&(e|=w.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=w.UPDATE),t.includes("D")&&(e|=w.DELETE),t.includes("R")&&(e|=w.SHARE),e):e}(s?.permissions),a=String(s?.["owner-id"]||n),l=s.fileid||0,u={id:l,source:`${i}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime||"application/octet-stream",displayname:void 0!==s.displayname?String(s.displayname):void 0,size:s?.size||Number.parseInt(s.getcontentlength||"0"),status:l<0?x.FAILED:void 0,permissions:o,owner:a,root:e,attributes:{...t,...s,hasPreview:s?.["has-preview"]}};return delete u.attributes?.props,"file"===t.type?new _(u):new O(u)}(t),Pe=t=>`<?xml version="1.0"?>\n<oc:filter-files ${void 0===window._nc_dav_namespaces&&(window._nc_dav_namespaces={...v}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")}>\n\t<d:prop>\n\t\t${void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...N]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")}\n\t</d:prop>\n\t<oc:filter-rules>\n\t\t<oc:systemtag>${t}</oc:systemtag>\n\t</oc:filter-rules>\n</oc:filter-files>`,De=function(t){return new O({id:t.id,source:`${C}${Le}/${t.id}`,owner:String((0,r.HW)()?.uid??"anonymous"),root:Le,displayname:t.displayName,permissions:w.READ,attributes:{...t,"is-tag":!0}})};!function(t,e={nc:"http://nextcloud.org/ns"}){void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...N],window._nc_dav_namespaces={...v});const i={...window._nc_dav_namespaces,...e};window._nc_dav_properties.find((e=>e===t))?f.warn(`${t} already registered`,{prop:t}):t.startsWith("<")||2!==t.split(":").length?f.error(`${t} is not valid. See example: 'oc:fileid'`,{prop:t}):i[t.split(":")[0]]?(window._nc_dav_properties.push(t),window._nc_dav_namespaces=i):f.error(`${t} namespace unknown`,{prop:t,namespaces:i})}("nc:system-tags"),E(ye),E(xe),(void 0===window._nc_navigation&&(window._nc_navigation=new R,f.debug("Navigation service initialized")),window._nc_navigation).register(new class{_view;constructor(t){Wt(t),this._view=t}get id(){return this._view.id}get name(){return this._view.name}get caption(){return this._view.caption}get emptyTitle(){return this._view.emptyTitle}get emptyCaption(){return this._view.emptyCaption}get getContents(){return this._view.getContents}get icon(){return this._view.icon}set icon(t){this._view.icon=t}get order(){return this._view.order}set order(t){this._view.order=t}get params(){return this._view.params}set params(t){this._view.params=t}get columns(){return this._view.columns}get emptyView(){return this._view.emptyView}get parent(){return this._view.parent}get sticky(){return this._view.sticky}get expanded(){return this._view.expanded}set expanded(t){this._view.expanded=t}get defaultSortKey(){return this._view.defaultSortKey}get loadChildViews(){return this._view.loadChildViews}}({id:"tags",name:(0,u.Tl)("systemtags","Tags"),caption:(0,u.Tl)("systemtags","List of tags and their associated files and folders."),emptyTitle:(0,u.Tl)("systemtags","No tags found"),emptyCaption:(0,u.Tl)("systemtags","Tags you have created will show up here."),icon:'<svg xmlns="http://www.w3.org/2000/svg" id="mdi-tag-multiple" viewBox="0 0 24 24"><path d="M5.5,9A1.5,1.5 0 0,0 7,7.5A1.5,1.5 0 0,0 5.5,6A1.5,1.5 0 0,0 4,7.5A1.5,1.5 0 0,0 5.5,9M17.41,11.58C17.77,11.94 18,12.44 18,13C18,13.55 17.78,14.05 17.41,14.41L12.41,19.41C12.05,19.77 11.55,20 11,20C10.45,20 9.95,19.78 9.58,19.41L2.59,12.42C2.22,12.05 2,11.55 2,11V6C2,4.89 2.89,4 4,4H9C9.55,4 10.05,4.22 10.41,4.58L17.41,11.58M13.54,5.71L14.54,4.71L21.41,11.58C21.78,11.94 22,12.45 22,13C22,13.55 21.78,14.05 21.42,14.41L16.04,19.79L15.04,18.79L20.75,13L13.54,5.71Z" /></svg>',order:25,getContents:async function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const e=(await(async()=>{try{const{data:t}=await Oe.getDirectoryContents("/systemtags",{data:'<?xml version="1.0"?>\n<d:propfind  xmlns:d="DAV:" xmlns:oc="http://owncloud.org/ns">\n\t<d:prop>\n\t\t<oc:id />\n\t\t<oc:display-name />\n\t\t<oc:user-visible />\n\t\t<oc:user-assignable />\n\t\t<oc:can-assign />\n\t</d:prop>\n</d:propfind>',details:!0,glob:"/systemtags/*"});return(t=>t.map((t=>{let{props:e}=t;return Object.fromEntries(Object.entries(e).map((t=>{let[e,i]=t;return[(0,Ce.A)(e),"displayName"===(0,Ce.A)(e)?String(i):i]})))})))(t)}catch(t){throw Re.error((0,u.Tl)("systemtags","Failed to load tags"),{error:t}),new Error((0,u.Tl)("systemtags","Failed to load tags"))}})()).filter((t=>t.userVisible));if("/"===t)return{folder:new O({id:0,source:`${C}${Le}`,owner:(0,r.HW)()?.uid,root:Le,permissions:w.NONE}),contents:e.map(De)};const i=parseInt(t.split("/",2)[1]),n=e.find((t=>t.id===i));if(!n)throw new Error("Tag not found");return{folder:De(n),contents:(await $e.getDirectoryContents(T,{details:!0,data:Pe(i),headers:{method:"REPORT"}})).data.map(Se)}}}))},73911:(t,e,i)=>{"use strict";i.d(e,{A:()=>a});var n=i(71354),r=i.n(n),s=i(76314),o=i.n(s)()(r());o.push([t.id,".files-list__system-tags{--min-size: 32px;display:none;justify-content:center;align-items:center;min-width:calc(var(--min-size)*2);max-width:300px}.files-list__system-tag{padding:5px 10px;border:1px solid;border-radius:var(--border-radius-pill);border-color:var(--color-border);color:var(--color-text-maxcontrast);height:var(--min-size);white-space:nowrap;overflow:hidden;text-overflow:ellipsis;line-height:22px;text-align:center}.files-list__system-tag--more{overflow:visible;text-overflow:initial}.files-list__system-tag+.files-list__system-tag{margin-left:5px}@media(min-width: 512px){.files-list__system-tags{display:flex}}","",{version:3,sources:["webpack://./apps/systemtags/src/css/fileEntryInlineSystemTags.scss"],names:[],mappings:"AAKA,yBACC,gBAAA,CACA,YAAA,CACA,sBAAA,CACA,kBAAA,CACA,iCAAA,CACA,eAAA,CAGD,wBACC,gBAAA,CACA,gBAAA,CACA,uCAAA,CACA,gCAAA,CACA,mCAAA,CACA,sBAAA,CACA,kBAAA,CACA,eAAA,CACA,sBAAA,CACA,gBAAA,CACA,iBAAA,CAEA,8BACC,gBAAA,CACA,qBAAA,CAID,gDACC,eAAA,CAIF,yBACC,yBACC,YAAA,CAAA",sourcesContent:["/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n.files-list__system-tags {\n\t--min-size: 32px;\n\tdisplay: none;\n\tjustify-content: center;\n\talign-items: center;\n\tmin-width: calc(var(--min-size) * 2);\n\tmax-width: 300px;\n}\n\n.files-list__system-tag {\n\tpadding: 5px 10px;\n\tborder: 1px solid;\n\tborder-radius: var(--border-radius-pill);\n\tborder-color: var(--color-border);\n\tcolor: var(--color-text-maxcontrast);\n\theight: var(--min-size);\n\twhite-space: nowrap;\n\toverflow: hidden;\n\ttext-overflow: ellipsis;\n\tline-height: 22px; // min-size - 2 * 5px padding\n\ttext-align: center;\n\n\t&--more {\n\t\toverflow: visible;\n\t\ttext-overflow: initial;\n\t}\n\n\t// Proper spacing if multiple shown\n\t& + .files-list__system-tag {\n\t\tmargin-left: 5px;\n\t}\n}\n\n@media (min-width: 512px) {\n\t.files-list__system-tags {\n\t\tdisplay: flex;\n\t}\n}\n"],sourceRoot:""}]);const a=o},42634:()=>{},63779:()=>{},77199:()=>{},59169:()=>{},86833:()=>{}},i={};function n(t){var r=i[t];if(void 0!==r)return r.exports;var s=i[t]={id:t,loaded:!1,exports:{}};return e[t].call(s.exports,s,s.exports,n),s.loaded=!0,s.exports}n.m=e,t=[],n.O=(e,i,r,s)=>{if(!i){var o=1/0;for(u=0;u<t.length;u++){i=t[u][0],r=t[u][1],s=t[u][2];for(var a=!0,l=0;l<i.length;l++)(!1&s||o>=s)&&Object.keys(n.O).every((t=>n.O[t](i[l])))?i.splice(l--,1):(a=!1,s<o&&(o=s));if(a){t.splice(u--,1);var d=r();void 0!==d&&(e=d)}}return e}s=s||0;for(var u=t.length;u>0&&t[u-1][2]>s;u--)t[u]=t[u-1];t[u]=[i,r,s]},n.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return n.d(e,{a:e}),e},n.d=(t,e)=>{for(var i in e)n.o(e,i)&&!n.o(t,i)&&Object.defineProperty(t,i,{enumerable:!0,get:e[i]})},n.e=()=>Promise.resolve(),n.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),n.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),n.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),n.j=2766,(()=>{n.b=document.baseURI||self.location.href;var t={2766:0};n.O.j=e=>0===t[e];var e=(e,i)=>{var r,s,o=i[0],a=i[1],l=i[2],d=0;if(o.some((e=>0!==t[e]))){for(r in a)n.o(a,r)&&(n.m[r]=a[r]);if(l)var u=l(n)}for(e&&e(i);d<o.length;d++)s=o[d],n.o(t,s)&&t[s]&&t[s][0](),t[s]=0;return n.O(u)},i=self.webpackChunknextcloud=self.webpackChunknextcloud||[];i.forEach(e.bind(null,0)),i.push=e.bind(null,i.push.bind(i))})(),n.nc=void 0;var r=n.O(void 0,[4208],(()=>n(19063)));r=n.O(r)})();
+//# sourceMappingURL=systemtags-init.js.map?v=fa94ebbfb6eab2ca2369
\ No newline at end of file
index b20eaa6e8b030f1e87ad6e7cfd0aa8673036e499..5882a2ea03a397fef14ded2d1db02665554ba57d 100644 (file)
@@ -1 +1 @@
-{"version":3,"file":"systemtags-init.js?v=5572f9fc3097358c876a","mappings":"UAAIA,E,iLCWJ,MAAM,GAAS,UAAmBC,OAAO,oBAAoBC,aAAaC,QAmE1E,IAAIC,EAA8B,CAAEC,IAClCA,EAAsB,QAAI,UAC1BA,EAAqB,OAAI,SAClBA,GAHyB,CAI/BD,GAAe,CAAC,GA6JfE,EAA6B,CAAEC,IACjCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAmB,MAAI,IAAM,QACzCA,EAAYA,EAAiB,IAAI,IAAM,MAChCA,GARwB,CAS9BD,GAAc,CAAC,GAClB,MAAME,EAAuB,CAC3B,qBACA,mBACA,YACA,oBACA,iBACA,gBACA,0BACA,iBACA,iBACA,kBACA,gBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,WAEIC,EAAuB,CAC3BC,EAAG,OACHC,GAAI,0BACJC,GAAI,yBACJC,IAAK,6CAuIP,IAAIC,EAA2B,CAAEC,IAC/BA,EAAkB,OAAI,SACtBA,EAAgB,KAAI,OACbA,GAHsB,CAI5BD,GAAY,CAAC,GAChB,MAAME,EAAiB,SAASC,EAAQC,GACtC,OAAoC,OAA7BD,EAAOE,MAAMD,EACtB,EACME,EAAe,CAACC,EAAMH,KAC1B,GAAIG,EAAKC,IAAyB,iBAAZD,EAAKC,GACzB,MAAM,IAAIC,MAAM,4BAElB,IAAKF,EAAKJ,OACR,MAAM,IAAIM,MAAM,4BAElB,IACE,IAAIC,IAAIH,EAAKJ,OACf,CAAE,MAAOQ,GACP,MAAM,IAAIF,MAAM,oDAClB,CACA,IAAKF,EAAKJ,OAAOS,WAAW,QAC1B,MAAM,IAAIH,MAAM,oDAElB,GAAIF,EAAKM,aAA2C,iBAArBN,EAAKM,YAClC,MAAM,IAAIJ,MAAM,4BAElB,GAAIF,EAAKO,SAAWP,EAAKO,iBAAiBC,MACxC,MAAM,IAAIN,MAAM,sBAElB,GAAIF,EAAKS,UAAYT,EAAKS,kBAAkBD,MAC1C,MAAM,IAAIN,MAAM,uBAElB,IAAKF,EAAKU,MAA6B,iBAAdV,EAAKU,OAAsBV,EAAKU,KAAKZ,MAAM,yBAClE,MAAM,IAAII,MAAM,qCAElB,GAAI,SAAUF,GAA6B,iBAAdA,EAAKW,WAAmC,IAAdX,EAAKW,KAC1D,MAAM,IAAIT,MAAM,qBAElB,GAAI,gBAAiBF,QAA6B,IAArBA,EAAKY,eAAwD,iBAArBZ,EAAKY,aAA4BZ,EAAKY,aAAe3B,EAAW4B,MAAQb,EAAKY,aAAe3B,EAAW6B,KAC1K,MAAM,IAAIZ,MAAM,uBAElB,GAAIF,EAAKe,OAAwB,OAAff,EAAKe,OAAwC,iBAAff,EAAKe,MACnD,MAAM,IAAIb,MAAM,sBAElB,GAAIF,EAAKgB,YAAyC,iBAApBhB,EAAKgB,WACjC,MAAM,IAAId,MAAM,2BAElB,GAAIF,EAAKiB,MAA6B,iBAAdjB,EAAKiB,KAC3B,MAAM,IAAIf,MAAM,qBAElB,GAAIF,EAAKiB,OAASjB,EAAKiB,KAAKZ,WAAW,KACrC,MAAM,IAAIH,MAAM,wCAElB,GAAIF,EAAKiB,OAASjB,EAAKJ,OAAOsB,SAASlB,EAAKiB,MAC1C,MAAM,IAAIf,MAAM,mCAElB,GAAIF,EAAKiB,MAAQtB,EAAeK,EAAKJ,OAAQC,GAAa,CACxD,MAAMsB,EAAUnB,EAAKJ,OAAOE,MAAMD,GAAY,GAC9C,IAAKG,EAAKJ,OAAOsB,UAAS,IAAAE,MAAKD,EAASnB,EAAKiB,OAC3C,MAAM,IAAIf,MAAM,4DAEpB,CACA,GAAIF,EAAKqB,SAAWC,OAAOC,OAAOC,GAAYN,SAASlB,EAAKqB,QAC1D,MAAM,IAAInB,MAAM,oCAClB,EAEF,IAAIsB,EAA6B,CAAEC,IACjCA,EAAiB,IAAI,MACrBA,EAAoB,OAAI,SACxBA,EAAqB,QAAI,UACzBA,EAAoB,OAAI,SACjBA,GALwB,CAM9BD,GAAc,CAAC,GAClB,MAAME,EACJC,MACAC,YACAC,iBAAmB,mCACnBC,mBAAqBR,OAAOS,QAAQT,OAAOU,0BAA0BN,EAAKO,YAAYC,QAAQ9B,GAA0B,mBAAbA,EAAE,GAAG+B,KAA+B,cAAT/B,EAAE,KAAoBgC,KAAKhC,GAAMA,EAAE,KACzKiC,QAAU,CACRC,IAAK,CAACC,EAAQC,EAAMC,KACdC,KAAKZ,mBAAmBZ,SAASsB,IAG9BG,QAAQL,IAAIC,EAAQC,EAAMC,GAEnCG,eAAgB,CAACL,EAAQC,KACnBE,KAAKZ,mBAAmBZ,SAASsB,IAG9BG,QAAQC,eAAeL,EAAQC,GAGxCL,IAAK,CAACI,EAAQC,EAAMK,IACdH,KAAKZ,mBAAmBZ,SAASsB,IACnC,EAAOM,KAAK,8BAA8BN,8DACnCG,QAAQR,IAAIO,KAAMF,IAEpBG,QAAQR,IAAII,EAAQC,EAAMK,IAGrC,WAAAE,CAAY/C,EAAMH,GAChBE,EAAaC,EAAMH,GAAc6C,KAAKb,kBACtCa,KAAKf,MAAQ,CAEXrB,YAAaN,EAAKgB,YAAYV,eAC3BN,EACHgB,WAAY,CAAC,GAEf0B,KAAKd,YAAc,IAAIoB,MAAMN,KAAKf,MAAMX,WAAY0B,KAAKL,SACzDK,KAAKO,OAAOjD,EAAKgB,YAAc,CAAC,GAC5BnB,IACF6C,KAAKb,iBAAmBhC,EAE5B,CAMA,UAAID,GACF,OAAO8C,KAAKf,MAAM/B,OAAOsD,QAAQ,OAAQ,GAC3C,CAIA,iBAAIC,GACF,MAAM,OAAEC,GAAW,IAAIjD,IAAIuC,KAAK9C,QAChC,OAAOwD,GAAS,QAAWV,KAAK9C,OAAOyD,MAAMD,EAAOE,QACtD,CAMA,YAAIC,GACF,OAAO,IAAAA,UAASb,KAAK9C,OACvB,CAOA,eAAIU,GACF,OAAOoC,KAAKf,MAAMrB,aAAeoC,KAAKa,QACxC,CAIA,eAAIjD,CAAYA,GACdoC,KAAKf,MAAMrB,YAAcA,CAC3B,CAMA,aAAIkD,GACF,OAAO,IAAAC,SAAQf,KAAK9C,OACtB,CAQA,WAAI8D,GACF,GAAIhB,KAAKzB,KAAM,CACb,IAAIrB,EAAS8C,KAAK9C,OACd8C,KAAK/C,iBACPC,EAASA,EAAO+D,MAAMjB,KAAKb,kBAAkB+B,OAE/C,MAAMC,EAAajE,EAAOkE,QAAQpB,KAAKzB,MACjCA,EAAOyB,KAAKzB,KAAKiC,QAAQ,MAAO,IACtC,OAAO,IAAAQ,SAAQ9D,EAAOyD,MAAMQ,EAAa5C,EAAKqC,SAAW,IAC3D,CACA,MAAMS,EAAM,IAAI5D,IAAIuC,KAAK9C,QACzB,OAAO,IAAA8D,SAAQK,EAAIC,SACrB,CAKA,QAAItD,GACF,OAAOgC,KAAKf,MAAMjB,IACpB,CAIA,SAAIH,GACF,OAAOmC,KAAKf,MAAMpB,KACpB,CAIA,SAAIA,CAAMA,GACRmC,KAAKf,MAAMpB,MAAQA,CACrB,CAKA,UAAIE,GACF,OAAOiC,KAAKf,MAAMlB,MACpB,CAIA,QAAIE,GACF,OAAO+B,KAAKf,MAAMhB,IACpB,CAIA,QAAIA,CAAKA,GACP+B,KAAKuB,cACLvB,KAAKf,MAAMhB,KAAOA,CACpB,CAKA,cAAIK,GACF,OAAO0B,KAAKd,WACd,CAIA,eAAIhB,GACF,OAAmB,OAAf8B,KAAK3B,OAAmB2B,KAAK/C,oBAGC,IAA3B+C,KAAKf,MAAMf,YAAyB8B,KAAKf,MAAMf,YAAc3B,EAAW4B,KAFtE5B,EAAWiF,IAGtB,CAIA,eAAItD,CAAYA,GACd8B,KAAKuB,cACLvB,KAAKf,MAAMf,YAAcA,CAC3B,CAKA,SAAIG,GACF,OAAK2B,KAAK/C,eAGH+C,KAAKf,MAAMZ,MAFT,IAGX,CAIA,kBAAIpB,GACF,OAAOA,EAAe+C,KAAK9C,OAAQ8C,KAAKb,iBAC1C,CAKA,QAAIZ,GACF,OAAIyB,KAAKf,MAAMV,KACNyB,KAAKf,MAAMV,KAAKiC,QAAQ,WAAY,MAEzCR,KAAK/C,iBACM,IAAA+D,SAAQhB,KAAK9C,QACd+D,MAAMjB,KAAKb,kBAAkB+B,OAEpC,IACT,CAIA,QAAIO,GACF,GAAIzB,KAAKzB,KAAM,CACb,IAAIrB,EAAS8C,KAAK9C,OACd8C,KAAK/C,iBACPC,EAASA,EAAO+D,MAAMjB,KAAKb,kBAAkB+B,OAE/C,MAAMC,EAAajE,EAAOkE,QAAQpB,KAAKzB,MACjCA,EAAOyB,KAAKzB,KAAKiC,QAAQ,MAAO,IACtC,OAAOtD,EAAOyD,MAAMQ,EAAa5C,EAAKqC,SAAW,GACnD,CACA,OAAQZ,KAAKgB,QAAU,IAAMhB,KAAKa,UAAUL,QAAQ,QAAS,IAC/D,CAKA,UAAIkB,GACF,OAAO1B,KAAKf,OAAO1B,EACrB,CAIA,UAAIoB,GACF,OAAOqB,KAAKf,OAAON,MACrB,CAIA,UAAIA,CAAOA,GACTqB,KAAKf,MAAMN,OAASA,CACtB,CAOA,IAAAgD,CAAKC,GACHvE,EAAa,IAAK2C,KAAKf,MAAO/B,OAAQ0E,GAAe5B,KAAKb,kBAC1D,MAAM0C,EAAc7B,KAAKa,SACzBb,KAAKf,MAAM/B,OAAS0E,EAChB5B,KAAKpC,cAAgBiE,GAAe7B,KAAKa,WAAagB,IACxD7B,KAAKpC,YAAcoC,KAAKa,UAE1Bb,KAAKuB,aACP,CAOA,MAAAO,CAAOC,GACL,GAAIA,EAAUvD,SAAS,KACrB,MAAM,IAAIhB,MAAM,oBAElBwC,KAAK2B,MAAK,IAAAX,SAAQhB,KAAK9C,QAAU,IAAM6E,EACzC,CAIA,WAAAR,GACMvB,KAAKf,MAAMpB,QACbmC,KAAKf,MAAMpB,MAAwB,IAAIC,KAE3C,CAOA,MAAAyC,CAAOjC,GACL,IAAK,MAAO0D,EAAMjC,KAAUnB,OAAOS,QAAQf,GACzC,SACgB,IAAVyB,SACKC,KAAK1B,WAAW0D,GAEvBhC,KAAK1B,WAAW0D,GAAQjC,CAE5B,CAAE,MAAOrC,GACP,GAAIA,aAAauE,UACf,SAEF,MAAMvE,CACR,CAEJ,EAEF,MAAMwE,UAAalD,EACjB,QAAImD,GACF,OAAOpF,EAASmF,IAClB,EAEF,MAAME,UAAepD,EACnB,WAAAqB,CAAY/C,GACV+E,MAAM,IACD/E,EACHU,KAAM,wBAEV,CACA,QAAImE,GACF,OAAOpF,EAASqF,MAClB,CACA,aAAItB,GACF,OAAO,IACT,CACA,QAAI9C,GACF,MAAO,sBACT,EAQF,MAAMsE,GALA,SACK,WAAU,WAEZ,WAAU,WAAkBC,MAU/BC,EAPN,WACE,MAAMnB,GAAM,QAAkB,OAC9B,OAAI,SACKA,EAAIb,QAAQ,aAAc,cAE5Ba,CACT,CACqBoB,GAsFcjF,MAwMnC,MAAMkF,UAAmB,IACvBC,OAAS,GACTC,aAAe,KAMf,QAAAC,CAASC,GACP,GAAI9C,KAAK2C,OAAOI,MAAMC,GAAWA,EAAOzF,KAAOuF,EAAKvF,KAClD,MAAM,IAAIC,MAAM,WAAWsF,EAAKvF,4BAElCyC,KAAK2C,OAAOM,KAAKH,GACjB9C,KAAKkD,mBAAmB,SAAU,IAAIC,YAAY,UACpD,CAKA,MAAAC,CAAO7F,GACL,MAAM8F,EAAQrD,KAAK2C,OAAOW,WAAWR,GAASA,EAAKvF,KAAOA,KAC3C,IAAX8F,IACFrD,KAAK2C,OAAOY,OAAOF,EAAO,GAC1BrD,KAAKkD,mBAAmB,SAAU,IAAIC,YAAY,WAEtD,CAMA,SAAAK,CAAUV,GACR9C,KAAK4C,aAAeE,EACpB,MAAMW,EAAQ,IAAIN,YAAY,eAAgB,CAAEO,OAAQZ,IACxD9C,KAAKkD,mBAAmB,eAAgBO,EAC1C,CAIA,UAAIE,GACF,OAAO3D,KAAK4C,YACd,CAIA,SAAIgB,GACF,OAAO5D,KAAK2C,MACd,EASF,MAAMkB,EACJC,QACA,WAAAzD,CAAY0D,GACVC,EAAcD,GACd/D,KAAK8D,QAAUC,CACjB,CACA,MAAIxG,GACF,OAAOyC,KAAK8D,QAAQvG,EACtB,CACA,SAAI0G,GACF,OAAOjE,KAAK8D,QAAQG,KACtB,CACA,UAAIC,GACF,OAAOlE,KAAK8D,QAAQI,MACtB,CACA,QAAIC,GACF,OAAOnE,KAAK8D,QAAQK,IACtB,CACA,WAAIC,GACF,OAAOpE,KAAK8D,QAAQM,OACtB,EAEF,MAAMJ,EAAgB,SAASD,GAC7B,IAAKA,EAAOxG,IAA2B,iBAAdwG,EAAOxG,GAC9B,MAAM,IAAIC,MAAM,2BAElB,IAAKuG,EAAOE,OAAiC,iBAAjBF,EAAOE,MACjC,MAAM,IAAIzG,MAAM,8BAElB,IAAKuG,EAAOG,QAAmC,mBAAlBH,EAAOG,OAClC,MAAM,IAAI1G,MAAM,iCAElB,GAAIuG,EAAOI,MAA+B,mBAAhBJ,EAAOI,KAC/B,MAAM,IAAI3G,MAAM,0CAElB,GAAIuG,EAAOK,SAAqC,mBAAnBL,EAAOK,QAClC,MAAM,IAAI5G,MAAM,qCAElB,OAAO,CACT,EAIA,IAAI6G,EAAc,CAAC,EACfC,EAAS,CAAC,GACd,SAAUC,GACR,MAAMC,EAAgB,gLAEhBC,EAAa,IAAMD,EAAgB,KADxBA,EACE,iDACbE,EAAY,IAAIC,OAAO,IAAMF,EAAa,KAoBhDF,EAAQK,QAAU,SAASC,GACzB,YAAoB,IAANA,CAChB,EACAN,EAAQO,cAAgB,SAASC,GAC/B,OAAmC,IAA5BnG,OAAOoG,KAAKD,GAAKnE,MAC1B,EACA2D,EAAQU,MAAQ,SAASpF,EAAQqF,EAAGC,GAClC,GAAID,EAAG,CACL,MAAMF,EAAOpG,OAAOoG,KAAKE,GACnBE,EAAMJ,EAAKpE,OACjB,IAAK,IAAIyE,EAAI,EAAGA,EAAID,EAAKC,IAErBxF,EAAOmF,EAAKK,IADI,WAAdF,EACgB,CAACD,EAAEF,EAAKK,KAERH,EAAEF,EAAKK,GAG/B,CACF,EACAd,EAAQe,SAAW,SAAST,GAC1B,OAAIN,EAAQK,QAAQC,GACXA,EAEA,EAEX,EACAN,EAAQgB,OA9BO,SAASC,GAEtB,QAAQ,MADMd,EAAUe,KAAKD,GAE/B,EA4BAjB,EAAQmB,cA9Cc,SAASF,EAAQG,GACrC,MAAMC,EAAU,GAChB,IAAIxI,EAAQuI,EAAMF,KAAKD,GACvB,KAAOpI,GAAO,CACZ,MAAMyI,EAAa,GACnBA,EAAWC,WAAaH,EAAMI,UAAY3I,EAAM,GAAGwD,OACnD,MAAMwE,EAAMhI,EAAMwD,OAClB,IAAK,IAAIyC,EAAQ,EAAGA,EAAQ+B,EAAK/B,IAC/BwC,EAAW5C,KAAK7F,EAAMiG,IAExBuC,EAAQ3C,KAAK4C,GACbzI,EAAQuI,EAAMF,KAAKD,EACrB,CACA,OAAOI,CACT,EAiCArB,EAAQE,WAAaA,CACtB,CArDD,CAqDGH,GACH,MAAM0B,EAAS1B,EACT2B,EAAmB,CACvBC,wBAAwB,EAExBC,aAAc,IAyIhB,SAASC,EAAaC,GACpB,MAAgB,MAATA,GAAyB,OAATA,GAAyB,OAATA,GAA0B,OAATA,CAC1D,CACA,SAASC,EAAOC,EAASlB,GACvB,MAAMmB,EAAQnB,EACd,KAAOA,EAAIkB,EAAQ3F,OAAQyE,IACzB,GAAkB,KAAdkB,EAAQlB,IAA2B,KAAdkB,EAAQlB,QAAjC,CACE,MAAMoB,EAAUF,EAAQG,OAAOF,EAAOnB,EAAImB,GAC1C,GAAInB,EAAI,GAAiB,QAAZoB,EACX,OAAOE,EAAe,aAAc,6DAA8DC,EAAyBL,EAASlB,IAC/H,GAAkB,KAAdkB,EAAQlB,IAA+B,KAAlBkB,EAAQlB,EAAI,GAAW,CACrDA,IACA,KACF,CAGF,CAEF,OAAOA,CACT,CACA,SAASwB,EAAoBN,EAASlB,GACpC,GAAIkB,EAAQ3F,OAASyE,EAAI,GAAwB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAClE,IAAKA,GAAK,EAAGA,EAAIkB,EAAQ3F,OAAQyE,IAC/B,GAAmB,MAAfkB,EAAQlB,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,OAEG,GAAIkB,EAAQ3F,OAASyE,EAAI,GAAwB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,GAAY,CACvN,IAAIyB,EAAqB,EACzB,IAAKzB,GAAK,EAAGA,EAAIkB,EAAQ3F,OAAQyE,IAC/B,GAAmB,MAAfkB,EAAQlB,GACVyB,SACK,GAAmB,MAAfP,EAAQlB,KACjByB,IAC2B,IAAvBA,GACF,KAIR,MAAO,GAAIP,EAAQ3F,OAASyE,EAAI,GAAwB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,GAC3M,IAAKA,GAAK,EAAGA,EAAIkB,EAAQ3F,OAAQyE,IAC/B,GAAmB,MAAfkB,EAAQlB,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,CAGJ,OAAOA,CACT,CAxLAhB,EAAY0C,SAAW,SAASR,EAASS,GACvCA,EAAUpI,OAAOqI,OAAO,CAAC,EAAGhB,EAAkBe,GAC9C,MAAME,EAAO,GACb,IAAIC,GAAW,EACXC,GAAc,EACC,WAAfb,EAAQ,KACVA,EAAUA,EAAQG,OAAO,IAE3B,IAAK,IAAIrB,EAAI,EAAGA,EAAIkB,EAAQ3F,OAAQyE,IAClC,GAAmB,MAAfkB,EAAQlB,IAAiC,MAAnBkB,EAAQlB,EAAI,IAGpC,GAFAA,GAAK,EACLA,EAAIiB,EAAOC,EAASlB,GAChBA,EAAEgC,IAAK,OAAOhC,MACb,IAAmB,MAAfkB,EAAQlB,GA0GZ,CACL,GAAIe,EAAaG,EAAQlB,IACvB,SAEF,OAAOsB,EAAe,cAAe,SAAWJ,EAAQlB,GAAK,qBAAsBuB,EAAyBL,EAASlB,GACvH,CA/G+B,CAC7B,IAAIiC,EAAcjC,EAElB,GADAA,IACmB,MAAfkB,EAAQlB,GAAY,CACtBA,EAAIwB,EAAoBN,EAASlB,GACjC,QACF,CAAO,CACL,IAAIkC,GAAa,EACE,MAAfhB,EAAQlB,KACVkC,GAAa,EACblC,KAEF,IAAImC,EAAU,GACd,KAAOnC,EAAIkB,EAAQ3F,QAAyB,MAAf2F,EAAQlB,IAA6B,MAAfkB,EAAQlB,IAA6B,OAAfkB,EAAQlB,IAA6B,OAAfkB,EAAQlB,IAA8B,OAAfkB,EAAQlB,GAAaA,IACzImC,GAAWjB,EAAQlB,GAOrB,GALAmC,EAAUA,EAAQC,OACkB,MAAhCD,EAAQA,EAAQ5G,OAAS,KAC3B4G,EAAUA,EAAQE,UAAU,EAAGF,EAAQ5G,OAAS,GAChDyE,KA6PeoB,EA3PIe,GA4PpBxB,EAAOT,OAAOkB,GA5PgB,CAC7B,IAAIkB,EAMJ,OAJEA,EAD4B,IAA1BH,EAAQC,OAAO7G,OACX,2BAEA,QAAU4G,EAAU,wBAErBb,EAAe,aAAcgB,EAAKf,EAAyBL,EAASlB,GAC7E,CACA,MAAMuC,EAASC,EAAiBtB,EAASlB,GACzC,IAAe,IAAXuC,EACF,OAAOjB,EAAe,cAAe,mBAAqBa,EAAU,qBAAsBZ,EAAyBL,EAASlB,IAE9H,IAAIyC,EAAUF,EAAO7H,MAErB,GADAsF,EAAIuC,EAAOvE,MACyB,MAAhCyE,EAAQA,EAAQlH,OAAS,GAAY,CACvC,MAAMmH,EAAe1C,EAAIyC,EAAQlH,OACjCkH,EAAUA,EAAQJ,UAAU,EAAGI,EAAQlH,OAAS,GAChD,MAAMoH,EAAUC,EAAwBH,EAASd,GACjD,IAAgB,IAAZgB,EAGF,OAAOrB,EAAeqB,EAAQX,IAAIa,KAAMF,EAAQX,IAAIM,IAAKf,EAAyBL,EAASwB,EAAeC,EAAQX,IAAIc,OAFtHhB,GAAW,CAIf,MAAO,GAAII,EAAY,CACrB,IAAKK,EAAOQ,UACV,OAAOzB,EAAe,aAAc,gBAAkBa,EAAU,iCAAkCZ,EAAyBL,EAASlB,IAC/H,GAAIyC,EAAQL,OAAO7G,OAAS,EACjC,OAAO+F,EAAe,aAAc,gBAAkBa,EAAU,+CAAgDZ,EAAyBL,EAASe,IAC7I,GAAoB,IAAhBJ,EAAKtG,OACd,OAAO+F,EAAe,aAAc,gBAAkBa,EAAU,yBAA0BZ,EAAyBL,EAASe,IACvH,CACL,MAAMe,EAAMnB,EAAKhG,MACjB,GAAIsG,IAAYa,EAAIb,QAAS,CAC3B,IAAIc,EAAU1B,EAAyBL,EAAS8B,EAAIf,aACpD,OAAOX,EACL,aACA,yBAA2B0B,EAAIb,QAAU,qBAAuBc,EAAQH,KAAO,SAAWG,EAAQC,IAAM,6BAA+Bf,EAAU,KACjJZ,EAAyBL,EAASe,GAEtC,CACmB,GAAfJ,EAAKtG,SACPwG,GAAc,EAElB,CACF,KAAO,CACL,MAAMY,EAAUC,EAAwBH,EAASd,GACjD,IAAgB,IAAZgB,EACF,OAAOrB,EAAeqB,EAAQX,IAAIa,KAAMF,EAAQX,IAAIM,IAAKf,EAAyBL,EAASlB,EAAIyC,EAAQlH,OAASoH,EAAQX,IAAIc,OAE9H,IAAoB,IAAhBf,EACF,OAAOT,EAAe,aAAc,sCAAuCC,EAAyBL,EAASlB,KACzD,IAA3C2B,EAAQb,aAAa/E,QAAQoG,IAEtCN,EAAKjE,KAAK,CAAEuE,UAASF,gBAEvBH,GAAW,CACb,CACA,IAAK9B,IAAKA,EAAIkB,EAAQ3F,OAAQyE,IAC5B,GAAmB,MAAfkB,EAAQlB,GAAY,CACtB,GAAuB,MAAnBkB,EAAQlB,EAAI,GAAY,CAC1BA,IACAA,EAAIwB,EAAoBN,EAASlB,GACjC,QACF,CAAO,GAAuB,MAAnBkB,EAAQlB,EAAI,GAIrB,MAFA,GADAA,EAAIiB,EAAOC,IAAWlB,GAClBA,EAAEgC,IAAK,OAAOhC,CAItB,MAAO,GAAmB,MAAfkB,EAAQlB,GAAY,CAC7B,MAAMmD,EAAWC,EAAkBlC,EAASlB,GAC5C,IAAiB,GAAbmD,EACF,OAAO7B,EAAe,cAAe,4BAA6BC,EAAyBL,EAASlB,IACtGA,EAAImD,CACN,MACE,IAAoB,IAAhBpB,IAAyBhB,EAAaG,EAAQlB,IAChD,OAAOsB,EAAe,aAAc,wBAAyBC,EAAyBL,EAASlB,IAIlF,MAAfkB,EAAQlB,IACVA,GAEJ,CACF,CAKA,CAiKJ,IAAyBoB,EA/JvB,OAAKU,EAEqB,GAAfD,EAAKtG,OACP+F,EAAe,aAAc,iBAAmBO,EAAK,GAAGM,QAAU,KAAMZ,EAAyBL,EAASW,EAAK,GAAGI,gBAChHJ,EAAKtG,OAAS,IAChB+F,EAAe,aAAc,YAAc+B,KAAKC,UAAUzB,EAAKxH,KAAKkJ,GAAOA,EAAGpB,UAAU,KAAM,GAAGhH,QAAQ,SAAU,IAAM,WAAY,CAAE2H,KAAM,EAAGI,IAAK,IAJrJ5B,EAAe,aAAc,sBAAuB,EAO/D,EAmDA,MAAMkC,EAAc,IACdC,EAAc,IACpB,SAASjB,EAAiBtB,EAASlB,GACjC,IAAIyC,EAAU,GACViB,EAAY,GACZX,GAAY,EAChB,KAAO/C,EAAIkB,EAAQ3F,OAAQyE,IAAK,CAC9B,GAAIkB,EAAQlB,KAAOwD,GAAetC,EAAQlB,KAAOyD,EAC7B,KAAdC,EACFA,EAAYxC,EAAQlB,GACX0D,IAAcxC,EAAQlB,KAE/B0D,EAAY,SAET,GAAmB,MAAfxC,EAAQlB,IACC,KAAd0D,EAAkB,CACpBX,GAAY,EACZ,KACF,CAEFN,GAAWvB,EAAQlB,EACrB,CACA,MAAkB,KAAd0D,GAGG,CACLhJ,MAAO+H,EACPzE,MAAOgC,EACP+C,YAEJ,CACA,MAAMY,EAAoB,IAAIrE,OAAO,0DAA0D,KAC/F,SAASsD,EAAwBH,EAASd,GACxC,MAAMpB,EAAUI,EAAON,cAAcoC,EAASkB,GACxCC,EAAY,CAAC,EACnB,IAAK,IAAI5D,EAAI,EAAGA,EAAIO,EAAQhF,OAAQyE,IAAK,CACvC,GAA6B,IAAzBO,EAAQP,GAAG,GAAGzE,OAChB,OAAO+F,EAAe,cAAe,cAAgBf,EAAQP,GAAG,GAAK,8BAA+B6D,EAAqBtD,EAAQP,KAC5H,QAAsB,IAAlBO,EAAQP,GAAG,SAAmC,IAAlBO,EAAQP,GAAG,GAChD,OAAOsB,EAAe,cAAe,cAAgBf,EAAQP,GAAG,GAAK,sBAAuB6D,EAAqBtD,EAAQP,KACpH,QAAsB,IAAlBO,EAAQP,GAAG,KAAkB2B,EAAQd,uBAC9C,OAAOS,EAAe,cAAe,sBAAwBf,EAAQP,GAAG,GAAK,oBAAqB6D,EAAqBtD,EAAQP,KAEjI,MAAM8D,EAAWvD,EAAQP,GAAG,GAC5B,IAAK+D,EAAiBD,GACpB,OAAOxC,EAAe,cAAe,cAAgBwC,EAAW,wBAAyBD,EAAqBtD,EAAQP,KAExH,GAAK4D,EAAUI,eAAeF,GAG5B,OAAOxC,EAAe,cAAe,cAAgBwC,EAAW,iBAAkBD,EAAqBtD,EAAQP,KAF/G4D,EAAUE,GAAY,CAI1B,CACA,OAAO,CACT,CAeA,SAASV,EAAkBlC,EAASlB,GAElC,GAAmB,MAAfkB,IADJlB,GAEE,OAAQ,EACV,GAAmB,MAAfkB,EAAQlB,GAEV,OApBJ,SAAiCkB,EAASlB,GACxC,IAAIiE,EAAM,KAKV,IAJmB,MAAf/C,EAAQlB,KACVA,IACAiE,EAAM,cAEDjE,EAAIkB,EAAQ3F,OAAQyE,IAAK,CAC9B,GAAmB,MAAfkB,EAAQlB,GACV,OAAOA,EACT,IAAKkB,EAAQlB,GAAGjI,MAAMkM,GACpB,KACJ,CACA,OAAQ,CACV,CAOWC,CAAwBhD,IAD/BlB,GAGF,IAAImE,EAAQ,EACZ,KAAOnE,EAAIkB,EAAQ3F,OAAQyE,IAAKmE,IAC9B,KAAIjD,EAAQlB,GAAGjI,MAAM,OAASoM,EAAQ,IAAtC,CAEA,GAAmB,MAAfjD,EAAQlB,GACV,MACF,OAAQ,CAHE,CAKZ,OAAOA,CACT,CACA,SAASsB,EAAeuB,EAAMuB,EAASC,GACrC,MAAO,CACLrC,IAAK,CACHa,OACAP,IAAK8B,EACLtB,KAAMuB,EAAWvB,MAAQuB,EACzBnB,IAAKmB,EAAWnB,KAGtB,CACA,SAASa,EAAiBD,GACxB,OAAOnD,EAAOT,OAAO4D,EACvB,CAIA,SAASvC,EAAyBL,EAASlD,GACzC,MAAMsG,EAAQpD,EAAQmB,UAAU,EAAGrE,GAAOpC,MAAM,SAChD,MAAO,CACLkH,KAAMwB,EAAM/I,OAEZ2H,IAAKoB,EAAMA,EAAM/I,OAAS,GAAGA,OAAS,EAE1C,CACA,SAASsI,EAAqB9L,GAC5B,OAAOA,EAAM0I,WAAa1I,EAAM,GAAGwD,MACrC,CACA,IAAIgJ,EAAiB,CAAC,EACtB,MAAMC,EAAmB,CACvBC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhBjE,wBAAwB,EAGxBkE,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAASpD,EAASqD,GACnC,OAAOA,CACT,EACAC,wBAAyB,SAAS3B,EAAU0B,GAC1C,OAAOA,CACT,EACAE,UAAW,GAEXC,sBAAsB,EACtBC,QAAS,KAAM,EACfC,iBAAiB,EACjB/E,aAAc,GACdgF,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASjE,EAASkE,EAAOC,GAClC,OAAOnE,CACT,GAMFoC,EAAegC,aAHQ,SAAS5E,GAC9B,OAAOpI,OAAOqI,OAAO,CAAC,EAAG4C,EAAkB7C,EAC7C,EAEA4C,EAAeiC,eAAiBhC,EAqBhC,MAAMiC,EAASxH,EAmDf,SAASyH,EAAcxF,EAASlB,GAC9B,IAAI2G,EAAc,GAClB,KAAO3G,EAAIkB,EAAQ3F,QAA0B,MAAf2F,EAAQlB,IAA6B,MAAfkB,EAAQlB,GAAaA,IACvE2G,GAAezF,EAAQlB,GAGzB,GADA2G,EAAcA,EAAYvE,QACQ,IAA9BuE,EAAY5K,QAAQ,KAAa,MAAM,IAAI5D,MAAM,sCACrD,MAAMuL,EAAYxC,EAAQlB,KAC1B,IAAIwF,EAAO,GACX,KAAOxF,EAAIkB,EAAQ3F,QAAU2F,EAAQlB,KAAO0D,EAAW1D,IACrDwF,GAAQtE,EAAQlB,GAElB,MAAO,CAAC2G,EAAanB,EAAMxF,EAC7B,CACA,SAAS4G,EAAU1F,EAASlB,GAC1B,MAAuB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,EAEtE,CACA,SAAS6G,EAAS3F,EAASlB,GACzB,MAAuB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,EAE9K,CACA,SAAS8G,GAAU5F,EAASlB,GAC1B,MAAuB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,EAExM,CACA,SAAS+G,GAAU7F,EAASlB,GAC1B,MAAuB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,EAExM,CACA,SAASgH,GAAW9F,EAASlB,GAC3B,MAAuB,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,EAElO,CACA,SAASiH,GAAmBtK,GAC1B,GAAI8J,EAAOvG,OAAOvD,GAChB,OAAOA,EAEP,MAAM,IAAIxE,MAAM,uBAAuBwE,IAC3C,CAEA,MAAMuK,GAAW,wBACXC,GAAW,+EACZC,OAAOC,UAAYC,OAAOD,WAC7BD,OAAOC,SAAWC,OAAOD,WAEtBD,OAAOG,YAAcD,OAAOC,aAC/BH,OAAOG,WAAaD,OAAOC,YAE7B,MAAMC,GAAW,CACfpC,KAAK,EACLC,cAAc,EACdoC,aAAc,IACdnC,WAAW,GA2Db,MAAMoC,GAAOzI,EACP0I,GAxLN,MACE,WAAA3M,CAAYoG,GACVzG,KAAKyG,QAAUA,EACfzG,KAAKiN,MAAQ,GACbjN,KAAK,MAAQ,CAAC,CAChB,CACA,GAAAkN,CAAIC,EAAKtC,GACK,cAARsC,IAAqBA,EAAM,cAC/BnN,KAAKiN,MAAMhK,KAAK,CAAE,CAACkK,GAAMtC,GAC3B,CACA,QAAAuC,CAASC,GACc,cAAjBA,EAAK5G,UAAyB4G,EAAK5G,QAAU,cAC7C4G,EAAK,OAASzO,OAAOoG,KAAKqI,EAAK,OAAOzM,OAAS,EACjDZ,KAAKiN,MAAMhK,KAAK,CAAE,CAACoK,EAAK5G,SAAU4G,EAAKJ,MAAO,KAAQI,EAAK,QAE3DrN,KAAKiN,MAAMhK,KAAK,CAAE,CAACoK,EAAK5G,SAAU4G,EAAKJ,OAE3C,GAwKIK,GApKN,SAAuB/G,EAASlB,GAC9B,MAAMkI,EAAW,CAAC,EAClB,GAAuB,MAAnBhH,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,GA4ChJ,MAAM,IAAI7H,MAAM,kCA5C4I,CAC5J6H,GAAQ,EACR,IAAIyB,EAAqB,EACrB0G,GAAU,EAAOC,GAAU,EAC3BC,EAAM,GACV,KAAOrI,EAAIkB,EAAQ3F,OAAQyE,IACzB,GAAmB,MAAfkB,EAAQlB,IAAeoI,EAgBpB,GAAmB,MAAflH,EAAQlB,IASjB,GARIoI,EACqB,MAAnBlH,EAAQlB,EAAI,IAAiC,MAAnBkB,EAAQlB,EAAI,KACxCoI,GAAU,EACV3G,KAGFA,IAEyB,IAAvBA,EACF,UAEsB,MAAfP,EAAQlB,GACjBmI,GAAU,EAEVE,GAAOnH,EAAQlB,OA/BmB,CAClC,GAAImI,GAAWtB,EAAS3F,EAASlB,GAC/BA,GAAK,GACJsI,WAAYC,IAAKvI,GAAK0G,EAAcxF,EAASlB,EAAI,IACxB,IAAtBuI,IAAIxM,QAAQ,OACdmM,EAASjB,GAAmBqB,aAAe,CACzCE,KAAMlJ,OAAO,IAAIgJ,cAAe,KAChCC,WAEC,GAAIJ,GAAWrB,GAAU5F,EAASlB,GAAIA,GAAK,OAC7C,GAAImI,GAAWpB,GAAU7F,EAASlB,GAAIA,GAAK,OAC3C,GAAImI,GAAWnB,GAAW9F,EAASlB,GAAIA,GAAK,MAC5C,KAAI4G,EACJ,MAAM,IAAIzO,MAAM,mBADDiQ,GAAU,CACS,CACvC3G,IACA4G,EAAM,EACR,CAkBF,GAA2B,IAAvB5G,EACF,MAAM,IAAItJ,MAAM,mBAEpB,CAGA,MAAO,CAAE+P,WAAUlI,IACrB,EAoHMyI,GA3DN,SAAoBC,EAAK/G,EAAU,CAAC,GAElC,GADAA,EAAUpI,OAAOqI,OAAO,CAAC,EAAG4F,GAAU7F,IACjC+G,GAAsB,iBAARA,EAAkB,OAAOA,EAC5C,IAAIC,EAAaD,EAAItG,OACrB,QAAyB,IAArBT,EAAQiH,UAAuBjH,EAAQiH,SAASC,KAAKF,GAAa,OAAOD,EACxE,GAAI/G,EAAQyD,KAAO8B,GAAS2B,KAAKF,GACpC,OAAOvB,OAAOC,SAASsB,EAAY,IAC9B,CACL,MAAM5Q,EAAQoP,GAAS/G,KAAKuI,GAC5B,GAAI5Q,EAAO,CACT,MAAM+Q,EAAO/Q,EAAM,GACbsN,EAAetN,EAAM,GAC3B,IAAIgR,GAiCSC,EAjCqBjR,EAAM,MAkCL,IAAzBiR,EAAOjN,QAAQ,MAEZ,OADfiN,EAASA,EAAO7N,QAAQ,MAAO,KACX6N,EAAS,IACN,MAAdA,EAAO,GAAYA,EAAS,IAAMA,EACJ,MAA9BA,EAAOA,EAAOzN,OAAS,KAAYyN,EAASA,EAAO3H,OAAO,EAAG2H,EAAOzN,OAAS,IAC/EyN,GAEFA,EAxCH,MAAM1D,EAAYvN,EAAM,IAAMA,EAAM,GACpC,IAAK4J,EAAQ0D,cAAgBA,EAAa9J,OAAS,GAAKuN,GAA0B,MAAlBH,EAAW,GAAY,OAAOD,EACzF,IAAK/G,EAAQ0D,cAAgBA,EAAa9J,OAAS,IAAMuN,GAA0B,MAAlBH,EAAW,GAAY,OAAOD,EAC/F,CACH,MAAMO,EAAM7B,OAAOuB,GACbK,EAAS,GAAKC,EACpB,OAA+B,IAA3BD,EAAOrL,OAAO,SAGP2H,EAFL3D,EAAQ2D,UAAkB2D,EAClBP,GAI0B,IAA7BC,EAAW5M,QAAQ,KACb,MAAXiN,GAAwC,KAAtBD,GACbC,IAAWD,GACXD,GAAQE,IAAW,IAAMD,EAFqBE,EAG3CP,EAEVrD,EACE0D,IAAsBC,GACjBF,EAAOC,IAAsBC,EADGC,EAE7BP,EAEVC,IAAeK,GACVL,IAAeG,EAAOE,EADGC,EAE3BP,CACT,CACF,CACE,OAAOA,CAEX,CAEF,IAAmBM,CADnB,EA0DA,SAASE,GAAoBC,GAC3B,MAAMC,EAAU7P,OAAOoG,KAAKwJ,GAC5B,IAAK,IAAInJ,EAAI,EAAGA,EAAIoJ,EAAQ7N,OAAQyE,IAAK,CACvC,MAAMqJ,EAAMD,EAAQpJ,GACpBrF,KAAK2O,aAAaD,GAAO,CACvB/I,MAAO,IAAIhB,OAAO,IAAM+J,EAAM,IAAK,KACnCd,IAAKY,EAAiBE,GAE1B,CACF,CACA,SAASE,GAAc/D,EAAMrD,EAASkE,EAAOmD,EAAUC,EAAeC,EAAYC,GAChF,QAAa,IAATnE,IACE7K,KAAKgH,QAAQsD,aAAeuE,IAC9BhE,EAAOA,EAAKpD,QAEVoD,EAAKjK,OAAS,GAAG,CACdoO,IAAgBnE,EAAO7K,KAAKiP,qBAAqBpE,IACtD,MAAMqE,EAASlP,KAAKgH,QAAQ4D,kBAAkBpD,EAASqD,EAAMa,EAAOoD,EAAeC,GACnF,OAAIG,QACKrE,SACSqE,UAAkBrE,GAAQqE,IAAWrE,EAC9CqE,EACElP,KAAKgH,QAAQsD,YAGHO,EAAKpD,SACLoD,EAHZsE,GAAWtE,EAAM7K,KAAKgH,QAAQoD,cAAepK,KAAKgH,QAAQwD,oBAMxDK,CAGb,CAEJ,CACA,SAASuE,GAAiB3I,GACxB,GAAIzG,KAAKgH,QAAQmD,eAAgB,CAC/B,MAAMjD,EAAOT,EAAQxF,MAAM,KACrBoO,EAA+B,MAAtB5I,EAAQ6I,OAAO,GAAa,IAAM,GACjD,GAAgB,UAAZpI,EAAK,GACP,MAAO,GAEW,IAAhBA,EAAKtG,SACP6F,EAAU4I,EAASnI,EAAK,GAE5B,CACA,OAAOT,CACT,CACA,MAAM8I,GAAY,IAAI5K,OAAO,+CAA+C,MAC5E,SAAS6K,GAAmB1H,EAAS4D,EAAOlE,GAC1C,IAAKxH,KAAKgH,QAAQkD,kBAAuC,iBAAZpC,EAAsB,CACjE,MAAMlC,EAAUmH,GAAKrH,cAAcoC,EAASyH,IACtCnK,EAAMQ,EAAQhF,OACd+K,EAAQ,CAAC,EACf,IAAK,IAAItG,EAAI,EAAGA,EAAID,EAAKC,IAAK,CAC5B,MAAM8D,EAAWnJ,KAAKoP,iBAAiBxJ,EAAQP,GAAG,IAClD,IAAIoK,EAAS7J,EAAQP,GAAG,GACpBqK,EAAQ1P,KAAKgH,QAAQ+C,oBAAsBZ,EAC/C,GAAIA,EAASvI,OAKX,GAJIZ,KAAKgH,QAAQwE,yBACfkE,EAAQ1P,KAAKgH,QAAQwE,uBAAuBkE,IAEhC,cAAVA,IAAuBA,EAAQ,mBACpB,IAAXD,EAAmB,CACjBzP,KAAKgH,QAAQsD,aACfmF,EAASA,EAAOhI,QAElBgI,EAASzP,KAAKiP,qBAAqBQ,GACnC,MAAME,EAAS3P,KAAKgH,QAAQ8D,wBAAwB3B,EAAUsG,EAAQ/D,GAEpEC,EAAM+D,GADJC,QACaF,SACCE,UAAkBF,GAAUE,IAAWF,EACxCE,EAEAR,GACbM,EACAzP,KAAKgH,QAAQqD,oBACbrK,KAAKgH,QAAQwD,mBAGnB,MAAWxK,KAAKgH,QAAQd,yBACtByF,EAAM+D,IAAS,EAGrB,CACA,IAAK9Q,OAAOoG,KAAK2G,GAAO/K,OACtB,OAEF,GAAIZ,KAAKgH,QAAQgD,oBAAqB,CACpC,MAAM4F,EAAiB,CAAC,EAExB,OADAA,EAAe5P,KAAKgH,QAAQgD,qBAAuB2B,EAC5CiE,CACT,CACA,OAAOjE,CACT,CACF,CACA,MAAMkE,GAAW,SAAStJ,GACxBA,EAAUA,EAAQ/F,QAAQ,SAAU,MACpC,MAAMsP,EAAS,IAAI9C,GAAQ,QAC3B,IAAI+C,EAAcD,EACdE,EAAW,GACXtE,EAAQ,GACZ,IAAK,IAAIrG,EAAI,EAAGA,EAAIkB,EAAQ3F,OAAQyE,IAElC,GAAW,MADAkB,EAAQlB,GAEjB,GAAuB,MAAnBkB,EAAQlB,EAAI,GAAY,CAC1B,MAAM4K,EAAaC,GAAiB3J,EAAS,IAAKlB,EAAG,8BACrD,IAAImC,EAAUjB,EAAQmB,UAAUrC,EAAI,EAAG4K,GAAYxI,OACnD,GAAIzH,KAAKgH,QAAQmD,eAAgB,CAC/B,MAAMgG,EAAa3I,EAAQpG,QAAQ,MACf,IAAhB+O,IACF3I,EAAUA,EAAQd,OAAOyJ,EAAa,GAE1C,CACInQ,KAAKgH,QAAQuE,mBACf/D,EAAUxH,KAAKgH,QAAQuE,iBAAiB/D,IAEtCuI,IACFC,EAAWhQ,KAAKoQ,oBAAoBJ,EAAUD,EAAarE,IAE7D,MAAM2E,EAAc3E,EAAMhE,UAAUgE,EAAM4E,YAAY,KAAO,GAC7D,GAAI9I,IAA2D,IAAhDxH,KAAKgH,QAAQb,aAAa/E,QAAQoG,GAC/C,MAAM,IAAIhK,MAAM,kDAAkDgK,MAEpE,IAAI+I,EAAY,EACZF,IAAmE,IAApDrQ,KAAKgH,QAAQb,aAAa/E,QAAQiP,IACnDE,EAAY7E,EAAM4E,YAAY,IAAK5E,EAAM4E,YAAY,KAAO,GAC5DtQ,KAAKwQ,cAActP,OAEnBqP,EAAY7E,EAAM4E,YAAY,KAEhC5E,EAAQA,EAAMhE,UAAU,EAAG6I,GAC3BR,EAAc/P,KAAKwQ,cAActP,MACjC8O,EAAW,GACX3K,EAAI4K,CACN,MAAO,GAAuB,MAAnB1J,EAAQlB,EAAI,GAAY,CACjC,IAAIoL,EAAUC,GAAWnK,EAASlB,GAAG,EAAO,MAC5C,IAAKoL,EAAS,MAAM,IAAIjT,MAAM,yBAE9B,GADAwS,EAAWhQ,KAAKoQ,oBAAoBJ,EAAUD,EAAarE,GACvD1L,KAAKgH,QAAQqE,mBAAyC,SAApBoF,EAAQjJ,SAAsBxH,KAAKgH,QAAQsE,kBAC5E,CACH,MAAMqF,EAAY,IAAI3D,GAAQyD,EAAQjJ,SACtCmJ,EAAUzD,IAAIlN,KAAKgH,QAAQiD,aAAc,IACrCwG,EAAQjJ,UAAYiJ,EAAQG,QAAUH,EAAQI,iBAChDF,EAAU,MAAQ3Q,KAAKwP,mBAAmBiB,EAAQG,OAAQlF,EAAO+E,EAAQjJ,UAE3ExH,KAAKoN,SAAS2C,EAAaY,EAAWjF,EACxC,CACArG,EAAIoL,EAAQR,WAAa,CAC3B,MAAO,GAAiC,QAA7B1J,EAAQG,OAAOrB,EAAI,EAAG,GAAc,CAC7C,MAAMyL,EAAWZ,GAAiB3J,EAAS,SAAOlB,EAAI,EAAG,0BACzD,GAAIrF,KAAKgH,QAAQkE,gBAAiB,CAChC,MAAMuC,EAAUlH,EAAQmB,UAAUrC,EAAI,EAAGyL,EAAW,GACpDd,EAAWhQ,KAAKoQ,oBAAoBJ,EAAUD,EAAarE,GAC3DqE,EAAY7C,IAAIlN,KAAKgH,QAAQkE,gBAAiB,CAAC,CAAE,CAAClL,KAAKgH,QAAQiD,cAAewD,IAChF,CACApI,EAAIyL,CACN,MAAO,GAAiC,OAA7BvK,EAAQG,OAAOrB,EAAI,EAAG,GAAa,CAC5C,MAAMuC,EAAS0F,GAAY/G,EAASlB,GACpCrF,KAAK+Q,gBAAkBnJ,EAAO2F,SAC9BlI,EAAIuC,EAAOvC,CACb,MAAO,GAAiC,OAA7BkB,EAAQG,OAAOrB,EAAI,EAAG,GAAa,CAC5C,MAAM4K,EAAaC,GAAiB3J,EAAS,MAAOlB,EAAG,wBAA0B,EAC3EuL,EAASrK,EAAQmB,UAAUrC,EAAI,EAAG4K,GACxCD,EAAWhQ,KAAKoQ,oBAAoBJ,EAAUD,EAAarE,GAC3D,IAAIb,EAAO7K,KAAK4O,cAAcgC,EAAQb,EAAYtJ,QAASiF,GAAO,GAAM,GAAO,GAAM,GACzE,MAARb,IAAgBA,EAAO,IACvB7K,KAAKgH,QAAQuD,cACfwF,EAAY7C,IAAIlN,KAAKgH,QAAQuD,cAAe,CAAC,CAAE,CAACvK,KAAKgH,QAAQiD,cAAe2G,KAE5Eb,EAAY7C,IAAIlN,KAAKgH,QAAQiD,aAAcY,GAE7CxF,EAAI4K,EAAa,CACnB,KAAO,CACL,IAAIrI,EAAS8I,GAAWnK,EAASlB,EAAGrF,KAAKgH,QAAQmD,gBAC7C3C,EAAUI,EAAOJ,QACrB,MAAMwJ,EAAapJ,EAAOoJ,WAC1B,IAAIJ,EAAShJ,EAAOgJ,OAChBC,EAAiBjJ,EAAOiJ,eACxBZ,EAAarI,EAAOqI,WACpBjQ,KAAKgH,QAAQuE,mBACf/D,EAAUxH,KAAKgH,QAAQuE,iBAAiB/D,IAEtCuI,GAAeC,GACW,SAAxBD,EAAYtJ,UACduJ,EAAWhQ,KAAKoQ,oBAAoBJ,EAAUD,EAAarE,GAAO,IAGtE,MAAMuF,EAAUlB,EAQhB,GAPIkB,IAAmE,IAAxDjR,KAAKgH,QAAQb,aAAa/E,QAAQ6P,EAAQxK,WACvDsJ,EAAc/P,KAAKwQ,cAActP,MACjCwK,EAAQA,EAAMhE,UAAU,EAAGgE,EAAM4E,YAAY,OAE3C9I,IAAYsI,EAAOrJ,UACrBiF,GAASA,EAAQ,IAAMlE,EAAUA,GAE/BxH,KAAKkR,aAAalR,KAAKgH,QAAQ+D,UAAWW,EAAOlE,GAAU,CAC7D,IAAI2J,EAAa,GACjB,GAAIP,EAAOhQ,OAAS,GAAKgQ,EAAON,YAAY,OAASM,EAAOhQ,OAAS,EAC/B,MAAhC4G,EAAQA,EAAQ5G,OAAS,IAC3B4G,EAAUA,EAAQd,OAAO,EAAGc,EAAQ5G,OAAS,GAC7C8K,EAAQA,EAAMhF,OAAO,EAAGgF,EAAM9K,OAAS,GACvCgQ,EAASpJ,GAEToJ,EAASA,EAAOlK,OAAO,EAAGkK,EAAOhQ,OAAS,GAE5CyE,EAAIuC,EAAOqI,gBACN,IAAoD,IAAhDjQ,KAAKgH,QAAQb,aAAa/E,QAAQoG,GAC3CnC,EAAIuC,EAAOqI,eACN,CACL,MAAMmB,EAAUpR,KAAKqR,iBAAiB9K,EAASyK,EAAYf,EAAa,GACxE,IAAKmB,EAAS,MAAM,IAAI5T,MAAM,qBAAqBwT,KACnD3L,EAAI+L,EAAQ/L,EACZ8L,EAAaC,EAAQD,UACvB,CACA,MAAMR,EAAY,IAAI3D,GAAQxF,GAC1BA,IAAYoJ,GAAUC,IACxBF,EAAU,MAAQ3Q,KAAKwP,mBAAmBoB,EAAQlF,EAAOlE,IAEvD2J,IACFA,EAAanR,KAAK4O,cAAcuC,EAAY3J,EAASkE,GAAO,EAAMmF,GAAgB,GAAM,IAE1FnF,EAAQA,EAAMhF,OAAO,EAAGgF,EAAM4E,YAAY,MAC1CK,EAAUzD,IAAIlN,KAAKgH,QAAQiD,aAAckH,GACzCnR,KAAKoN,SAAS2C,EAAaY,EAAWjF,EACxC,KAAO,CACL,GAAIkF,EAAOhQ,OAAS,GAAKgQ,EAAON,YAAY,OAASM,EAAOhQ,OAAS,EAAG,CAClC,MAAhC4G,EAAQA,EAAQ5G,OAAS,IAC3B4G,EAAUA,EAAQd,OAAO,EAAGc,EAAQ5G,OAAS,GAC7C8K,EAAQA,EAAMhF,OAAO,EAAGgF,EAAM9K,OAAS,GACvCgQ,EAASpJ,GAEToJ,EAASA,EAAOlK,OAAO,EAAGkK,EAAOhQ,OAAS,GAExCZ,KAAKgH,QAAQuE,mBACf/D,EAAUxH,KAAKgH,QAAQuE,iBAAiB/D,IAE1C,MAAMmJ,EAAY,IAAI3D,GAAQxF,GAC1BA,IAAYoJ,GAAUC,IACxBF,EAAU,MAAQ3Q,KAAKwP,mBAAmBoB,EAAQlF,EAAOlE,IAE3DxH,KAAKoN,SAAS2C,EAAaY,EAAWjF,GACtCA,EAAQA,EAAMhF,OAAO,EAAGgF,EAAM4E,YAAY,KAC5C,KAAO,CACL,MAAMK,EAAY,IAAI3D,GAAQxF,GAC9BxH,KAAKwQ,cAAcvN,KAAK8M,GACpBvI,IAAYoJ,GAAUC,IACxBF,EAAU,MAAQ3Q,KAAKwP,mBAAmBoB,EAAQlF,EAAOlE,IAE3DxH,KAAKoN,SAAS2C,EAAaY,EAAWjF,GACtCqE,EAAcY,CAChB,CACAX,EAAW,GACX3K,EAAI4K,CACN,CACF,MAEAD,GAAYzJ,EAAQlB,GAGxB,OAAOyK,EAAO7C,KAChB,EACA,SAASG,GAAS2C,EAAaY,EAAWjF,GACxC,MAAM9D,EAAS5H,KAAKgH,QAAQyE,UAAUkF,EAAUlK,QAASiF,EAAOiF,EAAU,QAC3D,IAAX/I,IACuB,iBAAXA,GACd+I,EAAUlK,QAAUmB,EACpBmI,EAAY3C,SAASuD,IAErBZ,EAAY3C,SAASuD,GAEzB,CACA,MAAMW,GAAyB,SAASzG,GACtC,GAAI7K,KAAKgH,QAAQmE,gBAAiB,CAChC,IAAK,IAAIa,KAAehM,KAAK+Q,gBAAiB,CAC5C,MAAMQ,EAASvR,KAAK+Q,gBAAgB/E,GACpCnB,EAAOA,EAAKrK,QAAQ+Q,EAAO1D,KAAM0D,EAAO3D,IAC1C,CACA,IAAK,IAAI5B,KAAehM,KAAK2O,aAAc,CACzC,MAAM4C,EAASvR,KAAK2O,aAAa3C,GACjCnB,EAAOA,EAAKrK,QAAQ+Q,EAAO5L,MAAO4L,EAAO3D,IAC3C,CACA,GAAI5N,KAAKgH,QAAQoE,aACf,IAAK,IAAIY,KAAehM,KAAKoL,aAAc,CACzC,MAAMmG,EAASvR,KAAKoL,aAAaY,GACjCnB,EAAOA,EAAKrK,QAAQ+Q,EAAO5L,MAAO4L,EAAO3D,IAC3C,CAEF/C,EAAOA,EAAKrK,QAAQR,KAAKwR,UAAU7L,MAAO3F,KAAKwR,UAAU5D,IAC3D,CACA,OAAO/C,CACT,EACA,SAASuF,GAAoBJ,EAAUD,EAAarE,EAAOqD,GAezD,OAdIiB,SACiB,IAAfjB,IAAuBA,EAAuD,IAA1CnQ,OAAOoG,KAAK+K,EAAY9C,OAAOrM,aAStD,KARjBoP,EAAWhQ,KAAK4O,cACdoB,EACAD,EAAYtJ,QACZiF,GACA,IACAqE,EAAY,OAAkD,IAA1CnR,OAAOoG,KAAK+K,EAAY,OAAOnP,OACnDmO,KAEsC,KAAbiB,GACzBD,EAAY7C,IAAIlN,KAAKgH,QAAQiD,aAAc+F,GAC7CA,EAAW,IAENA,CACT,CACA,SAASkB,GAAanG,EAAWW,EAAO+F,GACtC,MAAMC,EAAc,KAAOD,EAC3B,IAAK,MAAME,KAAgB5G,EAAW,CACpC,MAAM6G,EAAc7G,EAAU4G,GAC9B,GAAID,IAAgBE,GAAelG,IAAUkG,EAAa,OAAO,CACnE,CACA,OAAO,CACT,CA8BA,SAAS1B,GAAiB3J,EAASwH,EAAK1I,EAAGwM,GACzC,MAAMC,EAAevL,EAAQnF,QAAQ2M,EAAK1I,GAC1C,IAAsB,IAAlByM,EACF,MAAM,IAAItU,MAAMqU,GAEhB,OAAOC,EAAe/D,EAAInN,OAAS,CAEvC,CACA,SAAS8P,GAAWnK,EAASlB,EAAG8E,EAAgB4H,EAAc,KAC5D,MAAMnK,EAtCR,SAAgCrB,EAASlB,EAAG0M,EAAc,KACxD,IAAIC,EACApB,EAAS,GACb,IAAK,IAAIvN,EAAQgC,EAAGhC,EAAQkD,EAAQ3F,OAAQyC,IAAS,CACnD,IAAI4O,EAAK1L,EAAQlD,GACjB,GAAI2O,EACEC,IAAOD,IAAcA,EAAe,SACnC,GAAW,MAAPC,GAAqB,MAAPA,EACvBD,EAAeC,OACV,GAAIA,IAAOF,EAAY,GAAI,CAChC,IAAIA,EAAY,GAQd,MAAO,CACLzU,KAAMsT,EACNvN,SATF,GAAIkD,EAAQlD,EAAQ,KAAO0O,EAAY,GACrC,MAAO,CACLzU,KAAMsT,EACNvN,QASR,KAAkB,OAAP4O,IACTA,EAAK,KAEPrB,GAAUqB,CACZ,CACF,CAUiBC,CAAuB3L,EAASlB,EAAI,EAAG0M,GACtD,IAAKnK,EAAQ,OACb,IAAIgJ,EAAShJ,EAAOtK,KACpB,MAAM2S,EAAarI,EAAOvE,MACpB8O,EAAiBvB,EAAO5N,OAAO,MACrC,IAAIwE,EAAUoJ,EACVC,GAAiB,GACG,IAApBsB,IACF3K,EAAUoJ,EAAOlJ,UAAU,EAAGyK,GAC9BvB,EAASA,EAAOlJ,UAAUyK,EAAiB,GAAGC,aAEhD,MAAMpB,EAAaxJ,EACnB,GAAI2C,EAAgB,CAClB,MAAMgG,EAAa3I,EAAQpG,QAAQ,MACf,IAAhB+O,IACF3I,EAAUA,EAAQd,OAAOyJ,EAAa,GACtCU,EAAiBrJ,IAAYI,EAAOtK,KAAKoJ,OAAOyJ,EAAa,GAEjE,CACA,MAAO,CACL3I,UACAoJ,SACAX,aACAY,iBACAG,aAEJ,CACA,SAASK,GAAiB9K,EAASiB,EAASnC,GAC1C,MAAMS,EAAaT,EACnB,IAAIgN,EAAe,EACnB,KAAOhN,EAAIkB,EAAQ3F,OAAQyE,IACzB,GAAmB,MAAfkB,EAAQlB,GACV,GAAuB,MAAnBkB,EAAQlB,EAAI,GAAY,CAC1B,MAAM4K,EAAaC,GAAiB3J,EAAS,IAAKlB,EAAG,GAAGmC,mBAExD,GADmBjB,EAAQmB,UAAUrC,EAAI,EAAG4K,GAAYxI,SACnCD,IACnB6K,IACqB,IAAjBA,GACF,MAAO,CACLlB,WAAY5K,EAAQmB,UAAU5B,EAAYT,GAC1CA,EAAG4K,GAIT5K,EAAI4K,CACN,MAAO,GAAuB,MAAnB1J,EAAQlB,EAAI,GAErBA,EADmB6K,GAAiB3J,EAAS,KAAMlB,EAAI,EAAG,gCAErD,GAAiC,QAA7BkB,EAAQG,OAAOrB,EAAI,EAAG,GAE/BA,EADmB6K,GAAiB3J,EAAS,SAAOlB,EAAI,EAAG,gCAEtD,GAAiC,OAA7BkB,EAAQG,OAAOrB,EAAI,EAAG,GAE/BA,EADmB6K,GAAiB3J,EAAS,MAAOlB,EAAG,2BAA6B,MAE/E,CACL,MAAMoL,EAAUC,GAAWnK,EAASlB,EAAG,KACnCoL,KACkBA,GAAWA,EAAQjJ,WACnBA,GAAyD,MAA9CiJ,EAAQG,OAAOH,EAAQG,OAAOhQ,OAAS,IACpEyR,IAEFhN,EAAIoL,EAAQR,WAEhB,CAGN,CACA,SAASd,GAAWtE,EAAMyH,EAAatL,GACrC,GAAIsL,GAA+B,iBAATzH,EAAmB,CAC3C,MAAMqE,EAASrE,EAAKpD,OACpB,MAAe,SAAXyH,GACgB,UAAXA,GACGpB,GAASjD,EAAM7D,EAC7B,CACE,OAAI+F,GAAKnI,QAAQiG,GACRA,EAEA,EAGb,CACA,IACI0H,GAAY,CAAC,EAIjB,SAASC,GAASC,EAAKzL,EAAS0E,GAC9B,IAAIgH,EACJ,MAAMC,EAAgB,CAAC,EACvB,IAAK,IAAItN,EAAI,EAAGA,EAAIoN,EAAI7R,OAAQyE,IAAK,CACnC,MAAMuN,EAASH,EAAIpN,GACbwN,EAAWC,GAAWF,GAC5B,IAAIG,EAAW,GAGf,GAFsBA,OAAR,IAAVrH,EAA6BmH,EACjBnH,EAAQ,IAAMmH,EAC1BA,IAAa7L,EAAQiD,kBACV,IAATyI,EAAiBA,EAAOE,EAAOC,GAC9BH,GAAQ,GAAKE,EAAOC,OACpB,SAAiB,IAAbA,EACT,SACK,GAAID,EAAOC,GAAW,CAC3B,IAAIhI,EAAO2H,GAASI,EAAOC,GAAW7L,EAAS+L,GAC/C,MAAMC,EAASC,GAAUpI,EAAM7D,GAC3B4L,EAAO,MACTM,GAAiBrI,EAAM+H,EAAO,MAAOG,EAAU/L,GACT,IAA7BpI,OAAOoG,KAAK6F,GAAMjK,aAA+C,IAA/BiK,EAAK7D,EAAQiD,eAA6BjD,EAAQgE,qBAEvD,IAA7BpM,OAAOoG,KAAK6F,GAAMjK,SACvBoG,EAAQgE,qBAAsBH,EAAK7D,EAAQiD,cAAgB,GAC1DY,EAAO,IAHZA,EAAOA,EAAK7D,EAAQiD,mBAKU,IAA5B0I,EAAcE,IAAwBF,EAActJ,eAAewJ,IAChEM,MAAMlI,QAAQ0H,EAAcE,MAC/BF,EAAcE,GAAY,CAACF,EAAcE,KAE3CF,EAAcE,GAAU5P,KAAK4H,IAEzB7D,EAAQiE,QAAQ4H,EAAUE,EAAUC,GACtCL,EAAcE,GAAY,CAAChI,GAE3B8H,EAAcE,GAAYhI,CAGhC,EACF,CAIA,MAHoB,iBAAT6H,EACLA,EAAK9R,OAAS,IAAG+R,EAAc3L,EAAQiD,cAAgByI,QACzC,IAATA,IAAiBC,EAAc3L,EAAQiD,cAAgByI,GAC3DC,CACT,CACA,SAASG,GAAW/N,GAClB,MAAMC,EAAOpG,OAAOoG,KAAKD,GACzB,IAAK,IAAIM,EAAI,EAAGA,EAAIL,EAAKpE,OAAQyE,IAAK,CACpC,MAAM8H,EAAMnI,EAAKK,GACjB,GAAY,OAAR8H,EAAc,OAAOA,CAC3B,CACF,CACA,SAAS+F,GAAiBnO,EAAKqO,EAASC,EAAOrM,GAC7C,GAAIoM,EAAS,CACX,MAAMpO,EAAOpG,OAAOoG,KAAKoO,GACnBhO,EAAMJ,EAAKpE,OACjB,IAAK,IAAIyE,EAAI,EAAGA,EAAID,EAAKC,IAAK,CAC5B,MAAMiO,EAAWtO,EAAKK,GAClB2B,EAAQiE,QAAQqI,EAAUD,EAAQ,IAAMC,GAAU,GAAM,GAC1DvO,EAAIuO,GAAY,CAACF,EAAQE,IAEzBvO,EAAIuO,GAAYF,EAAQE,EAE5B,CACF,CACF,CACA,SAASL,GAAUlO,EAAKiC,GACtB,MAAM,aAAEiD,GAAiBjD,EACnBuM,EAAY3U,OAAOoG,KAAKD,GAAKnE,OACnC,OAAkB,IAAd2S,KAGc,IAAdA,IAAoBxO,EAAIkF,IAA8C,kBAAtBlF,EAAIkF,IAAqD,IAAtBlF,EAAIkF,GAI7F,CACAsI,GAAUiB,SA/EV,SAAoBnG,EAAMrG,GACxB,OAAOwL,GAASnF,EAAMrG,EACxB,EA8EA,MAAM,aAAE4E,IAAiBhC,EACnB6J,GAjjBmB,MACvB,WAAApT,CAAY2G,GACVhH,KAAKgH,QAAUA,EACfhH,KAAK+P,YAAc,KACnB/P,KAAKwQ,cAAgB,GACrBxQ,KAAK+Q,gBAAkB,CAAC,EACxB/Q,KAAK2O,aAAe,CAClB,KAAQ,CAAEhJ,MAAO,qBAAsBiI,IAAK,KAC5C,GAAM,CAAEjI,MAAO,mBAAoBiI,IAAK,KACxC,GAAM,CAAEjI,MAAO,mBAAoBiI,IAAK,KACxC,KAAQ,CAAEjI,MAAO,qBAAsBiI,IAAK,MAE9C5N,KAAKwR,UAAY,CAAE7L,MAAO,oBAAqBiI,IAAK,KACpD5N,KAAKoL,aAAe,CAClB,MAAS,CAAEzF,MAAO,iBAAkBiI,IAAK,KAMzC,KAAQ,CAAEjI,MAAO,iBAAkBiI,IAAK,KACxC,MAAS,CAAEjI,MAAO,kBAAmBiI,IAAK,KAC1C,IAAO,CAAEjI,MAAO,gBAAiBiI,IAAK,KACtC,KAAQ,CAAEjI,MAAO,kBAAmBiI,IAAK,KACzC,UAAa,CAAEjI,MAAO,iBAAkBiI,IAAK,KAC7C,IAAO,CAAEjI,MAAO,gBAAiBiI,IAAK,KACtC,IAAO,CAAEjI,MAAO,iBAAkBiI,IAAK,KACvC,QAAW,CAAEjI,MAAO,mBAAoBiI,IAAK,CAAC8F,EAAG3F,IAAQ4F,OAAOC,aAAanH,OAAOC,SAASqB,EAAK,MAClG,QAAW,CAAEpI,MAAO,0BAA2BiI,IAAK,CAAC8F,EAAG3F,IAAQ4F,OAAOC,aAAanH,OAAOC,SAASqB,EAAK,OAE3G/N,KAAKuO,oBAAsBA,GAC3BvO,KAAK6P,SAAWA,GAChB7P,KAAK4O,cAAgBA,GACrB5O,KAAKoP,iBAAmBA,GACxBpP,KAAKwP,mBAAqBA,GAC1BxP,KAAKkR,aAAeA,GACpBlR,KAAKiP,qBAAuBqC,GAC5BtR,KAAKqR,iBAAmBA,GACxBrR,KAAKoQ,oBAAsBA,GAC3BpQ,KAAKoN,SAAWA,EAClB,IA0gBI,SAAEoG,IAAajB,GACfsB,GAAcxP,EAyDpB,SAASyP,GAASrB,EAAKzL,EAAS0E,EAAOqI,GACrC,IAAIC,EAAS,GACTC,GAAuB,EAC3B,IAAK,IAAI5O,EAAI,EAAGA,EAAIoN,EAAI7R,OAAQyE,IAAK,CACnC,MAAMuN,EAASH,EAAIpN,GACbmC,EAAU0M,GAAStB,GACzB,QAAgB,IAAZpL,EAAoB,SACxB,IAAI2M,EAAW,GAGf,GAFwBA,EAAH,IAAjBzI,EAAM9K,OAAyB4G,EACnB,GAAGkE,KAASlE,IACxBA,IAAYR,EAAQiD,aAAc,CACpC,IAAImK,EAAUxB,EAAOpL,GAChB6M,GAAWF,EAAUnN,KACxBoN,EAAUpN,EAAQ4D,kBAAkBpD,EAAS4M,GAC7CA,EAAUnF,GAAqBmF,EAASpN,IAEtCiN,IACFD,GAAUD,GAEZC,GAAUI,EACVH,GAAuB,EACvB,QACF,CAAO,GAAIzM,IAAYR,EAAQuD,cAAe,CACxC0J,IACFD,GAAUD,GAEZC,GAAU,YAAYpB,EAAOpL,GAAS,GAAGR,EAAQiD,mBACjDgK,GAAuB,EACvB,QACF,CAAO,GAAIzM,IAAYR,EAAQkE,gBAAiB,CAC9C8I,GAAUD,EAAc,UAAOnB,EAAOpL,GAAS,GAAGR,EAAQiD,sBAC1DgK,GAAuB,EACvB,QACF,CAAO,GAAmB,MAAfzM,EAAQ,GAAY,CAC7B,MAAM8M,EAAUC,GAAY3B,EAAO,MAAO5L,GACpCwN,EAAsB,SAAZhN,EAAqB,GAAKuM,EAC1C,IAAIU,EAAiB7B,EAAOpL,GAAS,GAAGR,EAAQiD,cAChDwK,EAA2C,IAA1BA,EAAe7T,OAAe,IAAM6T,EAAiB,GACtET,GAAUQ,EAAU,IAAIhN,IAAUiN,IAAiBH,MACnDL,GAAuB,EACvB,QACF,CACA,IAAIS,EAAgBX,EACE,KAAlBW,IACFA,GAAiB1N,EAAQ2N,UAE3B,MACMC,EAAWb,EAAc,IAAIvM,IADpB+M,GAAY3B,EAAO,MAAO5L,KAEnC6N,EAAWf,GAASlB,EAAOpL,GAAUR,EAASmN,EAAUO,IACf,IAA3C1N,EAAQb,aAAa/E,QAAQoG,GAC3BR,EAAQ8N,qBAAsBd,GAAUY,EAAW,IAClDZ,GAAUY,EAAW,KACfC,GAAgC,IAApBA,EAASjU,SAAiBoG,EAAQ+N,kBAEhDF,GAAYA,EAASG,SAAS,KACvChB,GAAUY,EAAW,IAAIC,IAAWd,MAAgBvM,MAEpDwM,GAAUY,EAAW,IACjBC,GAA4B,KAAhBd,IAAuBc,EAASrW,SAAS,OAASqW,EAASrW,SAAS,OAClFwV,GAAUD,EAAc/M,EAAQ2N,SAAWE,EAAWd,EAEtDC,GAAUa,EAEZb,GAAU,KAAKxM,MAVfwM,GAAUY,EAAW,KAYvBX,GAAuB,CACzB,CACA,OAAOD,CACT,CACA,SAASE,GAASnP,GAChB,MAAMC,EAAOpG,OAAOoG,KAAKD,GACzB,IAAK,IAAIM,EAAI,EAAGA,EAAIL,EAAKpE,OAAQyE,IAAK,CACpC,MAAM8H,EAAMnI,EAAKK,GACjB,GAAKN,EAAIsE,eAAe8D,IACZ,OAARA,EAAc,OAAOA,CAC3B,CACF,CACA,SAASoH,GAAYnB,EAASpM,GAC5B,IAAIc,EAAU,GACd,GAAIsL,IAAYpM,EAAQkD,iBACtB,IAAK,IAAI+K,KAAQ7B,EAAS,CACxB,IAAKA,EAAQ/J,eAAe4L,GAAO,SACnC,IAAIC,EAAUlO,EAAQ8D,wBAAwBmK,EAAM7B,EAAQ6B,IAC5DC,EAAUjG,GAAqBiG,EAASlO,IACxB,IAAZkO,GAAoBlO,EAAQmO,0BAC9BrN,GAAW,IAAImN,EAAKvO,OAAOM,EAAQ+C,oBAAoBnJ,UAEvDkH,GAAW,IAAImN,EAAKvO,OAAOM,EAAQ+C,oBAAoBnJ,YAAYsU,IAEvE,CAEF,OAAOpN,CACT,CACA,SAASuM,GAAW3I,EAAO1E,GAEzB,IAAIQ,GADJkE,EAAQA,EAAMhF,OAAO,EAAGgF,EAAM9K,OAASoG,EAAQiD,aAAarJ,OAAS,IACjD8F,OAAOgF,EAAM4E,YAAY,KAAO,GACpD,IAAK,IAAIjN,KAAS2D,EAAQ+D,UACxB,GAAI/D,EAAQ+D,UAAU1H,KAAWqI,GAAS1E,EAAQ+D,UAAU1H,KAAW,KAAOmE,EAAS,OAAO,EAEhG,OAAO,CACT,CACA,SAASyH,GAAqBmG,EAAWpO,GACvC,GAAIoO,GAAaA,EAAUxU,OAAS,GAAKoG,EAAQmE,gBAC/C,IAAK,IAAI9F,EAAI,EAAGA,EAAI2B,EAAQuG,SAAS3M,OAAQyE,IAAK,CAChD,MAAMkM,EAASvK,EAAQuG,SAASlI,GAChC+P,EAAYA,EAAU5U,QAAQ+Q,EAAO5L,MAAO4L,EAAO3D,IACrD,CAEF,OAAOwH,CACT,CAEA,MAAMC,GAtHN,SAAeC,EAAQtO,GACrB,IAAI+M,EAAc,GAIlB,OAHI/M,EAAQuO,QAAUvO,EAAQ2N,SAAS/T,OAAS,IAC9CmT,EAJQ,MAMHD,GAASwB,EAAQtO,EAAS,GAAI+M,EACvC,EAiHMlI,GAAiB,CACrB9B,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACfgL,QAAQ,EACRZ,SAAU,KACVI,mBAAmB,EACnBD,sBAAsB,EACtBK,2BAA2B,EAC3BvK,kBAAmB,SAASuC,EAAKjI,GAC/B,OAAOA,CACT,EACA4F,wBAAyB,SAAS3B,EAAUjE,GAC1C,OAAOA,CACT,EACA4E,eAAe,EACfoB,iBAAiB,EACjB/E,aAAc,GACdoH,SAAU,CACR,CAAE5H,MAAO,IAAIhB,OAAO,IAAK,KAAMiJ,IAAK,SAEpC,CAAEjI,MAAO,IAAIhB,OAAO,IAAK,KAAMiJ,IAAK,QACpC,CAAEjI,MAAO,IAAIhB,OAAO,IAAK,KAAMiJ,IAAK,QACpC,CAAEjI,MAAO,IAAIhB,OAAO,IAAK,KAAMiJ,IAAK,UACpC,CAAEjI,MAAO,IAAIhB,OAAO,IAAK,KAAMiJ,IAAK,WAEtCzC,iBAAiB,EACjBJ,UAAW,GAGXyK,cAAc,GAEhB,SAASC,GAAQzO,GACfhH,KAAKgH,QAAUpI,OAAOqI,OAAO,CAAC,EAAG4E,GAAgB7E,GAC7ChH,KAAKgH,QAAQkD,kBAAoBlK,KAAKgH,QAAQgD,oBAChDhK,KAAK0V,YAAc,WACjB,OAAO,CACT,GAEA1V,KAAK2V,cAAgB3V,KAAKgH,QAAQ+C,oBAAoBnJ,OACtDZ,KAAK0V,YAAcA,IAErB1V,KAAK4V,qBAAuBA,GACxB5V,KAAKgH,QAAQuO,QACfvV,KAAK6V,UAAYA,GACjB7V,KAAK8V,WAAa,MAClB9V,KAAK+V,QAAU,OAEf/V,KAAK6V,UAAY,WACf,MAAO,EACT,EACA7V,KAAK8V,WAAa,IAClB9V,KAAK+V,QAAU,GAEnB,CAmGA,SAASH,GAAqBI,EAAQ7I,EAAK8I,GACzC,MAAMrO,EAAS5H,KAAKkW,IAAIF,EAAQC,EAAQ,GACxC,YAA0C,IAAtCD,EAAOhW,KAAKgH,QAAQiD,eAA2D,IAA/BrL,OAAOoG,KAAKgR,GAAQpV,OAC/DZ,KAAKmW,iBAAiBH,EAAOhW,KAAKgH,QAAQiD,cAAekD,EAAKvF,EAAOE,QAASmO,GAE9EjW,KAAKoW,gBAAgBxO,EAAOgG,IAAKT,EAAKvF,EAAOE,QAASmO,EAEjE,CA4DA,SAASJ,GAAUI,GACjB,OAAOjW,KAAKgH,QAAQ2N,SAAS0B,OAAOJ,EACtC,CACA,SAASP,GAAY1T,GACnB,SAAIA,EAAKrE,WAAWqC,KAAKgH,QAAQ+C,sBAAwB/H,IAAShC,KAAKgH,QAAQiD,eACtEjI,EAAK0E,OAAO1G,KAAK2V,cAI5B,CA9KAF,GAAQlW,UAAUnD,MAAQ,SAASka,GACjC,OAAItW,KAAKgH,QAAQ8C,cACRuL,GAAmBiB,EAAMtW,KAAKgH,UAEjCmM,MAAMlI,QAAQqL,IAAStW,KAAKgH,QAAQuP,eAAiBvW,KAAKgH,QAAQuP,cAAc3V,OAAS,IAC3F0V,EAAO,CACL,CAACtW,KAAKgH,QAAQuP,eAAgBD,IAG3BtW,KAAKkW,IAAII,EAAM,GAAG1I,IAE7B,EACA6H,GAAQlW,UAAU2W,IAAM,SAASI,EAAML,GACrC,IAAInO,EAAU,GACV+C,EAAO,GACX,IAAK,IAAIsC,KAAOmJ,EACd,GAAK1X,OAAOW,UAAU8J,eAAemN,KAAKF,EAAMnJ,GAChD,QAAyB,IAAdmJ,EAAKnJ,GACVnN,KAAK0V,YAAYvI,KACnBtC,GAAQ,SAEL,GAAkB,OAAdyL,EAAKnJ,GACVnN,KAAK0V,YAAYvI,GACnBtC,GAAQ,GACY,MAAXsC,EAAI,GACbtC,GAAQ7K,KAAK6V,UAAUI,GAAS,IAAM9I,EAAM,IAAMnN,KAAK8V,WAEvDjL,GAAQ7K,KAAK6V,UAAUI,GAAS,IAAM9I,EAAM,IAAMnN,KAAK8V,gBAEpD,GAAIQ,EAAKnJ,aAAgBrP,KAC9B+M,GAAQ7K,KAAKmW,iBAAiBG,EAAKnJ,GAAMA,EAAK,GAAI8I,QAC7C,GAAyB,iBAAdK,EAAKnJ,GAAmB,CACxC,MAAM8H,EAAOjV,KAAK0V,YAAYvI,GAC9B,GAAI8H,EACFnN,GAAW9H,KAAKyW,iBAAiBxB,EAAM,GAAKqB,EAAKnJ,SAEjD,GAAIA,IAAQnN,KAAKgH,QAAQiD,aAAc,CACrC,IAAIiF,EAASlP,KAAKgH,QAAQ4D,kBAAkBuC,EAAK,GAAKmJ,EAAKnJ,IAC3DtC,GAAQ7K,KAAKiP,qBAAqBC,EACpC,MACErE,GAAQ7K,KAAKmW,iBAAiBG,EAAKnJ,GAAMA,EAAK,GAAI8I,EAGxD,MAAO,GAAI9C,MAAMlI,QAAQqL,EAAKnJ,IAAO,CACnC,MAAMuJ,EAASJ,EAAKnJ,GAAKvM,OACzB,IAAI+V,EAAa,GACbC,EAAc,GAClB,IAAK,IAAIC,EAAI,EAAGA,EAAIH,EAAQG,IAAK,CAC/B,MAAMC,EAAOR,EAAKnJ,GAAK0J,GACvB,QAAoB,IAATC,QACN,GAAa,OAATA,EACQ,MAAX3J,EAAI,GAAYtC,GAAQ7K,KAAK6V,UAAUI,GAAS,IAAM9I,EAAM,IAAMnN,KAAK8V,WACtEjL,GAAQ7K,KAAK6V,UAAUI,GAAS,IAAM9I,EAAM,IAAMnN,KAAK8V,gBACvD,GAAoB,iBAATgB,EAChB,GAAI9W,KAAKgH,QAAQwO,aAAc,CAC7B,MAAM5N,EAAS5H,KAAKkW,IAAIY,EAAMb,EAAQ,GACtCU,GAAc/O,EAAOgG,IACjB5N,KAAKgH,QAAQgD,qBAAuB8M,EAAKzN,eAAerJ,KAAKgH,QAAQgD,uBACvE4M,GAAehP,EAAOE,QAE1B,MACE6O,GAAc3W,KAAK4V,qBAAqBkB,EAAM3J,EAAK8I,QAGrD,GAAIjW,KAAKgH,QAAQwO,aAAc,CAC7B,IAAIJ,EAAYpV,KAAKgH,QAAQ4D,kBAAkBuC,EAAK2J,GACpD1B,EAAYpV,KAAKiP,qBAAqBmG,GACtCuB,GAAcvB,CAChB,MACEuB,GAAc3W,KAAKmW,iBAAiBW,EAAM3J,EAAK,GAAI8I,EAGzD,CACIjW,KAAKgH,QAAQwO,eACfmB,EAAa3W,KAAKoW,gBAAgBO,EAAYxJ,EAAKyJ,EAAaX,IAElEpL,GAAQ8L,CACV,MACE,GAAI3W,KAAKgH,QAAQgD,qBAAuBmD,IAAQnN,KAAKgH,QAAQgD,oBAAqB,CAChF,MAAM+M,EAAKnY,OAAOoG,KAAKsR,EAAKnJ,IACtB6J,EAAID,EAAGnW,OACb,IAAK,IAAIiW,EAAI,EAAGA,EAAIG,EAAGH,IACrB/O,GAAW9H,KAAKyW,iBAAiBM,EAAGF,GAAI,GAAKP,EAAKnJ,GAAK4J,EAAGF,IAE9D,MACEhM,GAAQ7K,KAAK4V,qBAAqBU,EAAKnJ,GAAMA,EAAK8I,GAIxD,MAAO,CAAEnO,UAAS8F,IAAK/C,EACzB,EACA4K,GAAQlW,UAAUkX,iBAAmB,SAAStN,EAAU0B,GAGtD,OAFAA,EAAO7K,KAAKgH,QAAQ8D,wBAAwB3B,EAAU,GAAK0B,GAC3DA,EAAO7K,KAAKiP,qBAAqBpE,GAC7B7K,KAAKgH,QAAQmO,2BAAsC,SAATtK,EACrC,IAAM1B,EACD,IAAMA,EAAW,KAAO0B,EAAO,GAC/C,EASA4K,GAAQlW,UAAU6W,gBAAkB,SAASvL,EAAMsC,EAAKrF,EAASmO,GAC/D,GAAa,KAATpL,EACF,MAAe,MAAXsC,EAAI,GAAmBnN,KAAK6V,UAAUI,GAAS,IAAM9I,EAAMrF,EAAU,IAAM9H,KAAK8V,WAE3E9V,KAAK6V,UAAUI,GAAS,IAAM9I,EAAMrF,EAAU9H,KAAKiX,SAAS9J,GAAOnN,KAAK8V,WAE5E,CACL,IAAIoB,EAAY,KAAO/J,EAAMnN,KAAK8V,WAC9BqB,EAAgB,GAKpB,MAJe,MAAXhK,EAAI,KACNgK,EAAgB,IAChBD,EAAY,KAETpP,GAAuB,KAAZA,IAA0C,IAAvB+C,EAAKzJ,QAAQ,MAEJ,IAAjCpB,KAAKgH,QAAQkE,iBAA6BiC,IAAQnN,KAAKgH,QAAQkE,iBAA4C,IAAzBiM,EAAcvW,OAClGZ,KAAK6V,UAAUI,GAAS,UAAOpL,UAAY7K,KAAK+V,QAEhD/V,KAAK6V,UAAUI,GAAS,IAAM9I,EAAMrF,EAAUqP,EAAgBnX,KAAK8V,WAAajL,EAAO7K,KAAK6V,UAAUI,GAASiB,EAJ/GlX,KAAK6V,UAAUI,GAAS,IAAM9I,EAAMrF,EAAUqP,EAAgB,IAAMtM,EAAOqM,CAMtF,CACF,EACAzB,GAAQlW,UAAU0X,SAAW,SAAS9J,GACpC,IAAI8J,EAAW,GAQf,OAPgD,IAA5CjX,KAAKgH,QAAQb,aAAa/E,QAAQ+L,GAC/BnN,KAAKgH,QAAQ8N,uBAAsBmC,EAAW,KAEnDA,EADSjX,KAAKgH,QAAQ+N,kBACX,IAEA,MAAM5H,IAEZ8J,CACT,EACAxB,GAAQlW,UAAU4W,iBAAmB,SAAStL,EAAMsC,EAAKrF,EAASmO,GAChE,IAAmC,IAA/BjW,KAAKgH,QAAQuD,eAA2B4C,IAAQnN,KAAKgH,QAAQuD,cAC/D,OAAOvK,KAAK6V,UAAUI,GAAS,YAAYpL,OAAY7K,KAAK+V,QACvD,IAAqC,IAAjC/V,KAAKgH,QAAQkE,iBAA6BiC,IAAQnN,KAAKgH,QAAQkE,gBACxE,OAAOlL,KAAK6V,UAAUI,GAAS,UAAOpL,UAAY7K,KAAK+V,QAClD,GAAe,MAAX5I,EAAI,GACb,OAAOnN,KAAK6V,UAAUI,GAAS,IAAM9I,EAAMrF,EAAU,IAAM9H,KAAK8V,WAC3D,CACL,IAAIV,EAAYpV,KAAKgH,QAAQ4D,kBAAkBuC,EAAKtC,GAEpD,OADAuK,EAAYpV,KAAKiP,qBAAqBmG,GACpB,KAAdA,EACKpV,KAAK6V,UAAUI,GAAS,IAAM9I,EAAMrF,EAAU9H,KAAKiX,SAAS9J,GAAOnN,KAAK8V,WAExE9V,KAAK6V,UAAUI,GAAS,IAAM9I,EAAMrF,EAAU,IAAMsN,EAAY,KAAOjI,EAAMnN,KAAK8V,UAE7F,CACF,EACAL,GAAQlW,UAAU0P,qBAAuB,SAASmG,GAChD,GAAIA,GAAaA,EAAUxU,OAAS,GAAKZ,KAAKgH,QAAQmE,gBACpD,IAAK,IAAI9F,EAAI,EAAGA,EAAIrF,KAAKgH,QAAQuG,SAAS3M,OAAQyE,IAAK,CACrD,MAAMkM,EAASvR,KAAKgH,QAAQuG,SAASlI,GACrC+P,EAAYA,EAAU5U,QAAQ+Q,EAAO5L,MAAO4L,EAAO3D,IACrD,CAEF,OAAOwH,CACT,EAeA,IAAIgC,GAAM,CACRC,UArZgB,MAChB,WAAAhX,CAAY2G,GACVhH,KAAKwO,iBAAmB,CAAC,EACzBxO,KAAKgH,QAAU4E,GAAa5E,EAC9B,CAMA,KAAAsQ,CAAM/Q,EAASgR,GACb,GAAuB,iBAAZhR,OACN,KAAIA,EAAQiR,SAGf,MAAM,IAAIha,MAAM,mDAFhB+I,EAAUA,EAAQiR,UAGpB,CACA,GAAID,EAAkB,EACK,IAArBA,IAA2BA,EAAmB,CAAC,GACnD,MAAM3P,EAASiM,GAAY9M,SAASR,EAASgR,GAC7C,IAAe,IAAX3P,EACF,MAAMpK,MAAM,GAAGoK,EAAOP,IAAIM,OAAOC,EAAOP,IAAIc,QAAQP,EAAOP,IAAIkB,MAEnE,CACA,MAAMkP,EAAmB,IAAIhE,GAAkBzT,KAAKgH,SACpDyQ,EAAiBlJ,oBAAoBvO,KAAKwO,kBAC1C,MAAMkJ,EAAgBD,EAAiB5H,SAAStJ,GAChD,OAAIvG,KAAKgH,QAAQ8C,oBAAmC,IAAlB4N,EAAiCA,EACvDlE,GAASkE,EAAe1X,KAAKgH,QAC3C,CAMA,SAAA2Q,CAAUxK,EAAKpN,GACb,IAA4B,IAAxBA,EAAMqB,QAAQ,KAChB,MAAM,IAAI5D,MAAM,+BACX,IAA0B,IAAtB2P,EAAI/L,QAAQ,OAAqC,IAAtB+L,EAAI/L,QAAQ,KAChD,MAAM,IAAI5D,MAAM,wEACX,GAAc,MAAVuC,EACT,MAAM,IAAIvC,MAAM,6CAEhBwC,KAAKwO,iBAAiBrB,GAAOpN,CAEjC,GAyWA6X,aALgBvT,EAMhBwT,WAPapC,IAsGf,MAAMqC,GAAc,SAAShV,GAC3B,IAAKA,EAAKvF,IAAyB,iBAAZuF,EAAKvF,GAC1B,MAAM,IAAIC,MAAM,4CAElB,IAAKsF,EAAKd,MAA6B,iBAAdc,EAAKd,KAC5B,MAAM,IAAIxE,MAAM,8CAElB,GAAIsF,EAAKiV,SAAWjV,EAAKiV,QAAQnX,OAAS,KAAOkC,EAAKkV,SAAmC,iBAAjBlV,EAAKkV,SAC3E,MAAM,IAAIxa,MAAM,qEAElB,IAAKsF,EAAKmV,aAA2C,mBAArBnV,EAAKmV,YACnC,MAAM,IAAIza,MAAM,uDAElB,IAAKsF,EAAKoV,MAA6B,iBAAdpV,EAAKoV,OA1GhC,SAAe1S,GACb,GAAsB,iBAAXA,EACT,MAAM,IAAIvD,UAAU,uCAAuCuD,OAG7D,GAAsB,KADtBA,EAASA,EAAOiC,QACL7G,OACT,OAAO,EAET,IAA0C,IAAtCwW,GAAIQ,aAAa7Q,SAASvB,GAC5B,OAAO,EAET,IAAI2S,EACJ,MAAMC,EAAS,IAAIhB,GAAIC,UACvB,IACEc,EAAaC,EAAOd,MAAM9R,EAC5B,CAAE,MACA,OAAO,CACT,CACA,QAAK2S,KAGAvZ,OAAOoG,KAAKmT,GAAYE,MAAMC,GAA0B,QAApBA,EAAEC,eAI7C,CAiFsDC,CAAM1V,EAAKoV,MAC7D,MAAM,IAAI1a,MAAM,wDAElB,KAAM,UAAWsF,IAA+B,iBAAfA,EAAK2V,MACpC,MAAM,IAAIjb,MAAM,+CASlB,GAPIsF,EAAKiV,SACPjV,EAAKiV,QAAQW,SAAS3U,IACpB,KAAMA,aAAkBF,GACtB,MAAM,IAAIrG,MAAM,gEAClB,IAGAsF,EAAK6V,WAAuC,mBAAnB7V,EAAK6V,UAChC,MAAM,IAAInb,MAAM,qCAElB,GAAIsF,EAAK8V,QAAiC,iBAAhB9V,EAAK8V,OAC7B,MAAM,IAAIpb,MAAM,gCAElB,GAAI,WAAYsF,GAA+B,kBAAhBA,EAAK+V,OAClC,MAAM,IAAIrb,MAAM,iCAElB,GAAI,aAAcsF,GAAiC,kBAAlBA,EAAKgW,SACpC,MAAM,IAAItb,MAAM,mCAElB,GAAIsF,EAAKiW,gBAAiD,iBAAxBjW,EAAKiW,eACrC,MAAM,IAAIvb,MAAM,wCAElB,GAAIsF,EAAKkW,gBAAiD,mBAAxBlW,EAAKkW,eACrC,MAAM,IAAIxb,MAAM,0CAElB,OAAO,CACT,EAGA,IAAIyb,GAF+B,iBAAZC,GAAwBA,EAAQC,KAAOD,EAAQC,IAAIC,YAAc,cAAclL,KAAKgL,EAAQC,IAAIC,YAAc,IAAIC,IAASC,EAAQC,MAAM,YAAaF,GAAQ,OAkBjLG,GAAY,CACdC,WAfmB,IAgBnBC,0BAbgC,GAchCC,sBAb4BC,IAc5BC,iBAjByBpN,OAAOoN,kBAClC,iBAiBEC,cAdoB,CACpB,QACA,WACA,QACA,WACA,QACA,WACA,cAQAC,oBArB0B,QAsB1BC,wBAAyB,EACzBC,WAAY,GAEVC,GAAO,CAAE3V,QAAS,CAAC,IACvB,SAAU4V,EAAQ5V,GAChB,MACEmV,0BAA2BU,EAC3BT,sBAAuBU,EACvBZ,WAAYa,GACVd,GACEe,EAAStB,GAET3P,GADN/E,EAAU4V,EAAO5V,QAAU,CAAC,GACRiW,GAAK,GACnBC,EAASlW,EAAQkW,OAAS,GAC1BC,EAAMnW,EAAQmW,IAAM,GACpB9R,EAAKrE,EAAQoW,EAAI,CAAC,EACxB,IAAIC,EAAI,EACR,MAAMC,EAAmB,eACnBC,EAAwB,CAC5B,CAAC,MAAO,GACR,CAAC,MAAOR,GACR,CAACO,EAAkBR,IAQfU,EAAc,CAAC/Y,EAAMjC,EAAOib,KAChC,MAAMC,EAPc,CAAClb,IACrB,IAAK,MAAOmb,EAAOC,KAAQL,EACzB/a,EAAQA,EAAMkB,MAAM,GAAGia,MAAUxc,KAAK,GAAGwc,OAAWC,MAAQla,MAAM,GAAGia,MAAUxc,KAAK,GAAGwc,OAAWC,MAEpG,OAAOpb,CAAK,EAGCqb,CAAcrb,GACrBsD,EAAQuX,IACdL,EAAOvY,EAAMqB,EAAOtD,GACpB6I,EAAG5G,GAAQqB,EACXqX,EAAIrX,GAAStD,EACbuJ,EAAIjG,GAAS,IAAIsB,OAAO5E,EAAOib,EAAW,SAAM,GAChDP,EAAOpX,GAAS,IAAIsB,OAAOsW,EAAMD,EAAW,SAAM,EAAO,EAE3DD,EAAY,oBAAqB,eACjCA,EAAY,yBAA0B,QACtCA,EAAY,uBAAwB,gBAAgBF,MACpDE,EAAY,cAAe,IAAIL,EAAI9R,EAAGyS,0BAA0BX,EAAI9R,EAAGyS,0BAA0BX,EAAI9R,EAAGyS,uBACxGN,EAAY,mBAAoB,IAAIL,EAAI9R,EAAG0S,+BAA+BZ,EAAI9R,EAAG0S,+BAA+BZ,EAAI9R,EAAG0S,4BACvHP,EAAY,uBAAwB,MAAML,EAAI9R,EAAGyS,sBAAsBX,EAAI9R,EAAG2S,0BAC9ER,EAAY,4BAA6B,MAAML,EAAI9R,EAAG0S,2BAA2BZ,EAAI9R,EAAG2S,0BACxFR,EAAY,aAAc,QAAQL,EAAI9R,EAAG4S,8BAA8Bd,EAAI9R,EAAG4S,6BAC9ET,EAAY,kBAAmB,SAASL,EAAI9R,EAAG6S,mCAAmCf,EAAI9R,EAAG6S,kCACzFV,EAAY,kBAAmB,GAAGF,MAClCE,EAAY,QAAS,UAAUL,EAAI9R,EAAG8S,yBAAyBhB,EAAI9R,EAAG8S,wBACtEX,EAAY,YAAa,KAAKL,EAAI9R,EAAG+S,eAAejB,EAAI9R,EAAGgT,eAAelB,EAAI9R,EAAGiT,WACjFd,EAAY,OAAQ,IAAIL,EAAI9R,EAAGkT,eAC/Bf,EAAY,aAAc,WAAWL,EAAI9R,EAAGmT,oBAAoBrB,EAAI9R,EAAGoT,oBAAoBtB,EAAI9R,EAAGiT,WAClGd,EAAY,QAAS,IAAIL,EAAI9R,EAAGqT,gBAChClB,EAAY,OAAQ,gBACpBA,EAAY,wBAAyB,GAAGL,EAAI9R,EAAG0S,mCAC/CP,EAAY,mBAAoB,GAAGL,EAAI9R,EAAGyS,8BAC1CN,EAAY,cAAe,YAAYL,EAAI9R,EAAGsT,4BAA4BxB,EAAI9R,EAAGsT,4BAA4BxB,EAAI9R,EAAGsT,wBAAwBxB,EAAI9R,EAAGgT,gBAAgBlB,EAAI9R,EAAGiT,eAC1Kd,EAAY,mBAAoB,YAAYL,EAAI9R,EAAGuT,iCAAiCzB,EAAI9R,EAAGuT,iCAAiCzB,EAAI9R,EAAGuT,6BAA6BzB,EAAI9R,EAAGoT,qBAAqBtB,EAAI9R,EAAGiT,eACnMd,EAAY,SAAU,IAAIL,EAAI9R,EAAGwT,YAAY1B,EAAI9R,EAAGyT,iBACpDtB,EAAY,cAAe,IAAIL,EAAI9R,EAAGwT,YAAY1B,EAAI9R,EAAG0T,sBACzDvB,EAAY,cAAe,oBAAyBX,mBAA4CA,qBAA8CA,SAC9IW,EAAY,SAAU,GAAGL,EAAI9R,EAAG2T,4BAChCxB,EAAY,aAAcL,EAAI9R,EAAG2T,aAAe,MAAM7B,EAAI9R,EAAGgT,mBAAmBlB,EAAI9R,EAAGiT,wBACvFd,EAAY,YAAaL,EAAI9R,EAAG4T,SAAS,GACzCzB,EAAY,gBAAiBL,EAAI9R,EAAG6T,aAAa,GACjD1B,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASL,EAAI9R,EAAG8T,kBAAkB,GAC3DnY,EAAQoY,iBAAmB,MAC3B5B,EAAY,QAAS,IAAIL,EAAI9R,EAAG8T,aAAahC,EAAI9R,EAAGyT,iBACpDtB,EAAY,aAAc,IAAIL,EAAI9R,EAAG8T,aAAahC,EAAI9R,EAAG0T,sBACzDvB,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASL,EAAI9R,EAAGgU,kBAAkB,GAC3DrY,EAAQsY,iBAAmB,MAC3B9B,EAAY,QAAS,IAAIL,EAAI9R,EAAGgU,aAAalC,EAAI9R,EAAGyT,iBACpDtB,EAAY,aAAc,IAAIL,EAAI9R,EAAGgU,aAAalC,EAAI9R,EAAG0T,sBACzDvB,EAAY,kBAAmB,IAAIL,EAAI9R,EAAGwT,aAAa1B,EAAI9R,EAAGqT,oBAC9DlB,EAAY,aAAc,IAAIL,EAAI9R,EAAGwT,aAAa1B,EAAI9R,EAAGkT,mBACzDf,EAAY,iBAAkB,SAASL,EAAI9R,EAAGwT,aAAa1B,EAAI9R,EAAGqT,eAAevB,EAAI9R,EAAGyT,iBAAiB,GACzG9X,EAAQuY,sBAAwB,SAChC/B,EAAY,cAAe,SAASL,EAAI9R,EAAGyT,0BAA0B3B,EAAI9R,EAAGyT,sBAC5EtB,EAAY,mBAAoB,SAASL,EAAI9R,EAAG0T,+BAA+B5B,EAAI9R,EAAG0T,2BACtFvB,EAAY,OAAQ,mBACpBA,EAAY,OAAQ,6BACpBA,EAAY,UAAW,8BACxB,CAhFD,CAgFGb,GAAMA,GAAK3V,SACd,IAAIwY,GAAY7C,GAAK3V,QACD3F,OAAOoe,OAAO,CAAEC,OAAO,IACzBre,OAAOoe,OAAO,CAAC,GAWjC,MAAME,GAAU,WACVC,GAAuB,CAACjY,EAAGkY,KAC/B,MAAMC,EAAOH,GAAQhP,KAAKhJ,GACpBoY,EAAOJ,GAAQhP,KAAKkP,GAK1B,OAJIC,GAAQC,IACVpY,GAAKA,EACLkY,GAAKA,GAEAlY,IAAMkY,EAAI,EAAIC,IAASC,GAAQ,EAAIA,IAASD,EAAO,EAAInY,EAAIkY,GAAK,EAAI,CAAC,EAG9E,IAAIG,GAAc,CAChBC,mBAAoBL,GACpBM,oBAH0B,CAACvY,EAAGkY,IAAMD,GAAqBC,EAAGlY,IAK9D,MACM,WAAEuU,GAAU,iBAAEI,IAAqBL,IACjCiB,OAAQD,GAAIG,EAAC,IAAKoC,IAEpB,mBAAES,IAAuBD,GA0VF,I,0JCpzGzBvW,GAAU,CAAC,EAEfA,GAAQ0W,kBAAoB,KAC5B1W,GAAQ2W,cAAgB,KAElB3W,GAAQ4W,OAAS,UAAc,KAAM,QAE3C5W,GAAQ6W,OAAS,KACjB7W,GAAQ8W,mBAAqB,KAEhB,KAAI,KAAS9W,IAKJ,MAAW,KAAQ+W,QAAS,KAAQA,OAAnD,MCvBDC,GAAoB,SAAU3Q,GAChC,MAAMnG,EAAOmG,EAAK/O,aAAa,iBAAiB,cAChD,YAAa2f,IAAT/W,EACO,GAEJ,CAACA,GAAMgX,MAClB,EACMC,GAAY,SAAUC,GAAqB,IAAhBC,EAAMC,UAAA1d,OAAA,QAAAqd,IAAAK,UAAA,IAAAA,UAAA,GACnC,MAAMC,EAAaC,SAASC,cAAc,MAM1C,OALAF,EAAWG,UAAUxR,IAAI,0BACzBqR,EAAWI,YAAcP,EACrBC,GACAE,EAAWG,UAAUxR,IAAI,gCAEtBqR,CACX,EACaK,GAAS,IFgEtB,MACEC,QACA,WAAAxe,CAAYue,GACV5e,KAAK8e,eAAeF,GACpB5e,KAAK6e,QAAUD,CACjB,CACA,MAAIrhB,GACF,OAAOyC,KAAK6e,QAAQthB,EACtB,CACA,eAAIwhB,GACF,OAAO/e,KAAK6e,QAAQE,WACtB,CACA,SAAI9a,GACF,OAAOjE,KAAK6e,QAAQ5a,KACtB,CACA,iBAAI+a,GACF,OAAOhf,KAAK6e,QAAQG,aACtB,CACA,WAAIC,GACF,OAAOjf,KAAK6e,QAAQI,OACtB,CACA,QAAIxZ,GACF,OAAOzF,KAAK6e,QAAQpZ,IACtB,CACA,aAAIyZ,GACF,OAAOlf,KAAK6e,QAAQK,SACtB,CACA,SAAIzG,GACF,OAAOzY,KAAK6e,QAAQpG,KACtB,CACA,UAAIG,GACF,OAAO5Y,KAAK6e,QAAQjG,MACtB,CACA,WAAI,GACF,OAAO5Y,KAAK6e,QAAQM,OACtB,CACA,UAAIC,GACF,OAAOpf,KAAK6e,QAAQO,MACtB,CACA,gBAAIC,GACF,OAAOrf,KAAK6e,QAAQQ,YACtB,CACA,cAAAP,CAAeF,GACb,IAAKA,EAAOrhB,IAA2B,iBAAdqhB,EAAOrhB,GAC9B,MAAM,IAAIC,MAAM,cAElB,IAAKohB,EAAOG,aAA6C,mBAAvBH,EAAOG,YACvC,MAAM,IAAIvhB,MAAM,gCAElB,GAAI,UAAWohB,GAAkC,mBAAjBA,EAAO3a,MACrC,MAAM,IAAIzG,MAAM,0BAElB,IAAKohB,EAAOI,eAAiD,mBAAzBJ,EAAOI,cACzC,MAAM,IAAIxhB,MAAM,kCAElB,IAAKohB,EAAOnZ,MAA+B,mBAAhBmZ,EAAOnZ,KAChC,MAAM,IAAIjI,MAAM,yBAElB,GAAI,YAAaohB,GAAoC,mBAAnBA,EAAOK,QACvC,MAAM,IAAIzhB,MAAM,4BAElB,GAAI,cAAeohB,GAAsC,mBAArBA,EAAOM,UACzC,MAAM,IAAI1hB,MAAM,8BAElB,GAAI,UAAWohB,GAAkC,iBAAjBA,EAAOnG,MACrC,MAAM,IAAIjb,MAAM,iBAElB,GAAI,WAAYohB,GAAmC,iBAAlBA,EAAOhG,OACtC,MAAM,IAAIpb,MAAM,kBAElB,GAAIohB,EAAOO,UAAYvgB,OAAOC,OAAOxC,GAAamC,SAASogB,EAAOO,SAChE,MAAM,IAAI3hB,MAAM,mBAElB,GAAI,WAAYohB,GAAmC,mBAAlBA,EAAOQ,OACtC,MAAM,IAAI5hB,MAAM,2BAElB,GAAI,iBAAkBohB,GAAyC,mBAAxBA,EAAOS,aAC5C,MAAM,IAAI7hB,MAAM,gCAEpB,GE/ImC,CACjCD,GAAI,cACJwhB,YAAaA,IAAM,GACnBC,cAAeA,IAAM,GACrBC,OAAAA,CAAQK,GAEJ,GAAqB,IAAjBA,EAAM1e,OACN,OAAO,EAEX,MAAMyM,EAAOiS,EAAM,GAGnB,OAAoB,IAFPtB,GAAkB3Q,GAEtBzM,MAIb,EACA6E,KAAM8Z,SAAY,KAClB,kBAAMF,CAAahS,GAEf,MAAMnG,EAAO8W,GAAkB3Q,GAC/B,GAAoB,IAAhBnG,EAAKtG,OACL,OAAO,KAEX,MAAM4e,EAAoBhB,SAASC,cAAc,MAIjD,GAHAe,EAAkBd,UAAUxR,IAAI,2BAChCsS,EAAkBC,aAAa,cAAc9E,EAAAA,EAAAA,IAAE,QAAS,gCACxD6E,EAAkBE,OAAOvB,GAAUjX,EAAK,KACpB,IAAhBA,EAAKtG,OAGL4e,EAAkBE,OAAOvB,GAAUjX,EAAK,UAEvC,GAAIA,EAAKtG,OAAS,EAAG,CAGtB,MAAM+e,EAAiBxB,GAAU,KAAOjX,EAAKtG,OAAS,IAAI,GAC1D+e,EAAeF,aAAa,QAASvY,EAAKvG,MAAM,GAAGjC,KAAK,OAExDihB,EAAeF,aAAa,cAAe,QAC3CE,EAAeF,aAAa,OAAQ,gBACpCD,EAAkBE,OAAOC,GAGzB,IAAK,MAAMvB,KAAOlX,EAAKvG,MAAM,GAAI,CAC7B,MAAM4d,EAAaJ,GAAUC,GAC7BG,EAAWG,UAAUxR,IAAI,mBACzBsS,EAAkBE,OAAOnB,EAC7B,CACJ,CACA,OAAOiB,CACX,EACA/G,MAAO,I,yBC/DX,MAAMmH,IAAUC,EAAAA,EAAAA,IAAkB,OACrBC,IAAYC,EAAAA,GAAAA,IAAaH,IAEhCI,GAAc9E,IAChB4E,GAAUE,WAAW,CAEjB,mBAAoB,iBAEpBC,aAAc/E,GAAS,IACzB,GAGNgF,EAAAA,EAAAA,IAAqBF,IACrBA,IAAWG,EAAAA,EAAAA,O,gBChBJ,MCAMC,IAASC,EAAAA,EAAAA,MACjBnkB,OAAO,cACPC,aACAC,QCLCkkB,GAAW,cACXC,GNqyBe,SAASC,EAAYhe,EAAcie,EAAU,CAAC,GACjE,MAAMF,GAAS,QAAaC,EAAW,CAAEC,YACzC,SAAST,EAAW9E,GAClBqF,EAAOP,WAAW,IACbS,EAEH,mBAAoB,iBAEpBR,aAAc/E,GAAS,IAE3B,CAYA,OAXA,QAAqB8E,GACrBA,GAAW,YACK,UACRU,MAAM,SAAS,CAACrf,EAAK2F,KAC3B,MAAM2Z,EAAW3Z,EAAQyZ,QAKzB,OAJIE,GAAUC,SACZ5Z,EAAQ4Z,OAASD,EAASC,cACnBD,EAASC,QAEXC,MAAMxf,EAAK2F,EAAQ,IAErBuZ,CACT,CM5zBeO,GACTC,GAAgB1T,GNk1BE,SAASA,EAAM2T,EAAY1e,EAAake,EAAYhe,GAC1E,IAAIye,GAAS,WAAkB1e,IAC/B,IAAI,SACF0e,EAASA,GAAU,iBACd,IAAKA,EACV,MAAM,IAAIzjB,MAAM,oBAElB,MAAM0jB,EAAQ7T,EAAK6T,MACbhjB,EA7doB,SAASijB,EAAa,IAChD,IAAIjjB,EAAc3B,EAAW4B,KAC7B,OAAKgjB,IAGDA,EAAW3iB,SAAS,MAAQ2iB,EAAW3iB,SAAS,QAClDN,GAAe3B,EAAW6kB,QAExBD,EAAW3iB,SAAS,OACtBN,GAAe3B,EAAWiF,OAExB2f,EAAW3iB,SAAS,MAAQ2iB,EAAW3iB,SAAS,MAAQ2iB,EAAW3iB,SAAS,QAC9EN,GAAe3B,EAAW8kB,QAExBF,EAAW3iB,SAAS,OACtBN,GAAe3B,EAAW+kB,QAExBH,EAAW3iB,SAAS,OACtBN,GAAe3B,EAAWglB,OAErBrjB,GAjBEA,CAkBX,CAwcsBsjB,CAAoBN,GAAOhjB,aACzCG,EAAQsV,OAAOuN,IAAQ,aAAeD,GACtC1jB,EAAK2jB,EAAMxf,QAAU,EACrB+f,EAAW,CACflkB,KACAL,OAAQ,GAAGsjB,IAAYnT,EAAKqU,WAC5B7jB,MAAO,IAAIC,KAAKA,KAAKwZ,MAAMjK,EAAKsU,UAChC3jB,KAAMqP,EAAKrP,MAAQ,2BAEnBJ,iBAAmC,IAAtBsjB,EAAMtjB,YAAyB+V,OAAOuN,EAAMtjB,kBAAe,EACxEK,KAAMijB,GAAOjjB,MAAQwO,OAAOC,SAASwU,EAAMU,kBAAoB,KAE/DjjB,OAAQpB,EAAK,EAAIuB,EAAW+iB,YAAS,EACrC3jB,cACAG,QACAE,KAAMyiB,EACN1iB,WAAY,IACP+O,KACA6T,EACHY,WAAYZ,IAAQ,iBAIxB,cADOO,EAASnjB,YAAY4iB,MACP,SAAd7T,EAAKlL,KAAkB,IAAID,EAAKuf,GAAY,IAAIrf,EAAOqf,EAChE,CMl3B+BM,CAAgB1U,GACzC2U,GAAuBC,GAAU,gDN2SI,IAA9BtV,OAAOuV,qBAChBvV,OAAOuV,mBAAqB,IAAKxlB,IAE5BkC,OAAOoG,KAAK2H,OAAOuV,oBAAoBxiB,KAAKyiB,GAAO,SAASA,MAAOxV,OAAOuV,qBAAqBC,QAAQzjB,KAAK,+BAT1E,IAA9BiO,OAAOyV,qBAChBzV,OAAOyV,mBAAqB,IAAI3lB,IAE3BkQ,OAAOyV,mBAAmB1iB,KAAKI,GAAS,IAAIA,SAAWpB,KAAK,6DMlSnDujB,6DAGZI,GAAY,SAAUjE,GACxB,OAAO,IAAIhc,EAAO,CACd7E,GAAI6gB,EAAI7gB,GACRL,OAAQ,GAAGsF,IAAe8d,MAAYlC,EAAI7gB,KAC1Cc,MAAOsV,QAAO2O,EAAAA,EAAAA,OAAkB/f,KAAO,aACvChE,KAAM+hB,GACN1iB,YAAawgB,EAAIW,YACjB7gB,YAAa3B,EAAWiF,KACxBlD,WAAY,IACL8f,EACH,UAAU,IAGtB,GNuP4B,SAASte,EAAMyiB,EAAY,CAAE3lB,GAAI,iCAClB,IAA9B+P,OAAOyV,qBAChBzV,OAAOyV,mBAAqB,IAAI3lB,GAChCkQ,OAAOuV,mBAAqB,IAAKxlB,IAEnC,MAAM8lB,EAAa,IAAK7V,OAAOuV,sBAAuBK,GAClD5V,OAAOyV,mBAAmBrf,MAAMC,GAAWA,IAAWlD,IACxD,EAAOM,KAAK,GAAGN,uBAA2B,CAAEA,SAG1CA,EAAKnC,WAAW,MAAmC,IAA3BmC,EAAKmB,MAAM,KAAKL,OAC1C,EAAO2Y,MAAM,GAAGzZ,2CAA+C,CAAEA,SAI9D0iB,EADM1iB,EAAKmB,MAAM,KAAK,KAK3B0L,OAAOyV,mBAAmBnf,KAAKnD,GAC/B6M,OAAOuV,mBAAqBM,GAJ1B,EAAOjJ,MAAM,GAAGzZ,sBAA0B,CAAEA,OAAM0iB,cAMtD,COlSAC,CAAoB,kBP6JO,SAAS7D,QACI,IAA3BjS,OAAO+V,kBAChB/V,OAAO+V,gBAAkB,GACzB,EAAOC,MAAM,4BAEXhW,OAAO+V,gBAAgB3f,MAAMC,GAAWA,EAAOzF,KAAOqhB,EAAOrhB,KAC/D,EAAOgc,MAAM,cAAcqF,EAAOrhB,wBAAyB,CAAEqhB,WAG/DjS,OAAO+V,gBAAgBzf,KAAK2b,EAC9B,COtKAgE,CAAmBC,UPgnCoB,IAA1BlW,OAAOmW,iBAChBnW,OAAOmW,eAAiB,IAAIpgB,EAC5B,EAAOigB,MAAM,mCAERhW,OAAOmW,gBQ/mCDjgB,SAAS,IRytFxB,MACEkgB,MACA,WAAA1iB,CAAYyC,GACVgV,GAAYhV,GACZ9C,KAAK+iB,MAAQjgB,CACf,CACA,MAAIvF,GACF,OAAOyC,KAAK+iB,MAAMxlB,EACpB,CACA,QAAIyE,GACF,OAAOhC,KAAK+iB,MAAM/gB,IACpB,CACA,WAAIgW,GACF,OAAOhY,KAAK+iB,MAAM/K,OACpB,CACA,cAAIgL,GACF,OAAOhjB,KAAK+iB,MAAMC,UACpB,CACA,gBAAIC,GACF,OAAOjjB,KAAK+iB,MAAME,YACpB,CACA,eAAIhL,GACF,OAAOjY,KAAK+iB,MAAM9K,WACpB,CACA,QAAIC,GACF,OAAOlY,KAAK+iB,MAAM7K,IACpB,CACA,QAAIA,CAAKA,GACPlY,KAAK+iB,MAAM7K,KAAOA,CACpB,CACA,SAAIO,GACF,OAAOzY,KAAK+iB,MAAMtK,KACpB,CACA,SAAIA,CAAMA,GACRzY,KAAK+iB,MAAMtK,MAAQA,CACrB,CACA,UAAIyK,GACF,OAAOljB,KAAK+iB,MAAMG,MACpB,CACA,UAAIA,CAAOA,GACTljB,KAAK+iB,MAAMG,OAASA,CACtB,CACA,WAAInL,GACF,OAAO/X,KAAK+iB,MAAMhL,OACpB,CACA,aAAIY,GACF,OAAO3Y,KAAK+iB,MAAMpK,SACpB,CACA,UAAIC,GACF,OAAO5Y,KAAK+iB,MAAMnK,MACpB,CACA,UAAIC,GACF,OAAO7Y,KAAK+iB,MAAMlK,MACpB,CACA,YAAIC,GACF,OAAO9Y,KAAK+iB,MAAMjK,QACpB,CACA,YAAIA,CAASA,GACX9Y,KAAK+iB,MAAMjK,SAAWA,CACxB,CACA,kBAAIC,GACF,OAAO/Y,KAAK+iB,MAAMhK,cACpB,CACA,kBAAIC,GACF,OAAOhZ,KAAK+iB,MAAM/J,cACpB,GQ1xF+B,CACzBzb,GAAI,OACJyE,MAAM2Y,EAAAA,EAAAA,IAAE,aAAc,QACtB3C,SAAS2C,EAAAA,EAAAA,IAAE,aAAc,wDACzBqI,YAAYrI,EAAAA,EAAAA,IAAE,aAAc,iBAC5BsI,cAActI,EAAAA,EAAAA,IAAE,aAAc,4CAC9BzC,K,yjBACAO,MAAO,GACPR,YFQmBsH,iBAAsB,IAAf9d,EAAI6c,UAAA1d,OAAA,QAAAqd,IAAAK,UAAA,GAAAA,UAAA,GAAG,IAErC,MAAM6E,QGXe5D,WAErB,IACI,MAAQjiB,KAAM4J,SAAe4Y,GAAUsD,qBAF9B,cAEyD,CAC9D9lB,KAdoB,oPAepB+lB,SAAS,EACTC,KAAM,kBAEV,MLlBkBpc,IACfA,EAAKxH,KAAI6jB,IAAA,IAAC,MAAErC,GAAOqC,EAAA,OAAK3kB,OAAO4kB,YAAY5kB,OAAOS,QAAQ6hB,GAC5DxhB,KAAI+jB,IAAA,IAAEtW,EAAKpN,GAAM0jB,EAAA,MAAK,EAACC,EAAAA,GAAAA,GAAUvW,GAAyB,iBAAnBuW,EAAAA,GAAAA,GAAUvW,GAAyBwG,OAAO5T,GAASA,EAAM,IAAE,IKgB5F4jB,CAAUzc,EACrB,CACA,MAAOqS,GAEH,MADA6G,GAAO7G,OAAMoB,EAAAA,EAAAA,IAAE,aAAc,uBAAwB,CAAEpB,UACjD,IAAI/b,OAAMmd,EAAAA,EAAAA,IAAE,aAAc,uBACpC,GHFyBiJ,IAAapkB,QAAO4e,GAAOA,EAAIyF,cACxD,GAAa,MAATpiB,EACA,MAAO,CACHqiB,OAAQ,IAAI1hB,EAAO,CACf7E,GAAI,EACJL,OAAQ,GAAGsF,IAAe8d,KAC1BjiB,OAAOikB,EAAAA,EAAAA,OAAkB/f,IACzBhE,KAAM+hB,GACNpiB,YAAa3B,EAAW4B,OAE5B4lB,SAAUZ,EAAUzjB,IAAI2iB,KAGhC,MAAMJ,EAAQvV,SAASjL,EAAKR,MAAM,IAAK,GAAG,IACpCmd,EAAM+E,EAAUpgB,MAAKqb,GAAOA,EAAI7gB,KAAO0kB,IAC7C,IAAK7D,EACD,MAAM,IAAI5gB,MAAM,iBAYpB,MAAO,CACHsmB,OAXWzB,GAAUjE,GAYrB2F,gBAX2BxD,GAAO6C,qBAAqB9gB,EAAa,CACpE+gB,SAAS,EAET/lB,KAAM0kB,GAAoBC,GAC1BxB,QAAS,CAELG,OAAQ,aAKetjB,KAAKoC,IAAIqhB,IAE5C,I,mFI5DIiD,E,MAA0B,GAA4B,KAE1DA,EAAwB/gB,KAAK,CAACkX,EAAO5c,GAAI,snBAAunB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,sEAAsE,MAAQ,GAAG,SAAW,6QAA6Q,eAAiB,CAAC,k8BAAk8B,WAAa,MAErgE,S,oECNI0mB,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqBlG,IAAjBmG,EACH,OAAOA,EAAa7f,QAGrB,IAAI4V,EAAS8J,EAAyBE,GAAY,CACjD5mB,GAAI4mB,EACJE,QAAQ,EACR9f,QAAS,CAAC,GAUX,OANA+f,EAAoBH,GAAU3N,KAAK2D,EAAO5V,QAAS4V,EAAQA,EAAO5V,QAAS2f,GAG3E/J,EAAOkK,QAAS,EAGTlK,EAAO5V,OACf,CAGA2f,EAAoBK,EAAID,EZ5BpBroB,EAAW,GACfioB,EAAoBM,EAAI,CAAC5c,EAAQ6c,EAAUC,EAAIC,KAC9C,IAAGF,EAAH,CAMA,IAAIG,EAAeC,IACnB,IAASxf,EAAI,EAAGA,EAAIpJ,EAAS2E,OAAQyE,IAAK,CACrCof,EAAWxoB,EAASoJ,GAAG,GACvBqf,EAAKzoB,EAASoJ,GAAG,GACjBsf,EAAW1oB,EAASoJ,GAAG,GAE3B,IAJA,IAGIyf,GAAY,EACPjO,EAAI,EAAGA,EAAI4N,EAAS7jB,OAAQiW,MACpB,EAAX8N,GAAsBC,GAAgBD,IAAa/lB,OAAOoG,KAAKkf,EAAoBM,GAAGO,OAAO5X,GAAS+W,EAAoBM,EAAErX,GAAKsX,EAAS5N,MAC9I4N,EAASlhB,OAAOsT,IAAK,IAErBiO,GAAY,EACTH,EAAWC,IAAcA,EAAeD,IAG7C,GAAGG,EAAW,CACb7oB,EAASsH,OAAO8B,IAAK,GACrB,IAAI2f,EAAIN,SACEzG,IAAN+G,IAAiBpd,EAASod,EAC/B,CACD,CACA,OAAOpd,CArBP,CAJC+c,EAAWA,GAAY,EACvB,IAAI,IAAItf,EAAIpJ,EAAS2E,OAAQyE,EAAI,GAAKpJ,EAASoJ,EAAI,GAAG,GAAKsf,EAAUtf,IAAKpJ,EAASoJ,GAAKpJ,EAASoJ,EAAI,GACrGpJ,EAASoJ,GAAK,CAACof,EAAUC,EAAIC,EAuBjB,Ea3BdT,EAAoBe,EAAK9K,IACxB,IAAI+K,EAAS/K,GAAUA,EAAOgL,WAC7B,IAAOhL,EAAiB,QACxB,IAAM,EAEP,OADA+J,EAAoBvnB,EAAEuoB,EAAQ,CAAEhgB,EAAGggB,IAC5BA,CAAM,ECLdhB,EAAoBvnB,EAAI,CAAC4H,EAAS6gB,KACjC,IAAI,IAAIjY,KAAOiY,EACXlB,EAAoBmB,EAAED,EAAYjY,KAAS+W,EAAoBmB,EAAE9gB,EAAS4I,IAC5EvO,OAAO0mB,eAAe/gB,EAAS4I,EAAK,CAAEoY,YAAY,EAAM9lB,IAAK2lB,EAAWjY,IAE1E,ECHD+W,EAAoBxmB,EAAI,IAAO8nB,QAAQC,UCHvCvB,EAAoBwB,EAAI,WACvB,GAA0B,iBAAfC,WAAyB,OAAOA,WAC3C,IACC,OAAO3lB,MAAQ,IAAI4lB,SAAS,cAAb,EAChB,CAAE,MAAOloB,GACR,GAAsB,iBAAXiP,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBuX,EAAoBmB,EAAI,CAACtgB,EAAKjF,IAAUlB,OAAOW,UAAU8J,eAAemN,KAAKzR,EAAKjF,GCClFokB,EAAoBc,EAAKzgB,IACH,oBAAXshB,QAA0BA,OAAOC,aAC1ClnB,OAAO0mB,eAAe/gB,EAASshB,OAAOC,YAAa,CAAE/lB,MAAO,WAE7DnB,OAAO0mB,eAAe/gB,EAAS,aAAc,CAAExE,OAAO,GAAO,ECL9DmkB,EAAoB6B,IAAO5L,IAC1BA,EAAO6L,MAAQ,GACV7L,EAAO8L,WAAU9L,EAAO8L,SAAW,IACjC9L,GCHR+J,EAAoBrN,EAAI,K,MCAxBqN,EAAoB9G,EAAIoB,SAAS0H,SAAWC,KAAKC,SAASC,KAK1D,IAAIC,EAAkB,CACrB,KAAM,GAaPpC,EAAoBM,EAAE3N,EAAK0P,GAA0C,IAA7BD,EAAgBC,GAGxD,IAAIC,EAAuB,CAACC,EAA4BnpB,KACvD,IAKI6mB,EAAUoC,EALV9B,EAAWnnB,EAAK,GAChBopB,EAAcppB,EAAK,GACnBqpB,EAAUrpB,EAAK,GAGI+H,EAAI,EAC3B,GAAGof,EAASpM,MAAM9a,GAAgC,IAAxB+oB,EAAgB/oB,KAAa,CACtD,IAAI4mB,KAAYuC,EACZxC,EAAoBmB,EAAEqB,EAAavC,KACrCD,EAAoBK,EAAEJ,GAAYuC,EAAYvC,IAGhD,GAAGwC,EAAS,IAAI/e,EAAS+e,EAAQzC,EAClC,CAEA,IADGuC,GAA4BA,EAA2BnpB,GACrD+H,EAAIof,EAAS7jB,OAAQyE,IACzBkhB,EAAU9B,EAASpf,GAChB6e,EAAoBmB,EAAEiB,EAAiBC,IAAYD,EAAgBC,IACrED,EAAgBC,GAAS,KAE1BD,EAAgBC,GAAW,EAE5B,OAAOrC,EAAoBM,EAAE5c,EAAO,EAGjCgf,EAAqBT,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1FS,EAAmBlO,QAAQ8N,EAAqBK,KAAK,KAAM,IAC3DD,EAAmB3jB,KAAOujB,EAAqBK,KAAK,KAAMD,EAAmB3jB,KAAK4jB,KAAKD,G,KClDvF1C,EAAoBtnB,QAAKqhB,ECGzB,IAAI6I,EAAsB5C,EAAoBM,OAAEvG,EAAW,CAAC,OAAO,IAAOiG,EAAoB,SAC9F4C,EAAsB5C,EAAoBM,EAAEsC,E","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","webpack://nextcloud/./apps/systemtags/src/css/fileEntryInlineSystemTags.scss?0a01","webpack:///nextcloud/apps/systemtags/src/files_actions/inlineSystemTagsAction.ts","webpack:///nextcloud/apps/systemtags/src/services/davClient.ts","webpack:///nextcloud/apps/systemtags/src/utils.ts","webpack:///nextcloud/apps/systemtags/src/logger.ts","webpack:///nextcloud/apps/systemtags/src/services/systemtags.ts","webpack:///nextcloud/apps/systemtags/src/init.ts","webpack:///nextcloud/apps/systemtags/src/files_views/systemtagsView.ts","webpack:///nextcloud/apps/systemtags/src/services/api.ts","webpack:///nextcloud/apps/systemtags/src/css/fileEntryInlineSystemTags.scss","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/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/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};","import { getLoggerBuilder } from \"@nextcloud/logger\";\nimport { getCurrentUser, onRequestTokenUpdate, getRequestToken } from \"@nextcloud/auth\";\nimport { join, basename, extname, dirname } from \"path\";\nimport { encodePath } from \"@nextcloud/paths\";\nimport { generateRemoteUrl } from \"@nextcloud/router\";\nimport { CancelablePromise } from \"cancelable-promise\";\nimport { createClient, getPatcher } from \"webdav\";\nimport { isPublicShare, getSharingToken } from \"@nextcloud/sharing/public\";\nimport { getCapabilities } from \"@nextcloud/capabilities\";\nimport { getCanonicalLocale, getLanguage } from \"@nextcloud/l10n\";\nimport { TypedEventTarget } from \"typescript-event-target\";\nconst logger = getLoggerBuilder().setApp(\"@nextcloud/files\").detectUser().build();\nvar NewMenuEntryCategory = /* @__PURE__ */ ((NewMenuEntryCategory2) => {\n  NewMenuEntryCategory2[NewMenuEntryCategory2[\"UploadFromDevice\"] = 0] = \"UploadFromDevice\";\n  NewMenuEntryCategory2[NewMenuEntryCategory2[\"CreateNew\"] = 1] = \"CreateNew\";\n  NewMenuEntryCategory2[NewMenuEntryCategory2[\"Other\"] = 2] = \"Other\";\n  return NewMenuEntryCategory2;\n})(NewMenuEntryCategory || {});\nclass NewFileMenu {\n  _entries = [];\n  registerEntry(entry) {\n    this.validateEntry(entry);\n    entry.category = entry.category ?? 1;\n    this._entries.push(entry);\n  }\n  unregisterEntry(entry) {\n    const entryIndex = typeof entry === \"string\" ? this.getEntryIndex(entry) : this.getEntryIndex(entry.id);\n    if (entryIndex === -1) {\n      logger.warn(\"Entry not found, nothing removed\", { entry, entries: this.getEntries() });\n      return;\n    }\n    this._entries.splice(entryIndex, 1);\n  }\n  /**\n   * Get the list of registered entries\n   *\n   * @param {Folder} context the creation context. Usually the current folder\n   */\n  getEntries(context) {\n    if (context) {\n      return this._entries.filter((entry) => typeof entry.enabled === \"function\" ? entry.enabled(context) : true);\n    }\n    return this._entries;\n  }\n  getEntryIndex(id) {\n    return this._entries.findIndex((entry) => entry.id === id);\n  }\n  validateEntry(entry) {\n    if (!entry.id || !entry.displayName || !(entry.iconSvgInline || entry.iconClass) || !entry.handler) {\n      throw new Error(\"Invalid entry\");\n    }\n    if (typeof entry.id !== \"string\" || typeof entry.displayName !== \"string\") {\n      throw new Error(\"Invalid id or displayName property\");\n    }\n    if (entry.iconClass && typeof entry.iconClass !== \"string\" || entry.iconSvgInline && typeof entry.iconSvgInline !== \"string\") {\n      throw new Error(\"Invalid icon provided\");\n    }\n    if (entry.enabled !== void 0 && typeof entry.enabled !== \"function\") {\n      throw new Error(\"Invalid enabled property\");\n    }\n    if (typeof entry.handler !== \"function\") {\n      throw new Error(\"Invalid handler property\");\n    }\n    if (\"order\" in entry && typeof entry.order !== \"number\") {\n      throw new Error(\"Invalid order property\");\n    }\n    if (this.getEntryIndex(entry.id) !== -1) {\n      throw new Error(\"Duplicate entry\");\n    }\n  }\n}\nconst getNewFileMenu = function() {\n  if (typeof window._nc_newfilemenu === \"undefined\") {\n    window._nc_newfilemenu = new NewFileMenu();\n    logger.debug(\"NewFileMenu initialized\");\n  }\n  return window._nc_newfilemenu;\n};\nvar DefaultType = /* @__PURE__ */ ((DefaultType2) => {\n  DefaultType2[\"DEFAULT\"] = \"default\";\n  DefaultType2[\"HIDDEN\"] = \"hidden\";\n  return DefaultType2;\n})(DefaultType || {});\nclass FileAction {\n  _action;\n  constructor(action) {\n    this.validateAction(action);\n    this._action = action;\n  }\n  get id() {\n    return this._action.id;\n  }\n  get displayName() {\n    return this._action.displayName;\n  }\n  get title() {\n    return this._action.title;\n  }\n  get iconSvgInline() {\n    return this._action.iconSvgInline;\n  }\n  get enabled() {\n    return this._action.enabled;\n  }\n  get exec() {\n    return this._action.exec;\n  }\n  get execBatch() {\n    return this._action.execBatch;\n  }\n  get order() {\n    return this._action.order;\n  }\n  get parent() {\n    return this._action.parent;\n  }\n  get default() {\n    return this._action.default;\n  }\n  get inline() {\n    return this._action.inline;\n  }\n  get renderInline() {\n    return this._action.renderInline;\n  }\n  validateAction(action) {\n    if (!action.id || typeof action.id !== \"string\") {\n      throw new Error(\"Invalid id\");\n    }\n    if (!action.displayName || typeof action.displayName !== \"function\") {\n      throw new Error(\"Invalid displayName function\");\n    }\n    if (\"title\" in action && typeof action.title !== \"function\") {\n      throw new Error(\"Invalid title function\");\n    }\n    if (!action.iconSvgInline || typeof action.iconSvgInline !== \"function\") {\n      throw new Error(\"Invalid iconSvgInline function\");\n    }\n    if (!action.exec || typeof action.exec !== \"function\") {\n      throw new Error(\"Invalid exec function\");\n    }\n    if (\"enabled\" in action && typeof action.enabled !== \"function\") {\n      throw new Error(\"Invalid enabled function\");\n    }\n    if (\"execBatch\" in action && typeof action.execBatch !== \"function\") {\n      throw new Error(\"Invalid execBatch function\");\n    }\n    if (\"order\" in action && typeof action.order !== \"number\") {\n      throw new Error(\"Invalid order\");\n    }\n    if (\"parent\" in action && typeof action.parent !== \"string\") {\n      throw new Error(\"Invalid parent\");\n    }\n    if (action.default && !Object.values(DefaultType).includes(action.default)) {\n      throw new Error(\"Invalid default\");\n    }\n    if (\"inline\" in action && typeof action.inline !== \"function\") {\n      throw new Error(\"Invalid inline function\");\n    }\n    if (\"renderInline\" in action && typeof action.renderInline !== \"function\") {\n      throw new Error(\"Invalid renderInline function\");\n    }\n  }\n}\nconst registerFileAction = function(action) {\n  if (typeof window._nc_fileactions === \"undefined\") {\n    window._nc_fileactions = [];\n    logger.debug(\"FileActions initialized\");\n  }\n  if (window._nc_fileactions.find((search) => search.id === action.id)) {\n    logger.error(`FileAction ${action.id} already registered`, { action });\n    return;\n  }\n  window._nc_fileactions.push(action);\n};\nconst getFileActions = function() {\n  if (typeof window._nc_fileactions === \"undefined\") {\n    window._nc_fileactions = [];\n    logger.debug(\"FileActions initialized\");\n  }\n  return window._nc_fileactions;\n};\nclass Header {\n  _header;\n  constructor(header) {\n    this.validateHeader(header);\n    this._header = header;\n  }\n  get id() {\n    return this._header.id;\n  }\n  get order() {\n    return this._header.order;\n  }\n  get enabled() {\n    return this._header.enabled;\n  }\n  get render() {\n    return this._header.render;\n  }\n  get updated() {\n    return this._header.updated;\n  }\n  validateHeader(header) {\n    if (!header.id || !header.render || !header.updated) {\n      throw new Error(\"Invalid header: id, render and updated are required\");\n    }\n    if (typeof header.id !== \"string\") {\n      throw new Error(\"Invalid id property\");\n    }\n    if (header.enabled !== void 0 && typeof header.enabled !== \"function\") {\n      throw new Error(\"Invalid enabled property\");\n    }\n    if (header.render && typeof header.render !== \"function\") {\n      throw new Error(\"Invalid render property\");\n    }\n    if (header.updated && typeof header.updated !== \"function\") {\n      throw new Error(\"Invalid updated property\");\n    }\n  }\n}\nconst registerFileListHeaders = function(header) {\n  if (typeof window._nc_filelistheader === \"undefined\") {\n    window._nc_filelistheader = [];\n    logger.debug(\"FileListHeaders initialized\");\n  }\n  if (window._nc_filelistheader.find((search) => search.id === header.id)) {\n    logger.error(`Header ${header.id} already registered`, { header });\n    return;\n  }\n  window._nc_filelistheader.push(header);\n};\nconst getFileListHeaders = function() {\n  if (typeof window._nc_filelistheader === \"undefined\") {\n    window._nc_filelistheader = [];\n    logger.debug(\"FileListHeaders initialized\");\n  }\n  return window._nc_filelistheader;\n};\nvar Permission = /* @__PURE__ */ ((Permission2) => {\n  Permission2[Permission2[\"NONE\"] = 0] = \"NONE\";\n  Permission2[Permission2[\"CREATE\"] = 4] = \"CREATE\";\n  Permission2[Permission2[\"READ\"] = 1] = \"READ\";\n  Permission2[Permission2[\"UPDATE\"] = 2] = \"UPDATE\";\n  Permission2[Permission2[\"DELETE\"] = 8] = \"DELETE\";\n  Permission2[Permission2[\"SHARE\"] = 16] = \"SHARE\";\n  Permission2[Permission2[\"ALL\"] = 31] = \"ALL\";\n  return Permission2;\n})(Permission || {});\nconst defaultDavProperties = [\n  \"d:getcontentlength\",\n  \"d:getcontenttype\",\n  \"d:getetag\",\n  \"d:getlastmodified\",\n  \"d:creationdate\",\n  \"d:displayname\",\n  \"d:quota-available-bytes\",\n  \"d:resourcetype\",\n  \"nc:has-preview\",\n  \"nc:is-encrypted\",\n  \"nc:mount-type\",\n  \"oc:comments-unread\",\n  \"oc:favorite\",\n  \"oc:fileid\",\n  \"oc:owner-display-name\",\n  \"oc:owner-id\",\n  \"oc:permissions\",\n  \"oc:size\"\n];\nconst defaultDavNamespaces = {\n  d: \"DAV:\",\n  nc: \"http://nextcloud.org/ns\",\n  oc: \"http://owncloud.org/ns\",\n  ocs: \"http://open-collaboration-services.org/ns\"\n};\nconst registerDavProperty = function(prop, namespace = { nc: \"http://nextcloud.org/ns\" }) {\n  if (typeof window._nc_dav_properties === \"undefined\") {\n    window._nc_dav_properties = [...defaultDavProperties];\n    window._nc_dav_namespaces = { ...defaultDavNamespaces };\n  }\n  const namespaces = { ...window._nc_dav_namespaces, ...namespace };\n  if (window._nc_dav_properties.find((search) => search === prop)) {\n    logger.warn(`${prop} already registered`, { prop });\n    return false;\n  }\n  if (prop.startsWith(\"<\") || prop.split(\":\").length !== 2) {\n    logger.error(`${prop} is not valid. See example: 'oc:fileid'`, { prop });\n    return false;\n  }\n  const ns = prop.split(\":\")[0];\n  if (!namespaces[ns]) {\n    logger.error(`${prop} namespace unknown`, { prop, namespaces });\n    return false;\n  }\n  window._nc_dav_properties.push(prop);\n  window._nc_dav_namespaces = namespaces;\n  return true;\n};\nconst getDavProperties = function() {\n  if (typeof window._nc_dav_properties === \"undefined\") {\n    window._nc_dav_properties = [...defaultDavProperties];\n  }\n  return window._nc_dav_properties.map((prop) => `<${prop} />`).join(\" \");\n};\nconst getDavNameSpaces = function() {\n  if (typeof window._nc_dav_namespaces === \"undefined\") {\n    window._nc_dav_namespaces = { ...defaultDavNamespaces };\n  }\n  return Object.keys(window._nc_dav_namespaces).map((ns) => `xmlns:${ns}=\"${window._nc_dav_namespaces?.[ns]}\"`).join(\" \");\n};\nconst davGetDefaultPropfind = function() {\n  return `<?xml version=\"1.0\"?>\n\t\t<d:propfind ${getDavNameSpaces()}>\n\t\t\t<d:prop>\n\t\t\t\t${getDavProperties()}\n\t\t\t</d:prop>\n\t\t</d:propfind>`;\n};\nconst davGetFavoritesReport = function() {\n  return `<?xml version=\"1.0\"?>\n\t\t<oc:filter-files ${getDavNameSpaces()}>\n\t\t\t<d:prop>\n\t\t\t\t${getDavProperties()}\n\t\t\t</d:prop>\n\t\t\t<oc:filter-rules>\n\t\t\t\t<oc:favorite>1</oc:favorite>\n\t\t\t</oc:filter-rules>\n\t\t</oc:filter-files>`;\n};\nconst davGetRecentSearch = function(lastModified) {\n  return `<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n<d:searchrequest ${getDavNameSpaces()}\n\txmlns:ns=\"https://github.com/icewind1991/SearchDAV/ns\">\n\t<d:basicsearch>\n\t\t<d:select>\n\t\t\t<d:prop>\n\t\t\t\t${getDavProperties()}\n\t\t\t</d:prop>\n\t\t</d:select>\n\t\t<d:from>\n\t\t\t<d:scope>\n\t\t\t\t<d:href>/files/${getCurrentUser()?.uid}/</d:href>\n\t\t\t\t<d:depth>infinity</d:depth>\n\t\t\t</d:scope>\n\t\t</d:from>\n\t\t<d:where>\n\t\t\t<d:and>\n\t\t\t\t<d:or>\n\t\t\t\t\t<d:not>\n\t\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t\t<d:getcontenttype/>\n\t\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t\t<d:literal>httpd/unix-directory</d:literal>\n\t\t\t\t\t\t</d:eq>\n\t\t\t\t\t</d:not>\n\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t<oc:size/>\n\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t<d:literal>0</d:literal>\n\t\t\t\t\t</d:eq>\n\t\t\t\t</d:or>\n\t\t\t\t<d:gt>\n\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t\t</d:prop>\n\t\t\t\t\t<d:literal>${lastModified}</d:literal>\n\t\t\t\t</d:gt>\n\t\t\t</d:and>\n\t\t</d:where>\n\t\t<d:orderby>\n\t\t\t<d:order>\n\t\t\t\t<d:prop>\n\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t</d:prop>\n\t\t\t\t<d:descending/>\n\t\t\t</d:order>\n\t\t</d:orderby>\n\t\t<d:limit>\n\t\t\t<d:nresults>100</d:nresults>\n\t\t\t<ns:firstresult>0</ns:firstresult>\n\t\t</d:limit>\n\t</d:basicsearch>\n</d:searchrequest>`;\n};\nconst davParsePermissions = function(permString = \"\") {\n  let permissions = Permission.NONE;\n  if (!permString) {\n    return permissions;\n  }\n  if (permString.includes(\"C\") || permString.includes(\"K\")) {\n    permissions |= Permission.CREATE;\n  }\n  if (permString.includes(\"G\")) {\n    permissions |= Permission.READ;\n  }\n  if (permString.includes(\"W\") || permString.includes(\"N\") || permString.includes(\"V\")) {\n    permissions |= Permission.UPDATE;\n  }\n  if (permString.includes(\"D\")) {\n    permissions |= Permission.DELETE;\n  }\n  if (permString.includes(\"R\")) {\n    permissions |= Permission.SHARE;\n  }\n  return permissions;\n};\nvar FileType = /* @__PURE__ */ ((FileType2) => {\n  FileType2[\"Folder\"] = \"folder\";\n  FileType2[\"File\"] = \"file\";\n  return FileType2;\n})(FileType || {});\nconst isDavRessource = function(source, davService) {\n  return source.match(davService) !== null;\n};\nconst validateData = (data, davService) => {\n  if (data.id && typeof data.id !== \"number\") {\n    throw new Error(\"Invalid id type of value\");\n  }\n  if (!data.source) {\n    throw new Error(\"Missing mandatory source\");\n  }\n  try {\n    new URL(data.source);\n  } catch (e) {\n    throw new Error(\"Invalid source format, source must be a valid URL\");\n  }\n  if (!data.source.startsWith(\"http\")) {\n    throw new Error(\"Invalid source format, only http(s) is supported\");\n  }\n  if (data.displayname && typeof data.displayname !== \"string\") {\n    throw new Error(\"Invalid displayname type\");\n  }\n  if (data.mtime && !(data.mtime instanceof Date)) {\n    throw new Error(\"Invalid mtime type\");\n  }\n  if (data.crtime && !(data.crtime instanceof Date)) {\n    throw new Error(\"Invalid crtime type\");\n  }\n  if (!data.mime || typeof data.mime !== \"string\" || !data.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi)) {\n    throw new Error(\"Missing or invalid mandatory mime\");\n  }\n  if (\"size\" in data && typeof data.size !== \"number\" && data.size !== void 0) {\n    throw new Error(\"Invalid size type\");\n  }\n  if (\"permissions\" in data && data.permissions !== void 0 && !(typeof data.permissions === \"number\" && data.permissions >= Permission.NONE && data.permissions <= Permission.ALL)) {\n    throw new Error(\"Invalid permissions\");\n  }\n  if (data.owner && data.owner !== null && typeof data.owner !== \"string\") {\n    throw new Error(\"Invalid owner type\");\n  }\n  if (data.attributes && typeof data.attributes !== \"object\") {\n    throw new Error(\"Invalid attributes type\");\n  }\n  if (data.root && typeof data.root !== \"string\") {\n    throw new Error(\"Invalid root type\");\n  }\n  if (data.root && !data.root.startsWith(\"/\")) {\n    throw new Error(\"Root must start with a leading slash\");\n  }\n  if (data.root && !data.source.includes(data.root)) {\n    throw new Error(\"Root must be part of the source\");\n  }\n  if (data.root && isDavRessource(data.source, davService)) {\n    const service = data.source.match(davService)[0];\n    if (!data.source.includes(join(service, data.root))) {\n      throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n    }\n  }\n  if (data.status && !Object.values(NodeStatus).includes(data.status)) {\n    throw new Error(\"Status must be a valid NodeStatus\");\n  }\n};\nvar NodeStatus = /* @__PURE__ */ ((NodeStatus2) => {\n  NodeStatus2[\"NEW\"] = \"new\";\n  NodeStatus2[\"FAILED\"] = \"failed\";\n  NodeStatus2[\"LOADING\"] = \"loading\";\n  NodeStatus2[\"LOCKED\"] = \"locked\";\n  return NodeStatus2;\n})(NodeStatus || {});\nclass Node {\n  _data;\n  _attributes;\n  _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n  readonlyAttributes = Object.entries(Object.getOwnPropertyDescriptors(Node.prototype)).filter((e) => typeof e[1].get === \"function\" && e[0] !== \"__proto__\").map((e) => e[0]);\n  handler = {\n    set: (target, prop, value) => {\n      if (this.readonlyAttributes.includes(prop)) {\n        return false;\n      }\n      return Reflect.set(target, prop, value);\n    },\n    deleteProperty: (target, prop) => {\n      if (this.readonlyAttributes.includes(prop)) {\n        return false;\n      }\n      return Reflect.deleteProperty(target, prop);\n    },\n    // TODO: This is deprecated and only needed for files v3\n    get: (target, prop, receiver) => {\n      if (this.readonlyAttributes.includes(prop)) {\n        logger.warn(`Accessing \"Node.attributes.${prop}\" is deprecated, access it directly on the Node instance.`);\n        return Reflect.get(this, prop);\n      }\n      return Reflect.get(target, prop, receiver);\n    }\n  };\n  constructor(data, davService) {\n    validateData(data, davService || this._knownDavService);\n    this._data = {\n      // TODO: Remove with next major release, this is just for compatibility\n      displayname: data.attributes?.displayname,\n      ...data,\n      attributes: {}\n    };\n    this._attributes = new Proxy(this._data.attributes, this.handler);\n    this.update(data.attributes ?? {});\n    if (davService) {\n      this._knownDavService = davService;\n    }\n  }\n  /**\n   * Get the source url to this object\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get source() {\n    return this._data.source.replace(/\\/$/i, \"\");\n  }\n  /**\n   * Get the encoded source url to this object for requests purposes\n   */\n  get encodedSource() {\n    const { origin } = new URL(this.source);\n    return origin + encodePath(this.source.slice(origin.length));\n  }\n  /**\n   * Get this object name\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get basename() {\n    return basename(this.source);\n  }\n  /**\n   * The nodes displayname\n   * By default the display name and the `basename` are identical,\n   * but it is possible to have a different name. This happens\n   * on the files app for example for shared folders.\n   */\n  get displayname() {\n    return this._data.displayname || this.basename;\n  }\n  /**\n   * Set the displayname\n   */\n  set displayname(displayname) {\n    this._data.displayname = displayname;\n  }\n  /**\n   * Get this object's extension\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get extension() {\n    return extname(this.source);\n  }\n  /**\n   * Get the directory path leading to this object\n   * Will use the relative path to root if available\n   *\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get dirname() {\n    if (this.root) {\n      let source = this.source;\n      if (this.isDavRessource) {\n        source = source.split(this._knownDavService).pop();\n      }\n      const firstMatch = source.indexOf(this.root);\n      const root = this.root.replace(/\\/$/, \"\");\n      return dirname(source.slice(firstMatch + root.length) || \"/\");\n    }\n    const url = new URL(this.source);\n    return dirname(url.pathname);\n  }\n  /**\n   * Get the file mime\n   * There is no setter as the mime is not meant to be changed\n   */\n  get mime() {\n    return this._data.mime;\n  }\n  /**\n   * Get the file modification time\n   */\n  get mtime() {\n    return this._data.mtime;\n  }\n  /**\n   * Set the file modification time\n   */\n  set mtime(mtime) {\n    this._data.mtime = mtime;\n  }\n  /**\n   * Get the file creation time\n   * There is no setter as the creation time is not meant to be changed\n   */\n  get crtime() {\n    return this._data.crtime;\n  }\n  /**\n   * Get the file size\n   */\n  get size() {\n    return this._data.size;\n  }\n  /**\n   * Set the file size\n   */\n  set size(size) {\n    this.updateMtime();\n    this._data.size = size;\n  }\n  /**\n   * Get the file attribute\n   * This contains all additional attributes not provided by the Node class\n   */\n  get attributes() {\n    return this._attributes;\n  }\n  /**\n   * Get the file permissions\n   */\n  get permissions() {\n    if (this.owner === null && !this.isDavRessource) {\n      return Permission.READ;\n    }\n    return this._data.permissions !== void 0 ? this._data.permissions : Permission.NONE;\n  }\n  /**\n   * Set the file permissions\n   */\n  set permissions(permissions) {\n    this.updateMtime();\n    this._data.permissions = permissions;\n  }\n  /**\n   * Get the file owner\n   * There is no setter as the owner is not meant to be changed\n   */\n  get owner() {\n    if (!this.isDavRessource) {\n      return null;\n    }\n    return this._data.owner;\n  }\n  /**\n   * Is this a dav-related ressource ?\n   */\n  get isDavRessource() {\n    return isDavRessource(this.source, this._knownDavService);\n  }\n  /**\n   * Get the dav root of this object\n   * There is no setter as the root is not meant to be changed\n   */\n  get root() {\n    if (this._data.root) {\n      return this._data.root.replace(/^(.+)\\/$/, \"$1\");\n    }\n    if (this.isDavRessource) {\n      const root = dirname(this.source);\n      return root.split(this._knownDavService).pop() || null;\n    }\n    return null;\n  }\n  /**\n   * Get the absolute path of this object relative to the root\n   */\n  get path() {\n    if (this.root) {\n      let source = this.source;\n      if (this.isDavRessource) {\n        source = source.split(this._knownDavService).pop();\n      }\n      const firstMatch = source.indexOf(this.root);\n      const root = this.root.replace(/\\/$/, \"\");\n      return source.slice(firstMatch + root.length) || \"/\";\n    }\n    return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n  }\n  /**\n   * Get the node id if defined.\n   * There is no setter as the fileid is not meant to be changed\n   */\n  get fileid() {\n    return this._data?.id;\n  }\n  /**\n   * Get the node status.\n   */\n  get status() {\n    return this._data?.status;\n  }\n  /**\n   * Set the node status.\n   */\n  set status(status) {\n    this._data.status = status;\n  }\n  /**\n   * Move the node to a new destination\n   *\n   * @param {string} destination the new source.\n   * e.g. https://cloud.domain.com/remote.php/dav/files/emma/Photos/picture.jpg\n   */\n  move(destination) {\n    validateData({ ...this._data, source: destination }, this._knownDavService);\n    const oldBasename = this.basename;\n    this._data.source = destination;\n    if (this.displayname === oldBasename && this.basename !== oldBasename) {\n      this.displayname = this.basename;\n    }\n    this.updateMtime();\n  }\n  /**\n   * Rename the node\n   * This aliases the move method for easier usage\n   *\n   * @param basename The new name of the node\n   */\n  rename(basename2) {\n    if (basename2.includes(\"/\")) {\n      throw new Error(\"Invalid basename\");\n    }\n    this.move(dirname(this.source) + \"/\" + basename2);\n  }\n  /**\n   * Update the mtime if exists\n   */\n  updateMtime() {\n    if (this._data.mtime) {\n      this._data.mtime = /* @__PURE__ */ new Date();\n    }\n  }\n  /**\n   * Update the attributes of the node\n   * Warning, updating attributes will NOT automatically update the mtime.\n   *\n   * @param attributes The new attributes to update on the Node attributes\n   */\n  update(attributes) {\n    for (const [name, value] of Object.entries(attributes)) {\n      try {\n        if (value === void 0) {\n          delete this.attributes[name];\n        } else {\n          this.attributes[name] = value;\n        }\n      } catch (e) {\n        if (e instanceof TypeError) {\n          continue;\n        }\n        throw e;\n      }\n    }\n  }\n}\nclass File extends Node {\n  get type() {\n    return FileType.File;\n  }\n}\nclass Folder extends Node {\n  constructor(data) {\n    super({\n      ...data,\n      mime: \"httpd/unix-directory\"\n    });\n  }\n  get type() {\n    return FileType.Folder;\n  }\n  get extension() {\n    return null;\n  }\n  get mime() {\n    return \"httpd/unix-directory\";\n  }\n}\nfunction davGetRootPath() {\n  if (isPublicShare()) {\n    return `/files/${getSharingToken()}`;\n  }\n  return `/files/${getCurrentUser()?.uid}`;\n}\nconst davRootPath = davGetRootPath();\nfunction davGetRemoteURL() {\n  const url = generateRemoteUrl(\"dav\");\n  if (isPublicShare()) {\n    return url.replace(\"remote.php\", \"public.php\");\n  }\n  return url;\n}\nconst davRemoteURL = davGetRemoteURL();\nconst davGetClient = function(remoteURL = davRemoteURL, headers = {}) {\n  const client = createClient(remoteURL, { headers });\n  function setHeaders(token) {\n    client.setHeaders({\n      ...headers,\n      // Add this so the server knows it is an request from the browser\n      \"X-Requested-With\": \"XMLHttpRequest\",\n      // Inject user auth\n      requesttoken: token ?? \"\"\n    });\n  }\n  onRequestTokenUpdate(setHeaders);\n  setHeaders(getRequestToken());\n  const patcher = getPatcher();\n  patcher.patch(\"fetch\", (url, options) => {\n    const headers2 = options.headers;\n    if (headers2?.method) {\n      options.method = headers2.method;\n      delete headers2.method;\n    }\n    return fetch(url, options);\n  });\n  return client;\n};\nconst getFavoriteNodes = (davClient, path = \"/\", davRoot = davRootPath) => {\n  const controller = new AbortController();\n  return new CancelablePromise(async (resolve, reject, onCancel) => {\n    onCancel(() => controller.abort());\n    try {\n      const contentsResponse = await davClient.getDirectoryContents(`${davRoot}${path}`, {\n        signal: controller.signal,\n        details: true,\n        data: davGetFavoritesReport(),\n        headers: {\n          // see davGetClient for patched webdav client\n          method: \"REPORT\"\n        },\n        includeSelf: true\n      });\n      const nodes = contentsResponse.data.filter((node) => node.filename !== path).map((result) => davResultToNode(result, davRoot));\n      resolve(nodes);\n    } catch (error) {\n      reject(error);\n    }\n  });\n};\nconst davResultToNode = function(node, filesRoot = davRootPath, remoteURL = davRemoteURL) {\n  let userId = getCurrentUser()?.uid;\n  if (isPublicShare()) {\n    userId = userId ?? \"anonymous\";\n  } else if (!userId) {\n    throw new Error(\"No user id found\");\n  }\n  const props = node.props;\n  const permissions = davParsePermissions(props?.permissions);\n  const owner = String(props?.[\"owner-id\"] || userId);\n  const id = props.fileid || 0;\n  const nodeData = {\n    id,\n    source: `${remoteURL}${node.filename}`,\n    mtime: new Date(Date.parse(node.lastmod)),\n    mime: node.mime || \"application/octet-stream\",\n    // Manually cast to work around for https://github.com/perry-mitchell/webdav-client/pull/380\n    displayname: props.displayname !== void 0 ? String(props.displayname) : void 0,\n    size: props?.size || Number.parseInt(props.getcontentlength || \"0\"),\n    // The fileid is set to -1 for failed requests\n    status: id < 0 ? NodeStatus.FAILED : void 0,\n    permissions,\n    owner,\n    root: filesRoot,\n    attributes: {\n      ...node,\n      ...props,\n      hasPreview: props?.[\"has-preview\"]\n    }\n  };\n  delete nodeData.attributes?.props;\n  return node.type === \"file\" ? new File(nodeData) : new Folder(nodeData);\n};\nvar InvalidFilenameErrorReason = /* @__PURE__ */ ((InvalidFilenameErrorReason2) => {\n  InvalidFilenameErrorReason2[\"ReservedName\"] = \"reserved name\";\n  InvalidFilenameErrorReason2[\"Character\"] = \"character\";\n  InvalidFilenameErrorReason2[\"Extension\"] = \"extension\";\n  return InvalidFilenameErrorReason2;\n})(InvalidFilenameErrorReason || {});\nclass InvalidFilenameError extends Error {\n  constructor(options) {\n    super(`Invalid ${options.reason} '${options.segment}' in filename '${options.filename}'`, { cause: options });\n  }\n  /**\n   * The filename that was validated\n   */\n  get filename() {\n    return this.cause.filename;\n  }\n  /**\n   * Reason why the validation failed\n   */\n  get reason() {\n    return this.cause.reason;\n  }\n  /**\n   * Part of the filename that caused this error\n   */\n  get segment() {\n    return this.cause.segment;\n  }\n}\nfunction validateFilename(filename) {\n  const capabilities = getCapabilities().files;\n  const forbiddenCharacters = capabilities.forbidden_filename_characters ?? window._oc_config?.forbidden_filenames_characters ?? [\"/\", \"\\\\\"];\n  for (const character of forbiddenCharacters) {\n    if (filename.includes(character)) {\n      throw new InvalidFilenameError({ segment: character, reason: \"character\", filename });\n    }\n  }\n  filename = filename.toLocaleLowerCase();\n  const forbiddenFilenames = capabilities.forbidden_filenames ?? [\".htaccess\"];\n  if (forbiddenFilenames.includes(filename)) {\n    throw new InvalidFilenameError({\n      filename,\n      segment: filename,\n      reason: \"reserved name\"\n      /* ReservedName */\n    });\n  }\n  const endOfBasename = filename.indexOf(\".\", 1);\n  const basename2 = filename.substring(0, endOfBasename === -1 ? void 0 : endOfBasename);\n  const forbiddenFilenameBasenames = capabilities.forbidden_filename_basenames ?? [];\n  if (forbiddenFilenameBasenames.includes(basename2)) {\n    throw new InvalidFilenameError({\n      filename,\n      segment: basename2,\n      reason: \"reserved name\"\n      /* ReservedName */\n    });\n  }\n  const forbiddenFilenameExtensions = capabilities.forbidden_filename_extensions ?? [\".part\", \".filepart\"];\n  for (const extension of forbiddenFilenameExtensions) {\n    if (filename.length > extension.length && filename.endsWith(extension)) {\n      throw new InvalidFilenameError({ segment: extension, reason: \"extension\", filename });\n    }\n  }\n}\nfunction isFilenameValid(filename) {\n  try {\n    validateFilename(filename);\n    return true;\n  } catch (error) {\n    if (error instanceof InvalidFilenameError) {\n      return false;\n    }\n    throw error;\n  }\n}\nfunction getUniqueName(name, otherNames, options) {\n  const opts = {\n    suffix: (n) => `(${n})`,\n    ignoreFileExtension: false,\n    ...options\n  };\n  let newName = name;\n  let i = 1;\n  while (otherNames.includes(newName)) {\n    const ext = opts.ignoreFileExtension ? \"\" : extname(name);\n    const base = basename(name, ext);\n    newName = `${base} ${opts.suffix(i++)}${ext}`;\n  }\n  return newName;\n}\nconst humanList = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"];\nconst humanListBinary = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction formatFileSize(size, skipSmallSizes = false, binaryPrefixes = false, base1000 = false) {\n  binaryPrefixes = binaryPrefixes && !base1000;\n  if (typeof size === \"string\") {\n    size = Number(size);\n  }\n  let order = size > 0 ? Math.floor(Math.log(size) / Math.log(base1000 ? 1e3 : 1024)) : 0;\n  order = Math.min((binaryPrefixes ? humanListBinary.length : humanList.length) - 1, order);\n  const readableFormat = binaryPrefixes ? humanListBinary[order] : humanList[order];\n  let relativeSize = (size / Math.pow(base1000 ? 1e3 : 1024, order)).toFixed(1);\n  if (skipSmallSizes === true && order === 0) {\n    return (relativeSize !== \"0.0\" ? \"< 1 \" : \"0 \") + (binaryPrefixes ? humanListBinary[1] : humanList[1]);\n  }\n  if (order < 2) {\n    relativeSize = parseFloat(relativeSize).toFixed(0);\n  } else {\n    relativeSize = parseFloat(relativeSize).toLocaleString(getCanonicalLocale());\n  }\n  return relativeSize + \" \" + readableFormat;\n}\nfunction parseFileSize(value, forceBinary = false) {\n  try {\n    value = `${value}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n  } catch (e) {\n    return null;\n  }\n  const match = value.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n  if (match === null || match[1] === \".\" || match[1] === \"\") {\n    return null;\n  }\n  const bytesArray = {\n    \"\": 0,\n    k: 1,\n    m: 2,\n    g: 3,\n    t: 4,\n    p: 5,\n    e: 6\n  };\n  const decimalString = `${match[1]}`;\n  const base = match[4] === \"i\" || forceBinary ? 1024 : 1e3;\n  return Math.round(Number.parseFloat(decimalString) * base ** bytesArray[match[3]]);\n}\nfunction stringify(value) {\n  if (value instanceof Date) {\n    return value.toISOString();\n  }\n  return String(value);\n}\nfunction orderBy(collection, identifiers2, orders) {\n  identifiers2 = identifiers2 ?? [(value) => value];\n  orders = orders ?? [];\n  const sorting = identifiers2.map((_, index) => (orders[index] ?? \"asc\") === \"asc\" ? 1 : -1);\n  const collator = Intl.Collator(\n    [getLanguage(), getCanonicalLocale()],\n    {\n      // handle 10 as ten and not as one-zero\n      numeric: true,\n      usage: \"sort\"\n    }\n  );\n  return [...collection].sort((a, b) => {\n    for (const [index, identifier] of identifiers2.entries()) {\n      const value = collator.compare(stringify(identifier(a)), stringify(identifier(b)));\n      if (value !== 0) {\n        return value * sorting[index];\n      }\n    }\n    return 0;\n  });\n}\nvar FilesSortingMode = /* @__PURE__ */ ((FilesSortingMode2) => {\n  FilesSortingMode2[\"Name\"] = \"basename\";\n  FilesSortingMode2[\"Modified\"] = \"mtime\";\n  FilesSortingMode2[\"Size\"] = \"size\";\n  return FilesSortingMode2;\n})(FilesSortingMode || {});\nfunction sortNodes(nodes, options = {}) {\n  const sortingOptions = {\n    // Default to sort by name\n    sortingMode: \"basename\",\n    // Default to sort ascending\n    sortingOrder: \"asc\",\n    ...options\n  };\n  const basename2 = (name) => name.lastIndexOf(\".\") > 0 ? name.slice(0, name.lastIndexOf(\".\")) : name;\n  const identifiers2 = [\n    // 1: Sort favorites first if enabled\n    ...sortingOptions.sortFavoritesFirst ? [(v) => v.attributes?.favorite !== 1] : [],\n    // 2: Sort folders first if sorting by name\n    ...sortingOptions.sortFoldersFirst ? [(v) => v.type !== \"folder\"] : [],\n    // 3: Use sorting mode if NOT basename (to be able to use display name too)\n    ...sortingOptions.sortingMode !== \"basename\" ? [(v) => v[sortingOptions.sortingMode]] : [],\n    // 4: Use display name if available, fallback to name\n    (v) => basename2(v.attributes?.displayname || v.basename),\n    // 5: Finally, use basename if all previous sorting methods failed\n    (v) => v.basename\n  ];\n  const orders = [\n    // (for 1): always sort favorites before normal files\n    ...sortingOptions.sortFavoritesFirst ? [\"asc\"] : [],\n    // (for 2): always sort folders before files\n    ...sortingOptions.sortFoldersFirst ? [\"asc\"] : [],\n    // (for 3): Reverse if sorting by mtime as mtime higher means edited more recent -> lower\n    ...sortingOptions.sortingMode === \"mtime\" ? [sortingOptions.sortingOrder === \"asc\" ? \"desc\" : \"asc\"] : [],\n    // (also for 3 so make sure not to conflict with 2 and 3)\n    ...sortingOptions.sortingMode !== \"mtime\" && sortingOptions.sortingMode !== \"basename\" ? [sortingOptions.sortingOrder] : [],\n    // for 4: use configured sorting direction\n    sortingOptions.sortingOrder,\n    // for 5: use configured sorting direction\n    sortingOptions.sortingOrder\n  ];\n  return orderBy(nodes, identifiers2, orders);\n}\nclass Navigation extends TypedEventTarget {\n  _views = [];\n  _currentView = null;\n  /**\n   * Register a new view on the navigation\n   * @param view The view to register\n   * @throws `Error` is thrown if a view with the same id is already registered\n   */\n  register(view) {\n    if (this._views.find((search) => search.id === view.id)) {\n      throw new Error(`View id ${view.id} is already registered`);\n    }\n    this._views.push(view);\n    this.dispatchTypedEvent(\"update\", new CustomEvent(\"update\"));\n  }\n  /**\n   * Remove a registered view\n   * @param id The id of the view to remove\n   */\n  remove(id) {\n    const index = this._views.findIndex((view) => view.id === id);\n    if (index !== -1) {\n      this._views.splice(index, 1);\n      this.dispatchTypedEvent(\"update\", new CustomEvent(\"update\"));\n    }\n  }\n  /**\n   * Set the currently active view\n   * @fires UpdateActiveViewEvent\n   * @param view New active view\n   */\n  setActive(view) {\n    this._currentView = view;\n    const event = new CustomEvent(\"updateActive\", { detail: view });\n    this.dispatchTypedEvent(\"updateActive\", event);\n  }\n  /**\n   * The currently active files view\n   */\n  get active() {\n    return this._currentView;\n  }\n  /**\n   * All registered views\n   */\n  get views() {\n    return this._views;\n  }\n}\nconst getNavigation = function() {\n  if (typeof window._nc_navigation === \"undefined\") {\n    window._nc_navigation = new Navigation();\n    logger.debug(\"Navigation service initialized\");\n  }\n  return window._nc_navigation;\n};\nclass Column {\n  _column;\n  constructor(column) {\n    isValidColumn(column);\n    this._column = column;\n  }\n  get id() {\n    return this._column.id;\n  }\n  get title() {\n    return this._column.title;\n  }\n  get render() {\n    return this._column.render;\n  }\n  get sort() {\n    return this._column.sort;\n  }\n  get summary() {\n    return this._column.summary;\n  }\n}\nconst isValidColumn = function(column) {\n  if (!column.id || typeof column.id !== \"string\") {\n    throw new Error(\"A column id is required\");\n  }\n  if (!column.title || typeof column.title !== \"string\") {\n    throw new Error(\"A column title is required\");\n  }\n  if (!column.render || typeof column.render !== \"function\") {\n    throw new Error(\"A render function is required\");\n  }\n  if (column.sort && typeof column.sort !== \"function\") {\n    throw new Error(\"Column sortFunction must be a function\");\n  }\n  if (column.summary && typeof column.summary !== \"function\") {\n    throw new Error(\"Column summary must be a function\");\n  }\n  return true;\n};\nfunction getDefaultExportFromCjs(x) {\n  return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, \"default\") ? x[\"default\"] : x;\n}\nvar validator$2 = {};\nvar util$3 = {};\n(function(exports) {\n  const nameStartChar = \":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\";\n  const nameChar = nameStartChar + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\";\n  const nameRegexp = \"[\" + nameStartChar + \"][\" + nameChar + \"]*\";\n  const regexName = new RegExp(\"^\" + nameRegexp + \"$\");\n  const getAllMatches = function(string, regex) {\n    const matches = [];\n    let match = regex.exec(string);\n    while (match) {\n      const allmatches = [];\n      allmatches.startIndex = regex.lastIndex - match[0].length;\n      const len = match.length;\n      for (let index = 0; index < len; index++) {\n        allmatches.push(match[index]);\n      }\n      matches.push(allmatches);\n      match = regex.exec(string);\n    }\n    return matches;\n  };\n  const isName = function(string) {\n    const match = regexName.exec(string);\n    return !(match === null || typeof match === \"undefined\");\n  };\n  exports.isExist = function(v) {\n    return typeof v !== \"undefined\";\n  };\n  exports.isEmptyObject = function(obj) {\n    return Object.keys(obj).length === 0;\n  };\n  exports.merge = function(target, a, arrayMode) {\n    if (a) {\n      const keys = Object.keys(a);\n      const len = keys.length;\n      for (let i = 0; i < len; i++) {\n        if (arrayMode === \"strict\") {\n          target[keys[i]] = [a[keys[i]]];\n        } else {\n          target[keys[i]] = a[keys[i]];\n        }\n      }\n    }\n  };\n  exports.getValue = function(v) {\n    if (exports.isExist(v)) {\n      return v;\n    } else {\n      return \"\";\n    }\n  };\n  exports.isName = isName;\n  exports.getAllMatches = getAllMatches;\n  exports.nameRegexp = nameRegexp;\n})(util$3);\nconst util$2 = util$3;\nconst defaultOptions$2 = {\n  allowBooleanAttributes: false,\n  //A tag can have attributes without any value\n  unpairedTags: []\n};\nvalidator$2.validate = function(xmlData, options) {\n  options = Object.assign({}, defaultOptions$2, options);\n  const tags = [];\n  let tagFound = false;\n  let reachedRoot = false;\n  if (xmlData[0] === \"\\uFEFF\") {\n    xmlData = xmlData.substr(1);\n  }\n  for (let i = 0; i < xmlData.length; i++) {\n    if (xmlData[i] === \"<\" && xmlData[i + 1] === \"?\") {\n      i += 2;\n      i = readPI(xmlData, i);\n      if (i.err) return i;\n    } else if (xmlData[i] === \"<\") {\n      let tagStartPos = i;\n      i++;\n      if (xmlData[i] === \"!\") {\n        i = readCommentAndCDATA(xmlData, i);\n        continue;\n      } else {\n        let closingTag = false;\n        if (xmlData[i] === \"/\") {\n          closingTag = true;\n          i++;\n        }\n        let tagName = \"\";\n        for (; i < xmlData.length && xmlData[i] !== \">\" && xmlData[i] !== \" \" && xmlData[i] !== \"\t\" && xmlData[i] !== \"\\n\" && xmlData[i] !== \"\\r\"; i++) {\n          tagName += xmlData[i];\n        }\n        tagName = tagName.trim();\n        if (tagName[tagName.length - 1] === \"/\") {\n          tagName = tagName.substring(0, tagName.length - 1);\n          i--;\n        }\n        if (!validateTagName(tagName)) {\n          let msg;\n          if (tagName.trim().length === 0) {\n            msg = \"Invalid space after '<'.\";\n          } else {\n            msg = \"Tag '\" + tagName + \"' is an invalid name.\";\n          }\n          return getErrorObject(\"InvalidTag\", msg, getLineNumberForPosition(xmlData, i));\n        }\n        const result = readAttributeStr(xmlData, i);\n        if (result === false) {\n          return getErrorObject(\"InvalidAttr\", \"Attributes for '\" + tagName + \"' have open quote.\", getLineNumberForPosition(xmlData, i));\n        }\n        let attrStr = result.value;\n        i = result.index;\n        if (attrStr[attrStr.length - 1] === \"/\") {\n          const attrStrStart = i - attrStr.length;\n          attrStr = attrStr.substring(0, attrStr.length - 1);\n          const isValid = validateAttributeString(attrStr, options);\n          if (isValid === true) {\n            tagFound = true;\n          } else {\n            return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, attrStrStart + isValid.err.line));\n          }\n        } else if (closingTag) {\n          if (!result.tagClosed) {\n            return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' doesn't have proper closing.\", getLineNumberForPosition(xmlData, i));\n          } else if (attrStr.trim().length > 0) {\n            return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' can't have attributes or invalid starting.\", getLineNumberForPosition(xmlData, tagStartPos));\n          } else if (tags.length === 0) {\n            return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' has not been opened.\", getLineNumberForPosition(xmlData, tagStartPos));\n          } else {\n            const otg = tags.pop();\n            if (tagName !== otg.tagName) {\n              let openPos = getLineNumberForPosition(xmlData, otg.tagStartPos);\n              return getErrorObject(\n                \"InvalidTag\",\n                \"Expected closing tag '\" + otg.tagName + \"' (opened in line \" + openPos.line + \", col \" + openPos.col + \") instead of closing tag '\" + tagName + \"'.\",\n                getLineNumberForPosition(xmlData, tagStartPos)\n              );\n            }\n            if (tags.length == 0) {\n              reachedRoot = true;\n            }\n          }\n        } else {\n          const isValid = validateAttributeString(attrStr, options);\n          if (isValid !== true) {\n            return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, i - attrStr.length + isValid.err.line));\n          }\n          if (reachedRoot === true) {\n            return getErrorObject(\"InvalidXml\", \"Multiple possible root nodes found.\", getLineNumberForPosition(xmlData, i));\n          } else if (options.unpairedTags.indexOf(tagName) !== -1) ;\n          else {\n            tags.push({ tagName, tagStartPos });\n          }\n          tagFound = true;\n        }\n        for (i++; i < xmlData.length; i++) {\n          if (xmlData[i] === \"<\") {\n            if (xmlData[i + 1] === \"!\") {\n              i++;\n              i = readCommentAndCDATA(xmlData, i);\n              continue;\n            } else if (xmlData[i + 1] === \"?\") {\n              i = readPI(xmlData, ++i);\n              if (i.err) return i;\n            } else {\n              break;\n            }\n          } else if (xmlData[i] === \"&\") {\n            const afterAmp = validateAmpersand(xmlData, i);\n            if (afterAmp == -1)\n              return getErrorObject(\"InvalidChar\", \"char '&' is not expected.\", getLineNumberForPosition(xmlData, i));\n            i = afterAmp;\n          } else {\n            if (reachedRoot === true && !isWhiteSpace(xmlData[i])) {\n              return getErrorObject(\"InvalidXml\", \"Extra text at the end\", getLineNumberForPosition(xmlData, i));\n            }\n          }\n        }\n        if (xmlData[i] === \"<\") {\n          i--;\n        }\n      }\n    } else {\n      if (isWhiteSpace(xmlData[i])) {\n        continue;\n      }\n      return getErrorObject(\"InvalidChar\", \"char '\" + xmlData[i] + \"' is not expected.\", getLineNumberForPosition(xmlData, i));\n    }\n  }\n  if (!tagFound) {\n    return getErrorObject(\"InvalidXml\", \"Start tag expected.\", 1);\n  } else if (tags.length == 1) {\n    return getErrorObject(\"InvalidTag\", \"Unclosed tag '\" + tags[0].tagName + \"'.\", getLineNumberForPosition(xmlData, tags[0].tagStartPos));\n  } else if (tags.length > 0) {\n    return getErrorObject(\"InvalidXml\", \"Invalid '\" + JSON.stringify(tags.map((t2) => t2.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n  }\n  return true;\n};\nfunction isWhiteSpace(char) {\n  return char === \" \" || char === \"\t\" || char === \"\\n\" || char === \"\\r\";\n}\nfunction readPI(xmlData, i) {\n  const start = i;\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] == \"?\" || xmlData[i] == \" \") {\n      const tagname = xmlData.substr(start, i - start);\n      if (i > 5 && tagname === \"xml\") {\n        return getErrorObject(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", getLineNumberForPosition(xmlData, i));\n      } else if (xmlData[i] == \"?\" && xmlData[i + 1] == \">\") {\n        i++;\n        break;\n      } else {\n        continue;\n      }\n    }\n  }\n  return i;\n}\nfunction readCommentAndCDATA(xmlData, i) {\n  if (xmlData.length > i + 5 && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \"-\") {\n    for (i += 3; i < xmlData.length; i++) {\n      if (xmlData[i] === \"-\" && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \">\") {\n        i += 2;\n        break;\n      }\n    }\n  } else if (xmlData.length > i + 8 && xmlData[i + 1] === \"D\" && xmlData[i + 2] === \"O\" && xmlData[i + 3] === \"C\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"Y\" && xmlData[i + 6] === \"P\" && xmlData[i + 7] === \"E\") {\n    let angleBracketsCount = 1;\n    for (i += 8; i < xmlData.length; i++) {\n      if (xmlData[i] === \"<\") {\n        angleBracketsCount++;\n      } else if (xmlData[i] === \">\") {\n        angleBracketsCount--;\n        if (angleBracketsCount === 0) {\n          break;\n        }\n      }\n    }\n  } else if (xmlData.length > i + 9 && xmlData[i + 1] === \"[\" && xmlData[i + 2] === \"C\" && xmlData[i + 3] === \"D\" && xmlData[i + 4] === \"A\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"A\" && xmlData[i + 7] === \"[\") {\n    for (i += 8; i < xmlData.length; i++) {\n      if (xmlData[i] === \"]\" && xmlData[i + 1] === \"]\" && xmlData[i + 2] === \">\") {\n        i += 2;\n        break;\n      }\n    }\n  }\n  return i;\n}\nconst doubleQuote = '\"';\nconst singleQuote = \"'\";\nfunction readAttributeStr(xmlData, i) {\n  let attrStr = \"\";\n  let startChar = \"\";\n  let tagClosed = false;\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] === doubleQuote || xmlData[i] === singleQuote) {\n      if (startChar === \"\") {\n        startChar = xmlData[i];\n      } else if (startChar !== xmlData[i]) ;\n      else {\n        startChar = \"\";\n      }\n    } else if (xmlData[i] === \">\") {\n      if (startChar === \"\") {\n        tagClosed = true;\n        break;\n      }\n    }\n    attrStr += xmlData[i];\n  }\n  if (startChar !== \"\") {\n    return false;\n  }\n  return {\n    value: attrStr,\n    index: i,\n    tagClosed\n  };\n}\nconst validAttrStrRegxp = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction validateAttributeString(attrStr, options) {\n  const matches = util$2.getAllMatches(attrStr, validAttrStrRegxp);\n  const attrNames = {};\n  for (let i = 0; i < matches.length; i++) {\n    if (matches[i][1].length === 0) {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' has no space in starting.\", getPositionFromMatch(matches[i]));\n    } else if (matches[i][3] !== void 0 && matches[i][4] === void 0) {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' is without value.\", getPositionFromMatch(matches[i]));\n    } else if (matches[i][3] === void 0 && !options.allowBooleanAttributes) {\n      return getErrorObject(\"InvalidAttr\", \"boolean attribute '\" + matches[i][2] + \"' is not allowed.\", getPositionFromMatch(matches[i]));\n    }\n    const attrName = matches[i][2];\n    if (!validateAttrName(attrName)) {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is an invalid name.\", getPositionFromMatch(matches[i]));\n    }\n    if (!attrNames.hasOwnProperty(attrName)) {\n      attrNames[attrName] = 1;\n    } else {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is repeated.\", getPositionFromMatch(matches[i]));\n    }\n  }\n  return true;\n}\nfunction validateNumberAmpersand(xmlData, i) {\n  let re2 = /\\d/;\n  if (xmlData[i] === \"x\") {\n    i++;\n    re2 = /[\\da-fA-F]/;\n  }\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] === \";\")\n      return i;\n    if (!xmlData[i].match(re2))\n      break;\n  }\n  return -1;\n}\nfunction validateAmpersand(xmlData, i) {\n  i++;\n  if (xmlData[i] === \";\")\n    return -1;\n  if (xmlData[i] === \"#\") {\n    i++;\n    return validateNumberAmpersand(xmlData, i);\n  }\n  let count = 0;\n  for (; i < xmlData.length; i++, count++) {\n    if (xmlData[i].match(/\\w/) && count < 20)\n      continue;\n    if (xmlData[i] === \";\")\n      break;\n    return -1;\n  }\n  return i;\n}\nfunction getErrorObject(code, message, lineNumber) {\n  return {\n    err: {\n      code,\n      msg: message,\n      line: lineNumber.line || lineNumber,\n      col: lineNumber.col\n    }\n  };\n}\nfunction validateAttrName(attrName) {\n  return util$2.isName(attrName);\n}\nfunction validateTagName(tagname) {\n  return util$2.isName(tagname);\n}\nfunction getLineNumberForPosition(xmlData, index) {\n  const lines = xmlData.substring(0, index).split(/\\r?\\n/);\n  return {\n    line: lines.length,\n    // column number is last line's length + 1, because column numbering starts at 1:\n    col: lines[lines.length - 1].length + 1\n  };\n}\nfunction getPositionFromMatch(match) {\n  return match.startIndex + match[1].length;\n}\nvar OptionsBuilder = {};\nconst defaultOptions$1 = {\n  preserveOrder: false,\n  attributeNamePrefix: \"@_\",\n  attributesGroupName: false,\n  textNodeName: \"#text\",\n  ignoreAttributes: true,\n  removeNSPrefix: false,\n  // remove NS from tag name or attribute name if true\n  allowBooleanAttributes: false,\n  //a tag can have attributes without any value\n  //ignoreRootElement : false,\n  parseTagValue: true,\n  parseAttributeValue: false,\n  trimValues: true,\n  //Trim string values of tag and attributes\n  cdataPropName: false,\n  numberParseOptions: {\n    hex: true,\n    leadingZeros: true,\n    eNotation: true\n  },\n  tagValueProcessor: function(tagName, val2) {\n    return val2;\n  },\n  attributeValueProcessor: function(attrName, val2) {\n    return val2;\n  },\n  stopNodes: [],\n  //nested tags will not be parsed even for errors\n  alwaysCreateTextNode: false,\n  isArray: () => false,\n  commentPropName: false,\n  unpairedTags: [],\n  processEntities: true,\n  htmlEntities: false,\n  ignoreDeclaration: false,\n  ignorePiTags: false,\n  transformTagName: false,\n  transformAttributeName: false,\n  updateTag: function(tagName, jPath, attrs) {\n    return tagName;\n  }\n  // skipEmptyListItem: false\n};\nconst buildOptions$1 = function(options) {\n  return Object.assign({}, defaultOptions$1, options);\n};\nOptionsBuilder.buildOptions = buildOptions$1;\nOptionsBuilder.defaultOptions = defaultOptions$1;\nclass XmlNode {\n  constructor(tagname) {\n    this.tagname = tagname;\n    this.child = [];\n    this[\":@\"] = {};\n  }\n  add(key, val2) {\n    if (key === \"__proto__\") key = \"#__proto__\";\n    this.child.push({ [key]: val2 });\n  }\n  addChild(node) {\n    if (node.tagname === \"__proto__\") node.tagname = \"#__proto__\";\n    if (node[\":@\"] && Object.keys(node[\":@\"]).length > 0) {\n      this.child.push({ [node.tagname]: node.child, [\":@\"]: node[\":@\"] });\n    } else {\n      this.child.push({ [node.tagname]: node.child });\n    }\n  }\n}\nvar xmlNode$1 = XmlNode;\nconst util$1 = util$3;\nfunction readDocType$1(xmlData, i) {\n  const entities = {};\n  if (xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"C\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"Y\" && xmlData[i + 7] === \"P\" && xmlData[i + 8] === \"E\") {\n    i = i + 9;\n    let angleBracketsCount = 1;\n    let hasBody = false, comment = false;\n    let exp = \"\";\n    for (; i < xmlData.length; i++) {\n      if (xmlData[i] === \"<\" && !comment) {\n        if (hasBody && isEntity(xmlData, i)) {\n          i += 7;\n          [entityName, val, i] = readEntityExp(xmlData, i + 1);\n          if (val.indexOf(\"&\") === -1)\n            entities[validateEntityName(entityName)] = {\n              regx: RegExp(`&${entityName};`, \"g\"),\n              val\n            };\n        } else if (hasBody && isElement(xmlData, i)) i += 8;\n        else if (hasBody && isAttlist(xmlData, i)) i += 8;\n        else if (hasBody && isNotation(xmlData, i)) i += 9;\n        else if (isComment) comment = true;\n        else throw new Error(\"Invalid DOCTYPE\");\n        angleBracketsCount++;\n        exp = \"\";\n      } else if (xmlData[i] === \">\") {\n        if (comment) {\n          if (xmlData[i - 1] === \"-\" && xmlData[i - 2] === \"-\") {\n            comment = false;\n            angleBracketsCount--;\n          }\n        } else {\n          angleBracketsCount--;\n        }\n        if (angleBracketsCount === 0) {\n          break;\n        }\n      } else if (xmlData[i] === \"[\") {\n        hasBody = true;\n      } else {\n        exp += xmlData[i];\n      }\n    }\n    if (angleBracketsCount !== 0) {\n      throw new Error(`Unclosed DOCTYPE`);\n    }\n  } else {\n    throw new Error(`Invalid Tag instead of DOCTYPE`);\n  }\n  return { entities, i };\n}\nfunction readEntityExp(xmlData, i) {\n  let entityName2 = \"\";\n  for (; i < xmlData.length && (xmlData[i] !== \"'\" && xmlData[i] !== '\"'); i++) {\n    entityName2 += xmlData[i];\n  }\n  entityName2 = entityName2.trim();\n  if (entityName2.indexOf(\" \") !== -1) throw new Error(\"External entites are not supported\");\n  const startChar = xmlData[i++];\n  let val2 = \"\";\n  for (; i < xmlData.length && xmlData[i] !== startChar; i++) {\n    val2 += xmlData[i];\n  }\n  return [entityName2, val2, i];\n}\nfunction isComment(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"-\" && xmlData[i + 3] === \"-\") return true;\n  return false;\n}\nfunction isEntity(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"N\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"I\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"Y\") return true;\n  return false;\n}\nfunction isElement(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"L\" && xmlData[i + 4] === \"E\" && xmlData[i + 5] === \"M\" && xmlData[i + 6] === \"E\" && xmlData[i + 7] === \"N\" && xmlData[i + 8] === \"T\") return true;\n  return false;\n}\nfunction isAttlist(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"A\" && xmlData[i + 3] === \"T\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"L\" && xmlData[i + 6] === \"I\" && xmlData[i + 7] === \"S\" && xmlData[i + 8] === \"T\") return true;\n  return false;\n}\nfunction isNotation(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"N\" && xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"A\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"I\" && xmlData[i + 8] === \"O\" && xmlData[i + 9] === \"N\") return true;\n  return false;\n}\nfunction validateEntityName(name) {\n  if (util$1.isName(name))\n    return name;\n  else\n    throw new Error(`Invalid entity name ${name}`);\n}\nvar DocTypeReader = readDocType$1;\nconst hexRegex = /^[-+]?0x[a-fA-F0-9]+$/;\nconst numRegex = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\nif (!Number.parseInt && window.parseInt) {\n  Number.parseInt = window.parseInt;\n}\nif (!Number.parseFloat && window.parseFloat) {\n  Number.parseFloat = window.parseFloat;\n}\nconst consider = {\n  hex: true,\n  leadingZeros: true,\n  decimalPoint: \".\",\n  eNotation: true\n  //skipLike: /regex/\n};\nfunction toNumber$1(str, options = {}) {\n  options = Object.assign({}, consider, options);\n  if (!str || typeof str !== \"string\") return str;\n  let trimmedStr = str.trim();\n  if (options.skipLike !== void 0 && options.skipLike.test(trimmedStr)) return str;\n  else if (options.hex && hexRegex.test(trimmedStr)) {\n    return Number.parseInt(trimmedStr, 16);\n  } else {\n    const match = numRegex.exec(trimmedStr);\n    if (match) {\n      const sign = match[1];\n      const leadingZeros = match[2];\n      let numTrimmedByZeros = trimZeros(match[3]);\n      const eNotation = match[4] || match[6];\n      if (!options.leadingZeros && leadingZeros.length > 0 && sign && trimmedStr[2] !== \".\") return str;\n      else if (!options.leadingZeros && leadingZeros.length > 0 && !sign && trimmedStr[1] !== \".\") return str;\n      else {\n        const num = Number(trimmedStr);\n        const numStr = \"\" + num;\n        if (numStr.search(/[eE]/) !== -1) {\n          if (options.eNotation) return num;\n          else return str;\n        } else if (eNotation) {\n          if (options.eNotation) return num;\n          else return str;\n        } else if (trimmedStr.indexOf(\".\") !== -1) {\n          if (numStr === \"0\" && numTrimmedByZeros === \"\") return num;\n          else if (numStr === numTrimmedByZeros) return num;\n          else if (sign && numStr === \"-\" + numTrimmedByZeros) return num;\n          else return str;\n        }\n        if (leadingZeros) {\n          if (numTrimmedByZeros === numStr) return num;\n          else if (sign + numTrimmedByZeros === numStr) return num;\n          else return str;\n        }\n        if (trimmedStr === numStr) return num;\n        else if (trimmedStr === sign + numStr) return num;\n        return str;\n      }\n    } else {\n      return str;\n    }\n  }\n}\nfunction trimZeros(numStr) {\n  if (numStr && numStr.indexOf(\".\") !== -1) {\n    numStr = numStr.replace(/0+$/, \"\");\n    if (numStr === \".\") numStr = \"0\";\n    else if (numStr[0] === \".\") numStr = \"0\" + numStr;\n    else if (numStr[numStr.length - 1] === \".\") numStr = numStr.substr(0, numStr.length - 1);\n    return numStr;\n  }\n  return numStr;\n}\nvar strnum = toNumber$1;\nconst util = util$3;\nconst xmlNode = xmlNode$1;\nconst readDocType = DocTypeReader;\nconst toNumber = strnum;\nlet OrderedObjParser$1 = class OrderedObjParser {\n  constructor(options) {\n    this.options = options;\n    this.currentNode = null;\n    this.tagsNodeStack = [];\n    this.docTypeEntities = {};\n    this.lastEntities = {\n      \"apos\": { regex: /&(apos|#39|#x27);/g, val: \"'\" },\n      \"gt\": { regex: /&(gt|#62|#x3E);/g, val: \">\" },\n      \"lt\": { regex: /&(lt|#60|#x3C);/g, val: \"<\" },\n      \"quot\": { regex: /&(quot|#34|#x22);/g, val: '\"' }\n    };\n    this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" };\n    this.htmlEntities = {\n      \"space\": { regex: /&(nbsp|#160);/g, val: \" \" },\n      // \"lt\" : { regex: /&(lt|#60);/g, val: \"<\" },\n      // \"gt\" : { regex: /&(gt|#62);/g, val: \">\" },\n      // \"amp\" : { regex: /&(amp|#38);/g, val: \"&\" },\n      // \"quot\" : { regex: /&(quot|#34);/g, val: \"\\\"\" },\n      // \"apos\" : { regex: /&(apos|#39);/g, val: \"'\" },\n      \"cent\": { regex: /&(cent|#162);/g, val: \"¢\" },\n      \"pound\": { regex: /&(pound|#163);/g, val: \"£\" },\n      \"yen\": { regex: /&(yen|#165);/g, val: \"Â¥\" },\n      \"euro\": { regex: /&(euro|#8364);/g, val: \"€\" },\n      \"copyright\": { regex: /&(copy|#169);/g, val: \"©\" },\n      \"reg\": { regex: /&(reg|#174);/g, val: \"®\" },\n      \"inr\": { regex: /&(inr|#8377);/g, val: \"₹\" },\n      \"num_dec\": { regex: /&#([0-9]{1,7});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 10)) },\n      \"num_hex\": { regex: /&#x([0-9a-fA-F]{1,6});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 16)) }\n    };\n    this.addExternalEntities = addExternalEntities;\n    this.parseXml = parseXml;\n    this.parseTextData = parseTextData;\n    this.resolveNameSpace = resolveNameSpace;\n    this.buildAttributesMap = buildAttributesMap;\n    this.isItStopNode = isItStopNode;\n    this.replaceEntitiesValue = replaceEntitiesValue$1;\n    this.readStopNodeData = readStopNodeData;\n    this.saveTextToParentTag = saveTextToParentTag;\n    this.addChild = addChild;\n  }\n};\nfunction addExternalEntities(externalEntities) {\n  const entKeys = Object.keys(externalEntities);\n  for (let i = 0; i < entKeys.length; i++) {\n    const ent = entKeys[i];\n    this.lastEntities[ent] = {\n      regex: new RegExp(\"&\" + ent + \";\", \"g\"),\n      val: externalEntities[ent]\n    };\n  }\n}\nfunction parseTextData(val2, tagName, jPath, dontTrim, hasAttributes, isLeafNode, escapeEntities) {\n  if (val2 !== void 0) {\n    if (this.options.trimValues && !dontTrim) {\n      val2 = val2.trim();\n    }\n    if (val2.length > 0) {\n      if (!escapeEntities) val2 = this.replaceEntitiesValue(val2);\n      const newval = this.options.tagValueProcessor(tagName, val2, jPath, hasAttributes, isLeafNode);\n      if (newval === null || newval === void 0) {\n        return val2;\n      } else if (typeof newval !== typeof val2 || newval !== val2) {\n        return newval;\n      } else if (this.options.trimValues) {\n        return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n      } else {\n        const trimmedVal = val2.trim();\n        if (trimmedVal === val2) {\n          return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n        } else {\n          return val2;\n        }\n      }\n    }\n  }\n}\nfunction resolveNameSpace(tagname) {\n  if (this.options.removeNSPrefix) {\n    const tags = tagname.split(\":\");\n    const prefix = tagname.charAt(0) === \"/\" ? \"/\" : \"\";\n    if (tags[0] === \"xmlns\") {\n      return \"\";\n    }\n    if (tags.length === 2) {\n      tagname = prefix + tags[1];\n    }\n  }\n  return tagname;\n}\nconst attrsRegx = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction buildAttributesMap(attrStr, jPath, tagName) {\n  if (!this.options.ignoreAttributes && typeof attrStr === \"string\") {\n    const matches = util.getAllMatches(attrStr, attrsRegx);\n    const len = matches.length;\n    const attrs = {};\n    for (let i = 0; i < len; i++) {\n      const attrName = this.resolveNameSpace(matches[i][1]);\n      let oldVal = matches[i][4];\n      let aName = this.options.attributeNamePrefix + attrName;\n      if (attrName.length) {\n        if (this.options.transformAttributeName) {\n          aName = this.options.transformAttributeName(aName);\n        }\n        if (aName === \"__proto__\") aName = \"#__proto__\";\n        if (oldVal !== void 0) {\n          if (this.options.trimValues) {\n            oldVal = oldVal.trim();\n          }\n          oldVal = this.replaceEntitiesValue(oldVal);\n          const newVal = this.options.attributeValueProcessor(attrName, oldVal, jPath);\n          if (newVal === null || newVal === void 0) {\n            attrs[aName] = oldVal;\n          } else if (typeof newVal !== typeof oldVal || newVal !== oldVal) {\n            attrs[aName] = newVal;\n          } else {\n            attrs[aName] = parseValue(\n              oldVal,\n              this.options.parseAttributeValue,\n              this.options.numberParseOptions\n            );\n          }\n        } else if (this.options.allowBooleanAttributes) {\n          attrs[aName] = true;\n        }\n      }\n    }\n    if (!Object.keys(attrs).length) {\n      return;\n    }\n    if (this.options.attributesGroupName) {\n      const attrCollection = {};\n      attrCollection[this.options.attributesGroupName] = attrs;\n      return attrCollection;\n    }\n    return attrs;\n  }\n}\nconst parseXml = function(xmlData) {\n  xmlData = xmlData.replace(/\\r\\n?/g, \"\\n\");\n  const xmlObj = new xmlNode(\"!xml\");\n  let currentNode = xmlObj;\n  let textData = \"\";\n  let jPath = \"\";\n  for (let i = 0; i < xmlData.length; i++) {\n    const ch = xmlData[i];\n    if (ch === \"<\") {\n      if (xmlData[i + 1] === \"/\") {\n        const closeIndex = findClosingIndex(xmlData, \">\", i, \"Closing Tag is not closed.\");\n        let tagName = xmlData.substring(i + 2, closeIndex).trim();\n        if (this.options.removeNSPrefix) {\n          const colonIndex = tagName.indexOf(\":\");\n          if (colonIndex !== -1) {\n            tagName = tagName.substr(colonIndex + 1);\n          }\n        }\n        if (this.options.transformTagName) {\n          tagName = this.options.transformTagName(tagName);\n        }\n        if (currentNode) {\n          textData = this.saveTextToParentTag(textData, currentNode, jPath);\n        }\n        const lastTagName = jPath.substring(jPath.lastIndexOf(\".\") + 1);\n        if (tagName && this.options.unpairedTags.indexOf(tagName) !== -1) {\n          throw new Error(`Unpaired tag can not be used as closing tag: </${tagName}>`);\n        }\n        let propIndex = 0;\n        if (lastTagName && this.options.unpairedTags.indexOf(lastTagName) !== -1) {\n          propIndex = jPath.lastIndexOf(\".\", jPath.lastIndexOf(\".\") - 1);\n          this.tagsNodeStack.pop();\n        } else {\n          propIndex = jPath.lastIndexOf(\".\");\n        }\n        jPath = jPath.substring(0, propIndex);\n        currentNode = this.tagsNodeStack.pop();\n        textData = \"\";\n        i = closeIndex;\n      } else if (xmlData[i + 1] === \"?\") {\n        let tagData = readTagExp(xmlData, i, false, \"?>\");\n        if (!tagData) throw new Error(\"Pi Tag is not closed.\");\n        textData = this.saveTextToParentTag(textData, currentNode, jPath);\n        if (this.options.ignoreDeclaration && tagData.tagName === \"?xml\" || this.options.ignorePiTags) ;\n        else {\n          const childNode = new xmlNode(tagData.tagName);\n          childNode.add(this.options.textNodeName, \"\");\n          if (tagData.tagName !== tagData.tagExp && tagData.attrExpPresent) {\n            childNode[\":@\"] = this.buildAttributesMap(tagData.tagExp, jPath, tagData.tagName);\n          }\n          this.addChild(currentNode, childNode, jPath);\n        }\n        i = tagData.closeIndex + 1;\n      } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n        const endIndex = findClosingIndex(xmlData, \"-->\", i + 4, \"Comment is not closed.\");\n        if (this.options.commentPropName) {\n          const comment = xmlData.substring(i + 4, endIndex - 2);\n          textData = this.saveTextToParentTag(textData, currentNode, jPath);\n          currentNode.add(this.options.commentPropName, [{ [this.options.textNodeName]: comment }]);\n        }\n        i = endIndex;\n      } else if (xmlData.substr(i + 1, 2) === \"!D\") {\n        const result = readDocType(xmlData, i);\n        this.docTypeEntities = result.entities;\n        i = result.i;\n      } else if (xmlData.substr(i + 1, 2) === \"![\") {\n        const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"CDATA is not closed.\") - 2;\n        const tagExp = xmlData.substring(i + 9, closeIndex);\n        textData = this.saveTextToParentTag(textData, currentNode, jPath);\n        let val2 = this.parseTextData(tagExp, currentNode.tagname, jPath, true, false, true, true);\n        if (val2 == void 0) val2 = \"\";\n        if (this.options.cdataPropName) {\n          currentNode.add(this.options.cdataPropName, [{ [this.options.textNodeName]: tagExp }]);\n        } else {\n          currentNode.add(this.options.textNodeName, val2);\n        }\n        i = closeIndex + 2;\n      } else {\n        let result = readTagExp(xmlData, i, this.options.removeNSPrefix);\n        let tagName = result.tagName;\n        const rawTagName = result.rawTagName;\n        let tagExp = result.tagExp;\n        let attrExpPresent = result.attrExpPresent;\n        let closeIndex = result.closeIndex;\n        if (this.options.transformTagName) {\n          tagName = this.options.transformTagName(tagName);\n        }\n        if (currentNode && textData) {\n          if (currentNode.tagname !== \"!xml\") {\n            textData = this.saveTextToParentTag(textData, currentNode, jPath, false);\n          }\n        }\n        const lastTag = currentNode;\n        if (lastTag && this.options.unpairedTags.indexOf(lastTag.tagname) !== -1) {\n          currentNode = this.tagsNodeStack.pop();\n          jPath = jPath.substring(0, jPath.lastIndexOf(\".\"));\n        }\n        if (tagName !== xmlObj.tagname) {\n          jPath += jPath ? \".\" + tagName : tagName;\n        }\n        if (this.isItStopNode(this.options.stopNodes, jPath, tagName)) {\n          let tagContent = \"\";\n          if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n            if (tagName[tagName.length - 1] === \"/\") {\n              tagName = tagName.substr(0, tagName.length - 1);\n              jPath = jPath.substr(0, jPath.length - 1);\n              tagExp = tagName;\n            } else {\n              tagExp = tagExp.substr(0, tagExp.length - 1);\n            }\n            i = result.closeIndex;\n          } else if (this.options.unpairedTags.indexOf(tagName) !== -1) {\n            i = result.closeIndex;\n          } else {\n            const result2 = this.readStopNodeData(xmlData, rawTagName, closeIndex + 1);\n            if (!result2) throw new Error(`Unexpected end of ${rawTagName}`);\n            i = result2.i;\n            tagContent = result2.tagContent;\n          }\n          const childNode = new xmlNode(tagName);\n          if (tagName !== tagExp && attrExpPresent) {\n            childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n          }\n          if (tagContent) {\n            tagContent = this.parseTextData(tagContent, tagName, jPath, true, attrExpPresent, true, true);\n          }\n          jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n          childNode.add(this.options.textNodeName, tagContent);\n          this.addChild(currentNode, childNode, jPath);\n        } else {\n          if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n            if (tagName[tagName.length - 1] === \"/\") {\n              tagName = tagName.substr(0, tagName.length - 1);\n              jPath = jPath.substr(0, jPath.length - 1);\n              tagExp = tagName;\n            } else {\n              tagExp = tagExp.substr(0, tagExp.length - 1);\n            }\n            if (this.options.transformTagName) {\n              tagName = this.options.transformTagName(tagName);\n            }\n            const childNode = new xmlNode(tagName);\n            if (tagName !== tagExp && attrExpPresent) {\n              childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n            }\n            this.addChild(currentNode, childNode, jPath);\n            jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n          } else {\n            const childNode = new xmlNode(tagName);\n            this.tagsNodeStack.push(currentNode);\n            if (tagName !== tagExp && attrExpPresent) {\n              childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n            }\n            this.addChild(currentNode, childNode, jPath);\n            currentNode = childNode;\n          }\n          textData = \"\";\n          i = closeIndex;\n        }\n      }\n    } else {\n      textData += xmlData[i];\n    }\n  }\n  return xmlObj.child;\n};\nfunction addChild(currentNode, childNode, jPath) {\n  const result = this.options.updateTag(childNode.tagname, jPath, childNode[\":@\"]);\n  if (result === false) ;\n  else if (typeof result === \"string\") {\n    childNode.tagname = result;\n    currentNode.addChild(childNode);\n  } else {\n    currentNode.addChild(childNode);\n  }\n}\nconst replaceEntitiesValue$1 = function(val2) {\n  if (this.options.processEntities) {\n    for (let entityName2 in this.docTypeEntities) {\n      const entity = this.docTypeEntities[entityName2];\n      val2 = val2.replace(entity.regx, entity.val);\n    }\n    for (let entityName2 in this.lastEntities) {\n      const entity = this.lastEntities[entityName2];\n      val2 = val2.replace(entity.regex, entity.val);\n    }\n    if (this.options.htmlEntities) {\n      for (let entityName2 in this.htmlEntities) {\n        const entity = this.htmlEntities[entityName2];\n        val2 = val2.replace(entity.regex, entity.val);\n      }\n    }\n    val2 = val2.replace(this.ampEntity.regex, this.ampEntity.val);\n  }\n  return val2;\n};\nfunction saveTextToParentTag(textData, currentNode, jPath, isLeafNode) {\n  if (textData) {\n    if (isLeafNode === void 0) isLeafNode = Object.keys(currentNode.child).length === 0;\n    textData = this.parseTextData(\n      textData,\n      currentNode.tagname,\n      jPath,\n      false,\n      currentNode[\":@\"] ? Object.keys(currentNode[\":@\"]).length !== 0 : false,\n      isLeafNode\n    );\n    if (textData !== void 0 && textData !== \"\")\n      currentNode.add(this.options.textNodeName, textData);\n    textData = \"\";\n  }\n  return textData;\n}\nfunction isItStopNode(stopNodes, jPath, currentTagName) {\n  const allNodesExp = \"*.\" + currentTagName;\n  for (const stopNodePath in stopNodes) {\n    const stopNodeExp = stopNodes[stopNodePath];\n    if (allNodesExp === stopNodeExp || jPath === stopNodeExp) return true;\n  }\n  return false;\n}\nfunction tagExpWithClosingIndex(xmlData, i, closingChar = \">\") {\n  let attrBoundary;\n  let tagExp = \"\";\n  for (let index = i; index < xmlData.length; index++) {\n    let ch = xmlData[index];\n    if (attrBoundary) {\n      if (ch === attrBoundary) attrBoundary = \"\";\n    } else if (ch === '\"' || ch === \"'\") {\n      attrBoundary = ch;\n    } else if (ch === closingChar[0]) {\n      if (closingChar[1]) {\n        if (xmlData[index + 1] === closingChar[1]) {\n          return {\n            data: tagExp,\n            index\n          };\n        }\n      } else {\n        return {\n          data: tagExp,\n          index\n        };\n      }\n    } else if (ch === \"\t\") {\n      ch = \" \";\n    }\n    tagExp += ch;\n  }\n}\nfunction findClosingIndex(xmlData, str, i, errMsg) {\n  const closingIndex = xmlData.indexOf(str, i);\n  if (closingIndex === -1) {\n    throw new Error(errMsg);\n  } else {\n    return closingIndex + str.length - 1;\n  }\n}\nfunction readTagExp(xmlData, i, removeNSPrefix, closingChar = \">\") {\n  const result = tagExpWithClosingIndex(xmlData, i + 1, closingChar);\n  if (!result) return;\n  let tagExp = result.data;\n  const closeIndex = result.index;\n  const separatorIndex = tagExp.search(/\\s/);\n  let tagName = tagExp;\n  let attrExpPresent = true;\n  if (separatorIndex !== -1) {\n    tagName = tagExp.substring(0, separatorIndex);\n    tagExp = tagExp.substring(separatorIndex + 1).trimStart();\n  }\n  const rawTagName = tagName;\n  if (removeNSPrefix) {\n    const colonIndex = tagName.indexOf(\":\");\n    if (colonIndex !== -1) {\n      tagName = tagName.substr(colonIndex + 1);\n      attrExpPresent = tagName !== result.data.substr(colonIndex + 1);\n    }\n  }\n  return {\n    tagName,\n    tagExp,\n    closeIndex,\n    attrExpPresent,\n    rawTagName\n  };\n}\nfunction readStopNodeData(xmlData, tagName, i) {\n  const startIndex = i;\n  let openTagCount = 1;\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] === \"<\") {\n      if (xmlData[i + 1] === \"/\") {\n        const closeIndex = findClosingIndex(xmlData, \">\", i, `${tagName} is not closed`);\n        let closeTagName = xmlData.substring(i + 2, closeIndex).trim();\n        if (closeTagName === tagName) {\n          openTagCount--;\n          if (openTagCount === 0) {\n            return {\n              tagContent: xmlData.substring(startIndex, i),\n              i: closeIndex\n            };\n          }\n        }\n        i = closeIndex;\n      } else if (xmlData[i + 1] === \"?\") {\n        const closeIndex = findClosingIndex(xmlData, \"?>\", i + 1, \"StopNode is not closed.\");\n        i = closeIndex;\n      } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n        const closeIndex = findClosingIndex(xmlData, \"-->\", i + 3, \"StopNode is not closed.\");\n        i = closeIndex;\n      } else if (xmlData.substr(i + 1, 2) === \"![\") {\n        const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"StopNode is not closed.\") - 2;\n        i = closeIndex;\n      } else {\n        const tagData = readTagExp(xmlData, i, \">\");\n        if (tagData) {\n          const openTagName = tagData && tagData.tagName;\n          if (openTagName === tagName && tagData.tagExp[tagData.tagExp.length - 1] !== \"/\") {\n            openTagCount++;\n          }\n          i = tagData.closeIndex;\n        }\n      }\n    }\n  }\n}\nfunction parseValue(val2, shouldParse, options) {\n  if (shouldParse && typeof val2 === \"string\") {\n    const newval = val2.trim();\n    if (newval === \"true\") return true;\n    else if (newval === \"false\") return false;\n    else return toNumber(val2, options);\n  } else {\n    if (util.isExist(val2)) {\n      return val2;\n    } else {\n      return \"\";\n    }\n  }\n}\nvar OrderedObjParser_1 = OrderedObjParser$1;\nvar node2json = {};\nfunction prettify$1(node, options) {\n  return compress(node, options);\n}\nfunction compress(arr, options, jPath) {\n  let text;\n  const compressedObj = {};\n  for (let i = 0; i < arr.length; i++) {\n    const tagObj = arr[i];\n    const property = propName$1(tagObj);\n    let newJpath = \"\";\n    if (jPath === void 0) newJpath = property;\n    else newJpath = jPath + \".\" + property;\n    if (property === options.textNodeName) {\n      if (text === void 0) text = tagObj[property];\n      else text += \"\" + tagObj[property];\n    } else if (property === void 0) {\n      continue;\n    } else if (tagObj[property]) {\n      let val2 = compress(tagObj[property], options, newJpath);\n      const isLeaf = isLeafTag(val2, options);\n      if (tagObj[\":@\"]) {\n        assignAttributes(val2, tagObj[\":@\"], newJpath, options);\n      } else if (Object.keys(val2).length === 1 && val2[options.textNodeName] !== void 0 && !options.alwaysCreateTextNode) {\n        val2 = val2[options.textNodeName];\n      } else if (Object.keys(val2).length === 0) {\n        if (options.alwaysCreateTextNode) val2[options.textNodeName] = \"\";\n        else val2 = \"\";\n      }\n      if (compressedObj[property] !== void 0 && compressedObj.hasOwnProperty(property)) {\n        if (!Array.isArray(compressedObj[property])) {\n          compressedObj[property] = [compressedObj[property]];\n        }\n        compressedObj[property].push(val2);\n      } else {\n        if (options.isArray(property, newJpath, isLeaf)) {\n          compressedObj[property] = [val2];\n        } else {\n          compressedObj[property] = val2;\n        }\n      }\n    }\n  }\n  if (typeof text === \"string\") {\n    if (text.length > 0) compressedObj[options.textNodeName] = text;\n  } else if (text !== void 0) compressedObj[options.textNodeName] = text;\n  return compressedObj;\n}\nfunction propName$1(obj) {\n  const keys = Object.keys(obj);\n  for (let i = 0; i < keys.length; i++) {\n    const key = keys[i];\n    if (key !== \":@\") return key;\n  }\n}\nfunction assignAttributes(obj, attrMap, jpath, options) {\n  if (attrMap) {\n    const keys = Object.keys(attrMap);\n    const len = keys.length;\n    for (let i = 0; i < len; i++) {\n      const atrrName = keys[i];\n      if (options.isArray(atrrName, jpath + \".\" + atrrName, true, true)) {\n        obj[atrrName] = [attrMap[atrrName]];\n      } else {\n        obj[atrrName] = attrMap[atrrName];\n      }\n    }\n  }\n}\nfunction isLeafTag(obj, options) {\n  const { textNodeName } = options;\n  const propCount = Object.keys(obj).length;\n  if (propCount === 0) {\n    return true;\n  }\n  if (propCount === 1 && (obj[textNodeName] || typeof obj[textNodeName] === \"boolean\" || obj[textNodeName] === 0)) {\n    return true;\n  }\n  return false;\n}\nnode2json.prettify = prettify$1;\nconst { buildOptions } = OptionsBuilder;\nconst OrderedObjParser2 = OrderedObjParser_1;\nconst { prettify } = node2json;\nconst validator$1 = validator$2;\nlet XMLParser$1 = class XMLParser {\n  constructor(options) {\n    this.externalEntities = {};\n    this.options = buildOptions(options);\n  }\n  /**\n   * Parse XML dats to JS object \n   * @param {string|Buffer} xmlData \n   * @param {boolean|Object} validationOption \n   */\n  parse(xmlData, validationOption) {\n    if (typeof xmlData === \"string\") ;\n    else if (xmlData.toString) {\n      xmlData = xmlData.toString();\n    } else {\n      throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n    }\n    if (validationOption) {\n      if (validationOption === true) validationOption = {};\n      const result = validator$1.validate(xmlData, validationOption);\n      if (result !== true) {\n        throw Error(`${result.err.msg}:${result.err.line}:${result.err.col}`);\n      }\n    }\n    const orderedObjParser = new OrderedObjParser2(this.options);\n    orderedObjParser.addExternalEntities(this.externalEntities);\n    const orderedResult = orderedObjParser.parseXml(xmlData);\n    if (this.options.preserveOrder || orderedResult === void 0) return orderedResult;\n    else return prettify(orderedResult, this.options);\n  }\n  /**\n   * Add Entity which is not by default supported by this library\n   * @param {string} key \n   * @param {string} value \n   */\n  addEntity(key, value) {\n    if (value.indexOf(\"&\") !== -1) {\n      throw new Error(\"Entity value can't have '&'\");\n    } else if (key.indexOf(\"&\") !== -1 || key.indexOf(\";\") !== -1) {\n      throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'\");\n    } else if (value === \"&\") {\n      throw new Error(\"An entity with value '&' is not permitted\");\n    } else {\n      this.externalEntities[key] = value;\n    }\n  }\n};\nvar XMLParser_1 = XMLParser$1;\nconst EOL = \"\\n\";\nfunction toXml(jArray, options) {\n  let indentation = \"\";\n  if (options.format && options.indentBy.length > 0) {\n    indentation = EOL;\n  }\n  return arrToStr(jArray, options, \"\", indentation);\n}\nfunction arrToStr(arr, options, jPath, indentation) {\n  let xmlStr = \"\";\n  let isPreviousElementTag = false;\n  for (let i = 0; i < arr.length; i++) {\n    const tagObj = arr[i];\n    const tagName = propName(tagObj);\n    if (tagName === void 0) continue;\n    let newJPath = \"\";\n    if (jPath.length === 0) newJPath = tagName;\n    else newJPath = `${jPath}.${tagName}`;\n    if (tagName === options.textNodeName) {\n      let tagText = tagObj[tagName];\n      if (!isStopNode(newJPath, options)) {\n        tagText = options.tagValueProcessor(tagName, tagText);\n        tagText = replaceEntitiesValue(tagText, options);\n      }\n      if (isPreviousElementTag) {\n        xmlStr += indentation;\n      }\n      xmlStr += tagText;\n      isPreviousElementTag = false;\n      continue;\n    } else if (tagName === options.cdataPropName) {\n      if (isPreviousElementTag) {\n        xmlStr += indentation;\n      }\n      xmlStr += `<![CDATA[${tagObj[tagName][0][options.textNodeName]}]]>`;\n      isPreviousElementTag = false;\n      continue;\n    } else if (tagName === options.commentPropName) {\n      xmlStr += indentation + `<!--${tagObj[tagName][0][options.textNodeName]}-->`;\n      isPreviousElementTag = true;\n      continue;\n    } else if (tagName[0] === \"?\") {\n      const attStr2 = attr_to_str(tagObj[\":@\"], options);\n      const tempInd = tagName === \"?xml\" ? \"\" : indentation;\n      let piTextNodeName = tagObj[tagName][0][options.textNodeName];\n      piTextNodeName = piTextNodeName.length !== 0 ? \" \" + piTextNodeName : \"\";\n      xmlStr += tempInd + `<${tagName}${piTextNodeName}${attStr2}?>`;\n      isPreviousElementTag = true;\n      continue;\n    }\n    let newIdentation = indentation;\n    if (newIdentation !== \"\") {\n      newIdentation += options.indentBy;\n    }\n    const attStr = attr_to_str(tagObj[\":@\"], options);\n    const tagStart = indentation + `<${tagName}${attStr}`;\n    const tagValue = arrToStr(tagObj[tagName], options, newJPath, newIdentation);\n    if (options.unpairedTags.indexOf(tagName) !== -1) {\n      if (options.suppressUnpairedNode) xmlStr += tagStart + \">\";\n      else xmlStr += tagStart + \"/>\";\n    } else if ((!tagValue || tagValue.length === 0) && options.suppressEmptyNode) {\n      xmlStr += tagStart + \"/>\";\n    } else if (tagValue && tagValue.endsWith(\">\")) {\n      xmlStr += tagStart + `>${tagValue}${indentation}</${tagName}>`;\n    } else {\n      xmlStr += tagStart + \">\";\n      if (tagValue && indentation !== \"\" && (tagValue.includes(\"/>\") || tagValue.includes(\"</\"))) {\n        xmlStr += indentation + options.indentBy + tagValue + indentation;\n      } else {\n        xmlStr += tagValue;\n      }\n      xmlStr += `</${tagName}>`;\n    }\n    isPreviousElementTag = true;\n  }\n  return xmlStr;\n}\nfunction propName(obj) {\n  const keys = Object.keys(obj);\n  for (let i = 0; i < keys.length; i++) {\n    const key = keys[i];\n    if (!obj.hasOwnProperty(key)) continue;\n    if (key !== \":@\") return key;\n  }\n}\nfunction attr_to_str(attrMap, options) {\n  let attrStr = \"\";\n  if (attrMap && !options.ignoreAttributes) {\n    for (let attr in attrMap) {\n      if (!attrMap.hasOwnProperty(attr)) continue;\n      let attrVal = options.attributeValueProcessor(attr, attrMap[attr]);\n      attrVal = replaceEntitiesValue(attrVal, options);\n      if (attrVal === true && options.suppressBooleanAttributes) {\n        attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}`;\n      } else {\n        attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}=\"${attrVal}\"`;\n      }\n    }\n  }\n  return attrStr;\n}\nfunction isStopNode(jPath, options) {\n  jPath = jPath.substr(0, jPath.length - options.textNodeName.length - 1);\n  let tagName = jPath.substr(jPath.lastIndexOf(\".\") + 1);\n  for (let index in options.stopNodes) {\n    if (options.stopNodes[index] === jPath || options.stopNodes[index] === \"*.\" + tagName) return true;\n  }\n  return false;\n}\nfunction replaceEntitiesValue(textValue, options) {\n  if (textValue && textValue.length > 0 && options.processEntities) {\n    for (let i = 0; i < options.entities.length; i++) {\n      const entity = options.entities[i];\n      textValue = textValue.replace(entity.regex, entity.val);\n    }\n  }\n  return textValue;\n}\nvar orderedJs2Xml = toXml;\nconst buildFromOrderedJs = orderedJs2Xml;\nconst defaultOptions = {\n  attributeNamePrefix: \"@_\",\n  attributesGroupName: false,\n  textNodeName: \"#text\",\n  ignoreAttributes: true,\n  cdataPropName: false,\n  format: false,\n  indentBy: \"  \",\n  suppressEmptyNode: false,\n  suppressUnpairedNode: true,\n  suppressBooleanAttributes: true,\n  tagValueProcessor: function(key, a) {\n    return a;\n  },\n  attributeValueProcessor: function(attrName, a) {\n    return a;\n  },\n  preserveOrder: false,\n  commentPropName: false,\n  unpairedTags: [],\n  entities: [\n    { regex: new RegExp(\"&\", \"g\"), val: \"&amp;\" },\n    //it must be on top\n    { regex: new RegExp(\">\", \"g\"), val: \"&gt;\" },\n    { regex: new RegExp(\"<\", \"g\"), val: \"&lt;\" },\n    { regex: new RegExp(\"'\", \"g\"), val: \"&apos;\" },\n    { regex: new RegExp('\"', \"g\"), val: \"&quot;\" }\n  ],\n  processEntities: true,\n  stopNodes: [],\n  // transformTagName: false,\n  // transformAttributeName: false,\n  oneListGroup: false\n};\nfunction Builder(options) {\n  this.options = Object.assign({}, defaultOptions, options);\n  if (this.options.ignoreAttributes || this.options.attributesGroupName) {\n    this.isAttribute = function() {\n      return false;\n    };\n  } else {\n    this.attrPrefixLen = this.options.attributeNamePrefix.length;\n    this.isAttribute = isAttribute;\n  }\n  this.processTextOrObjNode = processTextOrObjNode;\n  if (this.options.format) {\n    this.indentate = indentate;\n    this.tagEndChar = \">\\n\";\n    this.newLine = \"\\n\";\n  } else {\n    this.indentate = function() {\n      return \"\";\n    };\n    this.tagEndChar = \">\";\n    this.newLine = \"\";\n  }\n}\nBuilder.prototype.build = function(jObj) {\n  if (this.options.preserveOrder) {\n    return buildFromOrderedJs(jObj, this.options);\n  } else {\n    if (Array.isArray(jObj) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1) {\n      jObj = {\n        [this.options.arrayNodeName]: jObj\n      };\n    }\n    return this.j2x(jObj, 0).val;\n  }\n};\nBuilder.prototype.j2x = function(jObj, level) {\n  let attrStr = \"\";\n  let val2 = \"\";\n  for (let key in jObj) {\n    if (!Object.prototype.hasOwnProperty.call(jObj, key)) continue;\n    if (typeof jObj[key] === \"undefined\") {\n      if (this.isAttribute(key)) {\n        val2 += \"\";\n      }\n    } else if (jObj[key] === null) {\n      if (this.isAttribute(key)) {\n        val2 += \"\";\n      } else if (key[0] === \"?\") {\n        val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n      } else {\n        val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n      }\n    } else if (jObj[key] instanceof Date) {\n      val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n    } else if (typeof jObj[key] !== \"object\") {\n      const attr = this.isAttribute(key);\n      if (attr) {\n        attrStr += this.buildAttrPairStr(attr, \"\" + jObj[key]);\n      } else {\n        if (key === this.options.textNodeName) {\n          let newval = this.options.tagValueProcessor(key, \"\" + jObj[key]);\n          val2 += this.replaceEntitiesValue(newval);\n        } else {\n          val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n        }\n      }\n    } else if (Array.isArray(jObj[key])) {\n      const arrLen = jObj[key].length;\n      let listTagVal = \"\";\n      let listTagAttr = \"\";\n      for (let j = 0; j < arrLen; j++) {\n        const item = jObj[key][j];\n        if (typeof item === \"undefined\") ;\n        else if (item === null) {\n          if (key[0] === \"?\") val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n          else val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n        } else if (typeof item === \"object\") {\n          if (this.options.oneListGroup) {\n            const result = this.j2x(item, level + 1);\n            listTagVal += result.val;\n            if (this.options.attributesGroupName && item.hasOwnProperty(this.options.attributesGroupName)) {\n              listTagAttr += result.attrStr;\n            }\n          } else {\n            listTagVal += this.processTextOrObjNode(item, key, level);\n          }\n        } else {\n          if (this.options.oneListGroup) {\n            let textValue = this.options.tagValueProcessor(key, item);\n            textValue = this.replaceEntitiesValue(textValue);\n            listTagVal += textValue;\n          } else {\n            listTagVal += this.buildTextValNode(item, key, \"\", level);\n          }\n        }\n      }\n      if (this.options.oneListGroup) {\n        listTagVal = this.buildObjectNode(listTagVal, key, listTagAttr, level);\n      }\n      val2 += listTagVal;\n    } else {\n      if (this.options.attributesGroupName && key === this.options.attributesGroupName) {\n        const Ks = Object.keys(jObj[key]);\n        const L = Ks.length;\n        for (let j = 0; j < L; j++) {\n          attrStr += this.buildAttrPairStr(Ks[j], \"\" + jObj[key][Ks[j]]);\n        }\n      } else {\n        val2 += this.processTextOrObjNode(jObj[key], key, level);\n      }\n    }\n  }\n  return { attrStr, val: val2 };\n};\nBuilder.prototype.buildAttrPairStr = function(attrName, val2) {\n  val2 = this.options.attributeValueProcessor(attrName, \"\" + val2);\n  val2 = this.replaceEntitiesValue(val2);\n  if (this.options.suppressBooleanAttributes && val2 === \"true\") {\n    return \" \" + attrName;\n  } else return \" \" + attrName + '=\"' + val2 + '\"';\n};\nfunction processTextOrObjNode(object, key, level) {\n  const result = this.j2x(object, level + 1);\n  if (object[this.options.textNodeName] !== void 0 && Object.keys(object).length === 1) {\n    return this.buildTextValNode(object[this.options.textNodeName], key, result.attrStr, level);\n  } else {\n    return this.buildObjectNode(result.val, key, result.attrStr, level);\n  }\n}\nBuilder.prototype.buildObjectNode = function(val2, key, attrStr, level) {\n  if (val2 === \"\") {\n    if (key[0] === \"?\") return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n    else {\n      return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n    }\n  } else {\n    let tagEndExp = \"</\" + key + this.tagEndChar;\n    let piClosingChar = \"\";\n    if (key[0] === \"?\") {\n      piClosingChar = \"?\";\n      tagEndExp = \"\";\n    }\n    if ((attrStr || attrStr === \"\") && val2.indexOf(\"<\") === -1) {\n      return this.indentate(level) + \"<\" + key + attrStr + piClosingChar + \">\" + val2 + tagEndExp;\n    } else if (this.options.commentPropName !== false && key === this.options.commentPropName && piClosingChar.length === 0) {\n      return this.indentate(level) + `<!--${val2}-->` + this.newLine;\n    } else {\n      return this.indentate(level) + \"<\" + key + attrStr + piClosingChar + this.tagEndChar + val2 + this.indentate(level) + tagEndExp;\n    }\n  }\n};\nBuilder.prototype.closeTag = function(key) {\n  let closeTag = \"\";\n  if (this.options.unpairedTags.indexOf(key) !== -1) {\n    if (!this.options.suppressUnpairedNode) closeTag = \"/\";\n  } else if (this.options.suppressEmptyNode) {\n    closeTag = \"/\";\n  } else {\n    closeTag = `></${key}`;\n  }\n  return closeTag;\n};\nBuilder.prototype.buildTextValNode = function(val2, key, attrStr, level) {\n  if (this.options.cdataPropName !== false && key === this.options.cdataPropName) {\n    return this.indentate(level) + `<![CDATA[${val2}]]>` + this.newLine;\n  } else if (this.options.commentPropName !== false && key === this.options.commentPropName) {\n    return this.indentate(level) + `<!--${val2}-->` + this.newLine;\n  } else if (key[0] === \"?\") {\n    return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n  } else {\n    let textValue = this.options.tagValueProcessor(key, val2);\n    textValue = this.replaceEntitiesValue(textValue);\n    if (textValue === \"\") {\n      return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n    } else {\n      return this.indentate(level) + \"<\" + key + attrStr + \">\" + textValue + \"</\" + key + this.tagEndChar;\n    }\n  }\n};\nBuilder.prototype.replaceEntitiesValue = function(textValue) {\n  if (textValue && textValue.length > 0 && this.options.processEntities) {\n    for (let i = 0; i < this.options.entities.length; i++) {\n      const entity = this.options.entities[i];\n      textValue = textValue.replace(entity.regex, entity.val);\n    }\n  }\n  return textValue;\n};\nfunction indentate(level) {\n  return this.options.indentBy.repeat(level);\n}\nfunction isAttribute(name) {\n  if (name.startsWith(this.options.attributeNamePrefix) && name !== this.options.textNodeName) {\n    return name.substr(this.attrPrefixLen);\n  } else {\n    return false;\n  }\n}\nvar json2xml = Builder;\nconst validator = validator$2;\nconst XMLParser2 = XMLParser_1;\nconst XMLBuilder = json2xml;\nvar fxp = {\n  XMLParser: XMLParser2,\n  XMLValidator: validator,\n  XMLBuilder\n};\nfunction isSvg(string) {\n  if (typeof string !== \"string\") {\n    throw new TypeError(`Expected a \\`string\\`, got \\`${typeof string}\\``);\n  }\n  string = string.trim();\n  if (string.length === 0) {\n    return false;\n  }\n  if (fxp.XMLValidator.validate(string) !== true) {\n    return false;\n  }\n  let jsonObject;\n  const parser = new fxp.XMLParser();\n  try {\n    jsonObject = parser.parse(string);\n  } catch {\n    return false;\n  }\n  if (!jsonObject) {\n    return false;\n  }\n  if (!Object.keys(jsonObject).some((x) => x.toLowerCase() === \"svg\")) {\n    return false;\n  }\n  return true;\n}\nclass View {\n  _view;\n  constructor(view) {\n    isValidView(view);\n    this._view = view;\n  }\n  get id() {\n    return this._view.id;\n  }\n  get name() {\n    return this._view.name;\n  }\n  get caption() {\n    return this._view.caption;\n  }\n  get emptyTitle() {\n    return this._view.emptyTitle;\n  }\n  get emptyCaption() {\n    return this._view.emptyCaption;\n  }\n  get getContents() {\n    return this._view.getContents;\n  }\n  get icon() {\n    return this._view.icon;\n  }\n  set icon(icon) {\n    this._view.icon = icon;\n  }\n  get order() {\n    return this._view.order;\n  }\n  set order(order) {\n    this._view.order = order;\n  }\n  get params() {\n    return this._view.params;\n  }\n  set params(params) {\n    this._view.params = params;\n  }\n  get columns() {\n    return this._view.columns;\n  }\n  get emptyView() {\n    return this._view.emptyView;\n  }\n  get parent() {\n    return this._view.parent;\n  }\n  get sticky() {\n    return this._view.sticky;\n  }\n  get expanded() {\n    return this._view.expanded;\n  }\n  set expanded(expanded) {\n    this._view.expanded = expanded;\n  }\n  get defaultSortKey() {\n    return this._view.defaultSortKey;\n  }\n  get loadChildViews() {\n    return this._view.loadChildViews;\n  }\n}\nconst isValidView = function(view) {\n  if (!view.id || typeof view.id !== \"string\") {\n    throw new Error(\"View id is required and must be a string\");\n  }\n  if (!view.name || typeof view.name !== \"string\") {\n    throw new Error(\"View name is required and must be a string\");\n  }\n  if (view.columns && view.columns.length > 0 && (!view.caption || typeof view.caption !== \"string\")) {\n    throw new Error(\"View caption is required for top-level views and must be a string\");\n  }\n  if (!view.getContents || typeof view.getContents !== \"function\") {\n    throw new Error(\"View getContents is required and must be a function\");\n  }\n  if (!view.icon || typeof view.icon !== \"string\" || !isSvg(view.icon)) {\n    throw new Error(\"View icon is required and must be a valid svg string\");\n  }\n  if (!(\"order\" in view) || typeof view.order !== \"number\") {\n    throw new Error(\"View order is required and must be a number\");\n  }\n  if (view.columns) {\n    view.columns.forEach((column) => {\n      if (!(column instanceof Column)) {\n        throw new Error(\"View columns must be an array of Column. Invalid column found\");\n      }\n    });\n  }\n  if (view.emptyView && typeof view.emptyView !== \"function\") {\n    throw new Error(\"View emptyView must be a function\");\n  }\n  if (view.parent && typeof view.parent !== \"string\") {\n    throw new Error(\"View parent must be a string\");\n  }\n  if (\"sticky\" in view && typeof view.sticky !== \"boolean\") {\n    throw new Error(\"View sticky must be a boolean\");\n  }\n  if (\"expanded\" in view && typeof view.expanded !== \"boolean\") {\n    throw new Error(\"View expanded must be a boolean\");\n  }\n  if (view.defaultSortKey && typeof view.defaultSortKey !== \"string\") {\n    throw new Error(\"View defaultSortKey must be a string\");\n  }\n  if (view.loadChildViews && typeof view.loadChildViews !== \"function\") {\n    throw new Error(\"View loadChildViews must be a function\");\n  }\n  return true;\n};\nconst debug$1 = typeof process === \"object\" && process.env && process.env.NODE_DEBUG && /\\bsemver\\b/i.test(process.env.NODE_DEBUG) ? (...args) => console.error(\"SEMVER\", ...args) : () => {\n};\nvar debug_1 = debug$1;\nconst SEMVER_SPEC_VERSION = \"2.0.0\";\nconst MAX_LENGTH$1 = 256;\nconst MAX_SAFE_INTEGER$1 = Number.MAX_SAFE_INTEGER || /* istanbul ignore next */\n9007199254740991;\nconst MAX_SAFE_COMPONENT_LENGTH = 16;\nconst MAX_SAFE_BUILD_LENGTH = MAX_LENGTH$1 - 6;\nconst RELEASE_TYPES = [\n  \"major\",\n  \"premajor\",\n  \"minor\",\n  \"preminor\",\n  \"patch\",\n  \"prepatch\",\n  \"prerelease\"\n];\nvar constants = {\n  MAX_LENGTH: MAX_LENGTH$1,\n  MAX_SAFE_COMPONENT_LENGTH,\n  MAX_SAFE_BUILD_LENGTH,\n  MAX_SAFE_INTEGER: MAX_SAFE_INTEGER$1,\n  RELEASE_TYPES,\n  SEMVER_SPEC_VERSION,\n  FLAG_INCLUDE_PRERELEASE: 1,\n  FLAG_LOOSE: 2\n};\nvar re$1 = { exports: {} };\n(function(module, exports) {\n  const {\n    MAX_SAFE_COMPONENT_LENGTH: MAX_SAFE_COMPONENT_LENGTH2,\n    MAX_SAFE_BUILD_LENGTH: MAX_SAFE_BUILD_LENGTH2,\n    MAX_LENGTH: MAX_LENGTH2\n  } = constants;\n  const debug2 = debug_1;\n  exports = module.exports = {};\n  const re2 = exports.re = [];\n  const safeRe = exports.safeRe = [];\n  const src = exports.src = [];\n  const t2 = exports.t = {};\n  let R = 0;\n  const LETTERDASHNUMBER = \"[a-zA-Z0-9-]\";\n  const safeRegexReplacements = [\n    [\"\\\\s\", 1],\n    [\"\\\\d\", MAX_LENGTH2],\n    [LETTERDASHNUMBER, MAX_SAFE_BUILD_LENGTH2]\n  ];\n  const makeSafeRegex = (value) => {\n    for (const [token, max] of safeRegexReplacements) {\n      value = value.split(`${token}*`).join(`${token}{0,${max}}`).split(`${token}+`).join(`${token}{1,${max}}`);\n    }\n    return value;\n  };\n  const createToken = (name, value, isGlobal) => {\n    const safe = makeSafeRegex(value);\n    const index = R++;\n    debug2(name, index, value);\n    t2[name] = index;\n    src[index] = value;\n    re2[index] = new RegExp(value, isGlobal ? \"g\" : void 0);\n    safeRe[index] = new RegExp(safe, isGlobal ? \"g\" : void 0);\n  };\n  createToken(\"NUMERICIDENTIFIER\", \"0|[1-9]\\\\d*\");\n  createToken(\"NUMERICIDENTIFIERLOOSE\", \"\\\\d+\");\n  createToken(\"NONNUMERICIDENTIFIER\", `\\\\d*[a-zA-Z-]${LETTERDASHNUMBER}*`);\n  createToken(\"MAINVERSION\", `(${src[t2.NUMERICIDENTIFIER]})\\\\.(${src[t2.NUMERICIDENTIFIER]})\\\\.(${src[t2.NUMERICIDENTIFIER]})`);\n  createToken(\"MAINVERSIONLOOSE\", `(${src[t2.NUMERICIDENTIFIERLOOSE]})\\\\.(${src[t2.NUMERICIDENTIFIERLOOSE]})\\\\.(${src[t2.NUMERICIDENTIFIERLOOSE]})`);\n  createToken(\"PRERELEASEIDENTIFIER\", `(?:${src[t2.NUMERICIDENTIFIER]}|${src[t2.NONNUMERICIDENTIFIER]})`);\n  createToken(\"PRERELEASEIDENTIFIERLOOSE\", `(?:${src[t2.NUMERICIDENTIFIERLOOSE]}|${src[t2.NONNUMERICIDENTIFIER]})`);\n  createToken(\"PRERELEASE\", `(?:-(${src[t2.PRERELEASEIDENTIFIER]}(?:\\\\.${src[t2.PRERELEASEIDENTIFIER]})*))`);\n  createToken(\"PRERELEASELOOSE\", `(?:-?(${src[t2.PRERELEASEIDENTIFIERLOOSE]}(?:\\\\.${src[t2.PRERELEASEIDENTIFIERLOOSE]})*))`);\n  createToken(\"BUILDIDENTIFIER\", `${LETTERDASHNUMBER}+`);\n  createToken(\"BUILD\", `(?:\\\\+(${src[t2.BUILDIDENTIFIER]}(?:\\\\.${src[t2.BUILDIDENTIFIER]})*))`);\n  createToken(\"FULLPLAIN\", `v?${src[t2.MAINVERSION]}${src[t2.PRERELEASE]}?${src[t2.BUILD]}?`);\n  createToken(\"FULL\", `^${src[t2.FULLPLAIN]}$`);\n  createToken(\"LOOSEPLAIN\", `[v=\\\\s]*${src[t2.MAINVERSIONLOOSE]}${src[t2.PRERELEASELOOSE]}?${src[t2.BUILD]}?`);\n  createToken(\"LOOSE\", `^${src[t2.LOOSEPLAIN]}$`);\n  createToken(\"GTLT\", \"((?:<|>)?=?)\");\n  createToken(\"XRANGEIDENTIFIERLOOSE\", `${src[t2.NUMERICIDENTIFIERLOOSE]}|x|X|\\\\*`);\n  createToken(\"XRANGEIDENTIFIER\", `${src[t2.NUMERICIDENTIFIER]}|x|X|\\\\*`);\n  createToken(\"XRANGEPLAIN\", `[v=\\\\s]*(${src[t2.XRANGEIDENTIFIER]})(?:\\\\.(${src[t2.XRANGEIDENTIFIER]})(?:\\\\.(${src[t2.XRANGEIDENTIFIER]})(?:${src[t2.PRERELEASE]})?${src[t2.BUILD]}?)?)?`);\n  createToken(\"XRANGEPLAINLOOSE\", `[v=\\\\s]*(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:\\\\.(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:\\\\.(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:${src[t2.PRERELEASELOOSE]})?${src[t2.BUILD]}?)?)?`);\n  createToken(\"XRANGE\", `^${src[t2.GTLT]}\\\\s*${src[t2.XRANGEPLAIN]}$`);\n  createToken(\"XRANGELOOSE\", `^${src[t2.GTLT]}\\\\s*${src[t2.XRANGEPLAINLOOSE]}$`);\n  createToken(\"COERCEPLAIN\", `${\"(^|[^\\\\d])(\\\\d{1,\"}${MAX_SAFE_COMPONENT_LENGTH2}})(?:\\\\.(\\\\d{1,${MAX_SAFE_COMPONENT_LENGTH2}}))?(?:\\\\.(\\\\d{1,${MAX_SAFE_COMPONENT_LENGTH2}}))?`);\n  createToken(\"COERCE\", `${src[t2.COERCEPLAIN]}(?:$|[^\\\\d])`);\n  createToken(\"COERCEFULL\", src[t2.COERCEPLAIN] + `(?:${src[t2.PRERELEASE]})?(?:${src[t2.BUILD]})?(?:$|[^\\\\d])`);\n  createToken(\"COERCERTL\", src[t2.COERCE], true);\n  createToken(\"COERCERTLFULL\", src[t2.COERCEFULL], true);\n  createToken(\"LONETILDE\", \"(?:~>?)\");\n  createToken(\"TILDETRIM\", `(\\\\s*)${src[t2.LONETILDE]}\\\\s+`, true);\n  exports.tildeTrimReplace = \"$1~\";\n  createToken(\"TILDE\", `^${src[t2.LONETILDE]}${src[t2.XRANGEPLAIN]}$`);\n  createToken(\"TILDELOOSE\", `^${src[t2.LONETILDE]}${src[t2.XRANGEPLAINLOOSE]}$`);\n  createToken(\"LONECARET\", \"(?:\\\\^)\");\n  createToken(\"CARETTRIM\", `(\\\\s*)${src[t2.LONECARET]}\\\\s+`, true);\n  exports.caretTrimReplace = \"$1^\";\n  createToken(\"CARET\", `^${src[t2.LONECARET]}${src[t2.XRANGEPLAIN]}$`);\n  createToken(\"CARETLOOSE\", `^${src[t2.LONECARET]}${src[t2.XRANGEPLAINLOOSE]}$`);\n  createToken(\"COMPARATORLOOSE\", `^${src[t2.GTLT]}\\\\s*(${src[t2.LOOSEPLAIN]})$|^$`);\n  createToken(\"COMPARATOR\", `^${src[t2.GTLT]}\\\\s*(${src[t2.FULLPLAIN]})$|^$`);\n  createToken(\"COMPARATORTRIM\", `(\\\\s*)${src[t2.GTLT]}\\\\s*(${src[t2.LOOSEPLAIN]}|${src[t2.XRANGEPLAIN]})`, true);\n  exports.comparatorTrimReplace = \"$1$2$3\";\n  createToken(\"HYPHENRANGE\", `^\\\\s*(${src[t2.XRANGEPLAIN]})\\\\s+-\\\\s+(${src[t2.XRANGEPLAIN]})\\\\s*$`);\n  createToken(\"HYPHENRANGELOOSE\", `^\\\\s*(${src[t2.XRANGEPLAINLOOSE]})\\\\s+-\\\\s+(${src[t2.XRANGEPLAINLOOSE]})\\\\s*$`);\n  createToken(\"STAR\", \"(<|>)?=?\\\\s*\\\\*\");\n  createToken(\"GTE0\", \"^\\\\s*>=\\\\s*0\\\\.0\\\\.0\\\\s*$\");\n  createToken(\"GTE0PRE\", \"^\\\\s*>=\\\\s*0\\\\.0\\\\.0-0\\\\s*$\");\n})(re$1, re$1.exports);\nvar reExports = re$1.exports;\nconst looseOption = Object.freeze({ loose: true });\nconst emptyOpts = Object.freeze({});\nconst parseOptions$1 = (options) => {\n  if (!options) {\n    return emptyOpts;\n  }\n  if (typeof options !== \"object\") {\n    return looseOption;\n  }\n  return options;\n};\nvar parseOptions_1 = parseOptions$1;\nconst numeric = /^[0-9]+$/;\nconst compareIdentifiers$1 = (a, b) => {\n  const anum = numeric.test(a);\n  const bnum = numeric.test(b);\n  if (anum && bnum) {\n    a = +a;\n    b = +b;\n  }\n  return a === b ? 0 : anum && !bnum ? -1 : bnum && !anum ? 1 : a < b ? -1 : 1;\n};\nconst rcompareIdentifiers = (a, b) => compareIdentifiers$1(b, a);\nvar identifiers = {\n  compareIdentifiers: compareIdentifiers$1,\n  rcompareIdentifiers\n};\nconst debug = debug_1;\nconst { MAX_LENGTH, MAX_SAFE_INTEGER } = constants;\nconst { safeRe: re, t } = reExports;\nconst parseOptions = parseOptions_1;\nconst { compareIdentifiers } = identifiers;\nlet SemVer$2 = class SemVer {\n  constructor(version, options) {\n    options = parseOptions(options);\n    if (version instanceof SemVer) {\n      if (version.loose === !!options.loose && version.includePrerelease === !!options.includePrerelease) {\n        return version;\n      } else {\n        version = version.version;\n      }\n    } else if (typeof version !== \"string\") {\n      throw new TypeError(`Invalid version. Must be a string. Got type \"${typeof version}\".`);\n    }\n    if (version.length > MAX_LENGTH) {\n      throw new TypeError(\n        `version is longer than ${MAX_LENGTH} characters`\n      );\n    }\n    debug(\"SemVer\", version, options);\n    this.options = options;\n    this.loose = !!options.loose;\n    this.includePrerelease = !!options.includePrerelease;\n    const m = version.trim().match(options.loose ? re[t.LOOSE] : re[t.FULL]);\n    if (!m) {\n      throw new TypeError(`Invalid Version: ${version}`);\n    }\n    this.raw = version;\n    this.major = +m[1];\n    this.minor = +m[2];\n    this.patch = +m[3];\n    if (this.major > MAX_SAFE_INTEGER || this.major < 0) {\n      throw new TypeError(\"Invalid major version\");\n    }\n    if (this.minor > MAX_SAFE_INTEGER || this.minor < 0) {\n      throw new TypeError(\"Invalid minor version\");\n    }\n    if (this.patch > MAX_SAFE_INTEGER || this.patch < 0) {\n      throw new TypeError(\"Invalid patch version\");\n    }\n    if (!m[4]) {\n      this.prerelease = [];\n    } else {\n      this.prerelease = m[4].split(\".\").map((id) => {\n        if (/^[0-9]+$/.test(id)) {\n          const num = +id;\n          if (num >= 0 && num < MAX_SAFE_INTEGER) {\n            return num;\n          }\n        }\n        return id;\n      });\n    }\n    this.build = m[5] ? m[5].split(\".\") : [];\n    this.format();\n  }\n  format() {\n    this.version = `${this.major}.${this.minor}.${this.patch}`;\n    if (this.prerelease.length) {\n      this.version += `-${this.prerelease.join(\".\")}`;\n    }\n    return this.version;\n  }\n  toString() {\n    return this.version;\n  }\n  compare(other) {\n    debug(\"SemVer.compare\", this.version, this.options, other);\n    if (!(other instanceof SemVer)) {\n      if (typeof other === \"string\" && other === this.version) {\n        return 0;\n      }\n      other = new SemVer(other, this.options);\n    }\n    if (other.version === this.version) {\n      return 0;\n    }\n    return this.compareMain(other) || this.comparePre(other);\n  }\n  compareMain(other) {\n    if (!(other instanceof SemVer)) {\n      other = new SemVer(other, this.options);\n    }\n    return compareIdentifiers(this.major, other.major) || compareIdentifiers(this.minor, other.minor) || compareIdentifiers(this.patch, other.patch);\n  }\n  comparePre(other) {\n    if (!(other instanceof SemVer)) {\n      other = new SemVer(other, this.options);\n    }\n    if (this.prerelease.length && !other.prerelease.length) {\n      return -1;\n    } else if (!this.prerelease.length && other.prerelease.length) {\n      return 1;\n    } else if (!this.prerelease.length && !other.prerelease.length) {\n      return 0;\n    }\n    let i = 0;\n    do {\n      const a = this.prerelease[i];\n      const b = other.prerelease[i];\n      debug(\"prerelease compare\", i, a, b);\n      if (a === void 0 && b === void 0) {\n        return 0;\n      } else if (b === void 0) {\n        return 1;\n      } else if (a === void 0) {\n        return -1;\n      } else if (a === b) {\n        continue;\n      } else {\n        return compareIdentifiers(a, b);\n      }\n    } while (++i);\n  }\n  compareBuild(other) {\n    if (!(other instanceof SemVer)) {\n      other = new SemVer(other, this.options);\n    }\n    let i = 0;\n    do {\n      const a = this.build[i];\n      const b = other.build[i];\n      debug(\"build compare\", i, a, b);\n      if (a === void 0 && b === void 0) {\n        return 0;\n      } else if (b === void 0) {\n        return 1;\n      } else if (a === void 0) {\n        return -1;\n      } else if (a === b) {\n        continue;\n      } else {\n        return compareIdentifiers(a, b);\n      }\n    } while (++i);\n  }\n  // preminor will bump the version up to the next minor release, and immediately\n  // down to pre-release. premajor and prepatch work the same way.\n  inc(release, identifier, identifierBase) {\n    switch (release) {\n      case \"premajor\":\n        this.prerelease.length = 0;\n        this.patch = 0;\n        this.minor = 0;\n        this.major++;\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"preminor\":\n        this.prerelease.length = 0;\n        this.patch = 0;\n        this.minor++;\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"prepatch\":\n        this.prerelease.length = 0;\n        this.inc(\"patch\", identifier, identifierBase);\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"prerelease\":\n        if (this.prerelease.length === 0) {\n          this.inc(\"patch\", identifier, identifierBase);\n        }\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"major\":\n        if (this.minor !== 0 || this.patch !== 0 || this.prerelease.length === 0) {\n          this.major++;\n        }\n        this.minor = 0;\n        this.patch = 0;\n        this.prerelease = [];\n        break;\n      case \"minor\":\n        if (this.patch !== 0 || this.prerelease.length === 0) {\n          this.minor++;\n        }\n        this.patch = 0;\n        this.prerelease = [];\n        break;\n      case \"patch\":\n        if (this.prerelease.length === 0) {\n          this.patch++;\n        }\n        this.prerelease = [];\n        break;\n      case \"pre\": {\n        const base = Number(identifierBase) ? 1 : 0;\n        if (!identifier && identifierBase === false) {\n          throw new Error(\"invalid increment argument: identifier is empty\");\n        }\n        if (this.prerelease.length === 0) {\n          this.prerelease = [base];\n        } else {\n          let i = this.prerelease.length;\n          while (--i >= 0) {\n            if (typeof this.prerelease[i] === \"number\") {\n              this.prerelease[i]++;\n              i = -2;\n            }\n          }\n          if (i === -1) {\n            if (identifier === this.prerelease.join(\".\") && identifierBase === false) {\n              throw new Error(\"invalid increment argument: identifier already exists\");\n            }\n            this.prerelease.push(base);\n          }\n        }\n        if (identifier) {\n          let prerelease = [identifier, base];\n          if (identifierBase === false) {\n            prerelease = [identifier];\n          }\n          if (compareIdentifiers(this.prerelease[0], identifier) === 0) {\n            if (isNaN(this.prerelease[1])) {\n              this.prerelease = prerelease;\n            }\n          } else {\n            this.prerelease = prerelease;\n          }\n        }\n        break;\n      }\n      default:\n        throw new Error(`invalid increment argument: ${release}`);\n    }\n    this.raw = this.format();\n    if (this.build.length) {\n      this.raw += `+${this.build.join(\".\")}`;\n    }\n    return this;\n  }\n};\nvar semver = SemVer$2;\nconst SemVer$1 = semver;\nconst parse$1 = (version, options, throwErrors = false) => {\n  if (version instanceof SemVer$1) {\n    return version;\n  }\n  try {\n    return new SemVer$1(version, options);\n  } catch (er) {\n    if (!throwErrors) {\n      return null;\n    }\n    throw er;\n  }\n};\nvar parse_1 = parse$1;\nconst parse = parse_1;\nconst valid = (version, options) => {\n  const v = parse(version, options);\n  return v ? v.version : null;\n};\nvar valid_1 = valid;\nconst valid$1 = /* @__PURE__ */ getDefaultExportFromCjs(valid_1);\nconst SemVer2 = semver;\nconst major = (a, loose) => new SemVer2(a, loose).major;\nvar major_1 = major;\nconst major$1 = /* @__PURE__ */ getDefaultExportFromCjs(major_1);\nclass ProxyBus {\n  bus;\n  constructor(bus2) {\n    if (typeof bus2.getVersion !== \"function\" || !valid$1(bus2.getVersion())) {\n      console.warn(\"Proxying an event bus with an unknown or invalid version\");\n    } else if (major$1(bus2.getVersion()) !== major$1(this.getVersion())) {\n      console.warn(\n        \"Proxying an event bus of version \" + bus2.getVersion() + \" with \" + this.getVersion()\n      );\n    }\n    this.bus = bus2;\n  }\n  getVersion() {\n    return \"3.3.1\";\n  }\n  subscribe(name, handler) {\n    this.bus.subscribe(name, handler);\n  }\n  unsubscribe(name, handler) {\n    this.bus.unsubscribe(name, handler);\n  }\n  emit(name, event) {\n    this.bus.emit(name, event);\n  }\n}\nclass SimpleBus {\n  handlers = /* @__PURE__ */ new Map();\n  getVersion() {\n    return \"3.3.1\";\n  }\n  subscribe(name, handler) {\n    this.handlers.set(\n      name,\n      (this.handlers.get(name) || []).concat(\n        handler\n      )\n    );\n  }\n  unsubscribe(name, handler) {\n    this.handlers.set(\n      name,\n      (this.handlers.get(name) || []).filter((h) => h !== handler)\n    );\n  }\n  emit(name, event) {\n    (this.handlers.get(name) || []).forEach((h) => {\n      try {\n        h(event);\n      } catch (e) {\n        console.error(\"could not invoke event listener\", e);\n      }\n    });\n  }\n}\nlet bus = null;\nfunction getBus() {\n  if (bus !== null) {\n    return bus;\n  }\n  if (typeof window === \"undefined\") {\n    return new Proxy({}, {\n      get: () => {\n        return () => console.error(\n          \"Window not available, EventBus can not be established!\"\n        );\n      }\n    });\n  }\n  if (window.OC?._eventBus && typeof window._nc_event_bus === \"undefined\") {\n    console.warn(\n      \"found old event bus instance at OC._eventBus. Update your version!\"\n    );\n    window._nc_event_bus = window.OC._eventBus;\n  }\n  if (typeof window?._nc_event_bus !== \"undefined\") {\n    bus = new ProxyBus(window._nc_event_bus);\n  } else {\n    bus = window._nc_event_bus = new SimpleBus();\n  }\n  return bus;\n}\nfunction emit(name, event) {\n  getBus().emit(name, event);\n}\n/*!\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nclass FileListFilter extends TypedEventTarget {\n  id;\n  order;\n  constructor(id, order = 100) {\n    super();\n    this.id = id;\n    this.order = order;\n  }\n  filter(nodes) {\n    throw new Error(\"Not implemented\");\n  }\n  updateChips(chips) {\n    this.dispatchTypedEvent(\"update:chips\", new CustomEvent(\"update:chips\", { detail: chips }));\n  }\n  filterUpdated() {\n    this.dispatchTypedEvent(\"update:filter\", new CustomEvent(\"update:filter\"));\n  }\n}\nfunction registerFileListFilter(filter) {\n  if (!window._nc_filelist_filters) {\n    window._nc_filelist_filters = /* @__PURE__ */ new Map();\n  }\n  if (window._nc_filelist_filters.has(filter.id)) {\n    throw new Error(`File list filter \"${filter.id}\" already registered`);\n  }\n  window._nc_filelist_filters.set(filter.id, filter);\n  emit(\"files:filter:added\", filter);\n}\nfunction unregisterFileListFilter(filterId) {\n  if (window._nc_filelist_filters && window._nc_filelist_filters.has(filterId)) {\n    window._nc_filelist_filters.delete(filterId);\n    emit(\"files:filter:removed\", filterId);\n  }\n}\nfunction getFileListFilters() {\n  if (!window._nc_filelist_filters) {\n    return [];\n  }\n  return [...window._nc_filelist_filters.values()];\n}\nconst addNewFileMenuEntry = function(entry) {\n  const newFileMenu = getNewFileMenu();\n  return newFileMenu.registerEntry(entry);\n};\nconst removeNewFileMenuEntry = function(entry) {\n  const newFileMenu = getNewFileMenu();\n  return newFileMenu.unregisterEntry(entry);\n};\nconst getNewFileMenuEntries = function(context) {\n  const newFileMenu = getNewFileMenu();\n  return newFileMenu.getEntries(context).sort((a, b) => {\n    if (a.order !== void 0 && b.order !== void 0 && a.order !== b.order) {\n      return a.order - b.order;\n    }\n    return a.displayName.localeCompare(b.displayName, void 0, { numeric: true, sensitivity: \"base\" });\n  });\n};\nexport {\n  Column,\n  DefaultType,\n  File,\n  FileAction,\n  FileListFilter,\n  FileType,\n  FilesSortingMode,\n  Folder,\n  Header,\n  InvalidFilenameError,\n  InvalidFilenameErrorReason,\n  Navigation,\n  NewMenuEntryCategory,\n  Node,\n  NodeStatus,\n  Permission,\n  View,\n  addNewFileMenuEntry,\n  davGetClient,\n  davGetDefaultPropfind,\n  davGetFavoritesReport,\n  davGetRecentSearch,\n  davGetRemoteURL,\n  davGetRootPath,\n  davParsePermissions,\n  davRemoteURL,\n  davResultToNode,\n  davRootPath,\n  defaultDavNamespaces,\n  defaultDavProperties,\n  formatFileSize,\n  getDavNameSpaces,\n  getDavProperties,\n  getFavoriteNodes,\n  getFileActions,\n  getFileListFilters,\n  getFileListHeaders,\n  getNavigation,\n  getNewFileMenuEntries,\n  getUniqueName,\n  isFilenameValid,\n  orderBy,\n  parseFileSize,\n  registerDavProperty,\n  registerFileAction,\n  registerFileListFilter,\n  registerFileListHeaders,\n  removeNewFileMenuEntry,\n  sortNodes,\n  unregisterFileListFilter,\n  validateFilename\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!./fileEntryInlineSystemTags.scss\";\n      \n      \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n      options.insert = insertFn.bind(null, \"head\");\n    \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!./fileEntryInlineSystemTags.scss\";\n       export default content && content.locals ? content.locals : undefined;\n","import { FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport '../css/fileEntryInlineSystemTags.scss';\nconst getNodeSystemTags = function (node) {\n    const tags = node.attributes?.['system-tags']?.['system-tag'];\n    if (tags === undefined) {\n        return [];\n    }\n    return [tags].flat();\n};\nconst renderTag = function (tag, isMore = false) {\n    const tagElement = document.createElement('li');\n    tagElement.classList.add('files-list__system-tag');\n    tagElement.textContent = tag;\n    if (isMore) {\n        tagElement.classList.add('files-list__system-tag--more');\n    }\n    return tagElement;\n};\nexport const action = new FileAction({\n    id: 'system-tags',\n    displayName: () => '',\n    iconSvgInline: () => '',\n    enabled(nodes) {\n        // Only show the action on single nodes\n        if (nodes.length !== 1) {\n            return false;\n        }\n        const node = nodes[0];\n        const tags = getNodeSystemTags(node);\n        // Only show the action if the node has system tags\n        if (tags.length === 0) {\n            return false;\n        }\n        return true;\n    },\n    exec: async () => null,\n    async renderInline(node) {\n        // Ensure we have the system tags as an array\n        const tags = getNodeSystemTags(node);\n        if (tags.length === 0) {\n            return null;\n        }\n        const systemTagsElement = document.createElement('ul');\n        systemTagsElement.classList.add('files-list__system-tags');\n        systemTagsElement.setAttribute('aria-label', t('files', 'Assigned collaborative tags'));\n        systemTagsElement.append(renderTag(tags[0]));\n        if (tags.length === 2) {\n            // Special case only two tags:\n            // the overflow fake tag would take the same space as this, so render it\n            systemTagsElement.append(renderTag(tags[1]));\n        }\n        else if (tags.length > 1) {\n            // More tags than the one we're showing\n            // So we add a overflow element indicating there are more tags\n            const moreTagElement = renderTag('+' + (tags.length - 1), true);\n            moreTagElement.setAttribute('title', tags.slice(1).join(', '));\n            // because the title is not accessible we hide this element for screen readers (see alternative below)\n            moreTagElement.setAttribute('aria-hidden', 'true');\n            moreTagElement.setAttribute('role', 'presentation');\n            systemTagsElement.append(moreTagElement);\n            // For accessibility the tags are listed, as the title is not accessible\n            // but those tags are visually hidden\n            for (const tag of tags.slice(1)) {\n                const tagElement = renderTag(tag);\n                tagElement.classList.add('hidden-visually');\n                systemTagsElement.append(tagElement);\n            }\n        }\n        return systemTagsElement;\n    },\n    order: 0,\n});\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { createClient } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getRequestToken, onRequestTokenUpdate } from '@nextcloud/auth';\n// init webdav client\nconst rootUrl = generateRemoteUrl('dav');\nexport const davClient = createClient(rootUrl);\n// set CSRF token header\nconst setHeaders = (token) => {\n    davClient.setHeaders({\n        // Add this so the server knows it is an request from the browser\n        'X-Requested-With': 'XMLHttpRequest',\n        // Inject user auth\n        requesttoken: token ?? '',\n    });\n};\n// refresh headers when request token changes\nonRequestTokenUpdate(setHeaders);\nsetHeaders(getRequestToken());\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport camelCase from 'camelcase';\nexport const defaultBaseTag = {\n    userVisible: true,\n    userAssignable: true,\n    canAssign: true,\n};\nexport const parseTags = (tags) => {\n    return tags.map(({ props }) => Object.fromEntries(Object.entries(props)\n        .map(([key, value]) => [camelCase(key), camelCase(key) === 'displayName' ? String(value) : value])));\n};\n/**\n * Parse id from `Content-Location` header\n * @param url URL to parse\n */\nexport const parseIdFromLocation = (url) => {\n    const queryPos = url.indexOf('?');\n    if (queryPos > 0) {\n        url = url.substring(0, queryPos);\n    }\n    const parts = url.split('/');\n    let result;\n    do {\n        result = parts[parts.length - 1];\n        parts.pop();\n        // note: first result can be empty when there is a trailing slash,\n        // so we take the part before that\n    } while (!result && parts.length > 0);\n    return Number(result);\n};\nexport const formatTag = (initialTag) => {\n    if ('name' in initialTag && !('displayName' in initialTag)) {\n        return { ...initialTag };\n    }\n    const tag = { ...initialTag };\n    tag.name = tag.displayName;\n    delete tag.displayName;\n    return tag;\n};\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getLoggerBuilder } from '@nextcloud/logger';\nexport const logger = getLoggerBuilder()\n    .setApp('systemtags')\n    .detectUser()\n    .build();\n","import { getCurrentUser } from '@nextcloud/auth';\nimport { Folder, Permission, getDavNameSpaces, getDavProperties, davGetClient, davResultToNode, davRemoteURL, davRootPath } from '@nextcloud/files';\nimport { fetchTags } from './api';\nconst rootPath = '/systemtags';\nconst client = davGetClient();\nconst resultToNode = (node) => davResultToNode(node);\nconst formatReportPayload = (tagId) => `<?xml version=\"1.0\"?>\n<oc:filter-files ${getDavNameSpaces()}>\n\t<d:prop>\n\t\t${getDavProperties()}\n\t</d:prop>\n\t<oc:filter-rules>\n\t\t<oc:systemtag>${tagId}</oc:systemtag>\n\t</oc:filter-rules>\n</oc:filter-files>`;\nconst tagToNode = function (tag) {\n    return new Folder({\n        id: tag.id,\n        source: `${davRemoteURL}${rootPath}/${tag.id}`,\n        owner: String(getCurrentUser()?.uid ?? 'anonymous'),\n        root: rootPath,\n        displayname: tag.displayName,\n        permissions: Permission.READ,\n        attributes: {\n            ...tag,\n            'is-tag': true,\n        },\n    });\n};\nexport const getContents = async (path = '/') => {\n    // List tags in the root\n    const tagsCache = (await fetchTags()).filter(tag => tag.userVisible);\n    if (path === '/') {\n        return {\n            folder: new Folder({\n                id: 0,\n                source: `${davRemoteURL}${rootPath}`,\n                owner: getCurrentUser()?.uid,\n                root: rootPath,\n                permissions: Permission.NONE,\n            }),\n            contents: tagsCache.map(tagToNode),\n        };\n    }\n    const tagId = parseInt(path.split('/', 2)[1]);\n    const tag = tagsCache.find(tag => tag.id === tagId);\n    if (!tag) {\n        throw new Error('Tag not found');\n    }\n    const folder = tagToNode(tag);\n    const contentsResponse = await client.getDirectoryContents(davRootPath, {\n        details: true,\n        // Only filter favorites if we're at the root\n        data: formatReportPayload(tagId),\n        headers: {\n            // Patched in WebdavClient.ts\n            method: 'REPORT',\n        },\n    });\n    return {\n        folder,\n        contents: contentsResponse.data.map(resultToNode),\n    };\n};\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { registerDavProperty, registerFileAction } from '@nextcloud/files';\nimport { action as inlineSystemTagsAction } from './files_actions/inlineSystemTagsAction.js';\nimport { registerSystemTagsView } from './files_views/systemtagsView.js';\nregisterDavProperty('nc:system-tags');\nregisterFileAction(inlineSystemTagsAction);\nregisterSystemTagsView();\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { translate as t } from '@nextcloud/l10n';\nimport { View, getNavigation } from '@nextcloud/files';\nimport { getContents } from '../services/systemtags.js';\nimport svgTagMultiple from '@mdi/svg/svg/tag-multiple.svg?raw';\n/**\n * Register the system tags files view\n */\nexport function registerSystemTagsView() {\n    const Navigation = getNavigation();\n    Navigation.register(new View({\n        id: 'tags',\n        name: t('systemtags', 'Tags'),\n        caption: t('systemtags', 'List of tags and their associated files and folders.'),\n        emptyTitle: t('systemtags', 'No tags found'),\n        emptyCaption: t('systemtags', 'Tags you have created will show up here.'),\n        icon: svgTagMultiple,\n        order: 25,\n        getContents,\n    }));\n}\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport axios from '@nextcloud/axios';\nimport { generateUrl } from '@nextcloud/router';\nimport { translate as t } from '@nextcloud/l10n';\nimport { davClient } from './davClient.js';\nimport { formatTag, parseIdFromLocation, parseTags } from '../utils';\nimport { logger } from '../logger.js';\nexport const fetchTagsPayload = `<?xml version=\"1.0\"?>\n<d:propfind  xmlns:d=\"DAV:\" xmlns:oc=\"http://owncloud.org/ns\">\n\t<d:prop>\n\t\t<oc:id />\n\t\t<oc:display-name />\n\t\t<oc:user-visible />\n\t\t<oc:user-assignable />\n\t\t<oc:can-assign />\n\t</d:prop>\n</d:propfind>`;\nexport const fetchTags = async () => {\n    const path = '/systemtags';\n    try {\n        const { data: tags } = await davClient.getDirectoryContents(path, {\n            data: fetchTagsPayload,\n            details: true,\n            glob: '/systemtags/*', // Filter out first empty tag\n        });\n        return parseTags(tags);\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to load tags'), { error });\n        throw new Error(t('systemtags', 'Failed to load tags'));\n    }\n};\nexport const fetchLastUsedTagIds = async () => {\n    const url = generateUrl('/apps/systemtags/lastused');\n    try {\n        const { data: lastUsedTagIds } = await axios.get(url);\n        return lastUsedTagIds.map(Number);\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to load last used tags'), { error });\n        throw new Error(t('systemtags', 'Failed to load last used tags'));\n    }\n};\n/**\n * @param tag\n * @return created tag id\n */\nexport const createTag = async (tag) => {\n    const path = '/systemtags';\n    const tagToPost = formatTag(tag);\n    try {\n        const { headers } = await davClient.customRequest(path, {\n            method: 'POST',\n            data: tagToPost,\n        });\n        const contentLocation = headers.get('content-location');\n        if (contentLocation) {\n            return parseIdFromLocation(contentLocation);\n        }\n        logger.error(t('systemtags', 'Missing \"Content-Location\" header'));\n        throw new Error(t('systemtags', 'Missing \"Content-Location\" header'));\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to create tag'), { error });\n        throw new Error(t('systemtags', 'Failed to create tag'));\n    }\n};\nexport const updateTag = async (tag) => {\n    const path = '/systemtags/' + tag.id;\n    const data = `<?xml version=\"1.0\"?>\n\t<d:propertyupdate  xmlns:d=\"DAV:\" xmlns:oc=\"http://owncloud.org/ns\">\n\t\t<d:set>\n\t\t\t<d:prop>\n\t\t\t\t<oc:display-name>${tag.displayName}</oc:display-name>\n\t\t\t\t<oc:user-visible>${tag.userVisible}</oc:user-visible>\n\t\t\t\t<oc:user-assignable>${tag.userAssignable}</oc:user-assignable>\n\t\t\t</d:prop>\n\t\t</d:set>\n\t</d:propertyupdate>`;\n    try {\n        await davClient.customRequest(path, {\n            method: 'PROPPATCH',\n            data,\n        });\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to update tag'), { error });\n        throw new Error(t('systemtags', 'Failed to update tag'));\n    }\n};\nexport const deleteTag = async (tag) => {\n    const path = '/systemtags/' + tag.id;\n    try {\n        await davClient.deleteFile(path);\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to delete tag'), { error });\n        throw new Error(t('systemtags', 'Failed to delete tag'));\n    }\n};\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, `.files-list__system-tags{--min-size: 32px;display:none;justify-content:center;align-items:center;min-width:calc(var(--min-size)*2);max-width:300px}.files-list__system-tag{padding:5px 10px;border:1px solid;border-radius:var(--border-radius-pill);border-color:var(--color-border);color:var(--color-text-maxcontrast);height:var(--min-size);white-space:nowrap;overflow:hidden;text-overflow:ellipsis;line-height:22px;text-align:center}.files-list__system-tag--more{overflow:visible;text-overflow:initial}.files-list__system-tag+.files-list__system-tag{margin-left:5px}@media(min-width: 512px){.files-list__system-tags{display:flex}}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/systemtags/src/css/fileEntryInlineSystemTags.scss\"],\"names\":[],\"mappings\":\"AAKA,yBACC,gBAAA,CACA,YAAA,CACA,sBAAA,CACA,kBAAA,CACA,iCAAA,CACA,eAAA,CAGD,wBACC,gBAAA,CACA,gBAAA,CACA,uCAAA,CACA,gCAAA,CACA,mCAAA,CACA,sBAAA,CACA,kBAAA,CACA,eAAA,CACA,sBAAA,CACA,gBAAA,CACA,iBAAA,CAEA,8BACC,gBAAA,CACA,qBAAA,CAID,gDACC,eAAA,CAIF,yBACC,yBACC,YAAA,CAAA\",\"sourcesContent\":[\"/**\\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\\n * SPDX-License-Identifier: AGPL-3.0-or-later\\n */\\n\\n.files-list__system-tags {\\n\\t--min-size: 32px;\\n\\tdisplay: none;\\n\\tjustify-content: center;\\n\\talign-items: center;\\n\\tmin-width: calc(var(--min-size) * 2);\\n\\tmax-width: 300px;\\n}\\n\\n.files-list__system-tag {\\n\\tpadding: 5px 10px;\\n\\tborder: 1px solid;\\n\\tborder-radius: var(--border-radius-pill);\\n\\tborder-color: var(--color-border);\\n\\tcolor: var(--color-text-maxcontrast);\\n\\theight: var(--min-size);\\n\\twhite-space: nowrap;\\n\\toverflow: hidden;\\n\\ttext-overflow: ellipsis;\\n\\tline-height: 22px; // min-size - 2 * 5px padding\\n\\ttext-align: center;\\n\\n\\t&--more {\\n\\t\\toverflow: visible;\\n\\t\\ttext-overflow: initial;\\n\\t}\\n\\n\\t// Proper spacing if multiple shown\\n\\t& + .files-list__system-tag {\\n\\t\\tmargin-left: 5px;\\n\\t}\\n}\\n\\n@media (min-width: 512px) {\\n\\t.files-list__system-tags {\\n\\t\\tdisplay: flex;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// The module cache\nvar __webpack_module_cache__ = {};\n\n// The require function\nfunction __webpack_require__(moduleId) {\n\t// Check if module is in cache\n\tvar cachedModule = __webpack_module_cache__[moduleId];\n\tif (cachedModule !== undefined) {\n\t\treturn cachedModule.exports;\n\t}\n\t// Create a new module (and put it into the cache)\n\tvar module = __webpack_module_cache__[moduleId] = {\n\t\tid: moduleId,\n\t\tloaded: false,\n\t\texports: {}\n\t};\n\n\t// Execute the module function\n\t__webpack_modules__[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n\t// Flag the module as loaded\n\tmodule.loaded = true;\n\n\t// Return the exports of the module\n\treturn module.exports;\n}\n\n// expose the modules object (__webpack_modules__)\n__webpack_require__.m = __webpack_modules__;\n\n","// getDefaultExport function for compatibility with non-harmony modules\n__webpack_require__.n = (module) => {\n\tvar getter = module && module.__esModule ?\n\t\t() => (module['default']) :\n\t\t() => (module);\n\t__webpack_require__.d(getter, { a: getter });\n\treturn getter;\n};","// define getter functions for harmony exports\n__webpack_require__.d = (exports, definition) => {\n\tfor(var key in definition) {\n\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n\t\t}\n\t}\n};","// The chunk loading function for additional chunks\n// Since all referenced chunks are already included\n// in this file, this function is empty here.\n__webpack_require__.e = () => (Promise.resolve());","__webpack_require__.g = (function() {\n\tif (typeof globalThis === 'object') return globalThis;\n\ttry {\n\t\treturn this || new Function('return this')();\n\t} catch (e) {\n\t\tif (typeof window === 'object') return window;\n\t}\n})();","__webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))","// define __esModule on exports\n__webpack_require__.r = (exports) => {\n\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n\t}\n\tObject.defineProperty(exports, '__esModule', { value: true });\n};","__webpack_require__.nmd = (module) => {\n\tmodule.paths = [];\n\tif (!module.children) module.children = [];\n\treturn module;\n};","__webpack_require__.j = 2766;","__webpack_require__.b = document.baseURI || self.location.href;\n\n// object to store loaded and loading chunks\n// undefined = chunk not loaded, null = chunk preloaded/prefetched\n// [resolve, reject, Promise] = chunk loading, 0 = chunk loaded\nvar installedChunks = {\n\t2766: 0\n};\n\n// no chunk on demand loading\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(39607)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","setApp","detectUser","build","DefaultType","DefaultType2","Permission","Permission2","defaultDavProperties","defaultDavNamespaces","d","nc","oc","ocs","FileType","FileType2","isDavRessource","source","davService","match","validateData","data","id","Error","URL","e","startsWith","displayname","mtime","Date","crtime","mime","size","permissions","NONE","ALL","owner","attributes","root","includes","service","join","status","Object","values","NodeStatus","NodeStatus2","Node","_data","_attributes","_knownDavService","readonlyAttributes","entries","getOwnPropertyDescriptors","prototype","filter","get","map","handler","set","target","prop","value","this","Reflect","deleteProperty","receiver","warn","constructor","Proxy","update","replace","encodedSource","origin","slice","length","basename","extension","extname","dirname","split","pop","firstMatch","indexOf","url","pathname","updateMtime","READ","path","fileid","move","destination","oldBasename","rename","basename2","name","TypeError","File","type","Folder","super","davRootPath","uid","davRemoteURL","davGetRemoteURL","Navigation","_views","_currentView","register","view","find","search","push","dispatchTypedEvent","CustomEvent","remove","index","findIndex","splice","setActive","event","detail","active","views","Column","_column","column","isValidColumn","title","render","sort","summary","validator$2","util$3","exports","nameStartChar","nameRegexp","regexName","RegExp","isExist","v","isEmptyObject","obj","keys","merge","a","arrayMode","len","i","getValue","isName","string","exec","getAllMatches","regex","matches","allmatches","startIndex","lastIndex","util$2","defaultOptions$2","allowBooleanAttributes","unpairedTags","isWhiteSpace","char","readPI","xmlData","start","tagname","substr","getErrorObject","getLineNumberForPosition","readCommentAndCDATA","angleBracketsCount","validate","options","assign","tags","tagFound","reachedRoot","err","tagStartPos","closingTag","tagName","trim","substring","msg","result","readAttributeStr","attrStr","attrStrStart","isValid","validateAttributeString","code","line","tagClosed","otg","openPos","col","afterAmp","validateAmpersand","JSON","stringify","t2","doubleQuote","singleQuote","startChar","validAttrStrRegxp","attrNames","getPositionFromMatch","attrName","validateAttrName","hasOwnProperty","re2","validateNumberAmpersand","count","message","lineNumber","lines","OptionsBuilder","defaultOptions$1","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","val2","attributeValueProcessor","stopNodes","alwaysCreateTextNode","isArray","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","jPath","attrs","buildOptions","defaultOptions","util$1","readEntityExp","entityName2","isComment","isEntity","isElement","isAttlist","isNotation","validateEntityName","hexRegex","numRegex","Number","parseInt","window","parseFloat","consider","decimalPoint","util","xmlNode","child","add","key","addChild","node","readDocType","entities","hasBody","comment","exp","entityName","val","regx","toNumber","str","trimmedStr","skipLike","test","sign","numTrimmedByZeros","numStr","num","addExternalEntities","externalEntities","entKeys","ent","lastEntities","parseTextData","dontTrim","hasAttributes","isLeafNode","escapeEntities","replaceEntitiesValue","newval","parseValue","resolveNameSpace","prefix","charAt","attrsRegx","buildAttributesMap","oldVal","aName","newVal","attrCollection","parseXml","xmlObj","currentNode","textData","closeIndex","findClosingIndex","colonIndex","saveTextToParentTag","lastTagName","lastIndexOf","propIndex","tagsNodeStack","tagData","readTagExp","childNode","tagExp","attrExpPresent","endIndex","docTypeEntities","rawTagName","lastTag","isItStopNode","tagContent","result2","readStopNodeData","replaceEntitiesValue$1","entity","ampEntity","currentTagName","allNodesExp","stopNodePath","stopNodeExp","errMsg","closingIndex","closingChar","attrBoundary","ch","tagExpWithClosingIndex","separatorIndex","trimStart","openTagCount","shouldParse","node2json","compress","arr","text","compressedObj","tagObj","property","propName$1","newJpath","isLeaf","isLeafTag","assignAttributes","Array","attrMap","jpath","atrrName","propCount","prettify","OrderedObjParser2","_","String","fromCharCode","validator$1","arrToStr","indentation","xmlStr","isPreviousElementTag","propName","newJPath","tagText","isStopNode","attStr2","attr_to_str","tempInd","piTextNodeName","newIdentation","indentBy","tagStart","tagValue","suppressUnpairedNode","suppressEmptyNode","endsWith","attr","attrVal","suppressBooleanAttributes","textValue","buildFromOrderedJs","jArray","format","oneListGroup","Builder","isAttribute","attrPrefixLen","processTextOrObjNode","indentate","tagEndChar","newLine","object","level","j2x","buildTextValNode","buildObjectNode","repeat","jObj","arrayNodeName","call","buildAttrPairStr","arrLen","listTagVal","listTagAttr","j","item","Ks","L","closeTag","tagEndExp","piClosingChar","fxp","XMLParser","parse","validationOption","toString","orderedObjParser","orderedResult","addEntity","XMLValidator","XMLBuilder","isValidView","columns","caption","getContents","icon","jsonObject","parser","some","x","toLowerCase","isSvg","order","forEach","emptyView","parent","sticky","expanded","defaultSortKey","loadChildViews","debug_1","process","env","NODE_DEBUG","args","console","error","constants","MAX_LENGTH","MAX_SAFE_COMPONENT_LENGTH","MAX_SAFE_BUILD_LENGTH","MAX_LENGTH$1","MAX_SAFE_INTEGER","RELEASE_TYPES","SEMVER_SPEC_VERSION","FLAG_INCLUDE_PRERELEASE","FLAG_LOOSE","re$1","module","MAX_SAFE_COMPONENT_LENGTH2","MAX_SAFE_BUILD_LENGTH2","MAX_LENGTH2","debug2","re","safeRe","src","t","R","LETTERDASHNUMBER","safeRegexReplacements","createToken","isGlobal","safe","token","max","makeSafeRegex","NUMERICIDENTIFIER","NUMERICIDENTIFIERLOOSE","NONNUMERICIDENTIFIER","PRERELEASEIDENTIFIER","PRERELEASEIDENTIFIERLOOSE","BUILDIDENTIFIER","MAINVERSION","PRERELEASE","BUILD","FULLPLAIN","MAINVERSIONLOOSE","PRERELEASELOOSE","LOOSEPLAIN","XRANGEIDENTIFIER","XRANGEIDENTIFIERLOOSE","GTLT","XRANGEPLAIN","XRANGEPLAINLOOSE","COERCEPLAIN","COERCE","COERCEFULL","LONETILDE","tildeTrimReplace","LONECARET","caretTrimReplace","comparatorTrimReplace","reExports","freeze","loose","numeric","compareIdentifiers$1","b","anum","bnum","identifiers","compareIdentifiers","rcompareIdentifiers","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","getNodeSystemTags","undefined","flat","renderTag","tag","isMore","arguments","tagElement","document","createElement","classList","textContent","action","_action","validateAction","displayName","iconSvgInline","enabled","execBatch","default","inline","renderInline","nodes","async","systemTagsElement","setAttribute","append","moreTagElement","rootUrl","generateRemoteUrl","davClient","createClient","setHeaders","requesttoken","onRequestTokenUpdate","getRequestToken","logger","getLoggerBuilder","rootPath","client","remoteURL","headers","patch","headers2","method","fetch","davGetClient","resultToNode","filesRoot","userId","props","permString","CREATE","UPDATE","DELETE","SHARE","davParsePermissions","nodeData","filename","lastmod","getcontentlength","FAILED","hasPreview","davResultToNode","formatReportPayload","tagId","_nc_dav_namespaces","ns","_nc_dav_properties","tagToNode","getCurrentUser","namespace","namespaces","registerDavProperty","_nc_fileactions","debug","registerFileAction","inlineSystemTagsAction","_nc_navigation","_view","emptyTitle","emptyCaption","params","tagsCache","getDirectoryContents","details","glob","_ref","fromEntries","_ref2","camelCase","parseTags","fetchTags","userVisible","folder","contents","___CSS_LOADER_EXPORT___","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","m","O","chunkIds","fn","priority","notFulfilled","Infinity","fulfilled","every","r","n","getter","__esModule","definition","o","defineProperty","enumerable","Promise","resolve","g","globalThis","Function","Symbol","toStringTag","nmd","paths","children","baseURI","self","location","href","installedChunks","chunkId","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","chunkLoadingGlobal","bind","__webpack_exports__"],"sourceRoot":""}
\ No newline at end of file
+{"version":3,"file":"systemtags-init.js?v=fa94ebbfb6eab2ca2369","mappings":"UAAIA,E,iLCWJ,MAAM,GAAS,UAAmBC,OAAO,oBAAoBC,aAAaC,QAmE1E,IAAIC,EAA8B,CAAEC,IAClCA,EAAsB,QAAI,UAC1BA,EAAqB,OAAI,SAClBA,GAHyB,CAI/BD,GAAe,CAAC,GACnB,MAAME,EACJC,QACA,WAAAC,CAAYC,GACVC,KAAKC,eAAeF,GACpBC,KAAKH,QAAUE,CACjB,CACA,MAAIG,GACF,OAAOF,KAAKH,QAAQK,EACtB,CACA,eAAIC,GACF,OAAOH,KAAKH,QAAQM,WACtB,CACA,SAAIC,GACF,OAAOJ,KAAKH,QAAQO,KACtB,CACA,iBAAIC,GACF,OAAOL,KAAKH,QAAQQ,aACtB,CACA,WAAIC,GACF,OAAON,KAAKH,QAAQS,OACtB,CACA,QAAIC,GACF,OAAOP,KAAKH,QAAQU,IACtB,CACA,aAAIC,GACF,OAAOR,KAAKH,QAAQW,SACtB,CACA,SAAIC,GACF,OAAOT,KAAKH,QAAQY,KACtB,CACA,UAAIC,GACF,OAAOV,KAAKH,QAAQa,MACtB,CACA,WAAI,GACF,OAAOV,KAAKH,QAAQc,OACtB,CACA,UAAIC,GACF,OAAOZ,KAAKH,QAAQe,MACtB,CACA,gBAAIC,GACF,OAAOb,KAAKH,QAAQgB,YACtB,CACA,cAAAZ,CAAeF,GACb,IAAKA,EAAOG,IAA2B,iBAAdH,EAAOG,GAC9B,MAAM,IAAIY,MAAM,cAElB,IAAKf,EAAOI,aAA6C,mBAAvBJ,EAAOI,YACvC,MAAM,IAAIW,MAAM,gCAElB,GAAI,UAAWf,GAAkC,mBAAjBA,EAAOK,MACrC,MAAM,IAAIU,MAAM,0BAElB,IAAKf,EAAOM,eAAiD,mBAAzBN,EAAOM,cACzC,MAAM,IAAIS,MAAM,kCAElB,IAAKf,EAAOQ,MAA+B,mBAAhBR,EAAOQ,KAChC,MAAM,IAAIO,MAAM,yBAElB,GAAI,YAAaf,GAAoC,mBAAnBA,EAAOO,QACvC,MAAM,IAAIQ,MAAM,4BAElB,GAAI,cAAef,GAAsC,mBAArBA,EAAOS,UACzC,MAAM,IAAIM,MAAM,8BAElB,GAAI,UAAWf,GAAkC,iBAAjBA,EAAOU,MACrC,MAAM,IAAIK,MAAM,iBAElB,GAAI,WAAYf,GAAmC,iBAAlBA,EAAOW,OACtC,MAAM,IAAII,MAAM,kBAElB,GAAIf,EAAOY,UAAYI,OAAOC,OAAOtB,GAAauB,SAASlB,EAAOY,SAChE,MAAM,IAAIG,MAAM,mBAElB,GAAI,WAAYf,GAAmC,mBAAlBA,EAAOa,OACtC,MAAM,IAAIE,MAAM,2BAElB,GAAI,iBAAkBf,GAAyC,mBAAxBA,EAAOc,aAC5C,MAAM,IAAIC,MAAM,gCAEpB,EAEF,MAAMI,EAAqB,SAASnB,QACI,IAA3BoB,OAAOC,kBAChBD,OAAOC,gBAAkB,GACzB,EAAOC,MAAM,4BAEXF,OAAOC,gBAAgBE,MAAMC,GAAWA,EAAOrB,KAAOH,EAAOG,KAC/D,EAAOsB,MAAM,cAAczB,EAAOG,wBAAyB,CAAEH,WAG/DoB,OAAOC,gBAAgBK,KAAK1B,EAC9B,EAiEA,IAAI2B,EAA6B,CAAEC,IACjCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAmB,MAAI,IAAM,QACzCA,EAAYA,EAAiB,IAAI,IAAM,MAChCA,GARwB,CAS9BD,GAAc,CAAC,GAClB,MAAME,EAAuB,CAC3B,qBACA,mBACA,YACA,oBACA,iBACA,gBACA,0BACA,iBACA,iBACA,kBACA,gBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,WAEIC,EAAuB,CAC3BC,EAAG,OACHC,GAAI,0BACJC,GAAI,yBACJC,IAAK,6CAuIP,IAAIC,EAA2B,CAAEC,IAC/BA,EAAkB,OAAI,SACtBA,EAAgB,KAAI,OACbA,GAHsB,CAI5BD,GAAY,CAAC,GAChB,MAAME,EAAiB,SAASC,EAAQC,GACtC,OAAoC,OAA7BD,EAAOE,MAAMD,EACtB,EACME,EAAe,CAACC,EAAMH,KAC1B,GAAIG,EAAKvC,IAAyB,iBAAZuC,EAAKvC,GACzB,MAAM,IAAIY,MAAM,4BAElB,IAAK2B,EAAKJ,OACR,MAAM,IAAIvB,MAAM,4BAElB,IACE,IAAI4B,IAAID,EAAKJ,OACf,CAAE,MAAOM,GACP,MAAM,IAAI7B,MAAM,oDAClB,CACA,IAAK2B,EAAKJ,OAAOO,WAAW,QAC1B,MAAM,IAAI9B,MAAM,oDAElB,GAAI2B,EAAKI,aAA2C,iBAArBJ,EAAKI,YAClC,MAAM,IAAI/B,MAAM,4BAElB,GAAI2B,EAAKK,SAAWL,EAAKK,iBAAiBC,MACxC,MAAM,IAAIjC,MAAM,sBAElB,GAAI2B,EAAKO,UAAYP,EAAKO,kBAAkBD,MAC1C,MAAM,IAAIjC,MAAM,uBAElB,IAAK2B,EAAKQ,MAA6B,iBAAdR,EAAKQ,OAAsBR,EAAKQ,KAAKV,MAAM,yBAClE,MAAM,IAAIzB,MAAM,qCAElB,GAAI,SAAU2B,GAA6B,iBAAdA,EAAKS,WAAmC,IAAdT,EAAKS,KAC1D,MAAM,IAAIpC,MAAM,qBAElB,GAAI,gBAAiB2B,QAA6B,IAArBA,EAAKU,eAAwD,iBAArBV,EAAKU,aAA4BV,EAAKU,aAAezB,EAAW0B,MAAQX,EAAKU,aAAezB,EAAW2B,KAC1K,MAAM,IAAIvC,MAAM,uBAElB,GAAI2B,EAAKa,OAAwB,OAAfb,EAAKa,OAAwC,iBAAfb,EAAKa,MACnD,MAAM,IAAIxC,MAAM,sBAElB,GAAI2B,EAAKc,YAAyC,iBAApBd,EAAKc,WACjC,MAAM,IAAIzC,MAAM,2BAElB,GAAI2B,EAAKe,MAA6B,iBAAdf,EAAKe,KAC3B,MAAM,IAAI1C,MAAM,qBAElB,GAAI2B,EAAKe,OAASf,EAAKe,KAAKZ,WAAW,KACrC,MAAM,IAAI9B,MAAM,wCAElB,GAAI2B,EAAKe,OAASf,EAAKJ,OAAOpB,SAASwB,EAAKe,MAC1C,MAAM,IAAI1C,MAAM,mCAElB,GAAI2B,EAAKe,MAAQpB,EAAeK,EAAKJ,OAAQC,GAAa,CACxD,MAAMmB,EAAUhB,EAAKJ,OAAOE,MAAMD,GAAY,GAC9C,IAAKG,EAAKJ,OAAOpB,UAAS,IAAAyC,MAAKD,EAAShB,EAAKe,OAC3C,MAAM,IAAI1C,MAAM,4DAEpB,CACA,GAAI2B,EAAKkB,SAAW5C,OAAOC,OAAO4C,GAAY3C,SAASwB,EAAKkB,QAC1D,MAAM,IAAI7C,MAAM,oCAClB,EAEF,IAAI8C,EAA6B,CAAEC,IACjCA,EAAiB,IAAI,MACrBA,EAAoB,OAAI,SACxBA,EAAqB,QAAI,UACzBA,EAAoB,OAAI,SACjBA,GALwB,CAM9BD,GAAc,CAAC,GAClB,MAAME,EACJC,MACAC,YACAC,iBAAmB,mCACnBC,mBAAqBnD,OAAOoD,QAAQpD,OAAOqD,0BAA0BN,EAAKO,YAAYC,QAAQ3B,GAA0B,mBAAbA,EAAE,GAAG4B,KAA+B,cAAT5B,EAAE,KAAoB6B,KAAK7B,GAAMA,EAAE,KACzK8B,QAAU,CACRC,IAAK,CAACC,EAAQC,EAAMC,KACd7E,KAAKkE,mBAAmBjD,SAAS2D,IAG9BE,QAAQJ,IAAIC,EAAQC,EAAMC,GAEnCE,eAAgB,CAACJ,EAAQC,KACnB5E,KAAKkE,mBAAmBjD,SAAS2D,IAG9BE,QAAQC,eAAeJ,EAAQC,GAGxCL,IAAK,CAACI,EAAQC,EAAMI,IACdhF,KAAKkE,mBAAmBjD,SAAS2D,IACnC,EAAOK,KAAK,8BAA8BL,8DACnCE,QAAQP,IAAIvE,KAAM4E,IAEpBE,QAAQP,IAAII,EAAQC,EAAMI,IAGrC,WAAAlF,CAAY2C,EAAMH,GAChBE,EAAaC,EAAMH,GAActC,KAAKiE,kBACtCjE,KAAK+D,MAAQ,CAEXlB,YAAaJ,EAAKc,YAAYV,eAC3BJ,EACHc,WAAY,CAAC,GAEfvD,KAAKgE,YAAc,IAAIkB,MAAMlF,KAAK+D,MAAMR,WAAYvD,KAAKyE,SACzDzE,KAAKmF,OAAO1C,EAAKc,YAAc,CAAC,GAC5BjB,IACFtC,KAAKiE,iBAAmB3B,EAE5B,CAMA,UAAID,GACF,OAAOrC,KAAK+D,MAAM1B,OAAO+C,QAAQ,OAAQ,GAC3C,CAIA,iBAAIC,GACF,MAAM,OAAEC,GAAW,IAAI5C,IAAI1C,KAAKqC,QAChC,OAAOiD,GAAS,QAAWtF,KAAKqC,OAAOkD,MAAMD,EAAOE,QACtD,CAMA,YAAIC,GACF,OAAO,IAAAA,UAASzF,KAAKqC,OACvB,CAOA,eAAIQ,GACF,OAAO7C,KAAK+D,MAAMlB,aAAe7C,KAAKyF,QACxC,CAIA,eAAI5C,CAAYA,GACd7C,KAAK+D,MAAMlB,YAAcA,CAC3B,CAMA,aAAI6C,GACF,OAAO,IAAAC,SAAQ3F,KAAKqC,OACtB,CAQA,WAAIuD,GACF,GAAI5F,KAAKwD,KAAM,CACb,IAAInB,EAASrC,KAAKqC,OACdrC,KAAKoC,iBACPC,EAASA,EAAOwD,MAAM7F,KAAKiE,kBAAkB6B,OAE/C,MAAMC,EAAa1D,EAAO2D,QAAQhG,KAAKwD,MACjCA,EAAOxD,KAAKwD,KAAK4B,QAAQ,MAAO,IACtC,OAAO,IAAAQ,SAAQvD,EAAOkD,MAAMQ,EAAavC,EAAKgC,SAAW,IAC3D,CACA,MAAMS,EAAM,IAAIvD,IAAI1C,KAAKqC,QACzB,OAAO,IAAAuD,SAAQK,EAAIC,SACrB,CAKA,QAAIjD,GACF,OAAOjD,KAAK+D,MAAMd,IACpB,CAIA,SAAIH,GACF,OAAO9C,KAAK+D,MAAMjB,KACpB,CAIA,SAAIA,CAAMA,GACR9C,KAAK+D,MAAMjB,MAAQA,CACrB,CAKA,UAAIE,GACF,OAAOhD,KAAK+D,MAAMf,MACpB,CAIA,QAAIE,GACF,OAAOlD,KAAK+D,MAAMb,IACpB,CAIA,QAAIA,CAAKA,GACPlD,KAAKmG,cACLnG,KAAK+D,MAAMb,KAAOA,CACpB,CAKA,cAAIK,GACF,OAAOvD,KAAKgE,WACd,CAIA,eAAIb,GACF,OAAmB,OAAfnD,KAAKsD,OAAmBtD,KAAKoC,oBAGC,IAA3BpC,KAAK+D,MAAMZ,YAAyBnD,KAAK+D,MAAMZ,YAAczB,EAAW0B,KAFtE1B,EAAW0E,IAGtB,CAIA,eAAIjD,CAAYA,GACdnD,KAAKmG,cACLnG,KAAK+D,MAAMZ,YAAcA,CAC3B,CAKA,SAAIG,GACF,OAAKtD,KAAKoC,eAGHpC,KAAK+D,MAAMT,MAFT,IAGX,CAIA,kBAAIlB,GACF,OAAOA,EAAepC,KAAKqC,OAAQrC,KAAKiE,iBAC1C,CAKA,QAAIT,GACF,OAAIxD,KAAK+D,MAAMP,KACNxD,KAAK+D,MAAMP,KAAK4B,QAAQ,WAAY,MAEzCpF,KAAKoC,iBACM,IAAAwD,SAAQ5F,KAAKqC,QACdwD,MAAM7F,KAAKiE,kBAAkB6B,OAEpC,IACT,CAIA,QAAIO,GACF,GAAIrG,KAAKwD,KAAM,CACb,IAAInB,EAASrC,KAAKqC,OACdrC,KAAKoC,iBACPC,EAASA,EAAOwD,MAAM7F,KAAKiE,kBAAkB6B,OAE/C,MAAMC,EAAa1D,EAAO2D,QAAQhG,KAAKwD,MACjCA,EAAOxD,KAAKwD,KAAK4B,QAAQ,MAAO,IACtC,OAAO/C,EAAOkD,MAAMQ,EAAavC,EAAKgC,SAAW,GACnD,CACA,OAAQxF,KAAK4F,QAAU,IAAM5F,KAAKyF,UAAUL,QAAQ,QAAS,IAC/D,CAKA,UAAIkB,GACF,OAAOtG,KAAK+D,OAAO7D,EACrB,CAIA,UAAIyD,GACF,OAAO3D,KAAK+D,OAAOJ,MACrB,CAIA,UAAIA,CAAOA,GACT3D,KAAK+D,MAAMJ,OAASA,CACtB,CAOA,IAAA4C,CAAKC,GACHhE,EAAa,IAAKxC,KAAK+D,MAAO1B,OAAQmE,GAAexG,KAAKiE,kBAC1D,MAAMwC,EAAczG,KAAKyF,SACzBzF,KAAK+D,MAAM1B,OAASmE,EAChBxG,KAAK6C,cAAgB4D,GAAezG,KAAKyF,WAAagB,IACxDzG,KAAK6C,YAAc7C,KAAKyF,UAE1BzF,KAAKmG,aACP,CAOA,MAAAO,CAAOC,GACL,GAAIA,EAAU1F,SAAS,KACrB,MAAM,IAAIH,MAAM,oBAElBd,KAAKuG,MAAK,IAAAX,SAAQ5F,KAAKqC,QAAU,IAAMsE,EACzC,CAIA,WAAAR,GACMnG,KAAK+D,MAAMjB,QACb9C,KAAK+D,MAAMjB,MAAwB,IAAIC,KAE3C,CAOA,MAAAoC,CAAO5B,GACL,IAAK,MAAOqD,EAAM/B,KAAU9D,OAAOoD,QAAQZ,GACzC,SACgB,IAAVsB,SACK7E,KAAKuD,WAAWqD,GAEvB5G,KAAKuD,WAAWqD,GAAQ/B,CAE5B,CAAE,MAAOlC,GACP,GAAIA,aAAakE,UACf,SAEF,MAAMlE,CACR,CAEJ,EAEF,MAAMmE,UAAahD,EACjB,QAAIiD,GACF,OAAO7E,EAAS4E,IAClB,EAEF,MAAME,UAAelD,EACnB,WAAAhE,CAAY2C,GACVwE,MAAM,IACDxE,EACHQ,KAAM,wBAEV,CACA,QAAI8D,GACF,OAAO7E,EAAS8E,MAClB,CACA,aAAItB,GACF,OAAO,IACT,CACA,QAAIzC,GACF,MAAO,sBACT,EAQF,MAAMiE,GALA,SACK,WAAU,WAEZ,WAAU,WAAkBC,MAU/BC,EAPN,WACE,MAAMnB,GAAM,QAAkB,OAC9B,OAAI,SACKA,EAAIb,QAAQ,aAAc,cAE5Ba,CACT,CACqBoB,GAsFcvG,MAwMnC,MAAMwG,UAAmB,IACvBC,OAAS,GACTC,aAAe,KAMf,QAAAC,CAASC,GACP,GAAI1H,KAAKuH,OAAOjG,MAAMC,GAAWA,EAAOrB,KAAOwH,EAAKxH,KAClD,MAAM,IAAIY,MAAM,WAAW4G,EAAKxH,4BAElCF,KAAKuH,OAAO9F,KAAKiG,GACjB1H,KAAK2H,mBAAmB,SAAU,IAAIC,YAAY,UACpD,CAKA,MAAAC,CAAO3H,GACL,MAAM4H,EAAQ9H,KAAKuH,OAAOQ,WAAWL,GAASA,EAAKxH,KAAOA,KAC3C,IAAX4H,IACF9H,KAAKuH,OAAOS,OAAOF,EAAO,GAC1B9H,KAAK2H,mBAAmB,SAAU,IAAIC,YAAY,WAEtD,CAMA,SAAAK,CAAUP,GACR1H,KAAKwH,aAAeE,EACpB,MAAMQ,EAAQ,IAAIN,YAAY,eAAgB,CAAEO,OAAQT,IACxD1H,KAAK2H,mBAAmB,eAAgBO,EAC1C,CAIA,UAAIE,GACF,OAAOpI,KAAKwH,YACd,CAIA,SAAIa,GACF,OAAOrI,KAAKuH,MACd,EASF,MAAMe,EACJC,QACA,WAAAzI,CAAY0I,GACVC,EAAcD,GACdxI,KAAKuI,QAAUC,CACjB,CACA,MAAItI,GACF,OAAOF,KAAKuI,QAAQrI,EACtB,CACA,SAAIE,GACF,OAAOJ,KAAKuI,QAAQnI,KACtB,CACA,UAAIsI,GACF,OAAO1I,KAAKuI,QAAQG,MACtB,CACA,QAAIC,GACF,OAAO3I,KAAKuI,QAAQI,IACtB,CACA,WAAIC,GACF,OAAO5I,KAAKuI,QAAQK,OACtB,EAEF,MAAMH,EAAgB,SAASD,GAC7B,IAAKA,EAAOtI,IAA2B,iBAAdsI,EAAOtI,GAC9B,MAAM,IAAIY,MAAM,2BAElB,IAAK0H,EAAOpI,OAAiC,iBAAjBoI,EAAOpI,MACjC,MAAM,IAAIU,MAAM,8BAElB,IAAK0H,EAAOE,QAAmC,mBAAlBF,EAAOE,OAClC,MAAM,IAAI5H,MAAM,iCAElB,GAAI0H,EAAOG,MAA+B,mBAAhBH,EAAOG,KAC/B,MAAM,IAAI7H,MAAM,0CAElB,GAAI0H,EAAOI,SAAqC,mBAAnBJ,EAAOI,QAClC,MAAM,IAAI9H,MAAM,qCAElB,OAAO,CACT,EAIA,IAAI+H,EAAc,CAAC,EACfC,EAAS,CAAC,GACd,SAAUC,GACR,MAAMC,EAAgB,gLAEhBC,EAAa,IAAMD,EAAgB,KADxBA,EACE,iDACbE,EAAY,IAAIC,OAAO,IAAMF,EAAa,KAoBhDF,EAAQK,QAAU,SAASC,GACzB,YAAoB,IAANA,CAChB,EACAN,EAAQO,cAAgB,SAASC,GAC/B,OAAmC,IAA5BxI,OAAOyI,KAAKD,GAAK/D,MAC1B,EACAuD,EAAQU,MAAQ,SAAS9E,EAAQ+E,EAAGC,GAClC,GAAID,EAAG,CACL,MAAMF,EAAOzI,OAAOyI,KAAKE,GACnBE,EAAMJ,EAAKhE,OACjB,IAAK,IAAIqE,EAAI,EAAGA,EAAID,EAAKC,IAErBlF,EAAO6E,EAAKK,IADI,WAAdF,EACgB,CAACD,EAAEF,EAAKK,KAERH,EAAEF,EAAKK,GAG/B,CACF,EACAd,EAAQe,SAAW,SAAST,GAC1B,OAAIN,EAAQK,QAAQC,GACXA,EAEA,EAEX,EACAN,EAAQgB,OA9BO,SAASC,GAEtB,QAAQ,MADMd,EAAU3I,KAAKyJ,GAE/B,EA4BAjB,EAAQkB,cA9Cc,SAASD,EAAQE,GACrC,MAAMC,EAAU,GAChB,IAAI5H,EAAQ2H,EAAM3J,KAAKyJ,GACvB,KAAOzH,GAAO,CACZ,MAAM6H,EAAa,GACnBA,EAAWC,WAAaH,EAAMI,UAAY/H,EAAM,GAAGiD,OACnD,MAAMoE,EAAMrH,EAAMiD,OAClB,IAAK,IAAIsC,EAAQ,EAAGA,EAAQ8B,EAAK9B,IAC/BsC,EAAW3I,KAAKc,EAAMuF,IAExBqC,EAAQ1I,KAAK2I,GACb7H,EAAQ2H,EAAM3J,KAAKyJ,EACrB,CACA,OAAOG,CACT,EAiCApB,EAAQE,WAAaA,CACtB,CArDD,CAqDGH,GACH,MAAMyB,EAASzB,EACT0B,EAAmB,CACvBC,wBAAwB,EAExBC,aAAc,IAyIhB,SAASC,EAAaC,GACpB,MAAgB,MAATA,GAAyB,OAATA,GAAyB,OAATA,GAA0B,OAATA,CAC1D,CACA,SAASC,EAAOC,EAASjB,GACvB,MAAMkB,EAAQlB,EACd,KAAOA,EAAIiB,EAAQtF,OAAQqE,IACzB,GAAkB,KAAdiB,EAAQjB,IAA2B,KAAdiB,EAAQjB,QAAjC,CACE,MAAMmB,EAAUF,EAAQG,OAAOF,EAAOlB,EAAIkB,GAC1C,GAAIlB,EAAI,GAAiB,QAAZmB,EACX,OAAOE,EAAe,aAAc,6DAA8DC,EAAyBL,EAASjB,IAC/H,GAAkB,KAAdiB,EAAQjB,IAA+B,KAAlBiB,EAAQjB,EAAI,GAAW,CACrDA,IACA,KACF,CAGF,CAEF,OAAOA,CACT,CACA,SAASuB,EAAoBN,EAASjB,GACpC,GAAIiB,EAAQtF,OAASqE,EAAI,GAAwB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAClE,IAAKA,GAAK,EAAGA,EAAIiB,EAAQtF,OAAQqE,IAC/B,GAAmB,MAAfiB,EAAQjB,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,OAEG,GAAIiB,EAAQtF,OAASqE,EAAI,GAAwB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,GAAY,CACvN,IAAIwB,EAAqB,EACzB,IAAKxB,GAAK,EAAGA,EAAIiB,EAAQtF,OAAQqE,IAC/B,GAAmB,MAAfiB,EAAQjB,GACVwB,SACK,GAAmB,MAAfP,EAAQjB,KACjBwB,IAC2B,IAAvBA,GACF,KAIR,MAAO,GAAIP,EAAQtF,OAASqE,EAAI,GAAwB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,GAC3M,IAAKA,GAAK,EAAGA,EAAIiB,EAAQtF,OAAQqE,IAC/B,GAAmB,MAAfiB,EAAQjB,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,CAGJ,OAAOA,CACT,CAxLAhB,EAAYyC,SAAW,SAASR,EAASS,GACvCA,EAAUxK,OAAOyK,OAAO,CAAC,EAAGhB,EAAkBe,GAC9C,MAAME,EAAO,GACb,IAAIC,GAAW,EACXC,GAAc,EACC,WAAfb,EAAQ,KACVA,EAAUA,EAAQG,OAAO,IAE3B,IAAK,IAAIpB,EAAI,EAAGA,EAAIiB,EAAQtF,OAAQqE,IAClC,GAAmB,MAAfiB,EAAQjB,IAAiC,MAAnBiB,EAAQjB,EAAI,IAGpC,GAFAA,GAAK,EACLA,EAAIgB,EAAOC,EAASjB,GAChBA,EAAE+B,IAAK,OAAO/B,MACb,IAAmB,MAAfiB,EAAQjB,GA0GZ,CACL,GAAIc,EAAaG,EAAQjB,IACvB,SAEF,OAAOqB,EAAe,cAAe,SAAWJ,EAAQjB,GAAK,qBAAsBsB,EAAyBL,EAASjB,GACvH,CA/G+B,CAC7B,IAAIgC,EAAchC,EAElB,GADAA,IACmB,MAAfiB,EAAQjB,GAAY,CACtBA,EAAIuB,EAAoBN,EAASjB,GACjC,QACF,CAAO,CACL,IAAIiC,GAAa,EACE,MAAfhB,EAAQjB,KACViC,GAAa,EACbjC,KAEF,IAAIkC,EAAU,GACd,KAAOlC,EAAIiB,EAAQtF,QAAyB,MAAfsF,EAAQjB,IAA6B,MAAfiB,EAAQjB,IAA6B,OAAfiB,EAAQjB,IAA6B,OAAfiB,EAAQjB,IAA8B,OAAfiB,EAAQjB,GAAaA,IACzIkC,GAAWjB,EAAQjB,GAOrB,GALAkC,EAAUA,EAAQC,OACkB,MAAhCD,EAAQA,EAAQvG,OAAS,KAC3BuG,EAAUA,EAAQE,UAAU,EAAGF,EAAQvG,OAAS,GAChDqE,KA6PemB,EA3PIe,GA4PpBxB,EAAOR,OAAOiB,GA5PgB,CAC7B,IAAIkB,EAMJ,OAJEA,EAD4B,IAA1BH,EAAQC,OAAOxG,OACX,2BAEA,QAAUuG,EAAU,wBAErBb,EAAe,aAAcgB,EAAKf,EAAyBL,EAASjB,GAC7E,CACA,MAAMsC,EAASC,EAAiBtB,EAASjB,GACzC,IAAe,IAAXsC,EACF,OAAOjB,EAAe,cAAe,mBAAqBa,EAAU,qBAAsBZ,EAAyBL,EAASjB,IAE9H,IAAIwC,EAAUF,EAAOtH,MAErB,GADAgF,EAAIsC,EAAOrE,MACyB,MAAhCuE,EAAQA,EAAQ7G,OAAS,GAAY,CACvC,MAAM8G,EAAezC,EAAIwC,EAAQ7G,OACjC6G,EAAUA,EAAQJ,UAAU,EAAGI,EAAQ7G,OAAS,GAChD,MAAM+G,EAAUC,EAAwBH,EAASd,GACjD,IAAgB,IAAZgB,EAGF,OAAOrB,EAAeqB,EAAQX,IAAIa,KAAMF,EAAQX,IAAIM,IAAKf,EAAyBL,EAASwB,EAAeC,EAAQX,IAAIc,OAFtHhB,GAAW,CAIf,MAAO,GAAII,EAAY,CACrB,IAAKK,EAAOQ,UACV,OAAOzB,EAAe,aAAc,gBAAkBa,EAAU,iCAAkCZ,EAAyBL,EAASjB,IAC/H,GAAIwC,EAAQL,OAAOxG,OAAS,EACjC,OAAO0F,EAAe,aAAc,gBAAkBa,EAAU,+CAAgDZ,EAAyBL,EAASe,IAC7I,GAAoB,IAAhBJ,EAAKjG,OACd,OAAO0F,EAAe,aAAc,gBAAkBa,EAAU,yBAA0BZ,EAAyBL,EAASe,IACvH,CACL,MAAMe,EAAMnB,EAAK3F,MACjB,GAAIiG,IAAYa,EAAIb,QAAS,CAC3B,IAAIc,EAAU1B,EAAyBL,EAAS8B,EAAIf,aACpD,OAAOX,EACL,aACA,yBAA2B0B,EAAIb,QAAU,qBAAuBc,EAAQH,KAAO,SAAWG,EAAQC,IAAM,6BAA+Bf,EAAU,KACjJZ,EAAyBL,EAASe,GAEtC,CACmB,GAAfJ,EAAKjG,SACPmG,GAAc,EAElB,CACF,KAAO,CACL,MAAMY,EAAUC,EAAwBH,EAASd,GACjD,IAAgB,IAAZgB,EACF,OAAOrB,EAAeqB,EAAQX,IAAIa,KAAMF,EAAQX,IAAIM,IAAKf,EAAyBL,EAASjB,EAAIwC,EAAQ7G,OAAS+G,EAAQX,IAAIc,OAE9H,IAAoB,IAAhBf,EACF,OAAOT,EAAe,aAAc,sCAAuCC,EAAyBL,EAASjB,KACzD,IAA3C0B,EAAQb,aAAa1E,QAAQ+F,IAEtCN,EAAKhK,KAAK,CAAEsK,UAASF,gBAEvBH,GAAW,CACb,CACA,IAAK7B,IAAKA,EAAIiB,EAAQtF,OAAQqE,IAC5B,GAAmB,MAAfiB,EAAQjB,GAAY,CACtB,GAAuB,MAAnBiB,EAAQjB,EAAI,GAAY,CAC1BA,IACAA,EAAIuB,EAAoBN,EAASjB,GACjC,QACF,CAAO,GAAuB,MAAnBiB,EAAQjB,EAAI,GAIrB,MAFA,GADAA,EAAIgB,EAAOC,IAAWjB,GAClBA,EAAE+B,IAAK,OAAO/B,CAItB,MAAO,GAAmB,MAAfiB,EAAQjB,GAAY,CAC7B,MAAMkD,EAAWC,EAAkBlC,EAASjB,GAC5C,IAAiB,GAAbkD,EACF,OAAO7B,EAAe,cAAe,4BAA6BC,EAAyBL,EAASjB,IACtGA,EAAIkD,CACN,MACE,IAAoB,IAAhBpB,IAAyBhB,EAAaG,EAAQjB,IAChD,OAAOqB,EAAe,aAAc,wBAAyBC,EAAyBL,EAASjB,IAIlF,MAAfiB,EAAQjB,IACVA,GAEJ,CACF,CAKA,CAiKJ,IAAyBmB,EA/JvB,OAAKU,EAEqB,GAAfD,EAAKjG,OACP0F,EAAe,aAAc,iBAAmBO,EAAK,GAAGM,QAAU,KAAMZ,EAAyBL,EAASW,EAAK,GAAGI,gBAChHJ,EAAKjG,OAAS,IAChB0F,EAAe,aAAc,YAAc+B,KAAKC,UAAUzB,EAAKjH,KAAK2I,GAAOA,EAAGpB,UAAU,KAAM,GAAG3G,QAAQ,SAAU,IAAM,WAAY,CAAEsH,KAAM,EAAGI,IAAK,IAJrJ5B,EAAe,aAAc,sBAAuB,EAO/D,EAmDA,MAAMkC,EAAc,IACdC,EAAc,IACpB,SAASjB,EAAiBtB,EAASjB,GACjC,IAAIwC,EAAU,GACViB,EAAY,GACZX,GAAY,EAChB,KAAO9C,EAAIiB,EAAQtF,OAAQqE,IAAK,CAC9B,GAAIiB,EAAQjB,KAAOuD,GAAetC,EAAQjB,KAAOwD,EAC7B,KAAdC,EACFA,EAAYxC,EAAQjB,GACXyD,IAAcxC,EAAQjB,KAE/ByD,EAAY,SAET,GAAmB,MAAfxC,EAAQjB,IACC,KAAdyD,EAAkB,CACpBX,GAAY,EACZ,KACF,CAEFN,GAAWvB,EAAQjB,EACrB,CACA,MAAkB,KAAdyD,GAGG,CACLzI,MAAOwH,EACPvE,MAAO+B,EACP8C,YAEJ,CACA,MAAMY,EAAoB,IAAIpE,OAAO,0DAA0D,KAC/F,SAASqD,EAAwBH,EAASd,GACxC,MAAMpB,EAAUI,EAAON,cAAcoC,EAASkB,GACxCC,EAAY,CAAC,EACnB,IAAK,IAAI3D,EAAI,EAAGA,EAAIM,EAAQ3E,OAAQqE,IAAK,CACvC,GAA6B,IAAzBM,EAAQN,GAAG,GAAGrE,OAChB,OAAO0F,EAAe,cAAe,cAAgBf,EAAQN,GAAG,GAAK,8BAA+B4D,EAAqBtD,EAAQN,KAC5H,QAAsB,IAAlBM,EAAQN,GAAG,SAAmC,IAAlBM,EAAQN,GAAG,GAChD,OAAOqB,EAAe,cAAe,cAAgBf,EAAQN,GAAG,GAAK,sBAAuB4D,EAAqBtD,EAAQN,KACpH,QAAsB,IAAlBM,EAAQN,GAAG,KAAkB0B,EAAQd,uBAC9C,OAAOS,EAAe,cAAe,sBAAwBf,EAAQN,GAAG,GAAK,oBAAqB4D,EAAqBtD,EAAQN,KAEjI,MAAM6D,EAAWvD,EAAQN,GAAG,GAC5B,IAAK8D,EAAiBD,GACpB,OAAOxC,EAAe,cAAe,cAAgBwC,EAAW,wBAAyBD,EAAqBtD,EAAQN,KAExH,GAAK2D,EAAUI,eAAeF,GAG5B,OAAOxC,EAAe,cAAe,cAAgBwC,EAAW,iBAAkBD,EAAqBtD,EAAQN,KAF/G2D,EAAUE,GAAY,CAI1B,CACA,OAAO,CACT,CAeA,SAASV,EAAkBlC,EAASjB,GAElC,GAAmB,MAAfiB,IADJjB,GAEE,OAAQ,EACV,GAAmB,MAAfiB,EAAQjB,GAEV,OApBJ,SAAiCiB,EAASjB,GACxC,IAAIgE,EAAM,KAKV,IAJmB,MAAf/C,EAAQjB,KACVA,IACAgE,EAAM,cAEDhE,EAAIiB,EAAQtF,OAAQqE,IAAK,CAC9B,GAAmB,MAAfiB,EAAQjB,GACV,OAAOA,EACT,IAAKiB,EAAQjB,GAAGtH,MAAMsL,GACpB,KACJ,CACA,OAAQ,CACV,CAOWC,CAAwBhD,IAD/BjB,GAGF,IAAIkE,EAAQ,EACZ,KAAOlE,EAAIiB,EAAQtF,OAAQqE,IAAKkE,IAC9B,KAAIjD,EAAQjB,GAAGtH,MAAM,OAASwL,EAAQ,IAAtC,CAEA,GAAmB,MAAfjD,EAAQjB,GACV,MACF,OAAQ,CAHE,CAKZ,OAAOA,CACT,CACA,SAASqB,EAAeuB,EAAMuB,EAASC,GACrC,MAAO,CACLrC,IAAK,CACHa,OACAP,IAAK8B,EACLtB,KAAMuB,EAAWvB,MAAQuB,EACzBnB,IAAKmB,EAAWnB,KAGtB,CACA,SAASa,EAAiBD,GACxB,OAAOnD,EAAOR,OAAO2D,EACvB,CAIA,SAASvC,EAAyBL,EAAShD,GACzC,MAAMoG,EAAQpD,EAAQmB,UAAU,EAAGnE,GAAOjC,MAAM,SAChD,MAAO,CACL6G,KAAMwB,EAAM1I,OAEZsH,IAAKoB,EAAMA,EAAM1I,OAAS,GAAGA,OAAS,EAE1C,CACA,SAASiI,EAAqBlL,GAC5B,OAAOA,EAAM8H,WAAa9H,EAAM,GAAGiD,MACrC,CACA,IAAI2I,EAAiB,CAAC,EACtB,MAAMC,EAAmB,CACvBC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhBjE,wBAAwB,EAGxBkE,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAASpD,EAASqD,GACnC,OAAOA,CACT,EACAC,wBAAyB,SAAS3B,EAAU0B,GAC1C,OAAOA,CACT,EACAE,UAAW,GAEXC,sBAAsB,EACtBC,QAAS,KAAM,EACfC,iBAAiB,EACjB/E,aAAc,GACdgF,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASjE,EAASkE,EAAOC,GAClC,OAAOnE,CACT,GAMFoC,EAAegC,aAHQ,SAAS5E,GAC9B,OAAOxK,OAAOyK,OAAO,CAAC,EAAG4C,EAAkB7C,EAC7C,EAEA4C,EAAeiC,eAAiBhC,EAqBhC,MAAMiC,EAASvH,EAmDf,SAASwH,EAAcxF,EAASjB,GAC9B,IAAI0G,EAAc,GAClB,KAAO1G,EAAIiB,EAAQtF,QAA0B,MAAfsF,EAAQjB,IAA6B,MAAfiB,EAAQjB,GAAaA,IACvE0G,GAAezF,EAAQjB,GAGzB,GADA0G,EAAcA,EAAYvE,QACQ,IAA9BuE,EAAYvK,QAAQ,KAAa,MAAM,IAAIlF,MAAM,sCACrD,MAAMwM,EAAYxC,EAAQjB,KAC1B,IAAIuF,EAAO,GACX,KAAOvF,EAAIiB,EAAQtF,QAAUsF,EAAQjB,KAAOyD,EAAWzD,IACrDuF,GAAQtE,EAAQjB,GAElB,MAAO,CAAC0G,EAAanB,EAAMvF,EAC7B,CACA,SAAS2G,GAAU1F,EAASjB,GAC1B,MAAuB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,EAEtE,CACA,SAAS4G,GAAS3F,EAASjB,GACzB,MAAuB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,EAE9K,CACA,SAAS6G,GAAU5F,EAASjB,GAC1B,MAAuB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,EAExM,CACA,SAAS8G,GAAU7F,EAASjB,GAC1B,MAAuB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,EAExM,CACA,SAAS+G,GAAW9F,EAASjB,GAC3B,MAAuB,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,EAElO,CACA,SAASgH,GAAmBjK,GAC1B,GAAIyJ,EAAOtG,OAAOnD,GAChB,OAAOA,EAEP,MAAM,IAAI9F,MAAM,uBAAuB8F,IAC3C,CAEA,MAAMkK,GAAW,wBACXC,GAAW,+EACZC,OAAOC,UAAY9P,OAAO8P,WAC7BD,OAAOC,SAAW9P,OAAO8P,WAEtBD,OAAOE,YAAc/P,OAAO+P,aAC/BF,OAAOE,WAAa/P,OAAO+P,YAE7B,MAAMC,GAAW,CACfnC,KAAK,EACLC,cAAc,EACdmC,aAAc,IACdlC,WAAW,GA2Db,MAAMmC,GAAOvI,EACPwI,GAxLN,MACE,WAAAxR,CAAYkL,GACVhL,KAAKgL,QAAUA,EACfhL,KAAKuR,MAAQ,GACbvR,KAAK,MAAQ,CAAC,CAChB,CACA,GAAAwR,CAAIC,EAAKrC,GACK,cAARqC,IAAqBA,EAAM,cAC/BzR,KAAKuR,MAAM9P,KAAK,CAAE,CAACgQ,GAAMrC,GAC3B,CACA,QAAAsC,CAASC,GACc,cAAjBA,EAAK3G,UAAyB2G,EAAK3G,QAAU,cAC7C2G,EAAK,OAAS5Q,OAAOyI,KAAKmI,EAAK,OAAOnM,OAAS,EACjDxF,KAAKuR,MAAM9P,KAAK,CAAE,CAACkQ,EAAK3G,SAAU2G,EAAKJ,MAAO,KAAQI,EAAK,QAE3D3R,KAAKuR,MAAM9P,KAAK,CAAE,CAACkQ,EAAK3G,SAAU2G,EAAKJ,OAE3C,GAwKIK,GApKN,SAAuB9G,EAASjB,GAC9B,MAAMgI,EAAW,CAAC,EAClB,GAAuB,MAAnB/G,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,GA4ChJ,MAAM,IAAI/I,MAAM,kCA5C4I,CAC5J+I,GAAQ,EACR,IAAIwB,EAAqB,EACrByG,GAAU,EAAOC,GAAU,EAC3BC,EAAM,GACV,KAAOnI,EAAIiB,EAAQtF,OAAQqE,IACzB,GAAmB,MAAfiB,EAAQjB,IAAekI,EAgBpB,GAAmB,MAAfjH,EAAQjB,IASjB,GARIkI,EACqB,MAAnBjH,EAAQjB,EAAI,IAAiC,MAAnBiB,EAAQjB,EAAI,KACxCkI,GAAU,EACV1G,KAGFA,IAEyB,IAAvBA,EACF,UAEsB,MAAfP,EAAQjB,GACjBiI,GAAU,EAEVE,GAAOlH,EAAQjB,OA/BmB,CAClC,GAAIiI,GAAWrB,GAAS3F,EAASjB,GAC/BA,GAAK,GACJoI,WAAYC,IAAKrI,GAAKyG,EAAcxF,EAASjB,EAAI,IACxB,IAAtBqI,IAAIlM,QAAQ,OACd6L,EAAShB,GAAmBoB,aAAe,CACzCE,KAAMhJ,OAAO,IAAI8I,cAAe,KAChCC,WAEC,GAAIJ,GAAWpB,GAAU5F,EAASjB,GAAIA,GAAK,OAC7C,GAAIiI,GAAWnB,GAAU7F,EAASjB,GAAIA,GAAK,OAC3C,GAAIiI,GAAWlB,GAAW9F,EAASjB,GAAIA,GAAK,MAC5C,KAAI2G,GACJ,MAAM,IAAI1P,MAAM,mBADDiR,GAAU,CACS,CACvC1G,IACA2G,EAAM,EACR,CAkBF,GAA2B,IAAvB3G,EACF,MAAM,IAAIvK,MAAM,mBAEpB,CAGA,MAAO,CAAE+Q,WAAUhI,IACrB,EAoHMuI,GA3DN,SAAoBC,EAAK9G,EAAU,CAAC,GAElC,GADAA,EAAUxK,OAAOyK,OAAO,CAAC,EAAG2F,GAAU5F,IACjC8G,GAAsB,iBAARA,EAAkB,OAAOA,EAC5C,IAAIC,EAAaD,EAAIrG,OACrB,QAAyB,IAArBT,EAAQgH,UAAuBhH,EAAQgH,SAASC,KAAKF,GAAa,OAAOD,EACxE,GAAI9G,EAAQyD,KAAO8B,GAAS0B,KAAKF,GACpC,OAAOtB,OAAOC,SAASqB,EAAY,IAC9B,CACL,MAAM/P,EAAQwO,GAASxQ,KAAK+R,GAC5B,GAAI/P,EAAO,CACT,MAAMkQ,EAAOlQ,EAAM,GACb0M,EAAe1M,EAAM,GAC3B,IAAImQ,GAiCSC,EAjCqBpQ,EAAM,MAkCL,IAAzBoQ,EAAO3M,QAAQ,MAEZ,OADf2M,EAASA,EAAOvN,QAAQ,MAAO,KACXuN,EAAS,IACN,MAAdA,EAAO,GAAYA,EAAS,IAAMA,EACJ,MAA9BA,EAAOA,EAAOnN,OAAS,KAAYmN,EAASA,EAAO1H,OAAO,EAAG0H,EAAOnN,OAAS,IAC/EmN,GAEFA,EAxCH,MAAMzD,EAAY3M,EAAM,IAAMA,EAAM,GACpC,IAAKgJ,EAAQ0D,cAAgBA,EAAazJ,OAAS,GAAKiN,GAA0B,MAAlBH,EAAW,GAAY,OAAOD,EACzF,IAAK9G,EAAQ0D,cAAgBA,EAAazJ,OAAS,IAAMiN,GAA0B,MAAlBH,EAAW,GAAY,OAAOD,EAC/F,CACH,MAAMO,EAAM5B,OAAOsB,GACbK,EAAS,GAAKC,EACpB,OAA+B,IAA3BD,EAAOpR,OAAO,SAGP2N,EAFL3D,EAAQ2D,UAAkB0D,EAClBP,GAI0B,IAA7BC,EAAWtM,QAAQ,KACb,MAAX2M,GAAwC,KAAtBD,GACbC,IAAWD,GACXD,GAAQE,IAAW,IAAMD,EAFqBE,EAG3CP,EAEVpD,EACEyD,IAAsBC,GACjBF,EAAOC,IAAsBC,EADGC,EAE7BP,EAEVC,IAAeK,GACVL,IAAeG,EAAOE,EADGC,EAE3BP,CACT,CACF,CACE,OAAOA,CAEX,CAEF,IAAmBM,CADnB,EA0DA,SAASE,GAAoBC,GAC3B,MAAMC,EAAUhS,OAAOyI,KAAKsJ,GAC5B,IAAK,IAAIjJ,EAAI,EAAGA,EAAIkJ,EAAQvN,OAAQqE,IAAK,CACvC,MAAMmJ,EAAMD,EAAQlJ,GACpB7J,KAAKiT,aAAaD,GAAO,CACvB9I,MAAO,IAAIf,OAAO,IAAM6J,EAAM,IAAK,KACnCd,IAAKY,EAAiBE,GAE1B,CACF,CACA,SAASE,GAAc9D,EAAMrD,EAASkE,EAAOkD,EAAUC,EAAeC,EAAYC,GAChF,QAAa,IAATlE,IACEpP,KAAKuL,QAAQsD,aAAesE,IAC9B/D,EAAOA,EAAKpD,QAEVoD,EAAK5J,OAAS,GAAG,CACd8N,IAAgBlE,EAAOpP,KAAKuT,qBAAqBnE,IACtD,MAAMoE,EAASxT,KAAKuL,QAAQ4D,kBAAkBpD,EAASqD,EAAMa,EAAOmD,EAAeC,GACnF,OAAIG,QACKpE,SACSoE,UAAkBpE,GAAQoE,IAAWpE,EAC9CoE,EACExT,KAAKuL,QAAQsD,YAGHO,EAAKpD,SACLoD,EAHZqE,GAAWrE,EAAMpP,KAAKuL,QAAQoD,cAAe3O,KAAKuL,QAAQwD,oBAMxDK,CAGb,CAEJ,CACA,SAASsE,GAAiB1I,GACxB,GAAIhL,KAAKuL,QAAQmD,eAAgB,CAC/B,MAAMjD,EAAOT,EAAQnF,MAAM,KACrB8N,EAA+B,MAAtB3I,EAAQ4I,OAAO,GAAa,IAAM,GACjD,GAAgB,UAAZnI,EAAK,GACP,MAAO,GAEW,IAAhBA,EAAKjG,SACPwF,EAAU2I,EAASlI,EAAK,GAE5B,CACA,OAAOT,CACT,CACA,MAAM6I,GAAY,IAAI1K,OAAO,+CAA+C,MAC5E,SAAS2K,GAAmBzH,EAAS4D,EAAOlE,GAC1C,IAAK/L,KAAKuL,QAAQkD,kBAAuC,iBAAZpC,EAAsB,CACjE,MAAMlC,EAAUkH,GAAKpH,cAAcoC,EAASwH,IACtCjK,EAAMO,EAAQ3E,OACd0K,EAAQ,CAAC,EACf,IAAK,IAAIrG,EAAI,EAAGA,EAAID,EAAKC,IAAK,CAC5B,MAAM6D,EAAW1N,KAAK0T,iBAAiBvJ,EAAQN,GAAG,IAClD,IAAIkK,EAAS5J,EAAQN,GAAG,GACpBmK,EAAQhU,KAAKuL,QAAQ+C,oBAAsBZ,EAC/C,GAAIA,EAASlI,OAKX,GAJIxF,KAAKuL,QAAQwE,yBACfiE,EAAQhU,KAAKuL,QAAQwE,uBAAuBiE,IAEhC,cAAVA,IAAuBA,EAAQ,mBACpB,IAAXD,EAAmB,CACjB/T,KAAKuL,QAAQsD,aACfkF,EAASA,EAAO/H,QAElB+H,EAAS/T,KAAKuT,qBAAqBQ,GACnC,MAAME,EAASjU,KAAKuL,QAAQ8D,wBAAwB3B,EAAUqG,EAAQ9D,GAEpEC,EAAM8D,GADJC,QACaF,SACCE,UAAkBF,GAAUE,IAAWF,EACxCE,EAEAR,GACbM,EACA/T,KAAKuL,QAAQqD,oBACb5O,KAAKuL,QAAQwD,mBAGnB,MAAW/O,KAAKuL,QAAQd,yBACtByF,EAAM8D,IAAS,EAGrB,CACA,IAAKjT,OAAOyI,KAAK0G,GAAO1K,OACtB,OAEF,GAAIxF,KAAKuL,QAAQgD,oBAAqB,CACpC,MAAM2F,EAAiB,CAAC,EAExB,OADAA,EAAelU,KAAKuL,QAAQgD,qBAAuB2B,EAC5CgE,CACT,CACA,OAAOhE,CACT,CACF,CACA,MAAMiE,GAAW,SAASrJ,GACxBA,EAAUA,EAAQ1F,QAAQ,SAAU,MACpC,MAAMgP,EAAS,IAAI9C,GAAQ,QAC3B,IAAI+C,EAAcD,EACdE,EAAW,GACXrE,EAAQ,GACZ,IAAK,IAAIpG,EAAI,EAAGA,EAAIiB,EAAQtF,OAAQqE,IAElC,GAAW,MADAiB,EAAQjB,GAEjB,GAAuB,MAAnBiB,EAAQjB,EAAI,GAAY,CAC1B,MAAM0K,EAAaC,GAAiB1J,EAAS,IAAKjB,EAAG,8BACrD,IAAIkC,EAAUjB,EAAQmB,UAAUpC,EAAI,EAAG0K,GAAYvI,OACnD,GAAIhM,KAAKuL,QAAQmD,eAAgB,CAC/B,MAAM+F,EAAa1I,EAAQ/F,QAAQ,MACf,IAAhByO,IACF1I,EAAUA,EAAQd,OAAOwJ,EAAa,GAE1C,CACIzU,KAAKuL,QAAQuE,mBACf/D,EAAU/L,KAAKuL,QAAQuE,iBAAiB/D,IAEtCsI,IACFC,EAAWtU,KAAK0U,oBAAoBJ,EAAUD,EAAapE,IAE7D,MAAM0E,EAAc1E,EAAMhE,UAAUgE,EAAM2E,YAAY,KAAO,GAC7D,GAAI7I,IAA2D,IAAhD/L,KAAKuL,QAAQb,aAAa1E,QAAQ+F,GAC/C,MAAM,IAAIjL,MAAM,kDAAkDiL,MAEpE,IAAI8I,EAAY,EACZF,IAAmE,IAApD3U,KAAKuL,QAAQb,aAAa1E,QAAQ2O,IACnDE,EAAY5E,EAAM2E,YAAY,IAAK3E,EAAM2E,YAAY,KAAO,GAC5D5U,KAAK8U,cAAchP,OAEnB+O,EAAY5E,EAAM2E,YAAY,KAEhC3E,EAAQA,EAAMhE,UAAU,EAAG4I,GAC3BR,EAAcrU,KAAK8U,cAAchP,MACjCwO,EAAW,GACXzK,EAAI0K,CACN,MAAO,GAAuB,MAAnBzJ,EAAQjB,EAAI,GAAY,CACjC,IAAIkL,EAAUC,GAAWlK,EAASjB,GAAG,EAAO,MAC5C,IAAKkL,EAAS,MAAM,IAAIjU,MAAM,yBAE9B,GADAwT,EAAWtU,KAAK0U,oBAAoBJ,EAAUD,EAAapE,GACvDjQ,KAAKuL,QAAQqE,mBAAyC,SAApBmF,EAAQhJ,SAAsB/L,KAAKuL,QAAQsE,kBAC5E,CACH,MAAMoF,EAAY,IAAI3D,GAAQyD,EAAQhJ,SACtCkJ,EAAUzD,IAAIxR,KAAKuL,QAAQiD,aAAc,IACrCuG,EAAQhJ,UAAYgJ,EAAQG,QAAUH,EAAQI,iBAChDF,EAAU,MAAQjV,KAAK8T,mBAAmBiB,EAAQG,OAAQjF,EAAO8E,EAAQhJ,UAE3E/L,KAAK0R,SAAS2C,EAAaY,EAAWhF,EACxC,CACApG,EAAIkL,EAAQR,WAAa,CAC3B,MAAO,GAAiC,QAA7BzJ,EAAQG,OAAOpB,EAAI,EAAG,GAAc,CAC7C,MAAMuL,EAAWZ,GAAiB1J,EAAS,SAAOjB,EAAI,EAAG,0BACzD,GAAI7J,KAAKuL,QAAQkE,gBAAiB,CAChC,MAAMsC,EAAUjH,EAAQmB,UAAUpC,EAAI,EAAGuL,EAAW,GACpDd,EAAWtU,KAAK0U,oBAAoBJ,EAAUD,EAAapE,GAC3DoE,EAAY7C,IAAIxR,KAAKuL,QAAQkE,gBAAiB,CAAC,CAAE,CAACzP,KAAKuL,QAAQiD,cAAeuD,IAChF,CACAlI,EAAIuL,CACN,MAAO,GAAiC,OAA7BtK,EAAQG,OAAOpB,EAAI,EAAG,GAAa,CAC5C,MAAMsC,EAASyF,GAAY9G,EAASjB,GACpC7J,KAAKqV,gBAAkBlJ,EAAO0F,SAC9BhI,EAAIsC,EAAOtC,CACb,MAAO,GAAiC,OAA7BiB,EAAQG,OAAOpB,EAAI,EAAG,GAAa,CAC5C,MAAM0K,EAAaC,GAAiB1J,EAAS,MAAOjB,EAAG,wBAA0B,EAC3EqL,EAASpK,EAAQmB,UAAUpC,EAAI,EAAG0K,GACxCD,EAAWtU,KAAK0U,oBAAoBJ,EAAUD,EAAapE,GAC3D,IAAIb,EAAOpP,KAAKkT,cAAcgC,EAAQb,EAAYrJ,QAASiF,GAAO,GAAM,GAAO,GAAM,GACzE,MAARb,IAAgBA,EAAO,IACvBpP,KAAKuL,QAAQuD,cACfuF,EAAY7C,IAAIxR,KAAKuL,QAAQuD,cAAe,CAAC,CAAE,CAAC9O,KAAKuL,QAAQiD,cAAe0G,KAE5Eb,EAAY7C,IAAIxR,KAAKuL,QAAQiD,aAAcY,GAE7CvF,EAAI0K,EAAa,CACnB,KAAO,CACL,IAAIpI,EAAS6I,GAAWlK,EAASjB,EAAG7J,KAAKuL,QAAQmD,gBAC7C3C,EAAUI,EAAOJ,QACrB,MAAMuJ,EAAanJ,EAAOmJ,WAC1B,IAAIJ,EAAS/I,EAAO+I,OAChBC,EAAiBhJ,EAAOgJ,eACxBZ,EAAapI,EAAOoI,WACpBvU,KAAKuL,QAAQuE,mBACf/D,EAAU/L,KAAKuL,QAAQuE,iBAAiB/D,IAEtCsI,GAAeC,GACW,SAAxBD,EAAYrJ,UACdsJ,EAAWtU,KAAK0U,oBAAoBJ,EAAUD,EAAapE,GAAO,IAGtE,MAAMsF,EAAUlB,EAQhB,GAPIkB,IAAmE,IAAxDvV,KAAKuL,QAAQb,aAAa1E,QAAQuP,EAAQvK,WACvDqJ,EAAcrU,KAAK8U,cAAchP,MACjCmK,EAAQA,EAAMhE,UAAU,EAAGgE,EAAM2E,YAAY,OAE3C7I,IAAYqI,EAAOpJ,UACrBiF,GAASA,EAAQ,IAAMlE,EAAUA,GAE/B/L,KAAKwV,aAAaxV,KAAKuL,QAAQ+D,UAAWW,EAAOlE,GAAU,CAC7D,IAAI0J,EAAa,GACjB,GAAIP,EAAO1P,OAAS,GAAK0P,EAAON,YAAY,OAASM,EAAO1P,OAAS,EAC/B,MAAhCuG,EAAQA,EAAQvG,OAAS,IAC3BuG,EAAUA,EAAQd,OAAO,EAAGc,EAAQvG,OAAS,GAC7CyK,EAAQA,EAAMhF,OAAO,EAAGgF,EAAMzK,OAAS,GACvC0P,EAASnJ,GAETmJ,EAASA,EAAOjK,OAAO,EAAGiK,EAAO1P,OAAS,GAE5CqE,EAAIsC,EAAOoI,gBACN,IAAoD,IAAhDvU,KAAKuL,QAAQb,aAAa1E,QAAQ+F,GAC3ClC,EAAIsC,EAAOoI,eACN,CACL,MAAMmB,EAAU1V,KAAK2V,iBAAiB7K,EAASwK,EAAYf,EAAa,GACxE,IAAKmB,EAAS,MAAM,IAAI5U,MAAM,qBAAqBwU,KACnDzL,EAAI6L,EAAQ7L,EACZ4L,EAAaC,EAAQD,UACvB,CACA,MAAMR,EAAY,IAAI3D,GAAQvF,GAC1BA,IAAYmJ,GAAUC,IACxBF,EAAU,MAAQjV,KAAK8T,mBAAmBoB,EAAQjF,EAAOlE,IAEvD0J,IACFA,EAAazV,KAAKkT,cAAcuC,EAAY1J,EAASkE,GAAO,EAAMkF,GAAgB,GAAM,IAE1FlF,EAAQA,EAAMhF,OAAO,EAAGgF,EAAM2E,YAAY,MAC1CK,EAAUzD,IAAIxR,KAAKuL,QAAQiD,aAAciH,GACzCzV,KAAK0R,SAAS2C,EAAaY,EAAWhF,EACxC,KAAO,CACL,GAAIiF,EAAO1P,OAAS,GAAK0P,EAAON,YAAY,OAASM,EAAO1P,OAAS,EAAG,CAClC,MAAhCuG,EAAQA,EAAQvG,OAAS,IAC3BuG,EAAUA,EAAQd,OAAO,EAAGc,EAAQvG,OAAS,GAC7CyK,EAAQA,EAAMhF,OAAO,EAAGgF,EAAMzK,OAAS,GACvC0P,EAASnJ,GAETmJ,EAASA,EAAOjK,OAAO,EAAGiK,EAAO1P,OAAS,GAExCxF,KAAKuL,QAAQuE,mBACf/D,EAAU/L,KAAKuL,QAAQuE,iBAAiB/D,IAE1C,MAAMkJ,EAAY,IAAI3D,GAAQvF,GAC1BA,IAAYmJ,GAAUC,IACxBF,EAAU,MAAQjV,KAAK8T,mBAAmBoB,EAAQjF,EAAOlE,IAE3D/L,KAAK0R,SAAS2C,EAAaY,EAAWhF,GACtCA,EAAQA,EAAMhF,OAAO,EAAGgF,EAAM2E,YAAY,KAC5C,KAAO,CACL,MAAMK,EAAY,IAAI3D,GAAQvF,GAC9B/L,KAAK8U,cAAcrT,KAAK4S,GACpBtI,IAAYmJ,GAAUC,IACxBF,EAAU,MAAQjV,KAAK8T,mBAAmBoB,EAAQjF,EAAOlE,IAE3D/L,KAAK0R,SAAS2C,EAAaY,EAAWhF,GACtCoE,EAAcY,CAChB,CACAX,EAAW,GACXzK,EAAI0K,CACN,CACF,MAEAD,GAAYxJ,EAAQjB,GAGxB,OAAOuK,EAAO7C,KAChB,EACA,SAASG,GAAS2C,EAAaY,EAAWhF,GACxC,MAAM9D,EAASnM,KAAKuL,QAAQyE,UAAUiF,EAAUjK,QAASiF,EAAOgF,EAAU,QAC3D,IAAX9I,IACuB,iBAAXA,GACd8I,EAAUjK,QAAUmB,EACpBkI,EAAY3C,SAASuD,IAErBZ,EAAY3C,SAASuD,GAEzB,CACA,MAAMW,GAAyB,SAASxG,GACtC,GAAIpP,KAAKuL,QAAQmE,gBAAiB,CAChC,IAAK,IAAIa,KAAevQ,KAAKqV,gBAAiB,CAC5C,MAAMQ,EAAS7V,KAAKqV,gBAAgB9E,GACpCnB,EAAOA,EAAKhK,QAAQyQ,EAAO1D,KAAM0D,EAAO3D,IAC1C,CACA,IAAK,IAAI3B,KAAevQ,KAAKiT,aAAc,CACzC,MAAM4C,EAAS7V,KAAKiT,aAAa1C,GACjCnB,EAAOA,EAAKhK,QAAQyQ,EAAO3L,MAAO2L,EAAO3D,IAC3C,CACA,GAAIlS,KAAKuL,QAAQoE,aACf,IAAK,IAAIY,KAAevQ,KAAK2P,aAAc,CACzC,MAAMkG,EAAS7V,KAAK2P,aAAaY,GACjCnB,EAAOA,EAAKhK,QAAQyQ,EAAO3L,MAAO2L,EAAO3D,IAC3C,CAEF9C,EAAOA,EAAKhK,QAAQpF,KAAK8V,UAAU5L,MAAOlK,KAAK8V,UAAU5D,IAC3D,CACA,OAAO9C,CACT,EACA,SAASsF,GAAoBJ,EAAUD,EAAapE,EAAOoD,GAezD,OAdIiB,SACiB,IAAfjB,IAAuBA,EAAuD,IAA1CtS,OAAOyI,KAAK6K,EAAY9C,OAAO/L,aAStD,KARjB8O,EAAWtU,KAAKkT,cACdoB,EACAD,EAAYrJ,QACZiF,GACA,IACAoE,EAAY,OAAkD,IAA1CtT,OAAOyI,KAAK6K,EAAY,OAAO7O,OACnD6N,KAEsC,KAAbiB,GACzBD,EAAY7C,IAAIxR,KAAKuL,QAAQiD,aAAc8F,GAC7CA,EAAW,IAENA,CACT,CACA,SAASkB,GAAalG,EAAWW,EAAO8F,GACtC,MAAMC,EAAc,KAAOD,EAC3B,IAAK,MAAME,KAAgB3G,EAAW,CACpC,MAAM4G,EAAc5G,EAAU2G,GAC9B,GAAID,IAAgBE,GAAejG,IAAUiG,EAAa,OAAO,CACnE,CACA,OAAO,CACT,CA8BA,SAAS1B,GAAiB1J,EAASuH,EAAKxI,EAAGsM,GACzC,MAAMC,EAAetL,EAAQ9E,QAAQqM,EAAKxI,GAC1C,IAAsB,IAAlBuM,EACF,MAAM,IAAItV,MAAMqV,GAEhB,OAAOC,EAAe/D,EAAI7M,OAAS,CAEvC,CACA,SAASwP,GAAWlK,EAASjB,EAAG6E,EAAgB2H,EAAc,KAC5D,MAAMlK,EAtCR,SAAgCrB,EAASjB,EAAGwM,EAAc,KACxD,IAAIC,EACApB,EAAS,GACb,IAAK,IAAIpN,EAAQ+B,EAAG/B,EAAQgD,EAAQtF,OAAQsC,IAAS,CACnD,IAAIyO,EAAKzL,EAAQhD,GACjB,GAAIwO,EACEC,IAAOD,IAAcA,EAAe,SACnC,GAAW,MAAPC,GAAqB,MAAPA,EACvBD,EAAeC,OACV,GAAIA,IAAOF,EAAY,GAAI,CAChC,IAAIA,EAAY,GAQd,MAAO,CACL5T,KAAMyS,EACNpN,SATF,GAAIgD,EAAQhD,EAAQ,KAAOuO,EAAY,GACrC,MAAO,CACL5T,KAAMyS,EACNpN,QASR,KAAkB,OAAPyO,IACTA,EAAK,KAEPrB,GAAUqB,CACZ,CACF,CAUiBC,CAAuB1L,EAASjB,EAAI,EAAGwM,GACtD,IAAKlK,EAAQ,OACb,IAAI+I,EAAS/I,EAAO1J,KACpB,MAAM8R,EAAapI,EAAOrE,MACpB2O,EAAiBvB,EAAO3T,OAAO,MACrC,IAAIwK,EAAUmJ,EACVC,GAAiB,GACG,IAApBsB,IACF1K,EAAUmJ,EAAOjJ,UAAU,EAAGwK,GAC9BvB,EAASA,EAAOjJ,UAAUwK,EAAiB,GAAGC,aAEhD,MAAMpB,EAAavJ,EACnB,GAAI2C,EAAgB,CAClB,MAAM+F,EAAa1I,EAAQ/F,QAAQ,MACf,IAAhByO,IACF1I,EAAUA,EAAQd,OAAOwJ,EAAa,GACtCU,EAAiBpJ,IAAYI,EAAO1J,KAAKwI,OAAOwJ,EAAa,GAEjE,CACA,MAAO,CACL1I,UACAmJ,SACAX,aACAY,iBACAG,aAEJ,CACA,SAASK,GAAiB7K,EAASiB,EAASlC,GAC1C,MAAMQ,EAAaR,EACnB,IAAI8M,EAAe,EACnB,KAAO9M,EAAIiB,EAAQtF,OAAQqE,IACzB,GAAmB,MAAfiB,EAAQjB,GACV,GAAuB,MAAnBiB,EAAQjB,EAAI,GAAY,CAC1B,MAAM0K,EAAaC,GAAiB1J,EAAS,IAAKjB,EAAG,GAAGkC,mBAExD,GADmBjB,EAAQmB,UAAUpC,EAAI,EAAG0K,GAAYvI,SACnCD,IACnB4K,IACqB,IAAjBA,GACF,MAAO,CACLlB,WAAY3K,EAAQmB,UAAU5B,EAAYR,GAC1CA,EAAG0K,GAIT1K,EAAI0K,CACN,MAAO,GAAuB,MAAnBzJ,EAAQjB,EAAI,GAErBA,EADmB2K,GAAiB1J,EAAS,KAAMjB,EAAI,EAAG,gCAErD,GAAiC,QAA7BiB,EAAQG,OAAOpB,EAAI,EAAG,GAE/BA,EADmB2K,GAAiB1J,EAAS,SAAOjB,EAAI,EAAG,gCAEtD,GAAiC,OAA7BiB,EAAQG,OAAOpB,EAAI,EAAG,GAE/BA,EADmB2K,GAAiB1J,EAAS,MAAOjB,EAAG,2BAA6B,MAE/E,CACL,MAAMkL,EAAUC,GAAWlK,EAASjB,EAAG,KACnCkL,KACkBA,GAAWA,EAAQhJ,WACnBA,GAAyD,MAA9CgJ,EAAQG,OAAOH,EAAQG,OAAO1P,OAAS,IACpEmR,IAEF9M,EAAIkL,EAAQR,WAEhB,CAGN,CACA,SAASd,GAAWrE,EAAMwH,EAAarL,GACrC,GAAIqL,GAA+B,iBAATxH,EAAmB,CAC3C,MAAMoE,EAASpE,EAAKpD,OACpB,MAAe,SAAXwH,GACgB,UAAXA,GACGpB,GAAShD,EAAM7D,EAC7B,CACE,OAAI8F,GAAKjI,QAAQgG,GACRA,EAEA,EAGb,CACA,IACIyH,GAAY,CAAC,EAIjB,SAASC,GAASC,EAAKxL,EAAS0E,GAC9B,IAAI+G,EACJ,MAAMC,EAAgB,CAAC,EACvB,IAAK,IAAIpN,EAAI,EAAGA,EAAIkN,EAAIvR,OAAQqE,IAAK,CACnC,MAAMqN,EAASH,EAAIlN,GACbsN,EAAWC,GAAWF,GAC5B,IAAIG,EAAW,GAGf,GAFsBA,OAAR,IAAVpH,EAA6BkH,EACjBlH,EAAQ,IAAMkH,EAC1BA,IAAa5L,EAAQiD,kBACV,IAATwI,EAAiBA,EAAOE,EAAOC,GAC9BH,GAAQ,GAAKE,EAAOC,OACpB,SAAiB,IAAbA,EACT,SACK,GAAID,EAAOC,GAAW,CAC3B,IAAI/H,EAAO0H,GAASI,EAAOC,GAAW5L,EAAS8L,GAC/C,MAAMC,EAASC,GAAUnI,EAAM7D,GAC3B2L,EAAO,MACTM,GAAiBpI,EAAM8H,EAAO,MAAOG,EAAU9L,GACT,IAA7BxK,OAAOyI,KAAK4F,GAAM5J,aAA+C,IAA/B4J,EAAK7D,EAAQiD,eAA6BjD,EAAQgE,qBAEvD,IAA7BxO,OAAOyI,KAAK4F,GAAM5J,SACvB+F,EAAQgE,qBAAsBH,EAAK7D,EAAQiD,cAAgB,GAC1DY,EAAO,IAHZA,EAAOA,EAAK7D,EAAQiD,mBAKU,IAA5ByI,EAAcE,IAAwBF,EAAcrJ,eAAeuJ,IAChEM,MAAMjI,QAAQyH,EAAcE,MAC/BF,EAAcE,GAAY,CAACF,EAAcE,KAE3CF,EAAcE,GAAU1V,KAAK2N,IAEzB7D,EAAQiE,QAAQ2H,EAAUE,EAAUC,GACtCL,EAAcE,GAAY,CAAC/H,GAE3B6H,EAAcE,GAAY/H,CAGhC,EACF,CAIA,MAHoB,iBAAT4H,EACLA,EAAKxR,OAAS,IAAGyR,EAAc1L,EAAQiD,cAAgBwI,QACzC,IAATA,IAAiBC,EAAc1L,EAAQiD,cAAgBwI,GAC3DC,CACT,CACA,SAASG,GAAW7N,GAClB,MAAMC,EAAOzI,OAAOyI,KAAKD,GACzB,IAAK,IAAIM,EAAI,EAAGA,EAAIL,EAAKhE,OAAQqE,IAAK,CACpC,MAAM4H,EAAMjI,EAAKK,GACjB,GAAY,OAAR4H,EAAc,OAAOA,CAC3B,CACF,CACA,SAAS+F,GAAiBjO,EAAKmO,EAASC,EAAOpM,GAC7C,GAAImM,EAAS,CACX,MAAMlO,EAAOzI,OAAOyI,KAAKkO,GACnB9N,EAAMJ,EAAKhE,OACjB,IAAK,IAAIqE,EAAI,EAAGA,EAAID,EAAKC,IAAK,CAC5B,MAAM+N,EAAWpO,EAAKK,GAClB0B,EAAQiE,QAAQoI,EAAUD,EAAQ,IAAMC,GAAU,GAAM,GAC1DrO,EAAIqO,GAAY,CAACF,EAAQE,IAEzBrO,EAAIqO,GAAYF,EAAQE,EAE5B,CACF,CACF,CACA,SAASL,GAAUhO,EAAKgC,GACtB,MAAM,aAAEiD,GAAiBjD,EACnBsM,EAAY9W,OAAOyI,KAAKD,GAAK/D,OACnC,OAAkB,IAAdqS,KAGc,IAAdA,IAAoBtO,EAAIiF,IAA8C,kBAAtBjF,EAAIiF,IAAqD,IAAtBjF,EAAIiF,GAI7F,CACAqI,GAAUiB,SA/EV,SAAoBnG,EAAMpG,GACxB,OAAOuL,GAASnF,EAAMpG,EACxB,EA8EA,MAAM,aAAE4E,IAAiBhC,EACnB4J,GAjjBmB,MACvB,WAAAjY,CAAYyL,GACVvL,KAAKuL,QAAUA,EACfvL,KAAKqU,YAAc,KACnBrU,KAAK8U,cAAgB,GACrB9U,KAAKqV,gBAAkB,CAAC,EACxBrV,KAAKiT,aAAe,CAClB,KAAQ,CAAE/I,MAAO,qBAAsBgI,IAAK,KAC5C,GAAM,CAAEhI,MAAO,mBAAoBgI,IAAK,KACxC,GAAM,CAAEhI,MAAO,mBAAoBgI,IAAK,KACxC,KAAQ,CAAEhI,MAAO,qBAAsBgI,IAAK,MAE9ClS,KAAK8V,UAAY,CAAE5L,MAAO,oBAAqBgI,IAAK,KACpDlS,KAAK2P,aAAe,CAClB,MAAS,CAAEzF,MAAO,iBAAkBgI,IAAK,KAMzC,KAAQ,CAAEhI,MAAO,iBAAkBgI,IAAK,KACxC,MAAS,CAAEhI,MAAO,kBAAmBgI,IAAK,KAC1C,IAAO,CAAEhI,MAAO,gBAAiBgI,IAAK,KACtC,KAAQ,CAAEhI,MAAO,kBAAmBgI,IAAK,KACzC,UAAa,CAAEhI,MAAO,iBAAkBgI,IAAK,KAC7C,IAAO,CAAEhI,MAAO,gBAAiBgI,IAAK,KACtC,IAAO,CAAEhI,MAAO,iBAAkBgI,IAAK,KACvC,QAAW,CAAEhI,MAAO,mBAAoBgI,IAAK,CAAC8F,EAAG3F,IAAQ4F,OAAOC,aAAalH,OAAOC,SAASoB,EAAK,MAClG,QAAW,CAAEnI,MAAO,0BAA2BgI,IAAK,CAAC8F,EAAG3F,IAAQ4F,OAAOC,aAAalH,OAAOC,SAASoB,EAAK,OAE3GrS,KAAK6S,oBAAsBA,GAC3B7S,KAAKmU,SAAWA,GAChBnU,KAAKkT,cAAgBA,GACrBlT,KAAK0T,iBAAmBA,GACxB1T,KAAK8T,mBAAqBA,GAC1B9T,KAAKwV,aAAeA,GACpBxV,KAAKuT,qBAAuBqC,GAC5B5V,KAAK2V,iBAAmBA,GACxB3V,KAAK0U,oBAAsBA,GAC3B1U,KAAK0R,SAAWA,EAClB,IA0gBI,SAAEoG,IAAajB,GACfsB,GAActP,EAyDpB,SAASuP,GAASrB,EAAKxL,EAAS0E,EAAOoI,GACrC,IAAIC,EAAS,GACTC,GAAuB,EAC3B,IAAK,IAAI1O,EAAI,EAAGA,EAAIkN,EAAIvR,OAAQqE,IAAK,CACnC,MAAMqN,EAASH,EAAIlN,GACbkC,EAAUyM,GAAStB,GACzB,QAAgB,IAAZnL,EAAoB,SACxB,IAAI0M,EAAW,GAGf,GAFwBA,EAAH,IAAjBxI,EAAMzK,OAAyBuG,EACnB,GAAGkE,KAASlE,IACxBA,IAAYR,EAAQiD,aAAc,CACpC,IAAIkK,EAAUxB,EAAOnL,GAChB4M,GAAWF,EAAUlN,KACxBmN,EAAUnN,EAAQ4D,kBAAkBpD,EAAS2M,GAC7CA,EAAUnF,GAAqBmF,EAASnN,IAEtCgN,IACFD,GAAUD,GAEZC,GAAUI,EACVH,GAAuB,EACvB,QACF,CAAO,GAAIxM,IAAYR,EAAQuD,cAAe,CACxCyJ,IACFD,GAAUD,GAEZC,GAAU,YAAYpB,EAAOnL,GAAS,GAAGR,EAAQiD,mBACjD+J,GAAuB,EACvB,QACF,CAAO,GAAIxM,IAAYR,EAAQkE,gBAAiB,CAC9C6I,GAAUD,EAAc,UAAOnB,EAAOnL,GAAS,GAAGR,EAAQiD,sBAC1D+J,GAAuB,EACvB,QACF,CAAO,GAAmB,MAAfxM,EAAQ,GAAY,CAC7B,MAAM6M,EAAUC,GAAY3B,EAAO,MAAO3L,GACpCuN,EAAsB,SAAZ/M,EAAqB,GAAKsM,EAC1C,IAAIU,EAAiB7B,EAAOnL,GAAS,GAAGR,EAAQiD,cAChDuK,EAA2C,IAA1BA,EAAevT,OAAe,IAAMuT,EAAiB,GACtET,GAAUQ,EAAU,IAAI/M,IAAUgN,IAAiBH,MACnDL,GAAuB,EACvB,QACF,CACA,IAAIS,EAAgBX,EACE,KAAlBW,IACFA,GAAiBzN,EAAQ0N,UAE3B,MACMC,EAAWb,EAAc,IAAItM,IADpB8M,GAAY3B,EAAO,MAAO3L,KAEnC4N,EAAWf,GAASlB,EAAOnL,GAAUR,EAASkN,EAAUO,IACf,IAA3CzN,EAAQb,aAAa1E,QAAQ+F,GAC3BR,EAAQ6N,qBAAsBd,GAAUY,EAAW,IAClDZ,GAAUY,EAAW,KACfC,GAAgC,IAApBA,EAAS3T,SAAiB+F,EAAQ8N,kBAEhDF,GAAYA,EAASG,SAAS,KACvChB,GAAUY,EAAW,IAAIC,IAAWd,MAAgBtM,MAEpDuM,GAAUY,EAAW,IACjBC,GAA4B,KAAhBd,IAAuBc,EAASlY,SAAS,OAASkY,EAASlY,SAAS,OAClFqX,GAAUD,EAAc9M,EAAQ0N,SAAWE,EAAWd,EAEtDC,GAAUa,EAEZb,GAAU,KAAKvM,MAVfuM,GAAUY,EAAW,KAYvBX,GAAuB,CACzB,CACA,OAAOD,CACT,CACA,SAASE,GAASjP,GAChB,MAAMC,EAAOzI,OAAOyI,KAAKD,GACzB,IAAK,IAAIM,EAAI,EAAGA,EAAIL,EAAKhE,OAAQqE,IAAK,CACpC,MAAM4H,EAAMjI,EAAKK,GACjB,GAAKN,EAAIqE,eAAe6D,IACZ,OAARA,EAAc,OAAOA,CAC3B,CACF,CACA,SAASoH,GAAYnB,EAASnM,GAC5B,IAAIc,EAAU,GACd,GAAIqL,IAAYnM,EAAQkD,iBACtB,IAAK,IAAI8K,KAAQ7B,EAAS,CACxB,IAAKA,EAAQ9J,eAAe2L,GAAO,SACnC,IAAIC,EAAUjO,EAAQ8D,wBAAwBkK,EAAM7B,EAAQ6B,IAC5DC,EAAUjG,GAAqBiG,EAASjO,IACxB,IAAZiO,GAAoBjO,EAAQkO,0BAC9BpN,GAAW,IAAIkN,EAAKtO,OAAOM,EAAQ+C,oBAAoB9I,UAEvD6G,GAAW,IAAIkN,EAAKtO,OAAOM,EAAQ+C,oBAAoB9I,YAAYgU,IAEvE,CAEF,OAAOnN,CACT,CACA,SAASsM,GAAW1I,EAAO1E,GAEzB,IAAIQ,GADJkE,EAAQA,EAAMhF,OAAO,EAAGgF,EAAMzK,OAAS+F,EAAQiD,aAAahJ,OAAS,IACjDyF,OAAOgF,EAAM2E,YAAY,KAAO,GACpD,IAAK,IAAI9M,KAASyD,EAAQ+D,UACxB,GAAI/D,EAAQ+D,UAAUxH,KAAWmI,GAAS1E,EAAQ+D,UAAUxH,KAAW,KAAOiE,EAAS,OAAO,EAEhG,OAAO,CACT,CACA,SAASwH,GAAqBmG,EAAWnO,GACvC,GAAImO,GAAaA,EAAUlU,OAAS,GAAK+F,EAAQmE,gBAC/C,IAAK,IAAI7F,EAAI,EAAGA,EAAI0B,EAAQsG,SAASrM,OAAQqE,IAAK,CAChD,MAAMgM,EAAStK,EAAQsG,SAAShI,GAChC6P,EAAYA,EAAUtU,QAAQyQ,EAAO3L,MAAO2L,EAAO3D,IACrD,CAEF,OAAOwH,CACT,CAEA,MAAMC,GAtHN,SAAeC,EAAQrO,GACrB,IAAI8M,EAAc,GAIlB,OAHI9M,EAAQsO,QAAUtO,EAAQ0N,SAASzT,OAAS,IAC9C6S,EAJQ,MAMHD,GAASwB,EAAQrO,EAAS,GAAI8M,EACvC,EAiHMjI,GAAiB,CACrB9B,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACf+K,QAAQ,EACRZ,SAAU,KACVI,mBAAmB,EACnBD,sBAAsB,EACtBK,2BAA2B,EAC3BtK,kBAAmB,SAASsC,EAAK/H,GAC/B,OAAOA,CACT,EACA2F,wBAAyB,SAAS3B,EAAUhE,GAC1C,OAAOA,CACT,EACA2E,eAAe,EACfoB,iBAAiB,EACjB/E,aAAc,GACdmH,SAAU,CACR,CAAE3H,MAAO,IAAIf,OAAO,IAAK,KAAM+I,IAAK,SAEpC,CAAEhI,MAAO,IAAIf,OAAO,IAAK,KAAM+I,IAAK,QACpC,CAAEhI,MAAO,IAAIf,OAAO,IAAK,KAAM+I,IAAK,QACpC,CAAEhI,MAAO,IAAIf,OAAO,IAAK,KAAM+I,IAAK,UACpC,CAAEhI,MAAO,IAAIf,OAAO,IAAK,KAAM+I,IAAK,WAEtCxC,iBAAiB,EACjBJ,UAAW,GAGXwK,cAAc,GAEhB,SAASC,GAAQxO,GACfvL,KAAKuL,QAAUxK,OAAOyK,OAAO,CAAC,EAAG4E,GAAgB7E,GAC7CvL,KAAKuL,QAAQkD,kBAAoBzO,KAAKuL,QAAQgD,oBAChDvO,KAAKga,YAAc,WACjB,OAAO,CACT,GAEAha,KAAKia,cAAgBja,KAAKuL,QAAQ+C,oBAAoB9I,OACtDxF,KAAKga,YAAcA,IAErBha,KAAKka,qBAAuBA,GACxBla,KAAKuL,QAAQsO,QACf7Z,KAAKma,UAAYA,GACjBna,KAAKoa,WAAa,MAClBpa,KAAKqa,QAAU,OAEfra,KAAKma,UAAY,WACf,MAAO,EACT,EACAna,KAAKoa,WAAa,IAClBpa,KAAKqa,QAAU,GAEnB,CAmGA,SAASH,GAAqBI,EAAQ7I,EAAK8I,GACzC,MAAMpO,EAASnM,KAAKwa,IAAIF,EAAQC,EAAQ,GACxC,YAA0C,IAAtCD,EAAOta,KAAKuL,QAAQiD,eAA2D,IAA/BzN,OAAOyI,KAAK8Q,GAAQ9U,OAC/DxF,KAAKya,iBAAiBH,EAAOta,KAAKuL,QAAQiD,cAAeiD,EAAKtF,EAAOE,QAASkO,GAE9Eva,KAAK0a,gBAAgBvO,EAAO+F,IAAKT,EAAKtF,EAAOE,QAASkO,EAEjE,CA4DA,SAASJ,GAAUI,GACjB,OAAOva,KAAKuL,QAAQ0N,SAAS0B,OAAOJ,EACtC,CACA,SAASP,GAAYpT,GACnB,SAAIA,EAAKhE,WAAW5C,KAAKuL,QAAQ+C,sBAAwB1H,IAAS5G,KAAKuL,QAAQiD,eACtE5H,EAAKqE,OAAOjL,KAAKia,cAI5B,CA9KAF,GAAQ1V,UAAU5E,MAAQ,SAASmb,GACjC,OAAI5a,KAAKuL,QAAQ8C,cACRsL,GAAmBiB,EAAM5a,KAAKuL,UAEjCkM,MAAMjI,QAAQoL,IAAS5a,KAAKuL,QAAQsP,eAAiB7a,KAAKuL,QAAQsP,cAAcrV,OAAS,IAC3FoV,EAAO,CACL,CAAC5a,KAAKuL,QAAQsP,eAAgBD,IAG3B5a,KAAKwa,IAAII,EAAM,GAAG1I,IAE7B,EACA6H,GAAQ1V,UAAUmW,IAAM,SAASI,EAAML,GACrC,IAAIlO,EAAU,GACV+C,EAAO,GACX,IAAK,IAAIqC,KAAOmJ,EACd,GAAK7Z,OAAOsD,UAAUuJ,eAAekN,KAAKF,EAAMnJ,GAChD,QAAyB,IAAdmJ,EAAKnJ,GACVzR,KAAKga,YAAYvI,KACnBrC,GAAQ,SAEL,GAAkB,OAAdwL,EAAKnJ,GACVzR,KAAKga,YAAYvI,GACnBrC,GAAQ,GACY,MAAXqC,EAAI,GACbrC,GAAQpP,KAAKma,UAAUI,GAAS,IAAM9I,EAAM,IAAMzR,KAAKoa,WAEvDhL,GAAQpP,KAAKma,UAAUI,GAAS,IAAM9I,EAAM,IAAMzR,KAAKoa,gBAEpD,GAAIQ,EAAKnJ,aAAgB1O,KAC9BqM,GAAQpP,KAAKya,iBAAiBG,EAAKnJ,GAAMA,EAAK,GAAI8I,QAC7C,GAAyB,iBAAdK,EAAKnJ,GAAmB,CACxC,MAAM8H,EAAOvZ,KAAKga,YAAYvI,GAC9B,GAAI8H,EACFlN,GAAWrM,KAAK+a,iBAAiBxB,EAAM,GAAKqB,EAAKnJ,SAEjD,GAAIA,IAAQzR,KAAKuL,QAAQiD,aAAc,CACrC,IAAIgF,EAASxT,KAAKuL,QAAQ4D,kBAAkBsC,EAAK,GAAKmJ,EAAKnJ,IAC3DrC,GAAQpP,KAAKuT,qBAAqBC,EACpC,MACEpE,GAAQpP,KAAKya,iBAAiBG,EAAKnJ,GAAMA,EAAK,GAAI8I,EAGxD,MAAO,GAAI9C,MAAMjI,QAAQoL,EAAKnJ,IAAO,CACnC,MAAMuJ,EAASJ,EAAKnJ,GAAKjM,OACzB,IAAIyV,EAAa,GACbC,EAAc,GAClB,IAAK,IAAIC,EAAI,EAAGA,EAAIH,EAAQG,IAAK,CAC/B,MAAMC,EAAOR,EAAKnJ,GAAK0J,GACvB,QAAoB,IAATC,QACN,GAAa,OAATA,EACQ,MAAX3J,EAAI,GAAYrC,GAAQpP,KAAKma,UAAUI,GAAS,IAAM9I,EAAM,IAAMzR,KAAKoa,WACtEhL,GAAQpP,KAAKma,UAAUI,GAAS,IAAM9I,EAAM,IAAMzR,KAAKoa,gBACvD,GAAoB,iBAATgB,EAChB,GAAIpb,KAAKuL,QAAQuO,aAAc,CAC7B,MAAM3N,EAASnM,KAAKwa,IAAIY,EAAMb,EAAQ,GACtCU,GAAc9O,EAAO+F,IACjBlS,KAAKuL,QAAQgD,qBAAuB6M,EAAKxN,eAAe5N,KAAKuL,QAAQgD,uBACvE2M,GAAe/O,EAAOE,QAE1B,MACE4O,GAAcjb,KAAKka,qBAAqBkB,EAAM3J,EAAK8I,QAGrD,GAAIva,KAAKuL,QAAQuO,aAAc,CAC7B,IAAIJ,EAAY1Z,KAAKuL,QAAQ4D,kBAAkBsC,EAAK2J,GACpD1B,EAAY1Z,KAAKuT,qBAAqBmG,GACtCuB,GAAcvB,CAChB,MACEuB,GAAcjb,KAAKya,iBAAiBW,EAAM3J,EAAK,GAAI8I,EAGzD,CACIva,KAAKuL,QAAQuO,eACfmB,EAAajb,KAAK0a,gBAAgBO,EAAYxJ,EAAKyJ,EAAaX,IAElEnL,GAAQ6L,CACV,MACE,GAAIjb,KAAKuL,QAAQgD,qBAAuBkD,IAAQzR,KAAKuL,QAAQgD,oBAAqB,CAChF,MAAM8M,EAAKta,OAAOyI,KAAKoR,EAAKnJ,IACtB6J,EAAID,EAAG7V,OACb,IAAK,IAAI2V,EAAI,EAAGA,EAAIG,EAAGH,IACrB9O,GAAWrM,KAAK+a,iBAAiBM,EAAGF,GAAI,GAAKP,EAAKnJ,GAAK4J,EAAGF,IAE9D,MACE/L,GAAQpP,KAAKka,qBAAqBU,EAAKnJ,GAAMA,EAAK8I,GAIxD,MAAO,CAAElO,UAAS6F,IAAK9C,EACzB,EACA2K,GAAQ1V,UAAU0W,iBAAmB,SAASrN,EAAU0B,GAGtD,OAFAA,EAAOpP,KAAKuL,QAAQ8D,wBAAwB3B,EAAU,GAAK0B,GAC3DA,EAAOpP,KAAKuT,qBAAqBnE,GAC7BpP,KAAKuL,QAAQkO,2BAAsC,SAATrK,EACrC,IAAM1B,EACD,IAAMA,EAAW,KAAO0B,EAAO,GAC/C,EASA2K,GAAQ1V,UAAUqW,gBAAkB,SAAStL,EAAMqC,EAAKpF,EAASkO,GAC/D,GAAa,KAATnL,EACF,MAAe,MAAXqC,EAAI,GAAmBzR,KAAKma,UAAUI,GAAS,IAAM9I,EAAMpF,EAAU,IAAMrM,KAAKoa,WAE3Epa,KAAKma,UAAUI,GAAS,IAAM9I,EAAMpF,EAAUrM,KAAKub,SAAS9J,GAAOzR,KAAKoa,WAE5E,CACL,IAAIoB,EAAY,KAAO/J,EAAMzR,KAAKoa,WAC9BqB,EAAgB,GAKpB,MAJe,MAAXhK,EAAI,KACNgK,EAAgB,IAChBD,EAAY,KAETnP,GAAuB,KAAZA,IAA0C,IAAvB+C,EAAKpJ,QAAQ,MAEJ,IAAjChG,KAAKuL,QAAQkE,iBAA6BgC,IAAQzR,KAAKuL,QAAQkE,iBAA4C,IAAzBgM,EAAcjW,OAClGxF,KAAKma,UAAUI,GAAS,UAAOnL,UAAYpP,KAAKqa,QAEhDra,KAAKma,UAAUI,GAAS,IAAM9I,EAAMpF,EAAUoP,EAAgBzb,KAAKoa,WAAahL,EAAOpP,KAAKma,UAAUI,GAASiB,EAJ/Gxb,KAAKma,UAAUI,GAAS,IAAM9I,EAAMpF,EAAUoP,EAAgB,IAAMrM,EAAOoM,CAMtF,CACF,EACAzB,GAAQ1V,UAAUkX,SAAW,SAAS9J,GACpC,IAAI8J,EAAW,GAQf,OAPgD,IAA5Cvb,KAAKuL,QAAQb,aAAa1E,QAAQyL,GAC/BzR,KAAKuL,QAAQ6N,uBAAsBmC,EAAW,KAEnDA,EADSvb,KAAKuL,QAAQ8N,kBACX,IAEA,MAAM5H,IAEZ8J,CACT,EACAxB,GAAQ1V,UAAUoW,iBAAmB,SAASrL,EAAMqC,EAAKpF,EAASkO,GAChE,IAAmC,IAA/Bva,KAAKuL,QAAQuD,eAA2B2C,IAAQzR,KAAKuL,QAAQuD,cAC/D,OAAO9O,KAAKma,UAAUI,GAAS,YAAYnL,OAAYpP,KAAKqa,QACvD,IAAqC,IAAjCra,KAAKuL,QAAQkE,iBAA6BgC,IAAQzR,KAAKuL,QAAQkE,gBACxE,OAAOzP,KAAKma,UAAUI,GAAS,UAAOnL,UAAYpP,KAAKqa,QAClD,GAAe,MAAX5I,EAAI,GACb,OAAOzR,KAAKma,UAAUI,GAAS,IAAM9I,EAAMpF,EAAU,IAAMrM,KAAKoa,WAC3D,CACL,IAAIV,EAAY1Z,KAAKuL,QAAQ4D,kBAAkBsC,EAAKrC,GAEpD,OADAsK,EAAY1Z,KAAKuT,qBAAqBmG,GACpB,KAAdA,EACK1Z,KAAKma,UAAUI,GAAS,IAAM9I,EAAMpF,EAAUrM,KAAKub,SAAS9J,GAAOzR,KAAKoa,WAExEpa,KAAKma,UAAUI,GAAS,IAAM9I,EAAMpF,EAAU,IAAMqN,EAAY,KAAOjI,EAAMzR,KAAKoa,UAE7F,CACF,EACAL,GAAQ1V,UAAUkP,qBAAuB,SAASmG,GAChD,GAAIA,GAAaA,EAAUlU,OAAS,GAAKxF,KAAKuL,QAAQmE,gBACpD,IAAK,IAAI7F,EAAI,EAAGA,EAAI7J,KAAKuL,QAAQsG,SAASrM,OAAQqE,IAAK,CACrD,MAAMgM,EAAS7V,KAAKuL,QAAQsG,SAAShI,GACrC6P,EAAYA,EAAUtU,QAAQyQ,EAAO3L,MAAO2L,EAAO3D,IACrD,CAEF,OAAOwH,CACT,EAeA,IAAIgC,GAAM,CACRC,UArZgB,MAChB,WAAA7b,CAAYyL,GACVvL,KAAK8S,iBAAmB,CAAC,EACzB9S,KAAKuL,QAAU4E,GAAa5E,EAC9B,CAMA,KAAAqQ,CAAM9Q,EAAS+Q,GACb,GAAuB,iBAAZ/Q,OACN,KAAIA,EAAQgR,SAGf,MAAM,IAAIhb,MAAM,mDAFhBgK,EAAUA,EAAQgR,UAGpB,CACA,GAAID,EAAkB,EACK,IAArBA,IAA2BA,EAAmB,CAAC,GACnD,MAAM1P,EAASgM,GAAY7M,SAASR,EAAS+Q,GAC7C,IAAe,IAAX1P,EACF,MAAMrL,MAAM,GAAGqL,EAAOP,IAAIM,OAAOC,EAAOP,IAAIc,QAAQP,EAAOP,IAAIkB,MAEnE,CACA,MAAMiP,EAAmB,IAAIhE,GAAkB/X,KAAKuL,SACpDwQ,EAAiBlJ,oBAAoB7S,KAAK8S,kBAC1C,MAAMkJ,EAAgBD,EAAiB5H,SAASrJ,GAChD,OAAI9K,KAAKuL,QAAQ8C,oBAAmC,IAAlB2N,EAAiCA,EACvDlE,GAASkE,EAAehc,KAAKuL,QAC3C,CAMA,SAAA0Q,CAAUxK,EAAK5M,GACb,IAA4B,IAAxBA,EAAMmB,QAAQ,KAChB,MAAM,IAAIlF,MAAM,+BACX,IAA0B,IAAtB2Q,EAAIzL,QAAQ,OAAqC,IAAtByL,EAAIzL,QAAQ,KAChD,MAAM,IAAIlF,MAAM,wEACX,GAAc,MAAV+D,EACT,MAAM,IAAI/D,MAAM,6CAEhBd,KAAK8S,iBAAiBrB,GAAO5M,CAEjC,GAyWAqX,aALgBrT,EAMhBsT,WAPapC,IAsGf,MAAMqC,GAAc,SAAS1U,GAC3B,IAAKA,EAAKxH,IAAyB,iBAAZwH,EAAKxH,GAC1B,MAAM,IAAIY,MAAM,4CAElB,IAAK4G,EAAKd,MAA6B,iBAAdc,EAAKd,KAC5B,MAAM,IAAI9F,MAAM,8CAElB,GAAI4G,EAAK2U,SAAW3U,EAAK2U,QAAQ7W,OAAS,KAAOkC,EAAK4U,SAAmC,iBAAjB5U,EAAK4U,SAC3E,MAAM,IAAIxb,MAAM,qEAElB,IAAK4G,EAAK6U,aAA2C,mBAArB7U,EAAK6U,YACnC,MAAM,IAAIzb,MAAM,uDAElB,IAAK4G,EAAK8U,MAA6B,iBAAd9U,EAAK8U,OA1GhC,SAAexS,GACb,GAAsB,iBAAXA,EACT,MAAM,IAAInD,UAAU,uCAAuCmD,OAG7D,GAAsB,KADtBA,EAASA,EAAOgC,QACLxG,OACT,OAAO,EAET,IAA0C,IAAtCkW,GAAIQ,aAAa5Q,SAAStB,GAC5B,OAAO,EAET,IAAIyS,EACJ,MAAMC,EAAS,IAAIhB,GAAIC,UACvB,IACEc,EAAaC,EAAOd,MAAM5R,EAC5B,CAAE,MACA,OAAO,CACT,CACA,QAAKyS,KAGA1b,OAAOyI,KAAKiT,GAAYE,MAAMC,GAA0B,QAApBA,EAAEC,eAI7C,CAiFsDC,CAAMpV,EAAK8U,MAC7D,MAAM,IAAI1b,MAAM,wDAElB,KAAM,UAAW4G,IAA+B,iBAAfA,EAAKjH,MACpC,MAAM,IAAIK,MAAM,+CASlB,GAPI4G,EAAK2U,SACP3U,EAAK2U,QAAQU,SAASvU,IACpB,KAAMA,aAAkBF,GACtB,MAAM,IAAIxH,MAAM,gEAClB,IAGA4G,EAAKsV,WAAuC,mBAAnBtV,EAAKsV,UAChC,MAAM,IAAIlc,MAAM,qCAElB,GAAI4G,EAAKhH,QAAiC,iBAAhBgH,EAAKhH,OAC7B,MAAM,IAAII,MAAM,gCAElB,GAAI,WAAY4G,GAA+B,kBAAhBA,EAAKuV,OAClC,MAAM,IAAInc,MAAM,iCAElB,GAAI,aAAc4G,GAAiC,kBAAlBA,EAAKwV,SACpC,MAAM,IAAIpc,MAAM,mCAElB,GAAI4G,EAAKyV,gBAAiD,iBAAxBzV,EAAKyV,eACrC,MAAM,IAAIrc,MAAM,wCAElB,GAAI4G,EAAK0V,gBAAiD,mBAAxB1V,EAAK0V,eACrC,MAAM,IAAItc,MAAM,0CAElB,OAAO,CACT,EAGA,IAAIuc,GAF+B,iBAAZC,GAAwBA,EAAQC,KAAOD,EAAQC,IAAIC,YAAc,cAAchL,KAAK8K,EAAQC,IAAIC,YAAc,IAAIC,IAASC,EAAQlc,MAAM,YAAaic,GAAQ,OAkBjLE,GAAY,CACdC,WAfmB,IAgBnBC,0BAbgC,GAchCC,sBAb4BC,IAc5BC,iBAjByBhN,OAAOgN,kBAClC,iBAiBEC,cAdoB,CACpB,QACA,WACA,QACA,WACA,QACA,WACA,cAQAC,oBArB0B,QAsB1BC,wBAAyB,EACzBC,WAAY,GAEVC,GAAO,CAAEtV,QAAS,CAAC,IACvB,SAAUuV,EAAQvV,GAChB,MACE8U,0BAA2BU,EAC3BT,sBAAuBU,EACvBZ,WAAYa,GACVd,GACEe,EAASrB,GAETxP,GADN9E,EAAUuV,EAAOvV,QAAU,CAAC,GACR4V,GAAK,GACnBC,EAAS7V,EAAQ6V,OAAS,GAC1BC,EAAM9V,EAAQ8V,IAAM,GACpB1R,EAAKpE,EAAQ+V,EAAI,CAAC,EACxB,IAAIC,EAAI,EACR,MAAMC,EAAmB,eACnBC,EAAwB,CAC5B,CAAC,MAAO,GACR,CAAC,MAAOR,GACR,CAACO,EAAkBR,IAQfU,EAAc,CAACtY,EAAM/B,EAAOsa,KAChC,MAAMC,EAPc,CAACva,IACrB,IAAK,MAAOwa,EAAOC,KAAQL,EACzBpa,EAAQA,EAAMgB,MAAM,GAAGwZ,MAAU3b,KAAK,GAAG2b,OAAWC,MAAQzZ,MAAM,GAAGwZ,MAAU3b,KAAK,GAAG2b,OAAWC,MAEpG,OAAOza,CAAK,EAGC0a,CAAc1a,GACrBiD,EAAQiX,IACdL,EAAO9X,EAAMkB,EAAOjD,GACpBsI,EAAGvG,GAAQkB,EACX+W,EAAI/W,GAASjD,EACbgJ,EAAI/F,GAAS,IAAIqB,OAAOtE,EAAOsa,EAAW,SAAM,GAChDP,EAAO9W,GAAS,IAAIqB,OAAOiW,EAAMD,EAAW,SAAM,EAAO,EAE3DD,EAAY,oBAAqB,eACjCA,EAAY,yBAA0B,QACtCA,EAAY,uBAAwB,gBAAgBF,MACpDE,EAAY,cAAe,IAAIL,EAAI1R,EAAGqS,0BAA0BX,EAAI1R,EAAGqS,0BAA0BX,EAAI1R,EAAGqS,uBACxGN,EAAY,mBAAoB,IAAIL,EAAI1R,EAAGsS,+BAA+BZ,EAAI1R,EAAGsS,+BAA+BZ,EAAI1R,EAAGsS,4BACvHP,EAAY,uBAAwB,MAAML,EAAI1R,EAAGqS,sBAAsBX,EAAI1R,EAAGuS,0BAC9ER,EAAY,4BAA6B,MAAML,EAAI1R,EAAGsS,2BAA2BZ,EAAI1R,EAAGuS,0BACxFR,EAAY,aAAc,QAAQL,EAAI1R,EAAGwS,8BAA8Bd,EAAI1R,EAAGwS,6BAC9ET,EAAY,kBAAmB,SAASL,EAAI1R,EAAGyS,mCAAmCf,EAAI1R,EAAGyS,kCACzFV,EAAY,kBAAmB,GAAGF,MAClCE,EAAY,QAAS,UAAUL,EAAI1R,EAAG0S,yBAAyBhB,EAAI1R,EAAG0S,wBACtEX,EAAY,YAAa,KAAKL,EAAI1R,EAAG2S,eAAejB,EAAI1R,EAAG4S,eAAelB,EAAI1R,EAAG6S,WACjFd,EAAY,OAAQ,IAAIL,EAAI1R,EAAG8S,eAC/Bf,EAAY,aAAc,WAAWL,EAAI1R,EAAG+S,oBAAoBrB,EAAI1R,EAAGgT,oBAAoBtB,EAAI1R,EAAG6S,WAClGd,EAAY,QAAS,IAAIL,EAAI1R,EAAGiT,gBAChClB,EAAY,OAAQ,gBACpBA,EAAY,wBAAyB,GAAGL,EAAI1R,EAAGsS,mCAC/CP,EAAY,mBAAoB,GAAGL,EAAI1R,EAAGqS,8BAC1CN,EAAY,cAAe,YAAYL,EAAI1R,EAAGkT,4BAA4BxB,EAAI1R,EAAGkT,4BAA4BxB,EAAI1R,EAAGkT,wBAAwBxB,EAAI1R,EAAG4S,gBAAgBlB,EAAI1R,EAAG6S,eAC1Kd,EAAY,mBAAoB,YAAYL,EAAI1R,EAAGmT,iCAAiCzB,EAAI1R,EAAGmT,iCAAiCzB,EAAI1R,EAAGmT,6BAA6BzB,EAAI1R,EAAGgT,qBAAqBtB,EAAI1R,EAAG6S,eACnMd,EAAY,SAAU,IAAIL,EAAI1R,EAAGoT,YAAY1B,EAAI1R,EAAGqT,iBACpDtB,EAAY,cAAe,IAAIL,EAAI1R,EAAGoT,YAAY1B,EAAI1R,EAAGsT,sBACzDvB,EAAY,cAAe,oBAAyBX,mBAA4CA,qBAA8CA,SAC9IW,EAAY,SAAU,GAAGL,EAAI1R,EAAGuT,4BAChCxB,EAAY,aAAcL,EAAI1R,EAAGuT,aAAe,MAAM7B,EAAI1R,EAAG4S,mBAAmBlB,EAAI1R,EAAG6S,wBACvFd,EAAY,YAAaL,EAAI1R,EAAGwT,SAAS,GACzCzB,EAAY,gBAAiBL,EAAI1R,EAAGyT,aAAa,GACjD1B,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASL,EAAI1R,EAAG0T,kBAAkB,GAC3D9X,EAAQ+X,iBAAmB,MAC3B5B,EAAY,QAAS,IAAIL,EAAI1R,EAAG0T,aAAahC,EAAI1R,EAAGqT,iBACpDtB,EAAY,aAAc,IAAIL,EAAI1R,EAAG0T,aAAahC,EAAI1R,EAAGsT,sBACzDvB,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASL,EAAI1R,EAAG4T,kBAAkB,GAC3DhY,EAAQiY,iBAAmB,MAC3B9B,EAAY,QAAS,IAAIL,EAAI1R,EAAG4T,aAAalC,EAAI1R,EAAGqT,iBACpDtB,EAAY,aAAc,IAAIL,EAAI1R,EAAG4T,aAAalC,EAAI1R,EAAGsT,sBACzDvB,EAAY,kBAAmB,IAAIL,EAAI1R,EAAGoT,aAAa1B,EAAI1R,EAAGiT,oBAC9DlB,EAAY,aAAc,IAAIL,EAAI1R,EAAGoT,aAAa1B,EAAI1R,EAAG8S,mBACzDf,EAAY,iBAAkB,SAASL,EAAI1R,EAAGoT,aAAa1B,EAAI1R,EAAGiT,eAAevB,EAAI1R,EAAGqT,iBAAiB,GACzGzX,EAAQkY,sBAAwB,SAChC/B,EAAY,cAAe,SAASL,EAAI1R,EAAGqT,0BAA0B3B,EAAI1R,EAAGqT,sBAC5EtB,EAAY,mBAAoB,SAASL,EAAI1R,EAAGsT,+BAA+B5B,EAAI1R,EAAGsT,2BACtFvB,EAAY,OAAQ,mBACpBA,EAAY,OAAQ,6BACpBA,EAAY,UAAW,8BACxB,CAhFD,CAgFGb,GAAMA,GAAKtV,SACd,IAAImY,GAAY7C,GAAKtV,QACDhI,OAAOogB,OAAO,CAAEC,OAAO,IACzBrgB,OAAOogB,OAAO,CAAC,GAWjC,MAAME,GAAU,WACVC,GAAuB,CAAC5X,EAAG6X,KAC/B,MAAMC,EAAOH,GAAQ7O,KAAK9I,GACpB+X,EAAOJ,GAAQ7O,KAAK+O,GAK1B,OAJIC,GAAQC,IACV/X,GAAKA,EACL6X,GAAKA,GAEA7X,IAAM6X,EAAI,EAAIC,IAASC,GAAQ,EAAIA,IAASD,EAAO,EAAI9X,EAAI6X,GAAK,EAAI,CAAC,EAG9E,IAAIG,GAAc,CAChBC,mBAAoBL,GACpBM,oBAH0B,CAAClY,EAAG6X,IAAMD,GAAqBC,EAAG7X,IAK9D,MACM,WAAEkU,GAAU,iBAAEI,IAAqBL,IACjCiB,OAAQD,GAAIG,EAAC,IAAKoC,IAEpB,mBAAES,IAAuBD,GA0VF,I,0JCpzGzBnW,GAAU,CAAC,EAEfA,GAAQsW,kBAAoB,KAC5BtW,GAAQuW,cAAgB,KAElBvW,GAAQwW,OAAS,UAAc,KAAM,QAE3CxW,GAAQyW,OAAS,KACjBzW,GAAQ0W,mBAAqB,KAEhB,KAAI,KAAS1W,IAKJ,MAAW,KAAQ2W,QAAS,KAAQA,OAAnD,MCvBDC,GAAoB,SAAUxQ,GAChC,MAAMlG,EAAOkG,EAAKpO,aAAa,iBAAiB,cAChD,YAAa6e,IAAT3W,EACO,GAEJ,CAACA,GAAM4W,MAClB,EACMC,GAAY,SAAUC,GAAqB,IAAhBC,EAAMC,UAAAjd,OAAA,QAAA4c,IAAAK,UAAA,IAAAA,UAAA,GACnC,MAAMC,EAAaC,SAASC,cAAc,MAM1C,OALAF,EAAWG,UAAUrR,IAAI,0BACzBkR,EAAWI,YAAcP,EACrBC,GACAE,EAAWG,UAAUrR,IAAI,gCAEtBkR,CACX,EACa3iB,GAAS,IAAIH,EAAW,CACjCM,GAAI,cACJC,YAAaA,IAAM,GACnBE,cAAeA,IAAM,GACrBC,OAAAA,CAAQyiB,GAEJ,GAAqB,IAAjBA,EAAMvd,OACN,OAAO,EAEX,MAAMmM,EAAOoR,EAAM,GAGnB,OAAoB,IAFPZ,GAAkBxQ,GAEtBnM,MAIb,EACAjF,KAAMyiB,SAAY,KAClB,kBAAMniB,CAAa8Q,GAEf,MAAMlG,EAAO0W,GAAkBxQ,GAC/B,GAAoB,IAAhBlG,EAAKjG,OACL,OAAO,KAEX,MAAMyd,EAAoBN,SAASC,cAAc,MAIjD,GAHAK,EAAkBJ,UAAUrR,IAAI,2BAChCyR,EAAkBC,aAAa,cAAcpE,EAAAA,EAAAA,IAAE,QAAS,gCACxDmE,EAAkBE,OAAOb,GAAU7W,EAAK,KACpB,IAAhBA,EAAKjG,OAGLyd,EAAkBE,OAAOb,GAAU7W,EAAK,UAEvC,GAAIA,EAAKjG,OAAS,EAAG,CAGtB,MAAM4d,EAAiBd,GAAU,KAAO7W,EAAKjG,OAAS,IAAI,GAC1D4d,EAAeF,aAAa,QAASzX,EAAKlG,MAAM,GAAG7B,KAAK,OAExD0f,EAAeF,aAAa,cAAe,QAC3CE,EAAeF,aAAa,OAAQ,gBACpCD,EAAkBE,OAAOC,GAGzB,IAAK,MAAMb,KAAO9W,EAAKlG,MAAM,GAAI,CAC7B,MAAMmd,EAAaJ,GAAUC,GAC7BG,EAAWG,UAAUrR,IAAI,mBACzByR,EAAkBE,OAAOT,EAC7B,CACJ,CACA,OAAOO,CACX,EACAxiB,MAAO,ICjEEV,GAAS,IAAIH,EAAW,CACjCM,GAAI,2BACJC,YAAaA,KAAM2e,EAAAA,EAAAA,IAAE,aAAc,iBACnCze,cAAeA,IAAM,GACrBC,QAAOA,CAACyiB,EAAOrb,IAEK,SAAZA,EAAKxH,IAIY,IAAjB6iB,EAAMvd,SAI+B,IAAlCud,EAAM,GAAGxf,WAAW,WACpBwf,EAAM,GAAGhc,OAAS7E,EAAS8E,OAEtC,UAAMzG,CAAKoR,GACP,IAAI0R,EAAM1R,EAAK/L,QAMf,OALI+L,EAAK5K,OAAS7E,EAAS8E,SACvBqc,EAAM1R,EAAKtL,MAEflF,OAAOmiB,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAE/b,KAAM,QAASpB,OAAQ2R,OAAOtG,EAAKrL,SAAW,CAAE+c,MAAKK,SAAU,SAC1D,IACX,EAEAjjB,OAAQ,IACRE,QAASjB,EAAYikB,S,yBC1BzB,MAAMC,IAAUC,EAAAA,EAAAA,IAAkB,OACrBC,IAAYC,EAAAA,GAAAA,IAAaH,IAEhCI,GAAc3E,IAChByE,GAAUE,WAAW,CAEjB,mBAAoB,iBAEpBC,aAAc5E,GAAS,IACzB,GAGN6E,EAAAA,EAAAA,IAAqBF,IACrBA,IAAWG,EAAAA,EAAAA,O,gBChBJ,MCAMC,IAASC,EAAAA,EAAAA,MACjB9kB,OAAO,cACPC,aACAC,QCLC6kB,GAAW,cACXC,GPqyBe,SAASC,EAAYpd,EAAcqd,EAAU,CAAC,GACjE,MAAMF,GAAS,QAAaC,EAAW,CAAEC,YACzC,SAAST,EAAW3E,GAClBkF,EAAOP,WAAW,IACbS,EAEH,mBAAoB,iBAEpBR,aAAc5E,GAAS,IAE3B,CAYA,OAXA,QAAqB2E,GACrBA,GAAW,YACK,UACRU,MAAM,SAAS,CAACze,EAAKsF,KAC3B,MAAMoZ,EAAWpZ,EAAQkZ,QAKzB,OAJIE,GAAUC,SACZrZ,EAAQqZ,OAASD,EAASC,cACnBD,EAASC,QAEXC,MAAM5e,EAAKsF,EAAQ,IAErBgZ,CACT,CO5zBeO,GACTC,GAAgBpT,GPk1BE,SAASA,EAAMqT,EAAY9d,EAAasd,EAAYpd,GAC1E,IAAI6d,GAAS,WAAkB9d,IAC/B,IAAI,SACF8d,EAASA,GAAU,iBACd,IAAKA,EACV,MAAM,IAAInkB,MAAM,oBAElB,MAAMokB,EAAQvT,EAAKuT,MACb/hB,EA7doB,SAASgiB,EAAa,IAChD,IAAIhiB,EAAczB,EAAW0B,KAC7B,OAAK+hB,IAGDA,EAAWlkB,SAAS,MAAQkkB,EAAWlkB,SAAS,QAClDkC,GAAezB,EAAW0jB,QAExBD,EAAWlkB,SAAS,OACtBkC,GAAezB,EAAW0E,OAExB+e,EAAWlkB,SAAS,MAAQkkB,EAAWlkB,SAAS,MAAQkkB,EAAWlkB,SAAS,QAC9EkC,GAAezB,EAAW2jB,QAExBF,EAAWlkB,SAAS,OACtBkC,GAAezB,EAAW4jB,QAExBH,EAAWlkB,SAAS,OACtBkC,GAAezB,EAAW6jB,OAErBpiB,GAjBEA,CAkBX,CAwcsBqiB,CAAoBN,GAAO/hB,aACzCG,EAAQ2U,OAAOiN,IAAQ,aAAeD,GACtC/kB,EAAKglB,EAAM5e,QAAU,EACrBmf,EAAW,CACfvlB,KACAmC,OAAQ,GAAGmiB,IAAY7S,EAAK+T,WAC5B5iB,MAAO,IAAIC,KAAKA,KAAK6Y,MAAMjK,EAAKgU,UAChC1iB,KAAM0O,EAAK1O,MAAQ,2BAEnBJ,iBAAmC,IAAtBqiB,EAAMriB,YAAyBoV,OAAOiN,EAAMriB,kBAAe,EACxEK,KAAMgiB,GAAOhiB,MAAQ8N,OAAOC,SAASiU,EAAMU,kBAAoB,KAE/DjiB,OAAQzD,EAAK,EAAI0D,EAAWiiB,YAAS,EACrC1iB,cACAG,QACAE,KAAMwhB,EACNzhB,WAAY,IACPoO,KACAuT,EACHY,WAAYZ,IAAQ,iBAIxB,cADOO,EAASliB,YAAY2hB,MACP,SAAdvT,EAAK5K,KAAkB,IAAID,EAAK2e,GAAY,IAAIze,EAAOye,EAChE,COl3B+BM,CAAgBpU,GACzCqU,GAAuBC,GAAU,gDP2SI,IAA9B9kB,OAAO+kB,qBAChB/kB,OAAO+kB,mBAAqB,IAAKrkB,IAE5Bd,OAAOyI,KAAKrI,OAAO+kB,oBAAoB1hB,KAAK2hB,GAAO,SAASA,MAAOhlB,OAAO+kB,qBAAqBC,QAAQziB,KAAK,+BAT1E,IAA9BvC,OAAOilB,qBAChBjlB,OAAOilB,mBAAqB,IAAIxkB,IAE3BT,OAAOilB,mBAAmB5hB,KAAKI,GAAS,IAAIA,SAAWlB,KAAK,6DOlSnDuiB,6DAGZI,GAAY,SAAU9D,GACxB,OAAO,IAAIvb,EAAO,CACd9G,GAAIqiB,EAAIriB,GACRmC,OAAQ,GAAG+E,IAAekd,MAAY/B,EAAIriB,KAC1CoD,MAAO2U,QAAOqO,EAAAA,EAAAA,OAAkBnf,KAAO,aACvC3D,KAAM8gB,GACNzhB,YAAa0f,EAAIpiB,YACjBgD,YAAazB,EAAW0E,KACxB7C,WAAY,IACLgf,EACH,UAAU,IAGtB,GPuP4B,SAAS3d,EAAM2hB,EAAY,CAAExkB,GAAI,iCAClB,IAA9BZ,OAAOilB,qBAChBjlB,OAAOilB,mBAAqB,IAAIxkB,GAChCT,OAAO+kB,mBAAqB,IAAKrkB,IAEnC,MAAM2kB,EAAa,IAAKrlB,OAAO+kB,sBAAuBK,GAClDplB,OAAOilB,mBAAmB9kB,MAAMC,GAAWA,IAAWqD,IACxD,EAAOK,KAAK,GAAGL,uBAA2B,CAAEA,SAG1CA,EAAKhC,WAAW,MAAmC,IAA3BgC,EAAKiB,MAAM,KAAKL,OAC1C,EAAOhE,MAAM,GAAGoD,2CAA+C,CAAEA,SAI9D4hB,EADM5hB,EAAKiB,MAAM,KAAK,KAK3B1E,OAAOilB,mBAAmB3kB,KAAKmD,GAC/BzD,OAAO+kB,mBAAqBM,GAJ1B,EAAOhlB,MAAM,GAAGoD,sBAA0B,CAAEA,OAAM4hB,cAMtD,CQjSAC,CAAoB,kBACpBvlB,EAAmBwlB,IACnBxlB,EAAmBylB,UR8mCoB,IAA1BxlB,OAAOylB,iBAChBzlB,OAAOylB,eAAiB,IAAItf,EAC5B,EAAOjG,MAAM,mCAERF,OAAOylB,gBS/mCDnf,SAAS,ITytFxB,MACEof,MACA,WAAA/mB,CAAY4H,GACV0U,GAAY1U,GACZ1H,KAAK6mB,MAAQnf,CACf,CACA,MAAIxH,GACF,OAAOF,KAAK6mB,MAAM3mB,EACpB,CACA,QAAI0G,GACF,OAAO5G,KAAK6mB,MAAMjgB,IACpB,CACA,WAAI0V,GACF,OAAOtc,KAAK6mB,MAAMvK,OACpB,CACA,cAAIwK,GACF,OAAO9mB,KAAK6mB,MAAMC,UACpB,CACA,gBAAIC,GACF,OAAO/mB,KAAK6mB,MAAME,YACpB,CACA,eAAIxK,GACF,OAAOvc,KAAK6mB,MAAMtK,WACpB,CACA,QAAIC,GACF,OAAOxc,KAAK6mB,MAAMrK,IACpB,CACA,QAAIA,CAAKA,GACPxc,KAAK6mB,MAAMrK,KAAOA,CACpB,CACA,SAAI/b,GACF,OAAOT,KAAK6mB,MAAMpmB,KACpB,CACA,SAAIA,CAAMA,GACRT,KAAK6mB,MAAMpmB,MAAQA,CACrB,CACA,UAAIumB,GACF,OAAOhnB,KAAK6mB,MAAMG,MACpB,CACA,UAAIA,CAAOA,GACThnB,KAAK6mB,MAAMG,OAASA,CACtB,CACA,WAAI3K,GACF,OAAOrc,KAAK6mB,MAAMxK,OACpB,CACA,aAAIW,GACF,OAAOhd,KAAK6mB,MAAM7J,SACpB,CACA,UAAItc,GACF,OAAOV,KAAK6mB,MAAMnmB,MACpB,CACA,UAAIuc,GACF,OAAOjd,KAAK6mB,MAAM5J,MACpB,CACA,YAAIC,GACF,OAAOld,KAAK6mB,MAAM3J,QACpB,CACA,YAAIA,CAASA,GACXld,KAAK6mB,MAAM3J,SAAWA,CACxB,CACA,kBAAIC,GACF,OAAOnd,KAAK6mB,MAAM1J,cACpB,CACA,kBAAIC,GACF,OAAOpd,KAAK6mB,MAAMzJ,cACpB,GS1xF+B,CACzBld,GAAI,OACJ0G,MAAMkY,EAAAA,EAAAA,IAAE,aAAc,QACtBxC,SAASwC,EAAAA,EAAAA,IAAE,aAAc,wDACzBgI,YAAYhI,EAAAA,EAAAA,IAAE,aAAc,iBAC5BiI,cAAcjI,EAAAA,EAAAA,IAAE,aAAc,4CAC9BtC,K,yjBACA/b,MAAO,GACP8b,YFQmByG,iBAAsB,IAAf3c,EAAIoc,UAAAjd,OAAA,QAAA4c,IAAAK,UAAA,GAAAA,UAAA,GAAG,IAErC,MAAMwE,QGXejE,WAErB,IACI,MAAQvgB,KAAMgJ,SAAeqY,GAAUoD,qBAF9B,cAEyD,CAC9DzkB,KAdoB,oPAepB0kB,SAAS,EACTC,KAAM,kBAEV,MLlBkB3b,IACfA,EAAKjH,KAAI6iB,IAAA,IAAC,MAAEnC,GAAOmC,EAAA,OAAKtmB,OAAOumB,YAAYvmB,OAAOoD,QAAQ+gB,GAC5D1gB,KAAI+iB,IAAA,IAAE9V,EAAK5M,GAAM0iB,EAAA,MAAK,EAACC,EAAAA,GAAAA,GAAU/V,GAAyB,iBAAnB+V,EAAAA,GAAAA,GAAU/V,GAAyBwG,OAAOpT,GAASA,EAAM,IAAE,IKgB5F4iB,CAAUhc,EACrB,CACA,MAAOjK,GAEH,MADA4iB,GAAO5iB,OAAMsd,EAAAA,EAAAA,IAAE,aAAc,uBAAwB,CAAEtd,UACjD,IAAIV,OAAMge,EAAAA,EAAAA,IAAE,aAAc,uBACpC,GHFyB4I,IAAapjB,QAAOie,GAAOA,EAAIoF,cACxD,GAAa,MAATthB,EACA,MAAO,CACHuhB,OAAQ,IAAI5gB,EAAO,CACf9G,GAAI,EACJmC,OAAQ,GAAG+E,IAAekd,KAC1BhhB,OAAOgjB,EAAAA,EAAAA,OAAkBnf,IACzB3D,KAAM8gB,GACNnhB,YAAazB,EAAW0B,OAE5BykB,SAAUZ,EAAUziB,IAAI6hB,KAGhC,MAAMJ,EAAQhV,SAAS5K,EAAKR,MAAM,IAAK,GAAG,IACpC0c,EAAM0E,EAAU3lB,MAAKihB,GAAOA,EAAIriB,KAAO+lB,IAC7C,IAAK1D,EACD,MAAM,IAAIzhB,MAAM,iBAYpB,MAAO,CACH8mB,OAXWvB,GAAU9D,GAYrBsF,gBAX2BtD,GAAO2C,qBAAqBhgB,EAAa,CACpEigB,SAAS,EAET1kB,KAAMujB,GAAoBC,GAC1BxB,QAAS,CAELG,OAAQ,aAKeniB,KAAK+B,IAAIugB,IAE5C,I,mFI5DI+C,E,MAA0B,GAA4B,KAE1DA,EAAwBrmB,KAAK,CAAC6c,EAAOpe,GAAI,snBAAunB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,sEAAsE,MAAQ,GAAG,SAAW,6QAA6Q,eAAiB,CAAC,k8BAAk8B,WAAa,MAErgE,S,oECNI6nB,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqB7F,IAAjB8F,EACH,OAAOA,EAAanf,QAGrB,IAAIuV,EAASyJ,EAAyBE,GAAY,CACjD/nB,GAAI+nB,EACJE,QAAQ,EACRpf,QAAS,CAAC,GAUX,OANAqf,EAAoBH,GAAUnN,KAAKwD,EAAOvV,QAASuV,EAAQA,EAAOvV,QAASif,GAG3E1J,EAAO6J,QAAS,EAGT7J,EAAOvV,OACf,CAGAif,EAAoBK,EAAID,Eb5BpB9oB,EAAW,GACf0oB,EAAoBM,EAAI,CAACnc,EAAQoc,EAAUC,EAAIC,KAC9C,IAAGF,EAAH,CAMA,IAAIG,EAAeC,IACnB,IAAS9e,EAAI,EAAGA,EAAIvK,EAASkG,OAAQqE,IAAK,CACrC0e,EAAWjpB,EAASuK,GAAG,GACvB2e,EAAKlpB,EAASuK,GAAG,GACjB4e,EAAWnpB,EAASuK,GAAG,GAE3B,IAJA,IAGI+e,GAAY,EACPzN,EAAI,EAAGA,EAAIoN,EAAS/iB,OAAQ2V,MACpB,EAAXsN,GAAsBC,GAAgBD,IAAa1nB,OAAOyI,KAAKwe,EAAoBM,GAAGO,OAAOpX,GAASuW,EAAoBM,EAAE7W,GAAK8W,EAASpN,MAC9IoN,EAASvgB,OAAOmT,IAAK,IAErByN,GAAY,EACTH,EAAWC,IAAcA,EAAeD,IAG7C,GAAGG,EAAW,CACbtpB,EAAS0I,OAAO6B,IAAK,GACrB,IAAIif,EAAIN,SACEpG,IAAN0G,IAAiB3c,EAAS2c,EAC/B,CACD,CACA,OAAO3c,CArBP,CAJCsc,EAAWA,GAAY,EACvB,IAAI,IAAI5e,EAAIvK,EAASkG,OAAQqE,EAAI,GAAKvK,EAASuK,EAAI,GAAG,GAAK4e,EAAU5e,IAAKvK,EAASuK,GAAKvK,EAASuK,EAAI,GACrGvK,EAASuK,GAAK,CAAC0e,EAAUC,EAAIC,EAuBjB,Ec3BdT,EAAoBe,EAAKzK,IACxB,IAAI0K,EAAS1K,GAAUA,EAAO2K,WAC7B,IAAO3K,EAAiB,QACxB,IAAM,EAEP,OADA0J,EAAoBlmB,EAAEknB,EAAQ,CAAEtf,EAAGsf,IAC5BA,CAAM,ECLdhB,EAAoBlmB,EAAI,CAACiH,EAASmgB,KACjC,IAAI,IAAIzX,KAAOyX,EACXlB,EAAoBmB,EAAED,EAAYzX,KAASuW,EAAoBmB,EAAEpgB,EAAS0I,IAC5E1Q,OAAOqoB,eAAergB,EAAS0I,EAAK,CAAE4X,YAAY,EAAM9kB,IAAK2kB,EAAWzX,IAE1E,ECHDuW,EAAoBrlB,EAAI,IAAO2mB,QAAQC,UCHvCvB,EAAoBwB,EAAI,WACvB,GAA0B,iBAAfC,WAAyB,OAAOA,WAC3C,IACC,OAAOzpB,MAAQ,IAAI0pB,SAAS,cAAb,EAChB,CAAE,MAAO/mB,GACR,GAAsB,iBAAXxB,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxB6mB,EAAoBmB,EAAI,CAAC5f,EAAK3E,IAAU7D,OAAOsD,UAAUuJ,eAAekN,KAAKvR,EAAK3E,GCClFojB,EAAoBc,EAAK/f,IACH,oBAAX4gB,QAA0BA,OAAOC,aAC1C7oB,OAAOqoB,eAAergB,EAAS4gB,OAAOC,YAAa,CAAE/kB,MAAO,WAE7D9D,OAAOqoB,eAAergB,EAAS,aAAc,CAAElE,OAAO,GAAO,ECL9DmjB,EAAoB6B,IAAOvL,IAC1BA,EAAOwL,MAAQ,GACVxL,EAAOyL,WAAUzL,EAAOyL,SAAW,IACjCzL,GCHR0J,EAAoB7M,EAAI,K,MCAxB6M,EAAoBzG,EAAIoB,SAASqH,SAAWC,KAAKC,SAASC,KAK1D,IAAIC,EAAkB,CACrB,KAAM,GAaPpC,EAAoBM,EAAEnN,EAAKkP,GAA0C,IAA7BD,EAAgBC,GAGxD,IAAIC,EAAuB,CAACC,EAA4B9nB,KACvD,IAKIwlB,EAAUoC,EALV9B,EAAW9lB,EAAK,GAChB+nB,EAAc/nB,EAAK,GACnBgoB,EAAUhoB,EAAK,GAGIoH,EAAI,EAC3B,GAAG0e,EAAS5L,MAAMzc,GAAgC,IAAxBkqB,EAAgBlqB,KAAa,CACtD,IAAI+nB,KAAYuC,EACZxC,EAAoBmB,EAAEqB,EAAavC,KACrCD,EAAoBK,EAAEJ,GAAYuC,EAAYvC,IAGhD,GAAGwC,EAAS,IAAIte,EAASse,EAAQzC,EAClC,CAEA,IADGuC,GAA4BA,EAA2B9nB,GACrDoH,EAAI0e,EAAS/iB,OAAQqE,IACzBwgB,EAAU9B,EAAS1e,GAChBme,EAAoBmB,EAAEiB,EAAiBC,IAAYD,EAAgBC,IACrED,EAAgBC,GAAS,KAE1BD,EAAgBC,GAAW,EAE5B,OAAOrC,EAAoBM,EAAEnc,EAAO,EAGjCue,EAAqBT,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1FS,EAAmB3N,QAAQuN,EAAqBK,KAAK,KAAM,IAC3DD,EAAmBjpB,KAAO6oB,EAAqBK,KAAK,KAAMD,EAAmBjpB,KAAKkpB,KAAKD,G,KClDvF1C,EAAoBjmB,QAAKqgB,ECGzB,IAAIwI,EAAsB5C,EAAoBM,OAAElG,EAAW,CAAC,OAAO,IAAO4F,EAAoB,SAC9F4C,EAAsB5C,EAAoBM,EAAEsC,E","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","webpack://nextcloud/./apps/systemtags/src/css/fileEntryInlineSystemTags.scss?0a01","webpack:///nextcloud/apps/systemtags/src/files_actions/inlineSystemTagsAction.ts","webpack:///nextcloud/apps/systemtags/src/files_actions/openInFilesAction.ts","webpack:///nextcloud/apps/systemtags/src/services/davClient.ts","webpack:///nextcloud/apps/systemtags/src/utils.ts","webpack:///nextcloud/apps/systemtags/src/logger.ts","webpack:///nextcloud/apps/systemtags/src/services/systemtags.ts","webpack:///nextcloud/apps/systemtags/src/init.ts","webpack:///nextcloud/apps/systemtags/src/files_views/systemtagsView.ts","webpack:///nextcloud/apps/systemtags/src/services/api.ts","webpack:///nextcloud/apps/systemtags/src/css/fileEntryInlineSystemTags.scss","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/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/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};","import { getLoggerBuilder } from \"@nextcloud/logger\";\nimport { getCurrentUser, onRequestTokenUpdate, getRequestToken } from \"@nextcloud/auth\";\nimport { join, basename, extname, dirname } from \"path\";\nimport { encodePath } from \"@nextcloud/paths\";\nimport { generateRemoteUrl } from \"@nextcloud/router\";\nimport { CancelablePromise } from \"cancelable-promise\";\nimport { createClient, getPatcher } from \"webdav\";\nimport { isPublicShare, getSharingToken } from \"@nextcloud/sharing/public\";\nimport { getCapabilities } from \"@nextcloud/capabilities\";\nimport { getCanonicalLocale, getLanguage } from \"@nextcloud/l10n\";\nimport { TypedEventTarget } from \"typescript-event-target\";\nconst logger = getLoggerBuilder().setApp(\"@nextcloud/files\").detectUser().build();\nvar NewMenuEntryCategory = /* @__PURE__ */ ((NewMenuEntryCategory2) => {\n  NewMenuEntryCategory2[NewMenuEntryCategory2[\"UploadFromDevice\"] = 0] = \"UploadFromDevice\";\n  NewMenuEntryCategory2[NewMenuEntryCategory2[\"CreateNew\"] = 1] = \"CreateNew\";\n  NewMenuEntryCategory2[NewMenuEntryCategory2[\"Other\"] = 2] = \"Other\";\n  return NewMenuEntryCategory2;\n})(NewMenuEntryCategory || {});\nclass NewFileMenu {\n  _entries = [];\n  registerEntry(entry) {\n    this.validateEntry(entry);\n    entry.category = entry.category ?? 1;\n    this._entries.push(entry);\n  }\n  unregisterEntry(entry) {\n    const entryIndex = typeof entry === \"string\" ? this.getEntryIndex(entry) : this.getEntryIndex(entry.id);\n    if (entryIndex === -1) {\n      logger.warn(\"Entry not found, nothing removed\", { entry, entries: this.getEntries() });\n      return;\n    }\n    this._entries.splice(entryIndex, 1);\n  }\n  /**\n   * Get the list of registered entries\n   *\n   * @param {Folder} context the creation context. Usually the current folder\n   */\n  getEntries(context) {\n    if (context) {\n      return this._entries.filter((entry) => typeof entry.enabled === \"function\" ? entry.enabled(context) : true);\n    }\n    return this._entries;\n  }\n  getEntryIndex(id) {\n    return this._entries.findIndex((entry) => entry.id === id);\n  }\n  validateEntry(entry) {\n    if (!entry.id || !entry.displayName || !(entry.iconSvgInline || entry.iconClass) || !entry.handler) {\n      throw new Error(\"Invalid entry\");\n    }\n    if (typeof entry.id !== \"string\" || typeof entry.displayName !== \"string\") {\n      throw new Error(\"Invalid id or displayName property\");\n    }\n    if (entry.iconClass && typeof entry.iconClass !== \"string\" || entry.iconSvgInline && typeof entry.iconSvgInline !== \"string\") {\n      throw new Error(\"Invalid icon provided\");\n    }\n    if (entry.enabled !== void 0 && typeof entry.enabled !== \"function\") {\n      throw new Error(\"Invalid enabled property\");\n    }\n    if (typeof entry.handler !== \"function\") {\n      throw new Error(\"Invalid handler property\");\n    }\n    if (\"order\" in entry && typeof entry.order !== \"number\") {\n      throw new Error(\"Invalid order property\");\n    }\n    if (this.getEntryIndex(entry.id) !== -1) {\n      throw new Error(\"Duplicate entry\");\n    }\n  }\n}\nconst getNewFileMenu = function() {\n  if (typeof window._nc_newfilemenu === \"undefined\") {\n    window._nc_newfilemenu = new NewFileMenu();\n    logger.debug(\"NewFileMenu initialized\");\n  }\n  return window._nc_newfilemenu;\n};\nvar DefaultType = /* @__PURE__ */ ((DefaultType2) => {\n  DefaultType2[\"DEFAULT\"] = \"default\";\n  DefaultType2[\"HIDDEN\"] = \"hidden\";\n  return DefaultType2;\n})(DefaultType || {});\nclass FileAction {\n  _action;\n  constructor(action) {\n    this.validateAction(action);\n    this._action = action;\n  }\n  get id() {\n    return this._action.id;\n  }\n  get displayName() {\n    return this._action.displayName;\n  }\n  get title() {\n    return this._action.title;\n  }\n  get iconSvgInline() {\n    return this._action.iconSvgInline;\n  }\n  get enabled() {\n    return this._action.enabled;\n  }\n  get exec() {\n    return this._action.exec;\n  }\n  get execBatch() {\n    return this._action.execBatch;\n  }\n  get order() {\n    return this._action.order;\n  }\n  get parent() {\n    return this._action.parent;\n  }\n  get default() {\n    return this._action.default;\n  }\n  get inline() {\n    return this._action.inline;\n  }\n  get renderInline() {\n    return this._action.renderInline;\n  }\n  validateAction(action) {\n    if (!action.id || typeof action.id !== \"string\") {\n      throw new Error(\"Invalid id\");\n    }\n    if (!action.displayName || typeof action.displayName !== \"function\") {\n      throw new Error(\"Invalid displayName function\");\n    }\n    if (\"title\" in action && typeof action.title !== \"function\") {\n      throw new Error(\"Invalid title function\");\n    }\n    if (!action.iconSvgInline || typeof action.iconSvgInline !== \"function\") {\n      throw new Error(\"Invalid iconSvgInline function\");\n    }\n    if (!action.exec || typeof action.exec !== \"function\") {\n      throw new Error(\"Invalid exec function\");\n    }\n    if (\"enabled\" in action && typeof action.enabled !== \"function\") {\n      throw new Error(\"Invalid enabled function\");\n    }\n    if (\"execBatch\" in action && typeof action.execBatch !== \"function\") {\n      throw new Error(\"Invalid execBatch function\");\n    }\n    if (\"order\" in action && typeof action.order !== \"number\") {\n      throw new Error(\"Invalid order\");\n    }\n    if (\"parent\" in action && typeof action.parent !== \"string\") {\n      throw new Error(\"Invalid parent\");\n    }\n    if (action.default && !Object.values(DefaultType).includes(action.default)) {\n      throw new Error(\"Invalid default\");\n    }\n    if (\"inline\" in action && typeof action.inline !== \"function\") {\n      throw new Error(\"Invalid inline function\");\n    }\n    if (\"renderInline\" in action && typeof action.renderInline !== \"function\") {\n      throw new Error(\"Invalid renderInline function\");\n    }\n  }\n}\nconst registerFileAction = function(action) {\n  if (typeof window._nc_fileactions === \"undefined\") {\n    window._nc_fileactions = [];\n    logger.debug(\"FileActions initialized\");\n  }\n  if (window._nc_fileactions.find((search) => search.id === action.id)) {\n    logger.error(`FileAction ${action.id} already registered`, { action });\n    return;\n  }\n  window._nc_fileactions.push(action);\n};\nconst getFileActions = function() {\n  if (typeof window._nc_fileactions === \"undefined\") {\n    window._nc_fileactions = [];\n    logger.debug(\"FileActions initialized\");\n  }\n  return window._nc_fileactions;\n};\nclass Header {\n  _header;\n  constructor(header) {\n    this.validateHeader(header);\n    this._header = header;\n  }\n  get id() {\n    return this._header.id;\n  }\n  get order() {\n    return this._header.order;\n  }\n  get enabled() {\n    return this._header.enabled;\n  }\n  get render() {\n    return this._header.render;\n  }\n  get updated() {\n    return this._header.updated;\n  }\n  validateHeader(header) {\n    if (!header.id || !header.render || !header.updated) {\n      throw new Error(\"Invalid header: id, render and updated are required\");\n    }\n    if (typeof header.id !== \"string\") {\n      throw new Error(\"Invalid id property\");\n    }\n    if (header.enabled !== void 0 && typeof header.enabled !== \"function\") {\n      throw new Error(\"Invalid enabled property\");\n    }\n    if (header.render && typeof header.render !== \"function\") {\n      throw new Error(\"Invalid render property\");\n    }\n    if (header.updated && typeof header.updated !== \"function\") {\n      throw new Error(\"Invalid updated property\");\n    }\n  }\n}\nconst registerFileListHeaders = function(header) {\n  if (typeof window._nc_filelistheader === \"undefined\") {\n    window._nc_filelistheader = [];\n    logger.debug(\"FileListHeaders initialized\");\n  }\n  if (window._nc_filelistheader.find((search) => search.id === header.id)) {\n    logger.error(`Header ${header.id} already registered`, { header });\n    return;\n  }\n  window._nc_filelistheader.push(header);\n};\nconst getFileListHeaders = function() {\n  if (typeof window._nc_filelistheader === \"undefined\") {\n    window._nc_filelistheader = [];\n    logger.debug(\"FileListHeaders initialized\");\n  }\n  return window._nc_filelistheader;\n};\nvar Permission = /* @__PURE__ */ ((Permission2) => {\n  Permission2[Permission2[\"NONE\"] = 0] = \"NONE\";\n  Permission2[Permission2[\"CREATE\"] = 4] = \"CREATE\";\n  Permission2[Permission2[\"READ\"] = 1] = \"READ\";\n  Permission2[Permission2[\"UPDATE\"] = 2] = \"UPDATE\";\n  Permission2[Permission2[\"DELETE\"] = 8] = \"DELETE\";\n  Permission2[Permission2[\"SHARE\"] = 16] = \"SHARE\";\n  Permission2[Permission2[\"ALL\"] = 31] = \"ALL\";\n  return Permission2;\n})(Permission || {});\nconst defaultDavProperties = [\n  \"d:getcontentlength\",\n  \"d:getcontenttype\",\n  \"d:getetag\",\n  \"d:getlastmodified\",\n  \"d:creationdate\",\n  \"d:displayname\",\n  \"d:quota-available-bytes\",\n  \"d:resourcetype\",\n  \"nc:has-preview\",\n  \"nc:is-encrypted\",\n  \"nc:mount-type\",\n  \"oc:comments-unread\",\n  \"oc:favorite\",\n  \"oc:fileid\",\n  \"oc:owner-display-name\",\n  \"oc:owner-id\",\n  \"oc:permissions\",\n  \"oc:size\"\n];\nconst defaultDavNamespaces = {\n  d: \"DAV:\",\n  nc: \"http://nextcloud.org/ns\",\n  oc: \"http://owncloud.org/ns\",\n  ocs: \"http://open-collaboration-services.org/ns\"\n};\nconst registerDavProperty = function(prop, namespace = { nc: \"http://nextcloud.org/ns\" }) {\n  if (typeof window._nc_dav_properties === \"undefined\") {\n    window._nc_dav_properties = [...defaultDavProperties];\n    window._nc_dav_namespaces = { ...defaultDavNamespaces };\n  }\n  const namespaces = { ...window._nc_dav_namespaces, ...namespace };\n  if (window._nc_dav_properties.find((search) => search === prop)) {\n    logger.warn(`${prop} already registered`, { prop });\n    return false;\n  }\n  if (prop.startsWith(\"<\") || prop.split(\":\").length !== 2) {\n    logger.error(`${prop} is not valid. See example: 'oc:fileid'`, { prop });\n    return false;\n  }\n  const ns = prop.split(\":\")[0];\n  if (!namespaces[ns]) {\n    logger.error(`${prop} namespace unknown`, { prop, namespaces });\n    return false;\n  }\n  window._nc_dav_properties.push(prop);\n  window._nc_dav_namespaces = namespaces;\n  return true;\n};\nconst getDavProperties = function() {\n  if (typeof window._nc_dav_properties === \"undefined\") {\n    window._nc_dav_properties = [...defaultDavProperties];\n  }\n  return window._nc_dav_properties.map((prop) => `<${prop} />`).join(\" \");\n};\nconst getDavNameSpaces = function() {\n  if (typeof window._nc_dav_namespaces === \"undefined\") {\n    window._nc_dav_namespaces = { ...defaultDavNamespaces };\n  }\n  return Object.keys(window._nc_dav_namespaces).map((ns) => `xmlns:${ns}=\"${window._nc_dav_namespaces?.[ns]}\"`).join(\" \");\n};\nconst davGetDefaultPropfind = function() {\n  return `<?xml version=\"1.0\"?>\n\t\t<d:propfind ${getDavNameSpaces()}>\n\t\t\t<d:prop>\n\t\t\t\t${getDavProperties()}\n\t\t\t</d:prop>\n\t\t</d:propfind>`;\n};\nconst davGetFavoritesReport = function() {\n  return `<?xml version=\"1.0\"?>\n\t\t<oc:filter-files ${getDavNameSpaces()}>\n\t\t\t<d:prop>\n\t\t\t\t${getDavProperties()}\n\t\t\t</d:prop>\n\t\t\t<oc:filter-rules>\n\t\t\t\t<oc:favorite>1</oc:favorite>\n\t\t\t</oc:filter-rules>\n\t\t</oc:filter-files>`;\n};\nconst davGetRecentSearch = function(lastModified) {\n  return `<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n<d:searchrequest ${getDavNameSpaces()}\n\txmlns:ns=\"https://github.com/icewind1991/SearchDAV/ns\">\n\t<d:basicsearch>\n\t\t<d:select>\n\t\t\t<d:prop>\n\t\t\t\t${getDavProperties()}\n\t\t\t</d:prop>\n\t\t</d:select>\n\t\t<d:from>\n\t\t\t<d:scope>\n\t\t\t\t<d:href>/files/${getCurrentUser()?.uid}/</d:href>\n\t\t\t\t<d:depth>infinity</d:depth>\n\t\t\t</d:scope>\n\t\t</d:from>\n\t\t<d:where>\n\t\t\t<d:and>\n\t\t\t\t<d:or>\n\t\t\t\t\t<d:not>\n\t\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t\t<d:getcontenttype/>\n\t\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t\t<d:literal>httpd/unix-directory</d:literal>\n\t\t\t\t\t\t</d:eq>\n\t\t\t\t\t</d:not>\n\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t<oc:size/>\n\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t<d:literal>0</d:literal>\n\t\t\t\t\t</d:eq>\n\t\t\t\t</d:or>\n\t\t\t\t<d:gt>\n\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t\t</d:prop>\n\t\t\t\t\t<d:literal>${lastModified}</d:literal>\n\t\t\t\t</d:gt>\n\t\t\t</d:and>\n\t\t</d:where>\n\t\t<d:orderby>\n\t\t\t<d:order>\n\t\t\t\t<d:prop>\n\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t</d:prop>\n\t\t\t\t<d:descending/>\n\t\t\t</d:order>\n\t\t</d:orderby>\n\t\t<d:limit>\n\t\t\t<d:nresults>100</d:nresults>\n\t\t\t<ns:firstresult>0</ns:firstresult>\n\t\t</d:limit>\n\t</d:basicsearch>\n</d:searchrequest>`;\n};\nconst davParsePermissions = function(permString = \"\") {\n  let permissions = Permission.NONE;\n  if (!permString) {\n    return permissions;\n  }\n  if (permString.includes(\"C\") || permString.includes(\"K\")) {\n    permissions |= Permission.CREATE;\n  }\n  if (permString.includes(\"G\")) {\n    permissions |= Permission.READ;\n  }\n  if (permString.includes(\"W\") || permString.includes(\"N\") || permString.includes(\"V\")) {\n    permissions |= Permission.UPDATE;\n  }\n  if (permString.includes(\"D\")) {\n    permissions |= Permission.DELETE;\n  }\n  if (permString.includes(\"R\")) {\n    permissions |= Permission.SHARE;\n  }\n  return permissions;\n};\nvar FileType = /* @__PURE__ */ ((FileType2) => {\n  FileType2[\"Folder\"] = \"folder\";\n  FileType2[\"File\"] = \"file\";\n  return FileType2;\n})(FileType || {});\nconst isDavRessource = function(source, davService) {\n  return source.match(davService) !== null;\n};\nconst validateData = (data, davService) => {\n  if (data.id && typeof data.id !== \"number\") {\n    throw new Error(\"Invalid id type of value\");\n  }\n  if (!data.source) {\n    throw new Error(\"Missing mandatory source\");\n  }\n  try {\n    new URL(data.source);\n  } catch (e) {\n    throw new Error(\"Invalid source format, source must be a valid URL\");\n  }\n  if (!data.source.startsWith(\"http\")) {\n    throw new Error(\"Invalid source format, only http(s) is supported\");\n  }\n  if (data.displayname && typeof data.displayname !== \"string\") {\n    throw new Error(\"Invalid displayname type\");\n  }\n  if (data.mtime && !(data.mtime instanceof Date)) {\n    throw new Error(\"Invalid mtime type\");\n  }\n  if (data.crtime && !(data.crtime instanceof Date)) {\n    throw new Error(\"Invalid crtime type\");\n  }\n  if (!data.mime || typeof data.mime !== \"string\" || !data.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi)) {\n    throw new Error(\"Missing or invalid mandatory mime\");\n  }\n  if (\"size\" in data && typeof data.size !== \"number\" && data.size !== void 0) {\n    throw new Error(\"Invalid size type\");\n  }\n  if (\"permissions\" in data && data.permissions !== void 0 && !(typeof data.permissions === \"number\" && data.permissions >= Permission.NONE && data.permissions <= Permission.ALL)) {\n    throw new Error(\"Invalid permissions\");\n  }\n  if (data.owner && data.owner !== null && typeof data.owner !== \"string\") {\n    throw new Error(\"Invalid owner type\");\n  }\n  if (data.attributes && typeof data.attributes !== \"object\") {\n    throw new Error(\"Invalid attributes type\");\n  }\n  if (data.root && typeof data.root !== \"string\") {\n    throw new Error(\"Invalid root type\");\n  }\n  if (data.root && !data.root.startsWith(\"/\")) {\n    throw new Error(\"Root must start with a leading slash\");\n  }\n  if (data.root && !data.source.includes(data.root)) {\n    throw new Error(\"Root must be part of the source\");\n  }\n  if (data.root && isDavRessource(data.source, davService)) {\n    const service = data.source.match(davService)[0];\n    if (!data.source.includes(join(service, data.root))) {\n      throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n    }\n  }\n  if (data.status && !Object.values(NodeStatus).includes(data.status)) {\n    throw new Error(\"Status must be a valid NodeStatus\");\n  }\n};\nvar NodeStatus = /* @__PURE__ */ ((NodeStatus2) => {\n  NodeStatus2[\"NEW\"] = \"new\";\n  NodeStatus2[\"FAILED\"] = \"failed\";\n  NodeStatus2[\"LOADING\"] = \"loading\";\n  NodeStatus2[\"LOCKED\"] = \"locked\";\n  return NodeStatus2;\n})(NodeStatus || {});\nclass Node {\n  _data;\n  _attributes;\n  _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n  readonlyAttributes = Object.entries(Object.getOwnPropertyDescriptors(Node.prototype)).filter((e) => typeof e[1].get === \"function\" && e[0] !== \"__proto__\").map((e) => e[0]);\n  handler = {\n    set: (target, prop, value) => {\n      if (this.readonlyAttributes.includes(prop)) {\n        return false;\n      }\n      return Reflect.set(target, prop, value);\n    },\n    deleteProperty: (target, prop) => {\n      if (this.readonlyAttributes.includes(prop)) {\n        return false;\n      }\n      return Reflect.deleteProperty(target, prop);\n    },\n    // TODO: This is deprecated and only needed for files v3\n    get: (target, prop, receiver) => {\n      if (this.readonlyAttributes.includes(prop)) {\n        logger.warn(`Accessing \"Node.attributes.${prop}\" is deprecated, access it directly on the Node instance.`);\n        return Reflect.get(this, prop);\n      }\n      return Reflect.get(target, prop, receiver);\n    }\n  };\n  constructor(data, davService) {\n    validateData(data, davService || this._knownDavService);\n    this._data = {\n      // TODO: Remove with next major release, this is just for compatibility\n      displayname: data.attributes?.displayname,\n      ...data,\n      attributes: {}\n    };\n    this._attributes = new Proxy(this._data.attributes, this.handler);\n    this.update(data.attributes ?? {});\n    if (davService) {\n      this._knownDavService = davService;\n    }\n  }\n  /**\n   * Get the source url to this object\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get source() {\n    return this._data.source.replace(/\\/$/i, \"\");\n  }\n  /**\n   * Get the encoded source url to this object for requests purposes\n   */\n  get encodedSource() {\n    const { origin } = new URL(this.source);\n    return origin + encodePath(this.source.slice(origin.length));\n  }\n  /**\n   * Get this object name\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get basename() {\n    return basename(this.source);\n  }\n  /**\n   * The nodes displayname\n   * By default the display name and the `basename` are identical,\n   * but it is possible to have a different name. This happens\n   * on the files app for example for shared folders.\n   */\n  get displayname() {\n    return this._data.displayname || this.basename;\n  }\n  /**\n   * Set the displayname\n   */\n  set displayname(displayname) {\n    this._data.displayname = displayname;\n  }\n  /**\n   * Get this object's extension\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get extension() {\n    return extname(this.source);\n  }\n  /**\n   * Get the directory path leading to this object\n   * Will use the relative path to root if available\n   *\n   * There is no setter as the source is not meant to be changed manually.\n   * You can use the rename or move method to change the source.\n   */\n  get dirname() {\n    if (this.root) {\n      let source = this.source;\n      if (this.isDavRessource) {\n        source = source.split(this._knownDavService).pop();\n      }\n      const firstMatch = source.indexOf(this.root);\n      const root = this.root.replace(/\\/$/, \"\");\n      return dirname(source.slice(firstMatch + root.length) || \"/\");\n    }\n    const url = new URL(this.source);\n    return dirname(url.pathname);\n  }\n  /**\n   * Get the file mime\n   * There is no setter as the mime is not meant to be changed\n   */\n  get mime() {\n    return this._data.mime;\n  }\n  /**\n   * Get the file modification time\n   */\n  get mtime() {\n    return this._data.mtime;\n  }\n  /**\n   * Set the file modification time\n   */\n  set mtime(mtime) {\n    this._data.mtime = mtime;\n  }\n  /**\n   * Get the file creation time\n   * There is no setter as the creation time is not meant to be changed\n   */\n  get crtime() {\n    return this._data.crtime;\n  }\n  /**\n   * Get the file size\n   */\n  get size() {\n    return this._data.size;\n  }\n  /**\n   * Set the file size\n   */\n  set size(size) {\n    this.updateMtime();\n    this._data.size = size;\n  }\n  /**\n   * Get the file attribute\n   * This contains all additional attributes not provided by the Node class\n   */\n  get attributes() {\n    return this._attributes;\n  }\n  /**\n   * Get the file permissions\n   */\n  get permissions() {\n    if (this.owner === null && !this.isDavRessource) {\n      return Permission.READ;\n    }\n    return this._data.permissions !== void 0 ? this._data.permissions : Permission.NONE;\n  }\n  /**\n   * Set the file permissions\n   */\n  set permissions(permissions) {\n    this.updateMtime();\n    this._data.permissions = permissions;\n  }\n  /**\n   * Get the file owner\n   * There is no setter as the owner is not meant to be changed\n   */\n  get owner() {\n    if (!this.isDavRessource) {\n      return null;\n    }\n    return this._data.owner;\n  }\n  /**\n   * Is this a dav-related ressource ?\n   */\n  get isDavRessource() {\n    return isDavRessource(this.source, this._knownDavService);\n  }\n  /**\n   * Get the dav root of this object\n   * There is no setter as the root is not meant to be changed\n   */\n  get root() {\n    if (this._data.root) {\n      return this._data.root.replace(/^(.+)\\/$/, \"$1\");\n    }\n    if (this.isDavRessource) {\n      const root = dirname(this.source);\n      return root.split(this._knownDavService).pop() || null;\n    }\n    return null;\n  }\n  /**\n   * Get the absolute path of this object relative to the root\n   */\n  get path() {\n    if (this.root) {\n      let source = this.source;\n      if (this.isDavRessource) {\n        source = source.split(this._knownDavService).pop();\n      }\n      const firstMatch = source.indexOf(this.root);\n      const root = this.root.replace(/\\/$/, \"\");\n      return source.slice(firstMatch + root.length) || \"/\";\n    }\n    return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n  }\n  /**\n   * Get the node id if defined.\n   * There is no setter as the fileid is not meant to be changed\n   */\n  get fileid() {\n    return this._data?.id;\n  }\n  /**\n   * Get the node status.\n   */\n  get status() {\n    return this._data?.status;\n  }\n  /**\n   * Set the node status.\n   */\n  set status(status) {\n    this._data.status = status;\n  }\n  /**\n   * Move the node to a new destination\n   *\n   * @param {string} destination the new source.\n   * e.g. https://cloud.domain.com/remote.php/dav/files/emma/Photos/picture.jpg\n   */\n  move(destination) {\n    validateData({ ...this._data, source: destination }, this._knownDavService);\n    const oldBasename = this.basename;\n    this._data.source = destination;\n    if (this.displayname === oldBasename && this.basename !== oldBasename) {\n      this.displayname = this.basename;\n    }\n    this.updateMtime();\n  }\n  /**\n   * Rename the node\n   * This aliases the move method for easier usage\n   *\n   * @param basename The new name of the node\n   */\n  rename(basename2) {\n    if (basename2.includes(\"/\")) {\n      throw new Error(\"Invalid basename\");\n    }\n    this.move(dirname(this.source) + \"/\" + basename2);\n  }\n  /**\n   * Update the mtime if exists\n   */\n  updateMtime() {\n    if (this._data.mtime) {\n      this._data.mtime = /* @__PURE__ */ new Date();\n    }\n  }\n  /**\n   * Update the attributes of the node\n   * Warning, updating attributes will NOT automatically update the mtime.\n   *\n   * @param attributes The new attributes to update on the Node attributes\n   */\n  update(attributes) {\n    for (const [name, value] of Object.entries(attributes)) {\n      try {\n        if (value === void 0) {\n          delete this.attributes[name];\n        } else {\n          this.attributes[name] = value;\n        }\n      } catch (e) {\n        if (e instanceof TypeError) {\n          continue;\n        }\n        throw e;\n      }\n    }\n  }\n}\nclass File extends Node {\n  get type() {\n    return FileType.File;\n  }\n}\nclass Folder extends Node {\n  constructor(data) {\n    super({\n      ...data,\n      mime: \"httpd/unix-directory\"\n    });\n  }\n  get type() {\n    return FileType.Folder;\n  }\n  get extension() {\n    return null;\n  }\n  get mime() {\n    return \"httpd/unix-directory\";\n  }\n}\nfunction davGetRootPath() {\n  if (isPublicShare()) {\n    return `/files/${getSharingToken()}`;\n  }\n  return `/files/${getCurrentUser()?.uid}`;\n}\nconst davRootPath = davGetRootPath();\nfunction davGetRemoteURL() {\n  const url = generateRemoteUrl(\"dav\");\n  if (isPublicShare()) {\n    return url.replace(\"remote.php\", \"public.php\");\n  }\n  return url;\n}\nconst davRemoteURL = davGetRemoteURL();\nconst davGetClient = function(remoteURL = davRemoteURL, headers = {}) {\n  const client = createClient(remoteURL, { headers });\n  function setHeaders(token) {\n    client.setHeaders({\n      ...headers,\n      // Add this so the server knows it is an request from the browser\n      \"X-Requested-With\": \"XMLHttpRequest\",\n      // Inject user auth\n      requesttoken: token ?? \"\"\n    });\n  }\n  onRequestTokenUpdate(setHeaders);\n  setHeaders(getRequestToken());\n  const patcher = getPatcher();\n  patcher.patch(\"fetch\", (url, options) => {\n    const headers2 = options.headers;\n    if (headers2?.method) {\n      options.method = headers2.method;\n      delete headers2.method;\n    }\n    return fetch(url, options);\n  });\n  return client;\n};\nconst getFavoriteNodes = (davClient, path = \"/\", davRoot = davRootPath) => {\n  const controller = new AbortController();\n  return new CancelablePromise(async (resolve, reject, onCancel) => {\n    onCancel(() => controller.abort());\n    try {\n      const contentsResponse = await davClient.getDirectoryContents(`${davRoot}${path}`, {\n        signal: controller.signal,\n        details: true,\n        data: davGetFavoritesReport(),\n        headers: {\n          // see davGetClient for patched webdav client\n          method: \"REPORT\"\n        },\n        includeSelf: true\n      });\n      const nodes = contentsResponse.data.filter((node) => node.filename !== path).map((result) => davResultToNode(result, davRoot));\n      resolve(nodes);\n    } catch (error) {\n      reject(error);\n    }\n  });\n};\nconst davResultToNode = function(node, filesRoot = davRootPath, remoteURL = davRemoteURL) {\n  let userId = getCurrentUser()?.uid;\n  if (isPublicShare()) {\n    userId = userId ?? \"anonymous\";\n  } else if (!userId) {\n    throw new Error(\"No user id found\");\n  }\n  const props = node.props;\n  const permissions = davParsePermissions(props?.permissions);\n  const owner = String(props?.[\"owner-id\"] || userId);\n  const id = props.fileid || 0;\n  const nodeData = {\n    id,\n    source: `${remoteURL}${node.filename}`,\n    mtime: new Date(Date.parse(node.lastmod)),\n    mime: node.mime || \"application/octet-stream\",\n    // Manually cast to work around for https://github.com/perry-mitchell/webdav-client/pull/380\n    displayname: props.displayname !== void 0 ? String(props.displayname) : void 0,\n    size: props?.size || Number.parseInt(props.getcontentlength || \"0\"),\n    // The fileid is set to -1 for failed requests\n    status: id < 0 ? NodeStatus.FAILED : void 0,\n    permissions,\n    owner,\n    root: filesRoot,\n    attributes: {\n      ...node,\n      ...props,\n      hasPreview: props?.[\"has-preview\"]\n    }\n  };\n  delete nodeData.attributes?.props;\n  return node.type === \"file\" ? new File(nodeData) : new Folder(nodeData);\n};\nvar InvalidFilenameErrorReason = /* @__PURE__ */ ((InvalidFilenameErrorReason2) => {\n  InvalidFilenameErrorReason2[\"ReservedName\"] = \"reserved name\";\n  InvalidFilenameErrorReason2[\"Character\"] = \"character\";\n  InvalidFilenameErrorReason2[\"Extension\"] = \"extension\";\n  return InvalidFilenameErrorReason2;\n})(InvalidFilenameErrorReason || {});\nclass InvalidFilenameError extends Error {\n  constructor(options) {\n    super(`Invalid ${options.reason} '${options.segment}' in filename '${options.filename}'`, { cause: options });\n  }\n  /**\n   * The filename that was validated\n   */\n  get filename() {\n    return this.cause.filename;\n  }\n  /**\n   * Reason why the validation failed\n   */\n  get reason() {\n    return this.cause.reason;\n  }\n  /**\n   * Part of the filename that caused this error\n   */\n  get segment() {\n    return this.cause.segment;\n  }\n}\nfunction validateFilename(filename) {\n  const capabilities = getCapabilities().files;\n  const forbiddenCharacters = capabilities.forbidden_filename_characters ?? window._oc_config?.forbidden_filenames_characters ?? [\"/\", \"\\\\\"];\n  for (const character of forbiddenCharacters) {\n    if (filename.includes(character)) {\n      throw new InvalidFilenameError({ segment: character, reason: \"character\", filename });\n    }\n  }\n  filename = filename.toLocaleLowerCase();\n  const forbiddenFilenames = capabilities.forbidden_filenames ?? [\".htaccess\"];\n  if (forbiddenFilenames.includes(filename)) {\n    throw new InvalidFilenameError({\n      filename,\n      segment: filename,\n      reason: \"reserved name\"\n      /* ReservedName */\n    });\n  }\n  const endOfBasename = filename.indexOf(\".\", 1);\n  const basename2 = filename.substring(0, endOfBasename === -1 ? void 0 : endOfBasename);\n  const forbiddenFilenameBasenames = capabilities.forbidden_filename_basenames ?? [];\n  if (forbiddenFilenameBasenames.includes(basename2)) {\n    throw new InvalidFilenameError({\n      filename,\n      segment: basename2,\n      reason: \"reserved name\"\n      /* ReservedName */\n    });\n  }\n  const forbiddenFilenameExtensions = capabilities.forbidden_filename_extensions ?? [\".part\", \".filepart\"];\n  for (const extension of forbiddenFilenameExtensions) {\n    if (filename.length > extension.length && filename.endsWith(extension)) {\n      throw new InvalidFilenameError({ segment: extension, reason: \"extension\", filename });\n    }\n  }\n}\nfunction isFilenameValid(filename) {\n  try {\n    validateFilename(filename);\n    return true;\n  } catch (error) {\n    if (error instanceof InvalidFilenameError) {\n      return false;\n    }\n    throw error;\n  }\n}\nfunction getUniqueName(name, otherNames, options) {\n  const opts = {\n    suffix: (n) => `(${n})`,\n    ignoreFileExtension: false,\n    ...options\n  };\n  let newName = name;\n  let i = 1;\n  while (otherNames.includes(newName)) {\n    const ext = opts.ignoreFileExtension ? \"\" : extname(name);\n    const base = basename(name, ext);\n    newName = `${base} ${opts.suffix(i++)}${ext}`;\n  }\n  return newName;\n}\nconst humanList = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"];\nconst humanListBinary = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction formatFileSize(size, skipSmallSizes = false, binaryPrefixes = false, base1000 = false) {\n  binaryPrefixes = binaryPrefixes && !base1000;\n  if (typeof size === \"string\") {\n    size = Number(size);\n  }\n  let order = size > 0 ? Math.floor(Math.log(size) / Math.log(base1000 ? 1e3 : 1024)) : 0;\n  order = Math.min((binaryPrefixes ? humanListBinary.length : humanList.length) - 1, order);\n  const readableFormat = binaryPrefixes ? humanListBinary[order] : humanList[order];\n  let relativeSize = (size / Math.pow(base1000 ? 1e3 : 1024, order)).toFixed(1);\n  if (skipSmallSizes === true && order === 0) {\n    return (relativeSize !== \"0.0\" ? \"< 1 \" : \"0 \") + (binaryPrefixes ? humanListBinary[1] : humanList[1]);\n  }\n  if (order < 2) {\n    relativeSize = parseFloat(relativeSize).toFixed(0);\n  } else {\n    relativeSize = parseFloat(relativeSize).toLocaleString(getCanonicalLocale());\n  }\n  return relativeSize + \" \" + readableFormat;\n}\nfunction parseFileSize(value, forceBinary = false) {\n  try {\n    value = `${value}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n  } catch (e) {\n    return null;\n  }\n  const match = value.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n  if (match === null || match[1] === \".\" || match[1] === \"\") {\n    return null;\n  }\n  const bytesArray = {\n    \"\": 0,\n    k: 1,\n    m: 2,\n    g: 3,\n    t: 4,\n    p: 5,\n    e: 6\n  };\n  const decimalString = `${match[1]}`;\n  const base = match[4] === \"i\" || forceBinary ? 1024 : 1e3;\n  return Math.round(Number.parseFloat(decimalString) * base ** bytesArray[match[3]]);\n}\nfunction stringify(value) {\n  if (value instanceof Date) {\n    return value.toISOString();\n  }\n  return String(value);\n}\nfunction orderBy(collection, identifiers2, orders) {\n  identifiers2 = identifiers2 ?? [(value) => value];\n  orders = orders ?? [];\n  const sorting = identifiers2.map((_, index) => (orders[index] ?? \"asc\") === \"asc\" ? 1 : -1);\n  const collator = Intl.Collator(\n    [getLanguage(), getCanonicalLocale()],\n    {\n      // handle 10 as ten and not as one-zero\n      numeric: true,\n      usage: \"sort\"\n    }\n  );\n  return [...collection].sort((a, b) => {\n    for (const [index, identifier] of identifiers2.entries()) {\n      const value = collator.compare(stringify(identifier(a)), stringify(identifier(b)));\n      if (value !== 0) {\n        return value * sorting[index];\n      }\n    }\n    return 0;\n  });\n}\nvar FilesSortingMode = /* @__PURE__ */ ((FilesSortingMode2) => {\n  FilesSortingMode2[\"Name\"] = \"basename\";\n  FilesSortingMode2[\"Modified\"] = \"mtime\";\n  FilesSortingMode2[\"Size\"] = \"size\";\n  return FilesSortingMode2;\n})(FilesSortingMode || {});\nfunction sortNodes(nodes, options = {}) {\n  const sortingOptions = {\n    // Default to sort by name\n    sortingMode: \"basename\",\n    // Default to sort ascending\n    sortingOrder: \"asc\",\n    ...options\n  };\n  const basename2 = (name) => name.lastIndexOf(\".\") > 0 ? name.slice(0, name.lastIndexOf(\".\")) : name;\n  const identifiers2 = [\n    // 1: Sort favorites first if enabled\n    ...sortingOptions.sortFavoritesFirst ? [(v) => v.attributes?.favorite !== 1] : [],\n    // 2: Sort folders first if sorting by name\n    ...sortingOptions.sortFoldersFirst ? [(v) => v.type !== \"folder\"] : [],\n    // 3: Use sorting mode if NOT basename (to be able to use display name too)\n    ...sortingOptions.sortingMode !== \"basename\" ? [(v) => v[sortingOptions.sortingMode]] : [],\n    // 4: Use display name if available, fallback to name\n    (v) => basename2(v.attributes?.displayname || v.basename),\n    // 5: Finally, use basename if all previous sorting methods failed\n    (v) => v.basename\n  ];\n  const orders = [\n    // (for 1): always sort favorites before normal files\n    ...sortingOptions.sortFavoritesFirst ? [\"asc\"] : [],\n    // (for 2): always sort folders before files\n    ...sortingOptions.sortFoldersFirst ? [\"asc\"] : [],\n    // (for 3): Reverse if sorting by mtime as mtime higher means edited more recent -> lower\n    ...sortingOptions.sortingMode === \"mtime\" ? [sortingOptions.sortingOrder === \"asc\" ? \"desc\" : \"asc\"] : [],\n    // (also for 3 so make sure not to conflict with 2 and 3)\n    ...sortingOptions.sortingMode !== \"mtime\" && sortingOptions.sortingMode !== \"basename\" ? [sortingOptions.sortingOrder] : [],\n    // for 4: use configured sorting direction\n    sortingOptions.sortingOrder,\n    // for 5: use configured sorting direction\n    sortingOptions.sortingOrder\n  ];\n  return orderBy(nodes, identifiers2, orders);\n}\nclass Navigation extends TypedEventTarget {\n  _views = [];\n  _currentView = null;\n  /**\n   * Register a new view on the navigation\n   * @param view The view to register\n   * @throws `Error` is thrown if a view with the same id is already registered\n   */\n  register(view) {\n    if (this._views.find((search) => search.id === view.id)) {\n      throw new Error(`View id ${view.id} is already registered`);\n    }\n    this._views.push(view);\n    this.dispatchTypedEvent(\"update\", new CustomEvent(\"update\"));\n  }\n  /**\n   * Remove a registered view\n   * @param id The id of the view to remove\n   */\n  remove(id) {\n    const index = this._views.findIndex((view) => view.id === id);\n    if (index !== -1) {\n      this._views.splice(index, 1);\n      this.dispatchTypedEvent(\"update\", new CustomEvent(\"update\"));\n    }\n  }\n  /**\n   * Set the currently active view\n   * @fires UpdateActiveViewEvent\n   * @param view New active view\n   */\n  setActive(view) {\n    this._currentView = view;\n    const event = new CustomEvent(\"updateActive\", { detail: view });\n    this.dispatchTypedEvent(\"updateActive\", event);\n  }\n  /**\n   * The currently active files view\n   */\n  get active() {\n    return this._currentView;\n  }\n  /**\n   * All registered views\n   */\n  get views() {\n    return this._views;\n  }\n}\nconst getNavigation = function() {\n  if (typeof window._nc_navigation === \"undefined\") {\n    window._nc_navigation = new Navigation();\n    logger.debug(\"Navigation service initialized\");\n  }\n  return window._nc_navigation;\n};\nclass Column {\n  _column;\n  constructor(column) {\n    isValidColumn(column);\n    this._column = column;\n  }\n  get id() {\n    return this._column.id;\n  }\n  get title() {\n    return this._column.title;\n  }\n  get render() {\n    return this._column.render;\n  }\n  get sort() {\n    return this._column.sort;\n  }\n  get summary() {\n    return this._column.summary;\n  }\n}\nconst isValidColumn = function(column) {\n  if (!column.id || typeof column.id !== \"string\") {\n    throw new Error(\"A column id is required\");\n  }\n  if (!column.title || typeof column.title !== \"string\") {\n    throw new Error(\"A column title is required\");\n  }\n  if (!column.render || typeof column.render !== \"function\") {\n    throw new Error(\"A render function is required\");\n  }\n  if (column.sort && typeof column.sort !== \"function\") {\n    throw new Error(\"Column sortFunction must be a function\");\n  }\n  if (column.summary && typeof column.summary !== \"function\") {\n    throw new Error(\"Column summary must be a function\");\n  }\n  return true;\n};\nfunction getDefaultExportFromCjs(x) {\n  return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, \"default\") ? x[\"default\"] : x;\n}\nvar validator$2 = {};\nvar util$3 = {};\n(function(exports) {\n  const nameStartChar = \":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\";\n  const nameChar = nameStartChar + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\";\n  const nameRegexp = \"[\" + nameStartChar + \"][\" + nameChar + \"]*\";\n  const regexName = new RegExp(\"^\" + nameRegexp + \"$\");\n  const getAllMatches = function(string, regex) {\n    const matches = [];\n    let match = regex.exec(string);\n    while (match) {\n      const allmatches = [];\n      allmatches.startIndex = regex.lastIndex - match[0].length;\n      const len = match.length;\n      for (let index = 0; index < len; index++) {\n        allmatches.push(match[index]);\n      }\n      matches.push(allmatches);\n      match = regex.exec(string);\n    }\n    return matches;\n  };\n  const isName = function(string) {\n    const match = regexName.exec(string);\n    return !(match === null || typeof match === \"undefined\");\n  };\n  exports.isExist = function(v) {\n    return typeof v !== \"undefined\";\n  };\n  exports.isEmptyObject = function(obj) {\n    return Object.keys(obj).length === 0;\n  };\n  exports.merge = function(target, a, arrayMode) {\n    if (a) {\n      const keys = Object.keys(a);\n      const len = keys.length;\n      for (let i = 0; i < len; i++) {\n        if (arrayMode === \"strict\") {\n          target[keys[i]] = [a[keys[i]]];\n        } else {\n          target[keys[i]] = a[keys[i]];\n        }\n      }\n    }\n  };\n  exports.getValue = function(v) {\n    if (exports.isExist(v)) {\n      return v;\n    } else {\n      return \"\";\n    }\n  };\n  exports.isName = isName;\n  exports.getAllMatches = getAllMatches;\n  exports.nameRegexp = nameRegexp;\n})(util$3);\nconst util$2 = util$3;\nconst defaultOptions$2 = {\n  allowBooleanAttributes: false,\n  //A tag can have attributes without any value\n  unpairedTags: []\n};\nvalidator$2.validate = function(xmlData, options) {\n  options = Object.assign({}, defaultOptions$2, options);\n  const tags = [];\n  let tagFound = false;\n  let reachedRoot = false;\n  if (xmlData[0] === \"\\uFEFF\") {\n    xmlData = xmlData.substr(1);\n  }\n  for (let i = 0; i < xmlData.length; i++) {\n    if (xmlData[i] === \"<\" && xmlData[i + 1] === \"?\") {\n      i += 2;\n      i = readPI(xmlData, i);\n      if (i.err) return i;\n    } else if (xmlData[i] === \"<\") {\n      let tagStartPos = i;\n      i++;\n      if (xmlData[i] === \"!\") {\n        i = readCommentAndCDATA(xmlData, i);\n        continue;\n      } else {\n        let closingTag = false;\n        if (xmlData[i] === \"/\") {\n          closingTag = true;\n          i++;\n        }\n        let tagName = \"\";\n        for (; i < xmlData.length && xmlData[i] !== \">\" && xmlData[i] !== \" \" && xmlData[i] !== \"\t\" && xmlData[i] !== \"\\n\" && xmlData[i] !== \"\\r\"; i++) {\n          tagName += xmlData[i];\n        }\n        tagName = tagName.trim();\n        if (tagName[tagName.length - 1] === \"/\") {\n          tagName = tagName.substring(0, tagName.length - 1);\n          i--;\n        }\n        if (!validateTagName(tagName)) {\n          let msg;\n          if (tagName.trim().length === 0) {\n            msg = \"Invalid space after '<'.\";\n          } else {\n            msg = \"Tag '\" + tagName + \"' is an invalid name.\";\n          }\n          return getErrorObject(\"InvalidTag\", msg, getLineNumberForPosition(xmlData, i));\n        }\n        const result = readAttributeStr(xmlData, i);\n        if (result === false) {\n          return getErrorObject(\"InvalidAttr\", \"Attributes for '\" + tagName + \"' have open quote.\", getLineNumberForPosition(xmlData, i));\n        }\n        let attrStr = result.value;\n        i = result.index;\n        if (attrStr[attrStr.length - 1] === \"/\") {\n          const attrStrStart = i - attrStr.length;\n          attrStr = attrStr.substring(0, attrStr.length - 1);\n          const isValid = validateAttributeString(attrStr, options);\n          if (isValid === true) {\n            tagFound = true;\n          } else {\n            return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, attrStrStart + isValid.err.line));\n          }\n        } else if (closingTag) {\n          if (!result.tagClosed) {\n            return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' doesn't have proper closing.\", getLineNumberForPosition(xmlData, i));\n          } else if (attrStr.trim().length > 0) {\n            return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' can't have attributes or invalid starting.\", getLineNumberForPosition(xmlData, tagStartPos));\n          } else if (tags.length === 0) {\n            return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' has not been opened.\", getLineNumberForPosition(xmlData, tagStartPos));\n          } else {\n            const otg = tags.pop();\n            if (tagName !== otg.tagName) {\n              let openPos = getLineNumberForPosition(xmlData, otg.tagStartPos);\n              return getErrorObject(\n                \"InvalidTag\",\n                \"Expected closing tag '\" + otg.tagName + \"' (opened in line \" + openPos.line + \", col \" + openPos.col + \") instead of closing tag '\" + tagName + \"'.\",\n                getLineNumberForPosition(xmlData, tagStartPos)\n              );\n            }\n            if (tags.length == 0) {\n              reachedRoot = true;\n            }\n          }\n        } else {\n          const isValid = validateAttributeString(attrStr, options);\n          if (isValid !== true) {\n            return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, i - attrStr.length + isValid.err.line));\n          }\n          if (reachedRoot === true) {\n            return getErrorObject(\"InvalidXml\", \"Multiple possible root nodes found.\", getLineNumberForPosition(xmlData, i));\n          } else if (options.unpairedTags.indexOf(tagName) !== -1) ;\n          else {\n            tags.push({ tagName, tagStartPos });\n          }\n          tagFound = true;\n        }\n        for (i++; i < xmlData.length; i++) {\n          if (xmlData[i] === \"<\") {\n            if (xmlData[i + 1] === \"!\") {\n              i++;\n              i = readCommentAndCDATA(xmlData, i);\n              continue;\n            } else if (xmlData[i + 1] === \"?\") {\n              i = readPI(xmlData, ++i);\n              if (i.err) return i;\n            } else {\n              break;\n            }\n          } else if (xmlData[i] === \"&\") {\n            const afterAmp = validateAmpersand(xmlData, i);\n            if (afterAmp == -1)\n              return getErrorObject(\"InvalidChar\", \"char '&' is not expected.\", getLineNumberForPosition(xmlData, i));\n            i = afterAmp;\n          } else {\n            if (reachedRoot === true && !isWhiteSpace(xmlData[i])) {\n              return getErrorObject(\"InvalidXml\", \"Extra text at the end\", getLineNumberForPosition(xmlData, i));\n            }\n          }\n        }\n        if (xmlData[i] === \"<\") {\n          i--;\n        }\n      }\n    } else {\n      if (isWhiteSpace(xmlData[i])) {\n        continue;\n      }\n      return getErrorObject(\"InvalidChar\", \"char '\" + xmlData[i] + \"' is not expected.\", getLineNumberForPosition(xmlData, i));\n    }\n  }\n  if (!tagFound) {\n    return getErrorObject(\"InvalidXml\", \"Start tag expected.\", 1);\n  } else if (tags.length == 1) {\n    return getErrorObject(\"InvalidTag\", \"Unclosed tag '\" + tags[0].tagName + \"'.\", getLineNumberForPosition(xmlData, tags[0].tagStartPos));\n  } else if (tags.length > 0) {\n    return getErrorObject(\"InvalidXml\", \"Invalid '\" + JSON.stringify(tags.map((t2) => t2.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n  }\n  return true;\n};\nfunction isWhiteSpace(char) {\n  return char === \" \" || char === \"\t\" || char === \"\\n\" || char === \"\\r\";\n}\nfunction readPI(xmlData, i) {\n  const start = i;\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] == \"?\" || xmlData[i] == \" \") {\n      const tagname = xmlData.substr(start, i - start);\n      if (i > 5 && tagname === \"xml\") {\n        return getErrorObject(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", getLineNumberForPosition(xmlData, i));\n      } else if (xmlData[i] == \"?\" && xmlData[i + 1] == \">\") {\n        i++;\n        break;\n      } else {\n        continue;\n      }\n    }\n  }\n  return i;\n}\nfunction readCommentAndCDATA(xmlData, i) {\n  if (xmlData.length > i + 5 && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \"-\") {\n    for (i += 3; i < xmlData.length; i++) {\n      if (xmlData[i] === \"-\" && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \">\") {\n        i += 2;\n        break;\n      }\n    }\n  } else if (xmlData.length > i + 8 && xmlData[i + 1] === \"D\" && xmlData[i + 2] === \"O\" && xmlData[i + 3] === \"C\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"Y\" && xmlData[i + 6] === \"P\" && xmlData[i + 7] === \"E\") {\n    let angleBracketsCount = 1;\n    for (i += 8; i < xmlData.length; i++) {\n      if (xmlData[i] === \"<\") {\n        angleBracketsCount++;\n      } else if (xmlData[i] === \">\") {\n        angleBracketsCount--;\n        if (angleBracketsCount === 0) {\n          break;\n        }\n      }\n    }\n  } else if (xmlData.length > i + 9 && xmlData[i + 1] === \"[\" && xmlData[i + 2] === \"C\" && xmlData[i + 3] === \"D\" && xmlData[i + 4] === \"A\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"A\" && xmlData[i + 7] === \"[\") {\n    for (i += 8; i < xmlData.length; i++) {\n      if (xmlData[i] === \"]\" && xmlData[i + 1] === \"]\" && xmlData[i + 2] === \">\") {\n        i += 2;\n        break;\n      }\n    }\n  }\n  return i;\n}\nconst doubleQuote = '\"';\nconst singleQuote = \"'\";\nfunction readAttributeStr(xmlData, i) {\n  let attrStr = \"\";\n  let startChar = \"\";\n  let tagClosed = false;\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] === doubleQuote || xmlData[i] === singleQuote) {\n      if (startChar === \"\") {\n        startChar = xmlData[i];\n      } else if (startChar !== xmlData[i]) ;\n      else {\n        startChar = \"\";\n      }\n    } else if (xmlData[i] === \">\") {\n      if (startChar === \"\") {\n        tagClosed = true;\n        break;\n      }\n    }\n    attrStr += xmlData[i];\n  }\n  if (startChar !== \"\") {\n    return false;\n  }\n  return {\n    value: attrStr,\n    index: i,\n    tagClosed\n  };\n}\nconst validAttrStrRegxp = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction validateAttributeString(attrStr, options) {\n  const matches = util$2.getAllMatches(attrStr, validAttrStrRegxp);\n  const attrNames = {};\n  for (let i = 0; i < matches.length; i++) {\n    if (matches[i][1].length === 0) {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' has no space in starting.\", getPositionFromMatch(matches[i]));\n    } else if (matches[i][3] !== void 0 && matches[i][4] === void 0) {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' is without value.\", getPositionFromMatch(matches[i]));\n    } else if (matches[i][3] === void 0 && !options.allowBooleanAttributes) {\n      return getErrorObject(\"InvalidAttr\", \"boolean attribute '\" + matches[i][2] + \"' is not allowed.\", getPositionFromMatch(matches[i]));\n    }\n    const attrName = matches[i][2];\n    if (!validateAttrName(attrName)) {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is an invalid name.\", getPositionFromMatch(matches[i]));\n    }\n    if (!attrNames.hasOwnProperty(attrName)) {\n      attrNames[attrName] = 1;\n    } else {\n      return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is repeated.\", getPositionFromMatch(matches[i]));\n    }\n  }\n  return true;\n}\nfunction validateNumberAmpersand(xmlData, i) {\n  let re2 = /\\d/;\n  if (xmlData[i] === \"x\") {\n    i++;\n    re2 = /[\\da-fA-F]/;\n  }\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] === \";\")\n      return i;\n    if (!xmlData[i].match(re2))\n      break;\n  }\n  return -1;\n}\nfunction validateAmpersand(xmlData, i) {\n  i++;\n  if (xmlData[i] === \";\")\n    return -1;\n  if (xmlData[i] === \"#\") {\n    i++;\n    return validateNumberAmpersand(xmlData, i);\n  }\n  let count = 0;\n  for (; i < xmlData.length; i++, count++) {\n    if (xmlData[i].match(/\\w/) && count < 20)\n      continue;\n    if (xmlData[i] === \";\")\n      break;\n    return -1;\n  }\n  return i;\n}\nfunction getErrorObject(code, message, lineNumber) {\n  return {\n    err: {\n      code,\n      msg: message,\n      line: lineNumber.line || lineNumber,\n      col: lineNumber.col\n    }\n  };\n}\nfunction validateAttrName(attrName) {\n  return util$2.isName(attrName);\n}\nfunction validateTagName(tagname) {\n  return util$2.isName(tagname);\n}\nfunction getLineNumberForPosition(xmlData, index) {\n  const lines = xmlData.substring(0, index).split(/\\r?\\n/);\n  return {\n    line: lines.length,\n    // column number is last line's length + 1, because column numbering starts at 1:\n    col: lines[lines.length - 1].length + 1\n  };\n}\nfunction getPositionFromMatch(match) {\n  return match.startIndex + match[1].length;\n}\nvar OptionsBuilder = {};\nconst defaultOptions$1 = {\n  preserveOrder: false,\n  attributeNamePrefix: \"@_\",\n  attributesGroupName: false,\n  textNodeName: \"#text\",\n  ignoreAttributes: true,\n  removeNSPrefix: false,\n  // remove NS from tag name or attribute name if true\n  allowBooleanAttributes: false,\n  //a tag can have attributes without any value\n  //ignoreRootElement : false,\n  parseTagValue: true,\n  parseAttributeValue: false,\n  trimValues: true,\n  //Trim string values of tag and attributes\n  cdataPropName: false,\n  numberParseOptions: {\n    hex: true,\n    leadingZeros: true,\n    eNotation: true\n  },\n  tagValueProcessor: function(tagName, val2) {\n    return val2;\n  },\n  attributeValueProcessor: function(attrName, val2) {\n    return val2;\n  },\n  stopNodes: [],\n  //nested tags will not be parsed even for errors\n  alwaysCreateTextNode: false,\n  isArray: () => false,\n  commentPropName: false,\n  unpairedTags: [],\n  processEntities: true,\n  htmlEntities: false,\n  ignoreDeclaration: false,\n  ignorePiTags: false,\n  transformTagName: false,\n  transformAttributeName: false,\n  updateTag: function(tagName, jPath, attrs) {\n    return tagName;\n  }\n  // skipEmptyListItem: false\n};\nconst buildOptions$1 = function(options) {\n  return Object.assign({}, defaultOptions$1, options);\n};\nOptionsBuilder.buildOptions = buildOptions$1;\nOptionsBuilder.defaultOptions = defaultOptions$1;\nclass XmlNode {\n  constructor(tagname) {\n    this.tagname = tagname;\n    this.child = [];\n    this[\":@\"] = {};\n  }\n  add(key, val2) {\n    if (key === \"__proto__\") key = \"#__proto__\";\n    this.child.push({ [key]: val2 });\n  }\n  addChild(node) {\n    if (node.tagname === \"__proto__\") node.tagname = \"#__proto__\";\n    if (node[\":@\"] && Object.keys(node[\":@\"]).length > 0) {\n      this.child.push({ [node.tagname]: node.child, [\":@\"]: node[\":@\"] });\n    } else {\n      this.child.push({ [node.tagname]: node.child });\n    }\n  }\n}\nvar xmlNode$1 = XmlNode;\nconst util$1 = util$3;\nfunction readDocType$1(xmlData, i) {\n  const entities = {};\n  if (xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"C\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"Y\" && xmlData[i + 7] === \"P\" && xmlData[i + 8] === \"E\") {\n    i = i + 9;\n    let angleBracketsCount = 1;\n    let hasBody = false, comment = false;\n    let exp = \"\";\n    for (; i < xmlData.length; i++) {\n      if (xmlData[i] === \"<\" && !comment) {\n        if (hasBody && isEntity(xmlData, i)) {\n          i += 7;\n          [entityName, val, i] = readEntityExp(xmlData, i + 1);\n          if (val.indexOf(\"&\") === -1)\n            entities[validateEntityName(entityName)] = {\n              regx: RegExp(`&${entityName};`, \"g\"),\n              val\n            };\n        } else if (hasBody && isElement(xmlData, i)) i += 8;\n        else if (hasBody && isAttlist(xmlData, i)) i += 8;\n        else if (hasBody && isNotation(xmlData, i)) i += 9;\n        else if (isComment) comment = true;\n        else throw new Error(\"Invalid DOCTYPE\");\n        angleBracketsCount++;\n        exp = \"\";\n      } else if (xmlData[i] === \">\") {\n        if (comment) {\n          if (xmlData[i - 1] === \"-\" && xmlData[i - 2] === \"-\") {\n            comment = false;\n            angleBracketsCount--;\n          }\n        } else {\n          angleBracketsCount--;\n        }\n        if (angleBracketsCount === 0) {\n          break;\n        }\n      } else if (xmlData[i] === \"[\") {\n        hasBody = true;\n      } else {\n        exp += xmlData[i];\n      }\n    }\n    if (angleBracketsCount !== 0) {\n      throw new Error(`Unclosed DOCTYPE`);\n    }\n  } else {\n    throw new Error(`Invalid Tag instead of DOCTYPE`);\n  }\n  return { entities, i };\n}\nfunction readEntityExp(xmlData, i) {\n  let entityName2 = \"\";\n  for (; i < xmlData.length && (xmlData[i] !== \"'\" && xmlData[i] !== '\"'); i++) {\n    entityName2 += xmlData[i];\n  }\n  entityName2 = entityName2.trim();\n  if (entityName2.indexOf(\" \") !== -1) throw new Error(\"External entites are not supported\");\n  const startChar = xmlData[i++];\n  let val2 = \"\";\n  for (; i < xmlData.length && xmlData[i] !== startChar; i++) {\n    val2 += xmlData[i];\n  }\n  return [entityName2, val2, i];\n}\nfunction isComment(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"-\" && xmlData[i + 3] === \"-\") return true;\n  return false;\n}\nfunction isEntity(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"N\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"I\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"Y\") return true;\n  return false;\n}\nfunction isElement(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"L\" && xmlData[i + 4] === \"E\" && xmlData[i + 5] === \"M\" && xmlData[i + 6] === \"E\" && xmlData[i + 7] === \"N\" && xmlData[i + 8] === \"T\") return true;\n  return false;\n}\nfunction isAttlist(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"A\" && xmlData[i + 3] === \"T\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"L\" && xmlData[i + 6] === \"I\" && xmlData[i + 7] === \"S\" && xmlData[i + 8] === \"T\") return true;\n  return false;\n}\nfunction isNotation(xmlData, i) {\n  if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"N\" && xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"A\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"I\" && xmlData[i + 8] === \"O\" && xmlData[i + 9] === \"N\") return true;\n  return false;\n}\nfunction validateEntityName(name) {\n  if (util$1.isName(name))\n    return name;\n  else\n    throw new Error(`Invalid entity name ${name}`);\n}\nvar DocTypeReader = readDocType$1;\nconst hexRegex = /^[-+]?0x[a-fA-F0-9]+$/;\nconst numRegex = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\nif (!Number.parseInt && window.parseInt) {\n  Number.parseInt = window.parseInt;\n}\nif (!Number.parseFloat && window.parseFloat) {\n  Number.parseFloat = window.parseFloat;\n}\nconst consider = {\n  hex: true,\n  leadingZeros: true,\n  decimalPoint: \".\",\n  eNotation: true\n  //skipLike: /regex/\n};\nfunction toNumber$1(str, options = {}) {\n  options = Object.assign({}, consider, options);\n  if (!str || typeof str !== \"string\") return str;\n  let trimmedStr = str.trim();\n  if (options.skipLike !== void 0 && options.skipLike.test(trimmedStr)) return str;\n  else if (options.hex && hexRegex.test(trimmedStr)) {\n    return Number.parseInt(trimmedStr, 16);\n  } else {\n    const match = numRegex.exec(trimmedStr);\n    if (match) {\n      const sign = match[1];\n      const leadingZeros = match[2];\n      let numTrimmedByZeros = trimZeros(match[3]);\n      const eNotation = match[4] || match[6];\n      if (!options.leadingZeros && leadingZeros.length > 0 && sign && trimmedStr[2] !== \".\") return str;\n      else if (!options.leadingZeros && leadingZeros.length > 0 && !sign && trimmedStr[1] !== \".\") return str;\n      else {\n        const num = Number(trimmedStr);\n        const numStr = \"\" + num;\n        if (numStr.search(/[eE]/) !== -1) {\n          if (options.eNotation) return num;\n          else return str;\n        } else if (eNotation) {\n          if (options.eNotation) return num;\n          else return str;\n        } else if (trimmedStr.indexOf(\".\") !== -1) {\n          if (numStr === \"0\" && numTrimmedByZeros === \"\") return num;\n          else if (numStr === numTrimmedByZeros) return num;\n          else if (sign && numStr === \"-\" + numTrimmedByZeros) return num;\n          else return str;\n        }\n        if (leadingZeros) {\n          if (numTrimmedByZeros === numStr) return num;\n          else if (sign + numTrimmedByZeros === numStr) return num;\n          else return str;\n        }\n        if (trimmedStr === numStr) return num;\n        else if (trimmedStr === sign + numStr) return num;\n        return str;\n      }\n    } else {\n      return str;\n    }\n  }\n}\nfunction trimZeros(numStr) {\n  if (numStr && numStr.indexOf(\".\") !== -1) {\n    numStr = numStr.replace(/0+$/, \"\");\n    if (numStr === \".\") numStr = \"0\";\n    else if (numStr[0] === \".\") numStr = \"0\" + numStr;\n    else if (numStr[numStr.length - 1] === \".\") numStr = numStr.substr(0, numStr.length - 1);\n    return numStr;\n  }\n  return numStr;\n}\nvar strnum = toNumber$1;\nconst util = util$3;\nconst xmlNode = xmlNode$1;\nconst readDocType = DocTypeReader;\nconst toNumber = strnum;\nlet OrderedObjParser$1 = class OrderedObjParser {\n  constructor(options) {\n    this.options = options;\n    this.currentNode = null;\n    this.tagsNodeStack = [];\n    this.docTypeEntities = {};\n    this.lastEntities = {\n      \"apos\": { regex: /&(apos|#39|#x27);/g, val: \"'\" },\n      \"gt\": { regex: /&(gt|#62|#x3E);/g, val: \">\" },\n      \"lt\": { regex: /&(lt|#60|#x3C);/g, val: \"<\" },\n      \"quot\": { regex: /&(quot|#34|#x22);/g, val: '\"' }\n    };\n    this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" };\n    this.htmlEntities = {\n      \"space\": { regex: /&(nbsp|#160);/g, val: \" \" },\n      // \"lt\" : { regex: /&(lt|#60);/g, val: \"<\" },\n      // \"gt\" : { regex: /&(gt|#62);/g, val: \">\" },\n      // \"amp\" : { regex: /&(amp|#38);/g, val: \"&\" },\n      // \"quot\" : { regex: /&(quot|#34);/g, val: \"\\\"\" },\n      // \"apos\" : { regex: /&(apos|#39);/g, val: \"'\" },\n      \"cent\": { regex: /&(cent|#162);/g, val: \"¢\" },\n      \"pound\": { regex: /&(pound|#163);/g, val: \"£\" },\n      \"yen\": { regex: /&(yen|#165);/g, val: \"Â¥\" },\n      \"euro\": { regex: /&(euro|#8364);/g, val: \"€\" },\n      \"copyright\": { regex: /&(copy|#169);/g, val: \"©\" },\n      \"reg\": { regex: /&(reg|#174);/g, val: \"®\" },\n      \"inr\": { regex: /&(inr|#8377);/g, val: \"₹\" },\n      \"num_dec\": { regex: /&#([0-9]{1,7});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 10)) },\n      \"num_hex\": { regex: /&#x([0-9a-fA-F]{1,6});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 16)) }\n    };\n    this.addExternalEntities = addExternalEntities;\n    this.parseXml = parseXml;\n    this.parseTextData = parseTextData;\n    this.resolveNameSpace = resolveNameSpace;\n    this.buildAttributesMap = buildAttributesMap;\n    this.isItStopNode = isItStopNode;\n    this.replaceEntitiesValue = replaceEntitiesValue$1;\n    this.readStopNodeData = readStopNodeData;\n    this.saveTextToParentTag = saveTextToParentTag;\n    this.addChild = addChild;\n  }\n};\nfunction addExternalEntities(externalEntities) {\n  const entKeys = Object.keys(externalEntities);\n  for (let i = 0; i < entKeys.length; i++) {\n    const ent = entKeys[i];\n    this.lastEntities[ent] = {\n      regex: new RegExp(\"&\" + ent + \";\", \"g\"),\n      val: externalEntities[ent]\n    };\n  }\n}\nfunction parseTextData(val2, tagName, jPath, dontTrim, hasAttributes, isLeafNode, escapeEntities) {\n  if (val2 !== void 0) {\n    if (this.options.trimValues && !dontTrim) {\n      val2 = val2.trim();\n    }\n    if (val2.length > 0) {\n      if (!escapeEntities) val2 = this.replaceEntitiesValue(val2);\n      const newval = this.options.tagValueProcessor(tagName, val2, jPath, hasAttributes, isLeafNode);\n      if (newval === null || newval === void 0) {\n        return val2;\n      } else if (typeof newval !== typeof val2 || newval !== val2) {\n        return newval;\n      } else if (this.options.trimValues) {\n        return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n      } else {\n        const trimmedVal = val2.trim();\n        if (trimmedVal === val2) {\n          return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n        } else {\n          return val2;\n        }\n      }\n    }\n  }\n}\nfunction resolveNameSpace(tagname) {\n  if (this.options.removeNSPrefix) {\n    const tags = tagname.split(\":\");\n    const prefix = tagname.charAt(0) === \"/\" ? \"/\" : \"\";\n    if (tags[0] === \"xmlns\") {\n      return \"\";\n    }\n    if (tags.length === 2) {\n      tagname = prefix + tags[1];\n    }\n  }\n  return tagname;\n}\nconst attrsRegx = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction buildAttributesMap(attrStr, jPath, tagName) {\n  if (!this.options.ignoreAttributes && typeof attrStr === \"string\") {\n    const matches = util.getAllMatches(attrStr, attrsRegx);\n    const len = matches.length;\n    const attrs = {};\n    for (let i = 0; i < len; i++) {\n      const attrName = this.resolveNameSpace(matches[i][1]);\n      let oldVal = matches[i][4];\n      let aName = this.options.attributeNamePrefix + attrName;\n      if (attrName.length) {\n        if (this.options.transformAttributeName) {\n          aName = this.options.transformAttributeName(aName);\n        }\n        if (aName === \"__proto__\") aName = \"#__proto__\";\n        if (oldVal !== void 0) {\n          if (this.options.trimValues) {\n            oldVal = oldVal.trim();\n          }\n          oldVal = this.replaceEntitiesValue(oldVal);\n          const newVal = this.options.attributeValueProcessor(attrName, oldVal, jPath);\n          if (newVal === null || newVal === void 0) {\n            attrs[aName] = oldVal;\n          } else if (typeof newVal !== typeof oldVal || newVal !== oldVal) {\n            attrs[aName] = newVal;\n          } else {\n            attrs[aName] = parseValue(\n              oldVal,\n              this.options.parseAttributeValue,\n              this.options.numberParseOptions\n            );\n          }\n        } else if (this.options.allowBooleanAttributes) {\n          attrs[aName] = true;\n        }\n      }\n    }\n    if (!Object.keys(attrs).length) {\n      return;\n    }\n    if (this.options.attributesGroupName) {\n      const attrCollection = {};\n      attrCollection[this.options.attributesGroupName] = attrs;\n      return attrCollection;\n    }\n    return attrs;\n  }\n}\nconst parseXml = function(xmlData) {\n  xmlData = xmlData.replace(/\\r\\n?/g, \"\\n\");\n  const xmlObj = new xmlNode(\"!xml\");\n  let currentNode = xmlObj;\n  let textData = \"\";\n  let jPath = \"\";\n  for (let i = 0; i < xmlData.length; i++) {\n    const ch = xmlData[i];\n    if (ch === \"<\") {\n      if (xmlData[i + 1] === \"/\") {\n        const closeIndex = findClosingIndex(xmlData, \">\", i, \"Closing Tag is not closed.\");\n        let tagName = xmlData.substring(i + 2, closeIndex).trim();\n        if (this.options.removeNSPrefix) {\n          const colonIndex = tagName.indexOf(\":\");\n          if (colonIndex !== -1) {\n            tagName = tagName.substr(colonIndex + 1);\n          }\n        }\n        if (this.options.transformTagName) {\n          tagName = this.options.transformTagName(tagName);\n        }\n        if (currentNode) {\n          textData = this.saveTextToParentTag(textData, currentNode, jPath);\n        }\n        const lastTagName = jPath.substring(jPath.lastIndexOf(\".\") + 1);\n        if (tagName && this.options.unpairedTags.indexOf(tagName) !== -1) {\n          throw new Error(`Unpaired tag can not be used as closing tag: </${tagName}>`);\n        }\n        let propIndex = 0;\n        if (lastTagName && this.options.unpairedTags.indexOf(lastTagName) !== -1) {\n          propIndex = jPath.lastIndexOf(\".\", jPath.lastIndexOf(\".\") - 1);\n          this.tagsNodeStack.pop();\n        } else {\n          propIndex = jPath.lastIndexOf(\".\");\n        }\n        jPath = jPath.substring(0, propIndex);\n        currentNode = this.tagsNodeStack.pop();\n        textData = \"\";\n        i = closeIndex;\n      } else if (xmlData[i + 1] === \"?\") {\n        let tagData = readTagExp(xmlData, i, false, \"?>\");\n        if (!tagData) throw new Error(\"Pi Tag is not closed.\");\n        textData = this.saveTextToParentTag(textData, currentNode, jPath);\n        if (this.options.ignoreDeclaration && tagData.tagName === \"?xml\" || this.options.ignorePiTags) ;\n        else {\n          const childNode = new xmlNode(tagData.tagName);\n          childNode.add(this.options.textNodeName, \"\");\n          if (tagData.tagName !== tagData.tagExp && tagData.attrExpPresent) {\n            childNode[\":@\"] = this.buildAttributesMap(tagData.tagExp, jPath, tagData.tagName);\n          }\n          this.addChild(currentNode, childNode, jPath);\n        }\n        i = tagData.closeIndex + 1;\n      } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n        const endIndex = findClosingIndex(xmlData, \"-->\", i + 4, \"Comment is not closed.\");\n        if (this.options.commentPropName) {\n          const comment = xmlData.substring(i + 4, endIndex - 2);\n          textData = this.saveTextToParentTag(textData, currentNode, jPath);\n          currentNode.add(this.options.commentPropName, [{ [this.options.textNodeName]: comment }]);\n        }\n        i = endIndex;\n      } else if (xmlData.substr(i + 1, 2) === \"!D\") {\n        const result = readDocType(xmlData, i);\n        this.docTypeEntities = result.entities;\n        i = result.i;\n      } else if (xmlData.substr(i + 1, 2) === \"![\") {\n        const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"CDATA is not closed.\") - 2;\n        const tagExp = xmlData.substring(i + 9, closeIndex);\n        textData = this.saveTextToParentTag(textData, currentNode, jPath);\n        let val2 = this.parseTextData(tagExp, currentNode.tagname, jPath, true, false, true, true);\n        if (val2 == void 0) val2 = \"\";\n        if (this.options.cdataPropName) {\n          currentNode.add(this.options.cdataPropName, [{ [this.options.textNodeName]: tagExp }]);\n        } else {\n          currentNode.add(this.options.textNodeName, val2);\n        }\n        i = closeIndex + 2;\n      } else {\n        let result = readTagExp(xmlData, i, this.options.removeNSPrefix);\n        let tagName = result.tagName;\n        const rawTagName = result.rawTagName;\n        let tagExp = result.tagExp;\n        let attrExpPresent = result.attrExpPresent;\n        let closeIndex = result.closeIndex;\n        if (this.options.transformTagName) {\n          tagName = this.options.transformTagName(tagName);\n        }\n        if (currentNode && textData) {\n          if (currentNode.tagname !== \"!xml\") {\n            textData = this.saveTextToParentTag(textData, currentNode, jPath, false);\n          }\n        }\n        const lastTag = currentNode;\n        if (lastTag && this.options.unpairedTags.indexOf(lastTag.tagname) !== -1) {\n          currentNode = this.tagsNodeStack.pop();\n          jPath = jPath.substring(0, jPath.lastIndexOf(\".\"));\n        }\n        if (tagName !== xmlObj.tagname) {\n          jPath += jPath ? \".\" + tagName : tagName;\n        }\n        if (this.isItStopNode(this.options.stopNodes, jPath, tagName)) {\n          let tagContent = \"\";\n          if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n            if (tagName[tagName.length - 1] === \"/\") {\n              tagName = tagName.substr(0, tagName.length - 1);\n              jPath = jPath.substr(0, jPath.length - 1);\n              tagExp = tagName;\n            } else {\n              tagExp = tagExp.substr(0, tagExp.length - 1);\n            }\n            i = result.closeIndex;\n          } else if (this.options.unpairedTags.indexOf(tagName) !== -1) {\n            i = result.closeIndex;\n          } else {\n            const result2 = this.readStopNodeData(xmlData, rawTagName, closeIndex + 1);\n            if (!result2) throw new Error(`Unexpected end of ${rawTagName}`);\n            i = result2.i;\n            tagContent = result2.tagContent;\n          }\n          const childNode = new xmlNode(tagName);\n          if (tagName !== tagExp && attrExpPresent) {\n            childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n          }\n          if (tagContent) {\n            tagContent = this.parseTextData(tagContent, tagName, jPath, true, attrExpPresent, true, true);\n          }\n          jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n          childNode.add(this.options.textNodeName, tagContent);\n          this.addChild(currentNode, childNode, jPath);\n        } else {\n          if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n            if (tagName[tagName.length - 1] === \"/\") {\n              tagName = tagName.substr(0, tagName.length - 1);\n              jPath = jPath.substr(0, jPath.length - 1);\n              tagExp = tagName;\n            } else {\n              tagExp = tagExp.substr(0, tagExp.length - 1);\n            }\n            if (this.options.transformTagName) {\n              tagName = this.options.transformTagName(tagName);\n            }\n            const childNode = new xmlNode(tagName);\n            if (tagName !== tagExp && attrExpPresent) {\n              childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n            }\n            this.addChild(currentNode, childNode, jPath);\n            jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n          } else {\n            const childNode = new xmlNode(tagName);\n            this.tagsNodeStack.push(currentNode);\n            if (tagName !== tagExp && attrExpPresent) {\n              childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n            }\n            this.addChild(currentNode, childNode, jPath);\n            currentNode = childNode;\n          }\n          textData = \"\";\n          i = closeIndex;\n        }\n      }\n    } else {\n      textData += xmlData[i];\n    }\n  }\n  return xmlObj.child;\n};\nfunction addChild(currentNode, childNode, jPath) {\n  const result = this.options.updateTag(childNode.tagname, jPath, childNode[\":@\"]);\n  if (result === false) ;\n  else if (typeof result === \"string\") {\n    childNode.tagname = result;\n    currentNode.addChild(childNode);\n  } else {\n    currentNode.addChild(childNode);\n  }\n}\nconst replaceEntitiesValue$1 = function(val2) {\n  if (this.options.processEntities) {\n    for (let entityName2 in this.docTypeEntities) {\n      const entity = this.docTypeEntities[entityName2];\n      val2 = val2.replace(entity.regx, entity.val);\n    }\n    for (let entityName2 in this.lastEntities) {\n      const entity = this.lastEntities[entityName2];\n      val2 = val2.replace(entity.regex, entity.val);\n    }\n    if (this.options.htmlEntities) {\n      for (let entityName2 in this.htmlEntities) {\n        const entity = this.htmlEntities[entityName2];\n        val2 = val2.replace(entity.regex, entity.val);\n      }\n    }\n    val2 = val2.replace(this.ampEntity.regex, this.ampEntity.val);\n  }\n  return val2;\n};\nfunction saveTextToParentTag(textData, currentNode, jPath, isLeafNode) {\n  if (textData) {\n    if (isLeafNode === void 0) isLeafNode = Object.keys(currentNode.child).length === 0;\n    textData = this.parseTextData(\n      textData,\n      currentNode.tagname,\n      jPath,\n      false,\n      currentNode[\":@\"] ? Object.keys(currentNode[\":@\"]).length !== 0 : false,\n      isLeafNode\n    );\n    if (textData !== void 0 && textData !== \"\")\n      currentNode.add(this.options.textNodeName, textData);\n    textData = \"\";\n  }\n  return textData;\n}\nfunction isItStopNode(stopNodes, jPath, currentTagName) {\n  const allNodesExp = \"*.\" + currentTagName;\n  for (const stopNodePath in stopNodes) {\n    const stopNodeExp = stopNodes[stopNodePath];\n    if (allNodesExp === stopNodeExp || jPath === stopNodeExp) return true;\n  }\n  return false;\n}\nfunction tagExpWithClosingIndex(xmlData, i, closingChar = \">\") {\n  let attrBoundary;\n  let tagExp = \"\";\n  for (let index = i; index < xmlData.length; index++) {\n    let ch = xmlData[index];\n    if (attrBoundary) {\n      if (ch === attrBoundary) attrBoundary = \"\";\n    } else if (ch === '\"' || ch === \"'\") {\n      attrBoundary = ch;\n    } else if (ch === closingChar[0]) {\n      if (closingChar[1]) {\n        if (xmlData[index + 1] === closingChar[1]) {\n          return {\n            data: tagExp,\n            index\n          };\n        }\n      } else {\n        return {\n          data: tagExp,\n          index\n        };\n      }\n    } else if (ch === \"\t\") {\n      ch = \" \";\n    }\n    tagExp += ch;\n  }\n}\nfunction findClosingIndex(xmlData, str, i, errMsg) {\n  const closingIndex = xmlData.indexOf(str, i);\n  if (closingIndex === -1) {\n    throw new Error(errMsg);\n  } else {\n    return closingIndex + str.length - 1;\n  }\n}\nfunction readTagExp(xmlData, i, removeNSPrefix, closingChar = \">\") {\n  const result = tagExpWithClosingIndex(xmlData, i + 1, closingChar);\n  if (!result) return;\n  let tagExp = result.data;\n  const closeIndex = result.index;\n  const separatorIndex = tagExp.search(/\\s/);\n  let tagName = tagExp;\n  let attrExpPresent = true;\n  if (separatorIndex !== -1) {\n    tagName = tagExp.substring(0, separatorIndex);\n    tagExp = tagExp.substring(separatorIndex + 1).trimStart();\n  }\n  const rawTagName = tagName;\n  if (removeNSPrefix) {\n    const colonIndex = tagName.indexOf(\":\");\n    if (colonIndex !== -1) {\n      tagName = tagName.substr(colonIndex + 1);\n      attrExpPresent = tagName !== result.data.substr(colonIndex + 1);\n    }\n  }\n  return {\n    tagName,\n    tagExp,\n    closeIndex,\n    attrExpPresent,\n    rawTagName\n  };\n}\nfunction readStopNodeData(xmlData, tagName, i) {\n  const startIndex = i;\n  let openTagCount = 1;\n  for (; i < xmlData.length; i++) {\n    if (xmlData[i] === \"<\") {\n      if (xmlData[i + 1] === \"/\") {\n        const closeIndex = findClosingIndex(xmlData, \">\", i, `${tagName} is not closed`);\n        let closeTagName = xmlData.substring(i + 2, closeIndex).trim();\n        if (closeTagName === tagName) {\n          openTagCount--;\n          if (openTagCount === 0) {\n            return {\n              tagContent: xmlData.substring(startIndex, i),\n              i: closeIndex\n            };\n          }\n        }\n        i = closeIndex;\n      } else if (xmlData[i + 1] === \"?\") {\n        const closeIndex = findClosingIndex(xmlData, \"?>\", i + 1, \"StopNode is not closed.\");\n        i = closeIndex;\n      } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n        const closeIndex = findClosingIndex(xmlData, \"-->\", i + 3, \"StopNode is not closed.\");\n        i = closeIndex;\n      } else if (xmlData.substr(i + 1, 2) === \"![\") {\n        const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"StopNode is not closed.\") - 2;\n        i = closeIndex;\n      } else {\n        const tagData = readTagExp(xmlData, i, \">\");\n        if (tagData) {\n          const openTagName = tagData && tagData.tagName;\n          if (openTagName === tagName && tagData.tagExp[tagData.tagExp.length - 1] !== \"/\") {\n            openTagCount++;\n          }\n          i = tagData.closeIndex;\n        }\n      }\n    }\n  }\n}\nfunction parseValue(val2, shouldParse, options) {\n  if (shouldParse && typeof val2 === \"string\") {\n    const newval = val2.trim();\n    if (newval === \"true\") return true;\n    else if (newval === \"false\") return false;\n    else return toNumber(val2, options);\n  } else {\n    if (util.isExist(val2)) {\n      return val2;\n    } else {\n      return \"\";\n    }\n  }\n}\nvar OrderedObjParser_1 = OrderedObjParser$1;\nvar node2json = {};\nfunction prettify$1(node, options) {\n  return compress(node, options);\n}\nfunction compress(arr, options, jPath) {\n  let text;\n  const compressedObj = {};\n  for (let i = 0; i < arr.length; i++) {\n    const tagObj = arr[i];\n    const property = propName$1(tagObj);\n    let newJpath = \"\";\n    if (jPath === void 0) newJpath = property;\n    else newJpath = jPath + \".\" + property;\n    if (property === options.textNodeName) {\n      if (text === void 0) text = tagObj[property];\n      else text += \"\" + tagObj[property];\n    } else if (property === void 0) {\n      continue;\n    } else if (tagObj[property]) {\n      let val2 = compress(tagObj[property], options, newJpath);\n      const isLeaf = isLeafTag(val2, options);\n      if (tagObj[\":@\"]) {\n        assignAttributes(val2, tagObj[\":@\"], newJpath, options);\n      } else if (Object.keys(val2).length === 1 && val2[options.textNodeName] !== void 0 && !options.alwaysCreateTextNode) {\n        val2 = val2[options.textNodeName];\n      } else if (Object.keys(val2).length === 0) {\n        if (options.alwaysCreateTextNode) val2[options.textNodeName] = \"\";\n        else val2 = \"\";\n      }\n      if (compressedObj[property] !== void 0 && compressedObj.hasOwnProperty(property)) {\n        if (!Array.isArray(compressedObj[property])) {\n          compressedObj[property] = [compressedObj[property]];\n        }\n        compressedObj[property].push(val2);\n      } else {\n        if (options.isArray(property, newJpath, isLeaf)) {\n          compressedObj[property] = [val2];\n        } else {\n          compressedObj[property] = val2;\n        }\n      }\n    }\n  }\n  if (typeof text === \"string\") {\n    if (text.length > 0) compressedObj[options.textNodeName] = text;\n  } else if (text !== void 0) compressedObj[options.textNodeName] = text;\n  return compressedObj;\n}\nfunction propName$1(obj) {\n  const keys = Object.keys(obj);\n  for (let i = 0; i < keys.length; i++) {\n    const key = keys[i];\n    if (key !== \":@\") return key;\n  }\n}\nfunction assignAttributes(obj, attrMap, jpath, options) {\n  if (attrMap) {\n    const keys = Object.keys(attrMap);\n    const len = keys.length;\n    for (let i = 0; i < len; i++) {\n      const atrrName = keys[i];\n      if (options.isArray(atrrName, jpath + \".\" + atrrName, true, true)) {\n        obj[atrrName] = [attrMap[atrrName]];\n      } else {\n        obj[atrrName] = attrMap[atrrName];\n      }\n    }\n  }\n}\nfunction isLeafTag(obj, options) {\n  const { textNodeName } = options;\n  const propCount = Object.keys(obj).length;\n  if (propCount === 0) {\n    return true;\n  }\n  if (propCount === 1 && (obj[textNodeName] || typeof obj[textNodeName] === \"boolean\" || obj[textNodeName] === 0)) {\n    return true;\n  }\n  return false;\n}\nnode2json.prettify = prettify$1;\nconst { buildOptions } = OptionsBuilder;\nconst OrderedObjParser2 = OrderedObjParser_1;\nconst { prettify } = node2json;\nconst validator$1 = validator$2;\nlet XMLParser$1 = class XMLParser {\n  constructor(options) {\n    this.externalEntities = {};\n    this.options = buildOptions(options);\n  }\n  /**\n   * Parse XML dats to JS object \n   * @param {string|Buffer} xmlData \n   * @param {boolean|Object} validationOption \n   */\n  parse(xmlData, validationOption) {\n    if (typeof xmlData === \"string\") ;\n    else if (xmlData.toString) {\n      xmlData = xmlData.toString();\n    } else {\n      throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n    }\n    if (validationOption) {\n      if (validationOption === true) validationOption = {};\n      const result = validator$1.validate(xmlData, validationOption);\n      if (result !== true) {\n        throw Error(`${result.err.msg}:${result.err.line}:${result.err.col}`);\n      }\n    }\n    const orderedObjParser = new OrderedObjParser2(this.options);\n    orderedObjParser.addExternalEntities(this.externalEntities);\n    const orderedResult = orderedObjParser.parseXml(xmlData);\n    if (this.options.preserveOrder || orderedResult === void 0) return orderedResult;\n    else return prettify(orderedResult, this.options);\n  }\n  /**\n   * Add Entity which is not by default supported by this library\n   * @param {string} key \n   * @param {string} value \n   */\n  addEntity(key, value) {\n    if (value.indexOf(\"&\") !== -1) {\n      throw new Error(\"Entity value can't have '&'\");\n    } else if (key.indexOf(\"&\") !== -1 || key.indexOf(\";\") !== -1) {\n      throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'\");\n    } else if (value === \"&\") {\n      throw new Error(\"An entity with value '&' is not permitted\");\n    } else {\n      this.externalEntities[key] = value;\n    }\n  }\n};\nvar XMLParser_1 = XMLParser$1;\nconst EOL = \"\\n\";\nfunction toXml(jArray, options) {\n  let indentation = \"\";\n  if (options.format && options.indentBy.length > 0) {\n    indentation = EOL;\n  }\n  return arrToStr(jArray, options, \"\", indentation);\n}\nfunction arrToStr(arr, options, jPath, indentation) {\n  let xmlStr = \"\";\n  let isPreviousElementTag = false;\n  for (let i = 0; i < arr.length; i++) {\n    const tagObj = arr[i];\n    const tagName = propName(tagObj);\n    if (tagName === void 0) continue;\n    let newJPath = \"\";\n    if (jPath.length === 0) newJPath = tagName;\n    else newJPath = `${jPath}.${tagName}`;\n    if (tagName === options.textNodeName) {\n      let tagText = tagObj[tagName];\n      if (!isStopNode(newJPath, options)) {\n        tagText = options.tagValueProcessor(tagName, tagText);\n        tagText = replaceEntitiesValue(tagText, options);\n      }\n      if (isPreviousElementTag) {\n        xmlStr += indentation;\n      }\n      xmlStr += tagText;\n      isPreviousElementTag = false;\n      continue;\n    } else if (tagName === options.cdataPropName) {\n      if (isPreviousElementTag) {\n        xmlStr += indentation;\n      }\n      xmlStr += `<![CDATA[${tagObj[tagName][0][options.textNodeName]}]]>`;\n      isPreviousElementTag = false;\n      continue;\n    } else if (tagName === options.commentPropName) {\n      xmlStr += indentation + `<!--${tagObj[tagName][0][options.textNodeName]}-->`;\n      isPreviousElementTag = true;\n      continue;\n    } else if (tagName[0] === \"?\") {\n      const attStr2 = attr_to_str(tagObj[\":@\"], options);\n      const tempInd = tagName === \"?xml\" ? \"\" : indentation;\n      let piTextNodeName = tagObj[tagName][0][options.textNodeName];\n      piTextNodeName = piTextNodeName.length !== 0 ? \" \" + piTextNodeName : \"\";\n      xmlStr += tempInd + `<${tagName}${piTextNodeName}${attStr2}?>`;\n      isPreviousElementTag = true;\n      continue;\n    }\n    let newIdentation = indentation;\n    if (newIdentation !== \"\") {\n      newIdentation += options.indentBy;\n    }\n    const attStr = attr_to_str(tagObj[\":@\"], options);\n    const tagStart = indentation + `<${tagName}${attStr}`;\n    const tagValue = arrToStr(tagObj[tagName], options, newJPath, newIdentation);\n    if (options.unpairedTags.indexOf(tagName) !== -1) {\n      if (options.suppressUnpairedNode) xmlStr += tagStart + \">\";\n      else xmlStr += tagStart + \"/>\";\n    } else if ((!tagValue || tagValue.length === 0) && options.suppressEmptyNode) {\n      xmlStr += tagStart + \"/>\";\n    } else if (tagValue && tagValue.endsWith(\">\")) {\n      xmlStr += tagStart + `>${tagValue}${indentation}</${tagName}>`;\n    } else {\n      xmlStr += tagStart + \">\";\n      if (tagValue && indentation !== \"\" && (tagValue.includes(\"/>\") || tagValue.includes(\"</\"))) {\n        xmlStr += indentation + options.indentBy + tagValue + indentation;\n      } else {\n        xmlStr += tagValue;\n      }\n      xmlStr += `</${tagName}>`;\n    }\n    isPreviousElementTag = true;\n  }\n  return xmlStr;\n}\nfunction propName(obj) {\n  const keys = Object.keys(obj);\n  for (let i = 0; i < keys.length; i++) {\n    const key = keys[i];\n    if (!obj.hasOwnProperty(key)) continue;\n    if (key !== \":@\") return key;\n  }\n}\nfunction attr_to_str(attrMap, options) {\n  let attrStr = \"\";\n  if (attrMap && !options.ignoreAttributes) {\n    for (let attr in attrMap) {\n      if (!attrMap.hasOwnProperty(attr)) continue;\n      let attrVal = options.attributeValueProcessor(attr, attrMap[attr]);\n      attrVal = replaceEntitiesValue(attrVal, options);\n      if (attrVal === true && options.suppressBooleanAttributes) {\n        attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}`;\n      } else {\n        attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}=\"${attrVal}\"`;\n      }\n    }\n  }\n  return attrStr;\n}\nfunction isStopNode(jPath, options) {\n  jPath = jPath.substr(0, jPath.length - options.textNodeName.length - 1);\n  let tagName = jPath.substr(jPath.lastIndexOf(\".\") + 1);\n  for (let index in options.stopNodes) {\n    if (options.stopNodes[index] === jPath || options.stopNodes[index] === \"*.\" + tagName) return true;\n  }\n  return false;\n}\nfunction replaceEntitiesValue(textValue, options) {\n  if (textValue && textValue.length > 0 && options.processEntities) {\n    for (let i = 0; i < options.entities.length; i++) {\n      const entity = options.entities[i];\n      textValue = textValue.replace(entity.regex, entity.val);\n    }\n  }\n  return textValue;\n}\nvar orderedJs2Xml = toXml;\nconst buildFromOrderedJs = orderedJs2Xml;\nconst defaultOptions = {\n  attributeNamePrefix: \"@_\",\n  attributesGroupName: false,\n  textNodeName: \"#text\",\n  ignoreAttributes: true,\n  cdataPropName: false,\n  format: false,\n  indentBy: \"  \",\n  suppressEmptyNode: false,\n  suppressUnpairedNode: true,\n  suppressBooleanAttributes: true,\n  tagValueProcessor: function(key, a) {\n    return a;\n  },\n  attributeValueProcessor: function(attrName, a) {\n    return a;\n  },\n  preserveOrder: false,\n  commentPropName: false,\n  unpairedTags: [],\n  entities: [\n    { regex: new RegExp(\"&\", \"g\"), val: \"&amp;\" },\n    //it must be on top\n    { regex: new RegExp(\">\", \"g\"), val: \"&gt;\" },\n    { regex: new RegExp(\"<\", \"g\"), val: \"&lt;\" },\n    { regex: new RegExp(\"'\", \"g\"), val: \"&apos;\" },\n    { regex: new RegExp('\"', \"g\"), val: \"&quot;\" }\n  ],\n  processEntities: true,\n  stopNodes: [],\n  // transformTagName: false,\n  // transformAttributeName: false,\n  oneListGroup: false\n};\nfunction Builder(options) {\n  this.options = Object.assign({}, defaultOptions, options);\n  if (this.options.ignoreAttributes || this.options.attributesGroupName) {\n    this.isAttribute = function() {\n      return false;\n    };\n  } else {\n    this.attrPrefixLen = this.options.attributeNamePrefix.length;\n    this.isAttribute = isAttribute;\n  }\n  this.processTextOrObjNode = processTextOrObjNode;\n  if (this.options.format) {\n    this.indentate = indentate;\n    this.tagEndChar = \">\\n\";\n    this.newLine = \"\\n\";\n  } else {\n    this.indentate = function() {\n      return \"\";\n    };\n    this.tagEndChar = \">\";\n    this.newLine = \"\";\n  }\n}\nBuilder.prototype.build = function(jObj) {\n  if (this.options.preserveOrder) {\n    return buildFromOrderedJs(jObj, this.options);\n  } else {\n    if (Array.isArray(jObj) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1) {\n      jObj = {\n        [this.options.arrayNodeName]: jObj\n      };\n    }\n    return this.j2x(jObj, 0).val;\n  }\n};\nBuilder.prototype.j2x = function(jObj, level) {\n  let attrStr = \"\";\n  let val2 = \"\";\n  for (let key in jObj) {\n    if (!Object.prototype.hasOwnProperty.call(jObj, key)) continue;\n    if (typeof jObj[key] === \"undefined\") {\n      if (this.isAttribute(key)) {\n        val2 += \"\";\n      }\n    } else if (jObj[key] === null) {\n      if (this.isAttribute(key)) {\n        val2 += \"\";\n      } else if (key[0] === \"?\") {\n        val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n      } else {\n        val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n      }\n    } else if (jObj[key] instanceof Date) {\n      val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n    } else if (typeof jObj[key] !== \"object\") {\n      const attr = this.isAttribute(key);\n      if (attr) {\n        attrStr += this.buildAttrPairStr(attr, \"\" + jObj[key]);\n      } else {\n        if (key === this.options.textNodeName) {\n          let newval = this.options.tagValueProcessor(key, \"\" + jObj[key]);\n          val2 += this.replaceEntitiesValue(newval);\n        } else {\n          val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n        }\n      }\n    } else if (Array.isArray(jObj[key])) {\n      const arrLen = jObj[key].length;\n      let listTagVal = \"\";\n      let listTagAttr = \"\";\n      for (let j = 0; j < arrLen; j++) {\n        const item = jObj[key][j];\n        if (typeof item === \"undefined\") ;\n        else if (item === null) {\n          if (key[0] === \"?\") val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n          else val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n        } else if (typeof item === \"object\") {\n          if (this.options.oneListGroup) {\n            const result = this.j2x(item, level + 1);\n            listTagVal += result.val;\n            if (this.options.attributesGroupName && item.hasOwnProperty(this.options.attributesGroupName)) {\n              listTagAttr += result.attrStr;\n            }\n          } else {\n            listTagVal += this.processTextOrObjNode(item, key, level);\n          }\n        } else {\n          if (this.options.oneListGroup) {\n            let textValue = this.options.tagValueProcessor(key, item);\n            textValue = this.replaceEntitiesValue(textValue);\n            listTagVal += textValue;\n          } else {\n            listTagVal += this.buildTextValNode(item, key, \"\", level);\n          }\n        }\n      }\n      if (this.options.oneListGroup) {\n        listTagVal = this.buildObjectNode(listTagVal, key, listTagAttr, level);\n      }\n      val2 += listTagVal;\n    } else {\n      if (this.options.attributesGroupName && key === this.options.attributesGroupName) {\n        const Ks = Object.keys(jObj[key]);\n        const L = Ks.length;\n        for (let j = 0; j < L; j++) {\n          attrStr += this.buildAttrPairStr(Ks[j], \"\" + jObj[key][Ks[j]]);\n        }\n      } else {\n        val2 += this.processTextOrObjNode(jObj[key], key, level);\n      }\n    }\n  }\n  return { attrStr, val: val2 };\n};\nBuilder.prototype.buildAttrPairStr = function(attrName, val2) {\n  val2 = this.options.attributeValueProcessor(attrName, \"\" + val2);\n  val2 = this.replaceEntitiesValue(val2);\n  if (this.options.suppressBooleanAttributes && val2 === \"true\") {\n    return \" \" + attrName;\n  } else return \" \" + attrName + '=\"' + val2 + '\"';\n};\nfunction processTextOrObjNode(object, key, level) {\n  const result = this.j2x(object, level + 1);\n  if (object[this.options.textNodeName] !== void 0 && Object.keys(object).length === 1) {\n    return this.buildTextValNode(object[this.options.textNodeName], key, result.attrStr, level);\n  } else {\n    return this.buildObjectNode(result.val, key, result.attrStr, level);\n  }\n}\nBuilder.prototype.buildObjectNode = function(val2, key, attrStr, level) {\n  if (val2 === \"\") {\n    if (key[0] === \"?\") return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n    else {\n      return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n    }\n  } else {\n    let tagEndExp = \"</\" + key + this.tagEndChar;\n    let piClosingChar = \"\";\n    if (key[0] === \"?\") {\n      piClosingChar = \"?\";\n      tagEndExp = \"\";\n    }\n    if ((attrStr || attrStr === \"\") && val2.indexOf(\"<\") === -1) {\n      return this.indentate(level) + \"<\" + key + attrStr + piClosingChar + \">\" + val2 + tagEndExp;\n    } else if (this.options.commentPropName !== false && key === this.options.commentPropName && piClosingChar.length === 0) {\n      return this.indentate(level) + `<!--${val2}-->` + this.newLine;\n    } else {\n      return this.indentate(level) + \"<\" + key + attrStr + piClosingChar + this.tagEndChar + val2 + this.indentate(level) + tagEndExp;\n    }\n  }\n};\nBuilder.prototype.closeTag = function(key) {\n  let closeTag = \"\";\n  if (this.options.unpairedTags.indexOf(key) !== -1) {\n    if (!this.options.suppressUnpairedNode) closeTag = \"/\";\n  } else if (this.options.suppressEmptyNode) {\n    closeTag = \"/\";\n  } else {\n    closeTag = `></${key}`;\n  }\n  return closeTag;\n};\nBuilder.prototype.buildTextValNode = function(val2, key, attrStr, level) {\n  if (this.options.cdataPropName !== false && key === this.options.cdataPropName) {\n    return this.indentate(level) + `<![CDATA[${val2}]]>` + this.newLine;\n  } else if (this.options.commentPropName !== false && key === this.options.commentPropName) {\n    return this.indentate(level) + `<!--${val2}-->` + this.newLine;\n  } else if (key[0] === \"?\") {\n    return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n  } else {\n    let textValue = this.options.tagValueProcessor(key, val2);\n    textValue = this.replaceEntitiesValue(textValue);\n    if (textValue === \"\") {\n      return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n    } else {\n      return this.indentate(level) + \"<\" + key + attrStr + \">\" + textValue + \"</\" + key + this.tagEndChar;\n    }\n  }\n};\nBuilder.prototype.replaceEntitiesValue = function(textValue) {\n  if (textValue && textValue.length > 0 && this.options.processEntities) {\n    for (let i = 0; i < this.options.entities.length; i++) {\n      const entity = this.options.entities[i];\n      textValue = textValue.replace(entity.regex, entity.val);\n    }\n  }\n  return textValue;\n};\nfunction indentate(level) {\n  return this.options.indentBy.repeat(level);\n}\nfunction isAttribute(name) {\n  if (name.startsWith(this.options.attributeNamePrefix) && name !== this.options.textNodeName) {\n    return name.substr(this.attrPrefixLen);\n  } else {\n    return false;\n  }\n}\nvar json2xml = Builder;\nconst validator = validator$2;\nconst XMLParser2 = XMLParser_1;\nconst XMLBuilder = json2xml;\nvar fxp = {\n  XMLParser: XMLParser2,\n  XMLValidator: validator,\n  XMLBuilder\n};\nfunction isSvg(string) {\n  if (typeof string !== \"string\") {\n    throw new TypeError(`Expected a \\`string\\`, got \\`${typeof string}\\``);\n  }\n  string = string.trim();\n  if (string.length === 0) {\n    return false;\n  }\n  if (fxp.XMLValidator.validate(string) !== true) {\n    return false;\n  }\n  let jsonObject;\n  const parser = new fxp.XMLParser();\n  try {\n    jsonObject = parser.parse(string);\n  } catch {\n    return false;\n  }\n  if (!jsonObject) {\n    return false;\n  }\n  if (!Object.keys(jsonObject).some((x) => x.toLowerCase() === \"svg\")) {\n    return false;\n  }\n  return true;\n}\nclass View {\n  _view;\n  constructor(view) {\n    isValidView(view);\n    this._view = view;\n  }\n  get id() {\n    return this._view.id;\n  }\n  get name() {\n    return this._view.name;\n  }\n  get caption() {\n    return this._view.caption;\n  }\n  get emptyTitle() {\n    return this._view.emptyTitle;\n  }\n  get emptyCaption() {\n    return this._view.emptyCaption;\n  }\n  get getContents() {\n    return this._view.getContents;\n  }\n  get icon() {\n    return this._view.icon;\n  }\n  set icon(icon) {\n    this._view.icon = icon;\n  }\n  get order() {\n    return this._view.order;\n  }\n  set order(order) {\n    this._view.order = order;\n  }\n  get params() {\n    return this._view.params;\n  }\n  set params(params) {\n    this._view.params = params;\n  }\n  get columns() {\n    return this._view.columns;\n  }\n  get emptyView() {\n    return this._view.emptyView;\n  }\n  get parent() {\n    return this._view.parent;\n  }\n  get sticky() {\n    return this._view.sticky;\n  }\n  get expanded() {\n    return this._view.expanded;\n  }\n  set expanded(expanded) {\n    this._view.expanded = expanded;\n  }\n  get defaultSortKey() {\n    return this._view.defaultSortKey;\n  }\n  get loadChildViews() {\n    return this._view.loadChildViews;\n  }\n}\nconst isValidView = function(view) {\n  if (!view.id || typeof view.id !== \"string\") {\n    throw new Error(\"View id is required and must be a string\");\n  }\n  if (!view.name || typeof view.name !== \"string\") {\n    throw new Error(\"View name is required and must be a string\");\n  }\n  if (view.columns && view.columns.length > 0 && (!view.caption || typeof view.caption !== \"string\")) {\n    throw new Error(\"View caption is required for top-level views and must be a string\");\n  }\n  if (!view.getContents || typeof view.getContents !== \"function\") {\n    throw new Error(\"View getContents is required and must be a function\");\n  }\n  if (!view.icon || typeof view.icon !== \"string\" || !isSvg(view.icon)) {\n    throw new Error(\"View icon is required and must be a valid svg string\");\n  }\n  if (!(\"order\" in view) || typeof view.order !== \"number\") {\n    throw new Error(\"View order is required and must be a number\");\n  }\n  if (view.columns) {\n    view.columns.forEach((column) => {\n      if (!(column instanceof Column)) {\n        throw new Error(\"View columns must be an array of Column. Invalid column found\");\n      }\n    });\n  }\n  if (view.emptyView && typeof view.emptyView !== \"function\") {\n    throw new Error(\"View emptyView must be a function\");\n  }\n  if (view.parent && typeof view.parent !== \"string\") {\n    throw new Error(\"View parent must be a string\");\n  }\n  if (\"sticky\" in view && typeof view.sticky !== \"boolean\") {\n    throw new Error(\"View sticky must be a boolean\");\n  }\n  if (\"expanded\" in view && typeof view.expanded !== \"boolean\") {\n    throw new Error(\"View expanded must be a boolean\");\n  }\n  if (view.defaultSortKey && typeof view.defaultSortKey !== \"string\") {\n    throw new Error(\"View defaultSortKey must be a string\");\n  }\n  if (view.loadChildViews && typeof view.loadChildViews !== \"function\") {\n    throw new Error(\"View loadChildViews must be a function\");\n  }\n  return true;\n};\nconst debug$1 = typeof process === \"object\" && process.env && process.env.NODE_DEBUG && /\\bsemver\\b/i.test(process.env.NODE_DEBUG) ? (...args) => console.error(\"SEMVER\", ...args) : () => {\n};\nvar debug_1 = debug$1;\nconst SEMVER_SPEC_VERSION = \"2.0.0\";\nconst MAX_LENGTH$1 = 256;\nconst MAX_SAFE_INTEGER$1 = Number.MAX_SAFE_INTEGER || /* istanbul ignore next */\n9007199254740991;\nconst MAX_SAFE_COMPONENT_LENGTH = 16;\nconst MAX_SAFE_BUILD_LENGTH = MAX_LENGTH$1 - 6;\nconst RELEASE_TYPES = [\n  \"major\",\n  \"premajor\",\n  \"minor\",\n  \"preminor\",\n  \"patch\",\n  \"prepatch\",\n  \"prerelease\"\n];\nvar constants = {\n  MAX_LENGTH: MAX_LENGTH$1,\n  MAX_SAFE_COMPONENT_LENGTH,\n  MAX_SAFE_BUILD_LENGTH,\n  MAX_SAFE_INTEGER: MAX_SAFE_INTEGER$1,\n  RELEASE_TYPES,\n  SEMVER_SPEC_VERSION,\n  FLAG_INCLUDE_PRERELEASE: 1,\n  FLAG_LOOSE: 2\n};\nvar re$1 = { exports: {} };\n(function(module, exports) {\n  const {\n    MAX_SAFE_COMPONENT_LENGTH: MAX_SAFE_COMPONENT_LENGTH2,\n    MAX_SAFE_BUILD_LENGTH: MAX_SAFE_BUILD_LENGTH2,\n    MAX_LENGTH: MAX_LENGTH2\n  } = constants;\n  const debug2 = debug_1;\n  exports = module.exports = {};\n  const re2 = exports.re = [];\n  const safeRe = exports.safeRe = [];\n  const src = exports.src = [];\n  const t2 = exports.t = {};\n  let R = 0;\n  const LETTERDASHNUMBER = \"[a-zA-Z0-9-]\";\n  const safeRegexReplacements = [\n    [\"\\\\s\", 1],\n    [\"\\\\d\", MAX_LENGTH2],\n    [LETTERDASHNUMBER, MAX_SAFE_BUILD_LENGTH2]\n  ];\n  const makeSafeRegex = (value) => {\n    for (const [token, max] of safeRegexReplacements) {\n      value = value.split(`${token}*`).join(`${token}{0,${max}}`).split(`${token}+`).join(`${token}{1,${max}}`);\n    }\n    return value;\n  };\n  const createToken = (name, value, isGlobal) => {\n    const safe = makeSafeRegex(value);\n    const index = R++;\n    debug2(name, index, value);\n    t2[name] = index;\n    src[index] = value;\n    re2[index] = new RegExp(value, isGlobal ? \"g\" : void 0);\n    safeRe[index] = new RegExp(safe, isGlobal ? \"g\" : void 0);\n  };\n  createToken(\"NUMERICIDENTIFIER\", \"0|[1-9]\\\\d*\");\n  createToken(\"NUMERICIDENTIFIERLOOSE\", \"\\\\d+\");\n  createToken(\"NONNUMERICIDENTIFIER\", `\\\\d*[a-zA-Z-]${LETTERDASHNUMBER}*`);\n  createToken(\"MAINVERSION\", `(${src[t2.NUMERICIDENTIFIER]})\\\\.(${src[t2.NUMERICIDENTIFIER]})\\\\.(${src[t2.NUMERICIDENTIFIER]})`);\n  createToken(\"MAINVERSIONLOOSE\", `(${src[t2.NUMERICIDENTIFIERLOOSE]})\\\\.(${src[t2.NUMERICIDENTIFIERLOOSE]})\\\\.(${src[t2.NUMERICIDENTIFIERLOOSE]})`);\n  createToken(\"PRERELEASEIDENTIFIER\", `(?:${src[t2.NUMERICIDENTIFIER]}|${src[t2.NONNUMERICIDENTIFIER]})`);\n  createToken(\"PRERELEASEIDENTIFIERLOOSE\", `(?:${src[t2.NUMERICIDENTIFIERLOOSE]}|${src[t2.NONNUMERICIDENTIFIER]})`);\n  createToken(\"PRERELEASE\", `(?:-(${src[t2.PRERELEASEIDENTIFIER]}(?:\\\\.${src[t2.PRERELEASEIDENTIFIER]})*))`);\n  createToken(\"PRERELEASELOOSE\", `(?:-?(${src[t2.PRERELEASEIDENTIFIERLOOSE]}(?:\\\\.${src[t2.PRERELEASEIDENTIFIERLOOSE]})*))`);\n  createToken(\"BUILDIDENTIFIER\", `${LETTERDASHNUMBER}+`);\n  createToken(\"BUILD\", `(?:\\\\+(${src[t2.BUILDIDENTIFIER]}(?:\\\\.${src[t2.BUILDIDENTIFIER]})*))`);\n  createToken(\"FULLPLAIN\", `v?${src[t2.MAINVERSION]}${src[t2.PRERELEASE]}?${src[t2.BUILD]}?`);\n  createToken(\"FULL\", `^${src[t2.FULLPLAIN]}$`);\n  createToken(\"LOOSEPLAIN\", `[v=\\\\s]*${src[t2.MAINVERSIONLOOSE]}${src[t2.PRERELEASELOOSE]}?${src[t2.BUILD]}?`);\n  createToken(\"LOOSE\", `^${src[t2.LOOSEPLAIN]}$`);\n  createToken(\"GTLT\", \"((?:<|>)?=?)\");\n  createToken(\"XRANGEIDENTIFIERLOOSE\", `${src[t2.NUMERICIDENTIFIERLOOSE]}|x|X|\\\\*`);\n  createToken(\"XRANGEIDENTIFIER\", `${src[t2.NUMERICIDENTIFIER]}|x|X|\\\\*`);\n  createToken(\"XRANGEPLAIN\", `[v=\\\\s]*(${src[t2.XRANGEIDENTIFIER]})(?:\\\\.(${src[t2.XRANGEIDENTIFIER]})(?:\\\\.(${src[t2.XRANGEIDENTIFIER]})(?:${src[t2.PRERELEASE]})?${src[t2.BUILD]}?)?)?`);\n  createToken(\"XRANGEPLAINLOOSE\", `[v=\\\\s]*(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:\\\\.(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:\\\\.(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:${src[t2.PRERELEASELOOSE]})?${src[t2.BUILD]}?)?)?`);\n  createToken(\"XRANGE\", `^${src[t2.GTLT]}\\\\s*${src[t2.XRANGEPLAIN]}$`);\n  createToken(\"XRANGELOOSE\", `^${src[t2.GTLT]}\\\\s*${src[t2.XRANGEPLAINLOOSE]}$`);\n  createToken(\"COERCEPLAIN\", `${\"(^|[^\\\\d])(\\\\d{1,\"}${MAX_SAFE_COMPONENT_LENGTH2}})(?:\\\\.(\\\\d{1,${MAX_SAFE_COMPONENT_LENGTH2}}))?(?:\\\\.(\\\\d{1,${MAX_SAFE_COMPONENT_LENGTH2}}))?`);\n  createToken(\"COERCE\", `${src[t2.COERCEPLAIN]}(?:$|[^\\\\d])`);\n  createToken(\"COERCEFULL\", src[t2.COERCEPLAIN] + `(?:${src[t2.PRERELEASE]})?(?:${src[t2.BUILD]})?(?:$|[^\\\\d])`);\n  createToken(\"COERCERTL\", src[t2.COERCE], true);\n  createToken(\"COERCERTLFULL\", src[t2.COERCEFULL], true);\n  createToken(\"LONETILDE\", \"(?:~>?)\");\n  createToken(\"TILDETRIM\", `(\\\\s*)${src[t2.LONETILDE]}\\\\s+`, true);\n  exports.tildeTrimReplace = \"$1~\";\n  createToken(\"TILDE\", `^${src[t2.LONETILDE]}${src[t2.XRANGEPLAIN]}$`);\n  createToken(\"TILDELOOSE\", `^${src[t2.LONETILDE]}${src[t2.XRANGEPLAINLOOSE]}$`);\n  createToken(\"LONECARET\", \"(?:\\\\^)\");\n  createToken(\"CARETTRIM\", `(\\\\s*)${src[t2.LONECARET]}\\\\s+`, true);\n  exports.caretTrimReplace = \"$1^\";\n  createToken(\"CARET\", `^${src[t2.LONECARET]}${src[t2.XRANGEPLAIN]}$`);\n  createToken(\"CARETLOOSE\", `^${src[t2.LONECARET]}${src[t2.XRANGEPLAINLOOSE]}$`);\n  createToken(\"COMPARATORLOOSE\", `^${src[t2.GTLT]}\\\\s*(${src[t2.LOOSEPLAIN]})$|^$`);\n  createToken(\"COMPARATOR\", `^${src[t2.GTLT]}\\\\s*(${src[t2.FULLPLAIN]})$|^$`);\n  createToken(\"COMPARATORTRIM\", `(\\\\s*)${src[t2.GTLT]}\\\\s*(${src[t2.LOOSEPLAIN]}|${src[t2.XRANGEPLAIN]})`, true);\n  exports.comparatorTrimReplace = \"$1$2$3\";\n  createToken(\"HYPHENRANGE\", `^\\\\s*(${src[t2.XRANGEPLAIN]})\\\\s+-\\\\s+(${src[t2.XRANGEPLAIN]})\\\\s*$`);\n  createToken(\"HYPHENRANGELOOSE\", `^\\\\s*(${src[t2.XRANGEPLAINLOOSE]})\\\\s+-\\\\s+(${src[t2.XRANGEPLAINLOOSE]})\\\\s*$`);\n  createToken(\"STAR\", \"(<|>)?=?\\\\s*\\\\*\");\n  createToken(\"GTE0\", \"^\\\\s*>=\\\\s*0\\\\.0\\\\.0\\\\s*$\");\n  createToken(\"GTE0PRE\", \"^\\\\s*>=\\\\s*0\\\\.0\\\\.0-0\\\\s*$\");\n})(re$1, re$1.exports);\nvar reExports = re$1.exports;\nconst looseOption = Object.freeze({ loose: true });\nconst emptyOpts = Object.freeze({});\nconst parseOptions$1 = (options) => {\n  if (!options) {\n    return emptyOpts;\n  }\n  if (typeof options !== \"object\") {\n    return looseOption;\n  }\n  return options;\n};\nvar parseOptions_1 = parseOptions$1;\nconst numeric = /^[0-9]+$/;\nconst compareIdentifiers$1 = (a, b) => {\n  const anum = numeric.test(a);\n  const bnum = numeric.test(b);\n  if (anum && bnum) {\n    a = +a;\n    b = +b;\n  }\n  return a === b ? 0 : anum && !bnum ? -1 : bnum && !anum ? 1 : a < b ? -1 : 1;\n};\nconst rcompareIdentifiers = (a, b) => compareIdentifiers$1(b, a);\nvar identifiers = {\n  compareIdentifiers: compareIdentifiers$1,\n  rcompareIdentifiers\n};\nconst debug = debug_1;\nconst { MAX_LENGTH, MAX_SAFE_INTEGER } = constants;\nconst { safeRe: re, t } = reExports;\nconst parseOptions = parseOptions_1;\nconst { compareIdentifiers } = identifiers;\nlet SemVer$2 = class SemVer {\n  constructor(version, options) {\n    options = parseOptions(options);\n    if (version instanceof SemVer) {\n      if (version.loose === !!options.loose && version.includePrerelease === !!options.includePrerelease) {\n        return version;\n      } else {\n        version = version.version;\n      }\n    } else if (typeof version !== \"string\") {\n      throw new TypeError(`Invalid version. Must be a string. Got type \"${typeof version}\".`);\n    }\n    if (version.length > MAX_LENGTH) {\n      throw new TypeError(\n        `version is longer than ${MAX_LENGTH} characters`\n      );\n    }\n    debug(\"SemVer\", version, options);\n    this.options = options;\n    this.loose = !!options.loose;\n    this.includePrerelease = !!options.includePrerelease;\n    const m = version.trim().match(options.loose ? re[t.LOOSE] : re[t.FULL]);\n    if (!m) {\n      throw new TypeError(`Invalid Version: ${version}`);\n    }\n    this.raw = version;\n    this.major = +m[1];\n    this.minor = +m[2];\n    this.patch = +m[3];\n    if (this.major > MAX_SAFE_INTEGER || this.major < 0) {\n      throw new TypeError(\"Invalid major version\");\n    }\n    if (this.minor > MAX_SAFE_INTEGER || this.minor < 0) {\n      throw new TypeError(\"Invalid minor version\");\n    }\n    if (this.patch > MAX_SAFE_INTEGER || this.patch < 0) {\n      throw new TypeError(\"Invalid patch version\");\n    }\n    if (!m[4]) {\n      this.prerelease = [];\n    } else {\n      this.prerelease = m[4].split(\".\").map((id) => {\n        if (/^[0-9]+$/.test(id)) {\n          const num = +id;\n          if (num >= 0 && num < MAX_SAFE_INTEGER) {\n            return num;\n          }\n        }\n        return id;\n      });\n    }\n    this.build = m[5] ? m[5].split(\".\") : [];\n    this.format();\n  }\n  format() {\n    this.version = `${this.major}.${this.minor}.${this.patch}`;\n    if (this.prerelease.length) {\n      this.version += `-${this.prerelease.join(\".\")}`;\n    }\n    return this.version;\n  }\n  toString() {\n    return this.version;\n  }\n  compare(other) {\n    debug(\"SemVer.compare\", this.version, this.options, other);\n    if (!(other instanceof SemVer)) {\n      if (typeof other === \"string\" && other === this.version) {\n        return 0;\n      }\n      other = new SemVer(other, this.options);\n    }\n    if (other.version === this.version) {\n      return 0;\n    }\n    return this.compareMain(other) || this.comparePre(other);\n  }\n  compareMain(other) {\n    if (!(other instanceof SemVer)) {\n      other = new SemVer(other, this.options);\n    }\n    return compareIdentifiers(this.major, other.major) || compareIdentifiers(this.minor, other.minor) || compareIdentifiers(this.patch, other.patch);\n  }\n  comparePre(other) {\n    if (!(other instanceof SemVer)) {\n      other = new SemVer(other, this.options);\n    }\n    if (this.prerelease.length && !other.prerelease.length) {\n      return -1;\n    } else if (!this.prerelease.length && other.prerelease.length) {\n      return 1;\n    } else if (!this.prerelease.length && !other.prerelease.length) {\n      return 0;\n    }\n    let i = 0;\n    do {\n      const a = this.prerelease[i];\n      const b = other.prerelease[i];\n      debug(\"prerelease compare\", i, a, b);\n      if (a === void 0 && b === void 0) {\n        return 0;\n      } else if (b === void 0) {\n        return 1;\n      } else if (a === void 0) {\n        return -1;\n      } else if (a === b) {\n        continue;\n      } else {\n        return compareIdentifiers(a, b);\n      }\n    } while (++i);\n  }\n  compareBuild(other) {\n    if (!(other instanceof SemVer)) {\n      other = new SemVer(other, this.options);\n    }\n    let i = 0;\n    do {\n      const a = this.build[i];\n      const b = other.build[i];\n      debug(\"build compare\", i, a, b);\n      if (a === void 0 && b === void 0) {\n        return 0;\n      } else if (b === void 0) {\n        return 1;\n      } else if (a === void 0) {\n        return -1;\n      } else if (a === b) {\n        continue;\n      } else {\n        return compareIdentifiers(a, b);\n      }\n    } while (++i);\n  }\n  // preminor will bump the version up to the next minor release, and immediately\n  // down to pre-release. premajor and prepatch work the same way.\n  inc(release, identifier, identifierBase) {\n    switch (release) {\n      case \"premajor\":\n        this.prerelease.length = 0;\n        this.patch = 0;\n        this.minor = 0;\n        this.major++;\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"preminor\":\n        this.prerelease.length = 0;\n        this.patch = 0;\n        this.minor++;\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"prepatch\":\n        this.prerelease.length = 0;\n        this.inc(\"patch\", identifier, identifierBase);\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"prerelease\":\n        if (this.prerelease.length === 0) {\n          this.inc(\"patch\", identifier, identifierBase);\n        }\n        this.inc(\"pre\", identifier, identifierBase);\n        break;\n      case \"major\":\n        if (this.minor !== 0 || this.patch !== 0 || this.prerelease.length === 0) {\n          this.major++;\n        }\n        this.minor = 0;\n        this.patch = 0;\n        this.prerelease = [];\n        break;\n      case \"minor\":\n        if (this.patch !== 0 || this.prerelease.length === 0) {\n          this.minor++;\n        }\n        this.patch = 0;\n        this.prerelease = [];\n        break;\n      case \"patch\":\n        if (this.prerelease.length === 0) {\n          this.patch++;\n        }\n        this.prerelease = [];\n        break;\n      case \"pre\": {\n        const base = Number(identifierBase) ? 1 : 0;\n        if (!identifier && identifierBase === false) {\n          throw new Error(\"invalid increment argument: identifier is empty\");\n        }\n        if (this.prerelease.length === 0) {\n          this.prerelease = [base];\n        } else {\n          let i = this.prerelease.length;\n          while (--i >= 0) {\n            if (typeof this.prerelease[i] === \"number\") {\n              this.prerelease[i]++;\n              i = -2;\n            }\n          }\n          if (i === -1) {\n            if (identifier === this.prerelease.join(\".\") && identifierBase === false) {\n              throw new Error(\"invalid increment argument: identifier already exists\");\n            }\n            this.prerelease.push(base);\n          }\n        }\n        if (identifier) {\n          let prerelease = [identifier, base];\n          if (identifierBase === false) {\n            prerelease = [identifier];\n          }\n          if (compareIdentifiers(this.prerelease[0], identifier) === 0) {\n            if (isNaN(this.prerelease[1])) {\n              this.prerelease = prerelease;\n            }\n          } else {\n            this.prerelease = prerelease;\n          }\n        }\n        break;\n      }\n      default:\n        throw new Error(`invalid increment argument: ${release}`);\n    }\n    this.raw = this.format();\n    if (this.build.length) {\n      this.raw += `+${this.build.join(\".\")}`;\n    }\n    return this;\n  }\n};\nvar semver = SemVer$2;\nconst SemVer$1 = semver;\nconst parse$1 = (version, options, throwErrors = false) => {\n  if (version instanceof SemVer$1) {\n    return version;\n  }\n  try {\n    return new SemVer$1(version, options);\n  } catch (er) {\n    if (!throwErrors) {\n      return null;\n    }\n    throw er;\n  }\n};\nvar parse_1 = parse$1;\nconst parse = parse_1;\nconst valid = (version, options) => {\n  const v = parse(version, options);\n  return v ? v.version : null;\n};\nvar valid_1 = valid;\nconst valid$1 = /* @__PURE__ */ getDefaultExportFromCjs(valid_1);\nconst SemVer2 = semver;\nconst major = (a, loose) => new SemVer2(a, loose).major;\nvar major_1 = major;\nconst major$1 = /* @__PURE__ */ getDefaultExportFromCjs(major_1);\nclass ProxyBus {\n  bus;\n  constructor(bus2) {\n    if (typeof bus2.getVersion !== \"function\" || !valid$1(bus2.getVersion())) {\n      console.warn(\"Proxying an event bus with an unknown or invalid version\");\n    } else if (major$1(bus2.getVersion()) !== major$1(this.getVersion())) {\n      console.warn(\n        \"Proxying an event bus of version \" + bus2.getVersion() + \" with \" + this.getVersion()\n      );\n    }\n    this.bus = bus2;\n  }\n  getVersion() {\n    return \"3.3.1\";\n  }\n  subscribe(name, handler) {\n    this.bus.subscribe(name, handler);\n  }\n  unsubscribe(name, handler) {\n    this.bus.unsubscribe(name, handler);\n  }\n  emit(name, event) {\n    this.bus.emit(name, event);\n  }\n}\nclass SimpleBus {\n  handlers = /* @__PURE__ */ new Map();\n  getVersion() {\n    return \"3.3.1\";\n  }\n  subscribe(name, handler) {\n    this.handlers.set(\n      name,\n      (this.handlers.get(name) || []).concat(\n        handler\n      )\n    );\n  }\n  unsubscribe(name, handler) {\n    this.handlers.set(\n      name,\n      (this.handlers.get(name) || []).filter((h) => h !== handler)\n    );\n  }\n  emit(name, event) {\n    (this.handlers.get(name) || []).forEach((h) => {\n      try {\n        h(event);\n      } catch (e) {\n        console.error(\"could not invoke event listener\", e);\n      }\n    });\n  }\n}\nlet bus = null;\nfunction getBus() {\n  if (bus !== null) {\n    return bus;\n  }\n  if (typeof window === \"undefined\") {\n    return new Proxy({}, {\n      get: () => {\n        return () => console.error(\n          \"Window not available, EventBus can not be established!\"\n        );\n      }\n    });\n  }\n  if (window.OC?._eventBus && typeof window._nc_event_bus === \"undefined\") {\n    console.warn(\n      \"found old event bus instance at OC._eventBus. Update your version!\"\n    );\n    window._nc_event_bus = window.OC._eventBus;\n  }\n  if (typeof window?._nc_event_bus !== \"undefined\") {\n    bus = new ProxyBus(window._nc_event_bus);\n  } else {\n    bus = window._nc_event_bus = new SimpleBus();\n  }\n  return bus;\n}\nfunction emit(name, event) {\n  getBus().emit(name, event);\n}\n/*!\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nclass FileListFilter extends TypedEventTarget {\n  id;\n  order;\n  constructor(id, order = 100) {\n    super();\n    this.id = id;\n    this.order = order;\n  }\n  filter(nodes) {\n    throw new Error(\"Not implemented\");\n  }\n  updateChips(chips) {\n    this.dispatchTypedEvent(\"update:chips\", new CustomEvent(\"update:chips\", { detail: chips }));\n  }\n  filterUpdated() {\n    this.dispatchTypedEvent(\"update:filter\", new CustomEvent(\"update:filter\"));\n  }\n}\nfunction registerFileListFilter(filter) {\n  if (!window._nc_filelist_filters) {\n    window._nc_filelist_filters = /* @__PURE__ */ new Map();\n  }\n  if (window._nc_filelist_filters.has(filter.id)) {\n    throw new Error(`File list filter \"${filter.id}\" already registered`);\n  }\n  window._nc_filelist_filters.set(filter.id, filter);\n  emit(\"files:filter:added\", filter);\n}\nfunction unregisterFileListFilter(filterId) {\n  if (window._nc_filelist_filters && window._nc_filelist_filters.has(filterId)) {\n    window._nc_filelist_filters.delete(filterId);\n    emit(\"files:filter:removed\", filterId);\n  }\n}\nfunction getFileListFilters() {\n  if (!window._nc_filelist_filters) {\n    return [];\n  }\n  return [...window._nc_filelist_filters.values()];\n}\nconst addNewFileMenuEntry = function(entry) {\n  const newFileMenu = getNewFileMenu();\n  return newFileMenu.registerEntry(entry);\n};\nconst removeNewFileMenuEntry = function(entry) {\n  const newFileMenu = getNewFileMenu();\n  return newFileMenu.unregisterEntry(entry);\n};\nconst getNewFileMenuEntries = function(context) {\n  const newFileMenu = getNewFileMenu();\n  return newFileMenu.getEntries(context).sort((a, b) => {\n    if (a.order !== void 0 && b.order !== void 0 && a.order !== b.order) {\n      return a.order - b.order;\n    }\n    return a.displayName.localeCompare(b.displayName, void 0, { numeric: true, sensitivity: \"base\" });\n  });\n};\nexport {\n  Column,\n  DefaultType,\n  File,\n  FileAction,\n  FileListFilter,\n  FileType,\n  FilesSortingMode,\n  Folder,\n  Header,\n  InvalidFilenameError,\n  InvalidFilenameErrorReason,\n  Navigation,\n  NewMenuEntryCategory,\n  Node,\n  NodeStatus,\n  Permission,\n  View,\n  addNewFileMenuEntry,\n  davGetClient,\n  davGetDefaultPropfind,\n  davGetFavoritesReport,\n  davGetRecentSearch,\n  davGetRemoteURL,\n  davGetRootPath,\n  davParsePermissions,\n  davRemoteURL,\n  davResultToNode,\n  davRootPath,\n  defaultDavNamespaces,\n  defaultDavProperties,\n  formatFileSize,\n  getDavNameSpaces,\n  getDavProperties,\n  getFavoriteNodes,\n  getFileActions,\n  getFileListFilters,\n  getFileListHeaders,\n  getNavigation,\n  getNewFileMenuEntries,\n  getUniqueName,\n  isFilenameValid,\n  orderBy,\n  parseFileSize,\n  registerDavProperty,\n  registerFileAction,\n  registerFileListFilter,\n  registerFileListHeaders,\n  removeNewFileMenuEntry,\n  sortNodes,\n  unregisterFileListFilter,\n  validateFilename\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!./fileEntryInlineSystemTags.scss\";\n      \n      \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n      options.insert = insertFn.bind(null, \"head\");\n    \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!./fileEntryInlineSystemTags.scss\";\n       export default content && content.locals ? content.locals : undefined;\n","import { FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport '../css/fileEntryInlineSystemTags.scss';\nconst getNodeSystemTags = function (node) {\n    const tags = node.attributes?.['system-tags']?.['system-tag'];\n    if (tags === undefined) {\n        return [];\n    }\n    return [tags].flat();\n};\nconst renderTag = function (tag, isMore = false) {\n    const tagElement = document.createElement('li');\n    tagElement.classList.add('files-list__system-tag');\n    tagElement.textContent = tag;\n    if (isMore) {\n        tagElement.classList.add('files-list__system-tag--more');\n    }\n    return tagElement;\n};\nexport const action = new FileAction({\n    id: 'system-tags',\n    displayName: () => '',\n    iconSvgInline: () => '',\n    enabled(nodes) {\n        // Only show the action on single nodes\n        if (nodes.length !== 1) {\n            return false;\n        }\n        const node = nodes[0];\n        const tags = getNodeSystemTags(node);\n        // Only show the action if the node has system tags\n        if (tags.length === 0) {\n            return false;\n        }\n        return true;\n    },\n    exec: async () => null,\n    async renderInline(node) {\n        // Ensure we have the system tags as an array\n        const tags = getNodeSystemTags(node);\n        if (tags.length === 0) {\n            return null;\n        }\n        const systemTagsElement = document.createElement('ul');\n        systemTagsElement.classList.add('files-list__system-tags');\n        systemTagsElement.setAttribute('aria-label', t('files', 'Assigned collaborative tags'));\n        systemTagsElement.append(renderTag(tags[0]));\n        if (tags.length === 2) {\n            // Special case only two tags:\n            // the overflow fake tag would take the same space as this, so render it\n            systemTagsElement.append(renderTag(tags[1]));\n        }\n        else if (tags.length > 1) {\n            // More tags than the one we're showing\n            // So we add a overflow element indicating there are more tags\n            const moreTagElement = renderTag('+' + (tags.length - 1), true);\n            moreTagElement.setAttribute('title', tags.slice(1).join(', '));\n            // because the title is not accessible we hide this element for screen readers (see alternative below)\n            moreTagElement.setAttribute('aria-hidden', 'true');\n            moreTagElement.setAttribute('role', 'presentation');\n            systemTagsElement.append(moreTagElement);\n            // For accessibility the tags are listed, as the title is not accessible\n            // but those tags are visually hidden\n            for (const tag of tags.slice(1)) {\n                const tagElement = renderTag(tag);\n                tagElement.classList.add('hidden-visually');\n                systemTagsElement.append(tagElement);\n            }\n        }\n        return systemTagsElement;\n    },\n    order: 0,\n});\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { translate as t } from '@nextcloud/l10n';\nimport { FileType, FileAction, DefaultType } from '@nextcloud/files';\nexport const action = new FileAction({\n    id: 'systemtags:open-in-files',\n    displayName: () => t('systemtags', 'Open in Files'),\n    iconSvgInline: () => '',\n    enabled(nodes, view) {\n        // Only for the system tags view\n        if (view.id !== 'tags') {\n            return false;\n        }\n        // Only for single nodes\n        if (nodes.length !== 1) {\n            return false;\n        }\n        // Do not open tags (keep the default action) and only open folders\n        return nodes[0].attributes['is-tag'] !== true\n            && nodes[0].type === FileType.Folder;\n    },\n    async exec(node) {\n        let dir = node.dirname;\n        if (node.type === FileType.Folder) {\n            dir = node.path;\n        }\n        window.OCP.Files.Router.goToRoute(null, // use default route\n        { view: 'files', fileid: String(node.fileid) }, { dir, openfile: 'true' });\n        return null;\n    },\n    // Before openFolderAction\n    order: -1000,\n    default: DefaultType.HIDDEN,\n});\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { createClient } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getRequestToken, onRequestTokenUpdate } from '@nextcloud/auth';\n// init webdav client\nconst rootUrl = generateRemoteUrl('dav');\nexport const davClient = createClient(rootUrl);\n// set CSRF token header\nconst setHeaders = (token) => {\n    davClient.setHeaders({\n        // Add this so the server knows it is an request from the browser\n        'X-Requested-With': 'XMLHttpRequest',\n        // Inject user auth\n        requesttoken: token ?? '',\n    });\n};\n// refresh headers when request token changes\nonRequestTokenUpdate(setHeaders);\nsetHeaders(getRequestToken());\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport camelCase from 'camelcase';\nexport const defaultBaseTag = {\n    userVisible: true,\n    userAssignable: true,\n    canAssign: true,\n};\nexport const parseTags = (tags) => {\n    return tags.map(({ props }) => Object.fromEntries(Object.entries(props)\n        .map(([key, value]) => [camelCase(key), camelCase(key) === 'displayName' ? String(value) : value])));\n};\n/**\n * Parse id from `Content-Location` header\n * @param url URL to parse\n */\nexport const parseIdFromLocation = (url) => {\n    const queryPos = url.indexOf('?');\n    if (queryPos > 0) {\n        url = url.substring(0, queryPos);\n    }\n    const parts = url.split('/');\n    let result;\n    do {\n        result = parts[parts.length - 1];\n        parts.pop();\n        // note: first result can be empty when there is a trailing slash,\n        // so we take the part before that\n    } while (!result && parts.length > 0);\n    return Number(result);\n};\nexport const formatTag = (initialTag) => {\n    if ('name' in initialTag && !('displayName' in initialTag)) {\n        return { ...initialTag };\n    }\n    const tag = { ...initialTag };\n    tag.name = tag.displayName;\n    delete tag.displayName;\n    return tag;\n};\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getLoggerBuilder } from '@nextcloud/logger';\nexport const logger = getLoggerBuilder()\n    .setApp('systemtags')\n    .detectUser()\n    .build();\n","import { getCurrentUser } from '@nextcloud/auth';\nimport { Folder, Permission, getDavNameSpaces, getDavProperties, davGetClient, davResultToNode, davRemoteURL, davRootPath } from '@nextcloud/files';\nimport { fetchTags } from './api';\nconst rootPath = '/systemtags';\nconst client = davGetClient();\nconst resultToNode = (node) => davResultToNode(node);\nconst formatReportPayload = (tagId) => `<?xml version=\"1.0\"?>\n<oc:filter-files ${getDavNameSpaces()}>\n\t<d:prop>\n\t\t${getDavProperties()}\n\t</d:prop>\n\t<oc:filter-rules>\n\t\t<oc:systemtag>${tagId}</oc:systemtag>\n\t</oc:filter-rules>\n</oc:filter-files>`;\nconst tagToNode = function (tag) {\n    return new Folder({\n        id: tag.id,\n        source: `${davRemoteURL}${rootPath}/${tag.id}`,\n        owner: String(getCurrentUser()?.uid ?? 'anonymous'),\n        root: rootPath,\n        displayname: tag.displayName,\n        permissions: Permission.READ,\n        attributes: {\n            ...tag,\n            'is-tag': true,\n        },\n    });\n};\nexport const getContents = async (path = '/') => {\n    // List tags in the root\n    const tagsCache = (await fetchTags()).filter(tag => tag.userVisible);\n    if (path === '/') {\n        return {\n            folder: new Folder({\n                id: 0,\n                source: `${davRemoteURL}${rootPath}`,\n                owner: getCurrentUser()?.uid,\n                root: rootPath,\n                permissions: Permission.NONE,\n            }),\n            contents: tagsCache.map(tagToNode),\n        };\n    }\n    const tagId = parseInt(path.split('/', 2)[1]);\n    const tag = tagsCache.find(tag => tag.id === tagId);\n    if (!tag) {\n        throw new Error('Tag not found');\n    }\n    const folder = tagToNode(tag);\n    const contentsResponse = await client.getDirectoryContents(davRootPath, {\n        details: true,\n        // Only filter favorites if we're at the root\n        data: formatReportPayload(tagId),\n        headers: {\n            // Patched in WebdavClient.ts\n            method: 'REPORT',\n        },\n    });\n    return {\n        folder,\n        contents: contentsResponse.data.map(resultToNode),\n    };\n};\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { registerDavProperty, registerFileAction } from '@nextcloud/files';\nimport { action as inlineSystemTagsAction } from './files_actions/inlineSystemTagsAction.js';\nimport { action as openInFilesAction } from './files_actions/openInFilesAction.js';\nimport { registerSystemTagsView } from './files_views/systemtagsView.js';\nregisterDavProperty('nc:system-tags');\nregisterFileAction(inlineSystemTagsAction);\nregisterFileAction(openInFilesAction);\nregisterSystemTagsView();\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { translate as t } from '@nextcloud/l10n';\nimport { View, getNavigation } from '@nextcloud/files';\nimport { getContents } from '../services/systemtags.js';\nimport svgTagMultiple from '@mdi/svg/svg/tag-multiple.svg?raw';\n/**\n * Register the system tags files view\n */\nexport function registerSystemTagsView() {\n    const Navigation = getNavigation();\n    Navigation.register(new View({\n        id: 'tags',\n        name: t('systemtags', 'Tags'),\n        caption: t('systemtags', 'List of tags and their associated files and folders.'),\n        emptyTitle: t('systemtags', 'No tags found'),\n        emptyCaption: t('systemtags', 'Tags you have created will show up here.'),\n        icon: svgTagMultiple,\n        order: 25,\n        getContents,\n    }));\n}\n","/**\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport axios from '@nextcloud/axios';\nimport { generateUrl } from '@nextcloud/router';\nimport { translate as t } from '@nextcloud/l10n';\nimport { davClient } from './davClient.js';\nimport { formatTag, parseIdFromLocation, parseTags } from '../utils';\nimport { logger } from '../logger.js';\nexport const fetchTagsPayload = `<?xml version=\"1.0\"?>\n<d:propfind  xmlns:d=\"DAV:\" xmlns:oc=\"http://owncloud.org/ns\">\n\t<d:prop>\n\t\t<oc:id />\n\t\t<oc:display-name />\n\t\t<oc:user-visible />\n\t\t<oc:user-assignable />\n\t\t<oc:can-assign />\n\t</d:prop>\n</d:propfind>`;\nexport const fetchTags = async () => {\n    const path = '/systemtags';\n    try {\n        const { data: tags } = await davClient.getDirectoryContents(path, {\n            data: fetchTagsPayload,\n            details: true,\n            glob: '/systemtags/*', // Filter out first empty tag\n        });\n        return parseTags(tags);\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to load tags'), { error });\n        throw new Error(t('systemtags', 'Failed to load tags'));\n    }\n};\nexport const fetchLastUsedTagIds = async () => {\n    const url = generateUrl('/apps/systemtags/lastused');\n    try {\n        const { data: lastUsedTagIds } = await axios.get(url);\n        return lastUsedTagIds.map(Number);\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to load last used tags'), { error });\n        throw new Error(t('systemtags', 'Failed to load last used tags'));\n    }\n};\n/**\n * @param tag\n * @return created tag id\n */\nexport const createTag = async (tag) => {\n    const path = '/systemtags';\n    const tagToPost = formatTag(tag);\n    try {\n        const { headers } = await davClient.customRequest(path, {\n            method: 'POST',\n            data: tagToPost,\n        });\n        const contentLocation = headers.get('content-location');\n        if (contentLocation) {\n            return parseIdFromLocation(contentLocation);\n        }\n        logger.error(t('systemtags', 'Missing \"Content-Location\" header'));\n        throw new Error(t('systemtags', 'Missing \"Content-Location\" header'));\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to create tag'), { error });\n        throw new Error(t('systemtags', 'Failed to create tag'));\n    }\n};\nexport const updateTag = async (tag) => {\n    const path = '/systemtags/' + tag.id;\n    const data = `<?xml version=\"1.0\"?>\n\t<d:propertyupdate  xmlns:d=\"DAV:\" xmlns:oc=\"http://owncloud.org/ns\">\n\t\t<d:set>\n\t\t\t<d:prop>\n\t\t\t\t<oc:display-name>${tag.displayName}</oc:display-name>\n\t\t\t\t<oc:user-visible>${tag.userVisible}</oc:user-visible>\n\t\t\t\t<oc:user-assignable>${tag.userAssignable}</oc:user-assignable>\n\t\t\t</d:prop>\n\t\t</d:set>\n\t</d:propertyupdate>`;\n    try {\n        await davClient.customRequest(path, {\n            method: 'PROPPATCH',\n            data,\n        });\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to update tag'), { error });\n        throw new Error(t('systemtags', 'Failed to update tag'));\n    }\n};\nexport const deleteTag = async (tag) => {\n    const path = '/systemtags/' + tag.id;\n    try {\n        await davClient.deleteFile(path);\n    }\n    catch (error) {\n        logger.error(t('systemtags', 'Failed to delete tag'), { error });\n        throw new Error(t('systemtags', 'Failed to delete tag'));\n    }\n};\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, `.files-list__system-tags{--min-size: 32px;display:none;justify-content:center;align-items:center;min-width:calc(var(--min-size)*2);max-width:300px}.files-list__system-tag{padding:5px 10px;border:1px solid;border-radius:var(--border-radius-pill);border-color:var(--color-border);color:var(--color-text-maxcontrast);height:var(--min-size);white-space:nowrap;overflow:hidden;text-overflow:ellipsis;line-height:22px;text-align:center}.files-list__system-tag--more{overflow:visible;text-overflow:initial}.files-list__system-tag+.files-list__system-tag{margin-left:5px}@media(min-width: 512px){.files-list__system-tags{display:flex}}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/systemtags/src/css/fileEntryInlineSystemTags.scss\"],\"names\":[],\"mappings\":\"AAKA,yBACC,gBAAA,CACA,YAAA,CACA,sBAAA,CACA,kBAAA,CACA,iCAAA,CACA,eAAA,CAGD,wBACC,gBAAA,CACA,gBAAA,CACA,uCAAA,CACA,gCAAA,CACA,mCAAA,CACA,sBAAA,CACA,kBAAA,CACA,eAAA,CACA,sBAAA,CACA,gBAAA,CACA,iBAAA,CAEA,8BACC,gBAAA,CACA,qBAAA,CAID,gDACC,eAAA,CAIF,yBACC,yBACC,YAAA,CAAA\",\"sourcesContent\":[\"/**\\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\\n * SPDX-License-Identifier: AGPL-3.0-or-later\\n */\\n\\n.files-list__system-tags {\\n\\t--min-size: 32px;\\n\\tdisplay: none;\\n\\tjustify-content: center;\\n\\talign-items: center;\\n\\tmin-width: calc(var(--min-size) * 2);\\n\\tmax-width: 300px;\\n}\\n\\n.files-list__system-tag {\\n\\tpadding: 5px 10px;\\n\\tborder: 1px solid;\\n\\tborder-radius: var(--border-radius-pill);\\n\\tborder-color: var(--color-border);\\n\\tcolor: var(--color-text-maxcontrast);\\n\\theight: var(--min-size);\\n\\twhite-space: nowrap;\\n\\toverflow: hidden;\\n\\ttext-overflow: ellipsis;\\n\\tline-height: 22px; // min-size - 2 * 5px padding\\n\\ttext-align: center;\\n\\n\\t&--more {\\n\\t\\toverflow: visible;\\n\\t\\ttext-overflow: initial;\\n\\t}\\n\\n\\t// Proper spacing if multiple shown\\n\\t& + .files-list__system-tag {\\n\\t\\tmargin-left: 5px;\\n\\t}\\n}\\n\\n@media (min-width: 512px) {\\n\\t.files-list__system-tags {\\n\\t\\tdisplay: flex;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// The module cache\nvar __webpack_module_cache__ = {};\n\n// The require function\nfunction __webpack_require__(moduleId) {\n\t// Check if module is in cache\n\tvar cachedModule = __webpack_module_cache__[moduleId];\n\tif (cachedModule !== undefined) {\n\t\treturn cachedModule.exports;\n\t}\n\t// Create a new module (and put it into the cache)\n\tvar module = __webpack_module_cache__[moduleId] = {\n\t\tid: moduleId,\n\t\tloaded: false,\n\t\texports: {}\n\t};\n\n\t// Execute the module function\n\t__webpack_modules__[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n\t// Flag the module as loaded\n\tmodule.loaded = true;\n\n\t// Return the exports of the module\n\treturn module.exports;\n}\n\n// expose the modules object (__webpack_modules__)\n__webpack_require__.m = __webpack_modules__;\n\n","// getDefaultExport function for compatibility with non-harmony modules\n__webpack_require__.n = (module) => {\n\tvar getter = module && module.__esModule ?\n\t\t() => (module['default']) :\n\t\t() => (module);\n\t__webpack_require__.d(getter, { a: getter });\n\treturn getter;\n};","// define getter functions for harmony exports\n__webpack_require__.d = (exports, definition) => {\n\tfor(var key in definition) {\n\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n\t\t}\n\t}\n};","// The chunk loading function for additional chunks\n// Since all referenced chunks are already included\n// in this file, this function is empty here.\n__webpack_require__.e = () => (Promise.resolve());","__webpack_require__.g = (function() {\n\tif (typeof globalThis === 'object') return globalThis;\n\ttry {\n\t\treturn this || new Function('return this')();\n\t} catch (e) {\n\t\tif (typeof window === 'object') return window;\n\t}\n})();","__webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))","// define __esModule on exports\n__webpack_require__.r = (exports) => {\n\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n\t}\n\tObject.defineProperty(exports, '__esModule', { value: true });\n};","__webpack_require__.nmd = (module) => {\n\tmodule.paths = [];\n\tif (!module.children) module.children = [];\n\treturn module;\n};","__webpack_require__.j = 2766;","__webpack_require__.b = document.baseURI || self.location.href;\n\n// object to store loaded and loading chunks\n// undefined = chunk not loaded, null = chunk preloaded/prefetched\n// [resolve, reject, Promise] = chunk loading, 0 = chunk loaded\nvar installedChunks = {\n\t2766: 0\n};\n\n// no chunk on demand loading\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(19063)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","setApp","detectUser","build","DefaultType","DefaultType2","FileAction","_action","constructor","action","this","validateAction","id","displayName","title","iconSvgInline","enabled","exec","execBatch","order","parent","default","inline","renderInline","Error","Object","values","includes","registerFileAction","window","_nc_fileactions","debug","find","search","error","push","Permission","Permission2","defaultDavProperties","defaultDavNamespaces","d","nc","oc","ocs","FileType","FileType2","isDavRessource","source","davService","match","validateData","data","URL","e","startsWith","displayname","mtime","Date","crtime","mime","size","permissions","NONE","ALL","owner","attributes","root","service","join","status","NodeStatus","NodeStatus2","Node","_data","_attributes","_knownDavService","readonlyAttributes","entries","getOwnPropertyDescriptors","prototype","filter","get","map","handler","set","target","prop","value","Reflect","deleteProperty","receiver","warn","Proxy","update","replace","encodedSource","origin","slice","length","basename","extension","extname","dirname","split","pop","firstMatch","indexOf","url","pathname","updateMtime","READ","path","fileid","move","destination","oldBasename","rename","basename2","name","TypeError","File","type","Folder","super","davRootPath","uid","davRemoteURL","davGetRemoteURL","Navigation","_views","_currentView","register","view","dispatchTypedEvent","CustomEvent","remove","index","findIndex","splice","setActive","event","detail","active","views","Column","_column","column","isValidColumn","render","sort","summary","validator$2","util$3","exports","nameStartChar","nameRegexp","regexName","RegExp","isExist","v","isEmptyObject","obj","keys","merge","a","arrayMode","len","i","getValue","isName","string","getAllMatches","regex","matches","allmatches","startIndex","lastIndex","util$2","defaultOptions$2","allowBooleanAttributes","unpairedTags","isWhiteSpace","char","readPI","xmlData","start","tagname","substr","getErrorObject","getLineNumberForPosition","readCommentAndCDATA","angleBracketsCount","validate","options","assign","tags","tagFound","reachedRoot","err","tagStartPos","closingTag","tagName","trim","substring","msg","result","readAttributeStr","attrStr","attrStrStart","isValid","validateAttributeString","code","line","tagClosed","otg","openPos","col","afterAmp","validateAmpersand","JSON","stringify","t2","doubleQuote","singleQuote","startChar","validAttrStrRegxp","attrNames","getPositionFromMatch","attrName","validateAttrName","hasOwnProperty","re2","validateNumberAmpersand","count","message","lineNumber","lines","OptionsBuilder","defaultOptions$1","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","val2","attributeValueProcessor","stopNodes","alwaysCreateTextNode","isArray","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","jPath","attrs","buildOptions","defaultOptions","util$1","readEntityExp","entityName2","isComment","isEntity","isElement","isAttlist","isNotation","validateEntityName","hexRegex","numRegex","Number","parseInt","parseFloat","consider","decimalPoint","util","xmlNode","child","add","key","addChild","node","readDocType","entities","hasBody","comment","exp","entityName","val","regx","toNumber","str","trimmedStr","skipLike","test","sign","numTrimmedByZeros","numStr","num","addExternalEntities","externalEntities","entKeys","ent","lastEntities","parseTextData","dontTrim","hasAttributes","isLeafNode","escapeEntities","replaceEntitiesValue","newval","parseValue","resolveNameSpace","prefix","charAt","attrsRegx","buildAttributesMap","oldVal","aName","newVal","attrCollection","parseXml","xmlObj","currentNode","textData","closeIndex","findClosingIndex","colonIndex","saveTextToParentTag","lastTagName","lastIndexOf","propIndex","tagsNodeStack","tagData","readTagExp","childNode","tagExp","attrExpPresent","endIndex","docTypeEntities","rawTagName","lastTag","isItStopNode","tagContent","result2","readStopNodeData","replaceEntitiesValue$1","entity","ampEntity","currentTagName","allNodesExp","stopNodePath","stopNodeExp","errMsg","closingIndex","closingChar","attrBoundary","ch","tagExpWithClosingIndex","separatorIndex","trimStart","openTagCount","shouldParse","node2json","compress","arr","text","compressedObj","tagObj","property","propName$1","newJpath","isLeaf","isLeafTag","assignAttributes","Array","attrMap","jpath","atrrName","propCount","prettify","OrderedObjParser2","_","String","fromCharCode","validator$1","arrToStr","indentation","xmlStr","isPreviousElementTag","propName","newJPath","tagText","isStopNode","attStr2","attr_to_str","tempInd","piTextNodeName","newIdentation","indentBy","tagStart","tagValue","suppressUnpairedNode","suppressEmptyNode","endsWith","attr","attrVal","suppressBooleanAttributes","textValue","buildFromOrderedJs","jArray","format","oneListGroup","Builder","isAttribute","attrPrefixLen","processTextOrObjNode","indentate","tagEndChar","newLine","object","level","j2x","buildTextValNode","buildObjectNode","repeat","jObj","arrayNodeName","call","buildAttrPairStr","arrLen","listTagVal","listTagAttr","j","item","Ks","L","closeTag","tagEndExp","piClosingChar","fxp","XMLParser","parse","validationOption","toString","orderedObjParser","orderedResult","addEntity","XMLValidator","XMLBuilder","isValidView","columns","caption","getContents","icon","jsonObject","parser","some","x","toLowerCase","isSvg","forEach","emptyView","sticky","expanded","defaultSortKey","loadChildViews","debug_1","process","env","NODE_DEBUG","args","console","constants","MAX_LENGTH","MAX_SAFE_COMPONENT_LENGTH","MAX_SAFE_BUILD_LENGTH","MAX_LENGTH$1","MAX_SAFE_INTEGER","RELEASE_TYPES","SEMVER_SPEC_VERSION","FLAG_INCLUDE_PRERELEASE","FLAG_LOOSE","re$1","module","MAX_SAFE_COMPONENT_LENGTH2","MAX_SAFE_BUILD_LENGTH2","MAX_LENGTH2","debug2","re","safeRe","src","t","R","LETTERDASHNUMBER","safeRegexReplacements","createToken","isGlobal","safe","token","max","makeSafeRegex","NUMERICIDENTIFIER","NUMERICIDENTIFIERLOOSE","NONNUMERICIDENTIFIER","PRERELEASEIDENTIFIER","PRERELEASEIDENTIFIERLOOSE","BUILDIDENTIFIER","MAINVERSION","PRERELEASE","BUILD","FULLPLAIN","MAINVERSIONLOOSE","PRERELEASELOOSE","LOOSEPLAIN","XRANGEIDENTIFIER","XRANGEIDENTIFIERLOOSE","GTLT","XRANGEPLAIN","XRANGEPLAINLOOSE","COERCEPLAIN","COERCE","COERCEFULL","LONETILDE","tildeTrimReplace","LONECARET","caretTrimReplace","comparatorTrimReplace","reExports","freeze","loose","numeric","compareIdentifiers$1","b","anum","bnum","identifiers","compareIdentifiers","rcompareIdentifiers","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","getNodeSystemTags","undefined","flat","renderTag","tag","isMore","arguments","tagElement","document","createElement","classList","textContent","nodes","async","systemTagsElement","setAttribute","append","moreTagElement","dir","OCP","Files","Router","goToRoute","openfile","HIDDEN","rootUrl","generateRemoteUrl","davClient","createClient","setHeaders","requesttoken","onRequestTokenUpdate","getRequestToken","logger","getLoggerBuilder","rootPath","client","remoteURL","headers","patch","headers2","method","fetch","davGetClient","resultToNode","filesRoot","userId","props","permString","CREATE","UPDATE","DELETE","SHARE","davParsePermissions","nodeData","filename","lastmod","getcontentlength","FAILED","hasPreview","davResultToNode","formatReportPayload","tagId","_nc_dav_namespaces","ns","_nc_dav_properties","tagToNode","getCurrentUser","namespace","namespaces","registerDavProperty","inlineSystemTagsAction","openInFilesAction","_nc_navigation","_view","emptyTitle","emptyCaption","params","tagsCache","getDirectoryContents","details","glob","_ref","fromEntries","_ref2","camelCase","parseTags","fetchTags","userVisible","folder","contents","___CSS_LOADER_EXPORT___","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","m","O","chunkIds","fn","priority","notFulfilled","Infinity","fulfilled","every","r","n","getter","__esModule","definition","o","defineProperty","enumerable","Promise","resolve","g","globalThis","Function","Symbol","toStringTag","nmd","paths","children","baseURI","self","location","href","installedChunks","chunkId","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","chunkLoadingGlobal","bind","__webpack_exports__"],"sourceRoot":""}
\ No newline at end of file